text
stringlengths 83
79.5k
|
---|
H: Is it possible to generate a permanent link for a search in Trello?
So one could bookmark or send a link to a specific view on the board.
AI: As it turns out at the moment you can't do that. It's all done client side but I'm pretty sure this will be implemented at one point. |
H: Search for multiple unrelated words in Google Search
Google used to have the "+" operator, but I believe they removed it.
I want to search for Q&A sites using the following query:
what language is * written in? + c++
However, in the top results, the term "c++" always appear right after "what language is * written in". In other words, Google is treating the entire query as one sentence. I want Google to treat it as a sentence and an unrelated word. The word "c++" can appear anywhere in the documents.
Which search operator do I use?
AI: It has been replaced with the double quotes. Ex. "c++".
Here you can check it out.
Google elimiated the + operator in October 2011 and expanded the capabilities of the quotation marks (” ”) operator. In addition to using this operator to search for an exact phrase, you can now add quotation marks around a single word to tell Google to match that word precisely.
So your query should be:
"what language is * written in?" "c++" |
H: What are email addresses at the domain devnull.spamcop.net used for in SpamCop?
I see a few different addresses in my SpamCop inprogress display:
[email protected]
abuse#[email protected]
abuse#[email protected]
sidhom#[email protected]
What do these mean:
that there was no abuse e-mail for these domains or,
that the account didn't respond or,
that the account was not accepting e-mail?
Any information on the email domain devnull.spamcop.net would probably satisfy my curiosity.
AI: Apparently these address are either for statistical tracking within the SpamCop system:
Using abuse#[email protected] for statistical tracking.
Or in the case of [email protected]
No reporting addresses found for 130.255.251.212, using devnull for tracking.
No valid email addresses found, sorry! |
H: Why is there an extra new line at the end of my Google Docs table of contents?
I am trying to get rid of the extra new line at the end of my table of contents of my Google Doc.
https://docs.google.com/document/d/1CW9UV5EbbH1JlW_mxZryCiLZ-NCf8vaqh5BE2Xyl1FU/edit
When I delete it, it returns after I refresh the table of contents.
AI: That is just the way the table of contents function is handled on Google Docs.
If you don't like the extra whitespace, just delete any extra carriage returns after the table of contents object. E.g. select some text within the first line after the table of contents, click format -> line spacing and select "remove space before paragraph".
Otherwise, it's just something we have to live with. |
H: How do I unfollow someone on Pinterest?
I'm trying to find the option that allows me to un-follow my Facebook friends on Pinterest. At the place where I would logically conclude an "unfollow" button would show up, I'm greeted only with a greyed-out "Following."
Below screenshot taken from the /invites/facebook URI, where you can expand your already subscribed friends.
Is there a way to un-follow people on Pinterest?
AI: Pinterest is tricky with this.
Use the following link http://pinterest.com/<yourUsername>/following/
The way the un-follow button works is a tad decieving but it works
It looks disabled even on rollover, but clicking it does indeed un-follow a user. |
H: Refer to Sheet with value in Cell?
The usual way to reference a sheet is here but how do you reference a sheet when the sheet's name is a value in a cell?
For example,
A1 = "Sheet number two"
B1 = A1&"!B4"
Here I want B1 to display the value in 'Sheet number two'!B4 but it's not working for me. Any ideas?
AI: You need to use the indirect() formula. So in cell B1 you need to put this formula:
=indirect(A1&"!B4") |
H: Make Gmail show the subject textbox by default
How can I make Gmail show the subject line as an editable textbox by default when I reply to an email? It is hidden by default until one clicks on "Edit Subject"—I would like it to be available by default at all times. Any ideas?
AI: You can use this Greasemonkey script from lifehacker
Copying it here for the record:
// ==UserScript==
// @name Show Editable Subject
// @description Always show editable subject field when replying to a message in Gmail.
// @include http://mail.google.com/*
// @include https://mail.google.com/*
// @author Gina Trapani
// @namespace http://lifehacker.com
// @version 0.1
// @tab Compose
// @homepage http://lifehacker.com/
// ==/UserScript==
// Version 0.1: Released
// Borrowed some keyhandler code from http://bitterpill.org/gmail_tinyurl/
// Repurposed some code from http://userscripts.org/scripts/review/20887
// Based on mathmike's the Show Details user script http://userscripts.org/scripts/show/13700
// mathmike: Most of the functions below were borrowed from Gmail Macros (New)
var CLICK_TO_SHOW = "MRoIub";
var INNER_HTML = "Edit Subject"
var KEYCOMBO_ONLY=false;
var THIRD_KEYCODE=66;
var gmail = null;
window.addEventListener('load', function() {
if (unsafeWindow.gmonkey) {
unsafeWindow.gmonkey.load('1.0', function(g) {
gmail = g;
if (KEYCOMBO_ONLY) {
getDoc().defaultView.addEventListener('keydown', keyHandler, false);
} else {
gmail.registerViewChangeCallback(handleView);
handleView();
}
});
}
}, true);
function getDoc() {
return gmail.getNavPaneElement().ownerDocument;
}
function keyHandler(event) {
GM_log(event.ctrlKey + ' ' + event.shiftKey + ' ' + event.keyCode);
if (event.ctrlKey == true && event.shiftKey == true && event.keyCode == THIRD_KEYCODE) {
clickSpan();
}
}
function handleView() {
//if (gmail.getActiveViewType() == "co") clickSpan(); //Compose view
if (gmail.getActiveViewType()=="cv") tryToClickSpan(); //Conversation view, user may hit Reply link
}
function clickSpan() {
var nodes =
getNodesByTagNameAndClass(gmail.getActiveViewElement(), "span", CLICK_TO_SHOW);
if (!nodes) return false;
for (var i in nodes) {
GM_log("Node " + i + " HTML is " + nodes[i].innerHTML );
if (nodes[i].innerHTML == INNER_HTML){
simulateClick(nodes[i], "click");
return true;
}
}
}
function simulateClick(node, eventType) {
var event = node.ownerDocument.createEvent("MouseEvents");
event.initMouseEvent(eventType,
true, // can bubble
true, // cancellable
node.ownerDocument.defaultView,
1, // clicks
50, 50, // screen coordinates
50, 50, // client coordinates
false, false, false, false, // control/alt/shift/meta
0, // button,
node);
node.dispatchEvent(event);
}
function getNodesByTagNameAndClass(rootNode, tagName, className) {
var expression =
".//" + tagName +
"[contains(concat(' ', @class, ' '), ' " + className + " ')]";
return evalXPath(expression, rootNode);
}
function evalXPath(expression, rootNode) {
try {
var xpathIterator = rootNode.ownerDocument.evaluate(
expression,
rootNode,
null, // no namespace resolver
XPathResult.ORDERED_NODE_ITERATOR_TYPE,
null); // no existing results
} catch (err) {
GM_log("Error when evaluating XPath expression '" + expression + "'" +
": " + err);
return null;
}
var results = [];
// Convert result to JS array
for (var xpathNode = xpathIterator.iterateNext();
xpathNode;
xpathNode = xpathIterator.iterateNext()) {
results.push(xpathNode);
}
return results;
}
function tryToClickSpan() {
if (!clickSpan() ) {
setTimeout(tryToClickSpan, 500);
}
} |
H: Is it possible to block outgoing emails to a particular address?
Say if I wish not to send an email to an address, even by mistake, because I want to maintain no contact between the two emails, is it possible to set up some kind of outgoing filter to it?
AI: You can setup filters on outgoing mail to add labels, but at present there is no way to BLOCK outgoing mail to a specific address.
If you are using Google Apps for Business, you can enable Postini which supports whitelist and blacklists |
H: Any way to auto-approve requests to join new-style Facebook group?
Re-posting this since my previous post got closed as a duplicate, and the question they said it was a duplicate of does not fix my problem. I have a new-style group. Back when the new Facebook groups came out, I had the option to upgrade my old group, and I did so. I still have to approve member requests to join.
It says '23 new members' and if I expand that, I see that members were added by other non-admin members. So people can be added to the group without having to be approved, but at the same time other people not in the group request to be added. I don't want to deal with these requests, I just want them auto-added.
I have a Facebook group meant to be open for anyone to join.
In the "edit group" screen, I set privacy to "open". There is a small lock icon besides the word "open", it that matters in any way.
However, instead of "join" button, there is an "ask to join" button, and also apparently the group doesn't appear on searches (at least one person wasn't able to find it).
How can I make my group actually open?
AI: Facebook does not provide a way to have groups that anyone can join instantly. Someone already in the group must add them, or they can request approval from a group admin.
The likely reason for not providing this is that it would attract spammers. Old-style open groups had spam problems and they did not even have the new group notification or chat options. Unlike posting to a page, all group members are now notified by default of any new post to a group, and also for groups with no more than 250 members it is possible to send chat messages to all members of the group including people who are not confirmed friends.
If you want anyone to be able to join and don't care about the notification or group chat features, then you may want to use a page rather than a group. |
H: How to set Google+ photos to be Public-Unlisted (as you could do with PicasaWeb)?
Previously, if I uploaded photos from Picasa to PicasaWeb, I could specify them as Public but Unlisted. So you had to have the link to view them but no login was required.
I don't see that option now that Picasa uploads to Google+.
Any ideas?
AI: You should see a Visible to: title when you click through to the photo album you want to share via a private link.
Click that and you should see an overlay appear which includes an option to:
Share via link
Copy and paste and send that link to whomever you want to have access to the album, while still keeping it away from public listing.
You can also click on the Options menu and Share album via link.
If you wanted to pass around an individual photo, just right-click and open the image itself into a new tab for its URL or "Copy the image URL" (or your browser equivalent to grabbing the URL of an image from the page). |
H: How to add links on a tumblr.com page?
How can I add some links on a tumblr page? For example, on http://makeclocks.tumblr.com/ I'd like to add some links at red box area:
AI: Each theme is different, but here's how I would of updated it on my tumblr. Knowing more about your theme's HTML would give a better answer.
Go to http://www.tumblr.com/customize/<yourBlogName> and click Edit HTML.
Within that page look for About within an <h4> tag. Mine looks like this before:
<h4>{lang:About}</h4>
<div id="description">{Description}</div>
And After I added a Links section (you can name it whatever you want)
<h4>{lang:About}</h4>
<div id="description">{Description}</div>
<h4>Links</h4>
<div id="description">link text here</div>
I used div id="description" because I wanted the css properties of the description div without having to edit my css.
Here's a screenshot of the before preview:
Here's a screenshot of the after I put that code in preview: |
H: Does Wikipedia have a project to map translated entry per language?
Sometimes when viewing a Wikipedia entry I am interested on seeing the related entry for the counter part for an English entry to the counter part entry in other language.
One use example is: an entry for television in English and I want to look on the counter part entry for television in the German Wikipedia. Note that I admit that most entries between language are copied verbatim and translated only to the other language. But there are some entries that are unique for a culture.
Example: an entry about tea on the English Wikipedia may discuss worldwide tea topics (British tea, Indian, Asian) while the tea entry for chines or Japanese Wikipedia would focus on local use of tea, importance in ceremony and culture.
If you're bilingual, you can search the Tea entry for Japanese but if you're not, you cannot look for it.
I just want to know if wikipedia.org has any project for doing this or other open source project related to this. Note that this is not about translating a page (this can be done using any translation tool like Google Translate) but relating entries per wikipedia.org language.
AI: Wikipedia:Translate us is perhaps the project you're looking for from the encyclopaedia. But really it's more of a "heads up" and "where to start" for people who want to contribute a translation for another language or back into English.
This page is a guide for anyone, but particularly new volunteers, willing to help translate articles from the English Wikipedia into other languages.
In particular it lists steps that you'll go through to translate. Some of which include:
Find a suitable article, which exists on the English Wikipedia, but not on the Wikipedia in the other language (or where the other language only has a stub). This tool can help.
Translate the English article into the new language.
On the other Wikipedia, go to the corresponding page, and click the button marked "create" or "edit" in the new language.
Paste your translation in. Don't worry too much about formatting at this stage.
etc.
So Wikipedia has more of a guideline than an appointed committee on these efforts. |
H: Pressing Backspace in Google Search doesn't go back one page
Using Google Instant with autocomplete turned on, I'm unable to press the backspace button to go back to the previous page. When I press the backspace button, I do not have focus in the search input however the result of the backspace instead puts focus to the search input and removes the last character.
Is there a way to turn off this keyboard shortcut for the backspace that Google has overwritten for me so that the backspace button acts normally like any other website when its result is to take me back to the previous page?
I've found a Chrome extension: Reclaim Backspace (Google Instant), but I rather have this option saved to my Google account preferences and not to run an extension. Also, I'd like to remain Google Instant and autocompletion turned ON.
AI: Alternatively you can use Alt+← instead of Backspace. |
H: How do I enable checkin for my page on Facebook?
I have a client who owns a small retail store and has a Facebook page. When someone at the location checks in to the place, it creates a new page. I click on "know the owner" and send out the invite email and Facebook gives a prompt for editing the page. It also says that you will be able to combine the pages in the "next step"—I finish all the steps and there is no option where I can combine the pages and it creates a new page every time.
Any idea how to combine the pages?
AI: Here are the steps:
Go to the page
Get into the edit screens
Update Basic Information
Update the address
Make sure the page category is set to Local Businesses & Places otherwise the above won't work.
As far as the address information goes; Facebook gives the disclaimer:
Note: If you add a valid address, users will be able to see and check in to your page using Facebook Places. It may take a few hours for our system to process the address.
Make sure to wait a few hours (I'd bet on just wait until the next day) to see that your business is on Places.
For the second part of your question, I have not ever been able to combine pages successfully (I manage a six location restaurant chain's digital presence) so I always just take control and try to direct the visitors via links to the official page. |
H: Feed or alert of a specific Twitter keyword from specific Twitter account?
How do I receive an alert or create a feed for when a specific Twitter account tweets a specific keyword(s)?
For example, the author of a software application I use apparently does not have any type of feed dedicated to the updates for that software. I'd prefer not to follow his personal feed and monitor for that 1/100+ tweet mentioning the software update. I'd prefer to be notified in some fashion when they tweet a specific keyword. RSS is fine. Other tech/feed is fine.
AI: There used to be a link to create RSS feeds on search.twitter.com, but it has disappeared.
Fortunately the link itself is still working. You can insert any search operators you want (and use the from: tag to specify the user).
http://search.twitter.com/search.rss?q=from%3Aladygaga%20moment
...would search for tweets from ladygaga mentioning the word "moment". |
H: How to sign up to VEVO without using Facebook
When using VEVO it seems impossible to register without using Facebook. No other options are given (even with Incognito)
Is there a path to a regular form registration? I just want to save a playlist.
AI: This is possible now (2016) by going to http://www.vevo.com/signup.
You can't do that anymore.
We heard that music video site Vevo was planning a major site redesign, and those news changes are rolling out today just as planned. The first major difference you'll notice is that the only way to sign up for an account is with Facebook, and existing users must now log in with Facebook as well.
Source. |
H: When is Google Music released in the UK?
I know Google Music is already out in the US, but when will it be available in the UK?
And will it be available on Android at the same time?
AI: Official Google Play Help Page explains it as follows:
Q: What is Google Play?
A: Google Play is a new digital content
experience from Google where you can find your favorite music,
movies, books, and Android apps and games.
Q: When will I get Google Play? What markets is this available in?
A: We’ll be rolling out Google Play globally starting today. On the
web, Google Play will be live today. On devices, it will take a few
days for the Android Market app to update to the Google Play Store
app. The music, books and movies apps will also receive an update
today.
Around the globe, Google Play will include Android apps and games. In
countries where we have already launched music, books or movies, you
will see those categories available in Google Play, too.
Q: I live outside the US. When will I get the books, music or movies verticals? I only see Android apps and games? A: We want to bring
different content categories to as many countries as possible. We’ve
already launched movies and books in several countries outside the
U.S. and will continue to do so overtime, but we don’t have a
specific timeline to share.
Q: What types of content are available in my country?
Paid Apps: Available in these countries
Movies: Available in US, UK, Canada, and Japan
eBooks: Available in US, UK, Canada, and Australia
Music: Available in US
You may check out the link for more info. |
H: Facebook profile subscription settings: What types of updates are considered 'Other Activity'?
Facebook allows you to choose which types of updates from a friend's profile you'd like to subscribe to:
There is an option for 'Other Activity'. What types of updates are considered 'Other Activity'?
AI: This includes a lot of miscellaneous things that may appear in the News Feed but do not fit in the other categories, such as the person posting to or being added to a group, attending an event, getting new Facebook friends, changing their profile information, being tagged in a non-photo post, or anything from one of their Facebook apps that is not classified as a game/music/video, including cross posts from other networks using e.g. the Twitter/Tumblr/Pinterest apps.
If you're not sure how a particular post about a friend is classified, just press the little v icon that appears in the upper right corner of the post when you hover over it in your main News Feed. If it shows the option "Unsubscribe from activity stories by __", then it is Other Activity. |
H: Add stops every X miles on Google Maps
I have a long trip planned on Google Maps (~1,700 miles). I'm looking for a way to add stops every 500 or so miles to look for spots to stop for the evening.
What's the best way to do this?
AI: This Route Splitter Tool from Daft Logic may be of use to you.
You click the map to mark your route on and then click the Make a Split button.
You then click the first and second marker that you want to split.
This drops another marker on to the map which you can drag and drop to the location you want and it will split the route up for you.
It can't split your route up in to 500 mile chunks but you can certainly do this manually. |
H: How can I clean up my Gmail address book?
I've used Gmail since 2004, and now I have about 3000 Gmail contacts. I don't recognize the vast majority of them and many of my contacts are just email addresses. Over the years I've synced my contacts with every social network and cloud sync service out there and now my address book is a real mess. I only use my address book for personal mail. I have less than 200 people that I actually keep in touch with - I don't exactly know how the other 2800 contacts got there. I sync my Gmail with iCloud, so my iPhone's contact list is a mess too.
Is there some technique, application or service to magically clean up my address book? Perhaps I could delete everyone who I have not sent any email to.
AI: You should have a look at Lifehacker full guide to clean up Gmail Contacts.
Some topics they cover that could help you:
clean up duplicates
export and import csv
I'd say that for 200 contacts, the easiest way is to:
export to CSV
keep the contacts you want (delete the unwanted rows)
delete all your gmail contacts
import the clean and fresh CSV to Google Contacts |
H: Pinterest doesn't load properly when I use a mobile broadband dongle
Please - what steps should I take to trouble shoot this?
I use Pinterest on Google Chrome, on Snow Leopard.
It works fine when I access from an Internet cafe.
But when I try to connect using my mobile broadband dongle (Huawei e173 on T Mobile in the UK) it doesn't fully load. Everything else (all other websites I try) appears to work fine.
See these screenshots - you can see that the pinterest website partially loads, and Chrome thinks it's finished, but there's no content in the main screen. Clearing cache and force reload makes no difference.
You can see here that I've selected the architecture category. Normally I'd get lots of pins to look at, but not when I connect via broadband dongle.
Please - what steps should I take to trouble shoot this?
(There doesn't seem to be anything on the Pinterest support site about this yet.)
AI: Use HTTPS instead of HTTP to load Pinterest. The certificate will throw warnings but that is because they aren't securing their images. |
H: Resolving Rdio not posting songs to Timeline activity on Facebook
I am using Rdio to automatically (i.e update my timeline activity) share my stream of songs played through their web application. Unfortunately a while back, it suddenly stopped posting the data.
I am not really interested in what friends see my songs but there is value to be found in the data left at facebook.com/<username>/music for me.
So I tried the advice given at I'm not seeing any updates, did I do it wrong? which states that you must remove the application. I removed the application and have now re-enabled the application. Same problem with automatic stream sharing.
Alright, well I tried using some of the previous songs to share at http://www.rdio.com/#/people/<username>/history/, that doesn't work because it continuously chokes on an error. Instead, I tried from a specific album and was able to successfully share a post but not automatically update my timeline activity.
Between the constant chokes on error, and delays in time it takes to load a page I don't think I can hold my sanity any longer to resolve this issue and am running out of ideas.
Is there a way to fix this?
My next step will be clearing cookies, though I rather not as it would be annoying for me to sacrifice cookies for all others apps/websites just for Rdio. Also I don't think cookies have anything to do with it. The error occurs for Rdio for Mac and Rdio for iPhone.
AI: If you want to check what rights a Facebook Application has to post to your wall you should check it's settings on the Facebook App Settings page. Find the Rdio app line and click "Edit Settings". Make sure it's allowed to post to your Facebook wall and make sure the visibility of those posts are set to something that friends can see.
I just installed the app to see what it looked like and it should all be there by default.
If you installed it a while ago you might want to remove the app and then reauthorize the app by connecting your facebook account through Rdio's settings interface.
Leaving the application removed from Facebook and removing Facebook from Rdio Settings for a few hours did the trick. This isn't a definitive solution as it's like saying "Turn your device for a while or power-cycle your router to resolve problems" |
H: How to create a list (of Friends) in Facebook based on location (i.e., in my local town)?
There are lots of times I only want to post updates to certain groups (especially to folks that are in my local city).
Is there a way to create an automatic list based on where those people are? (Or manually create a filtered list based on location?)
AI: If you go to the Lists page you should see a list with an icon like this:
This is an automatically created list by Facebook based on your address that you provide in your Contact Information that you can edit here https://www.facebook.com/<yourUsernameOrID>/info
You can get your ID by going to http://graph.facebook.com/<yourCustomUsername> or snagging it from the url of your profile page (if you haven't gotten a custom username yet).
If you want to constantly see that list you can mark it as a favorite by clicking on the pencil icon and it will appear in your left navigation area.
Once you have that and you want to set a status update for only that list you can do one of the following:
Click on the list in the left nav and then click Update Status. Since you're already looking at the list, Facebook assumes you only want to post an update to that list. Be careful, as this selection will now be your default selection for status updates until you change it back.
you can also go to Facebook Home, click Update Status, and then select the area list from the dropdown to the immediate left of the post button: |
H: Kickstarter and Amazon Payments: "functionality has been disabled"
So, Double Fine's Kickstarter effort is about to come to a spectacular end.
While they clearly do not need my help, I have been trying to fund the project. Kickstarter uses Amazon Payments to process transactions, and the final step of checkout shoots you over to their site:
However, having logged into my amazon.com account, I get redirected to a page reading: "This functionality has been disabled for your account. Please contact-us to know more."
If I try to create a new amazon.com user at https://payments.amazon.com, the 'Country' field is locked to 'United States' and can't be edited. It may be relevant that my Amazon account has my country as Australian, seeing as that's where I live.
Why will they not take my money?
AI: Problem solved, no thanks to the canned response I got from Amazon.
I had to create a new Amazon.com account (rather than a new Amazon Payments account, as the canned response told me to), then use that to sign into Amazon Payments. |
H: How to pre-register attendees to an event?
How would one pre-register a member to an event one creates on Meetup.com?
I.e. I speak to member X, who would love to do something specific on Saturday but at my place. I would like to create this event but I only have a few spots for something that may fill up without giving member X a chance to sign up. I really think X should be there (it was his idea in the first place) and would like to reserve a spot for him.
How can I do this? If it isn't currently a feature - how should I handle it instead?
AI: The best way to handle it so far:
After creating the event,
Click on the meetup to go to its page.
Click "tools" (immediately above the event host's profile picture and next to the "email attendees" button).
Click "edit RSVPs".
Use the find member function to display the member you'd like to reserve a spot for.
Select "attending" next to his profile picture. |
H: How do I completely disable the "Hot on Google+" feature?
Is it possible to completely disable the Google+ feature called "Hot on Google+" that makes some posts of people not present in your circle appear on your stream?
This is an example:
AI: Yes, it is. Click on "What's Hot" in your left sidebar and a volume slider will appear in the upper right corner. Slide this all the way to the left, like this:
And no "What's Hot" posts will appear in your main stream anymore. |
H: How can I add an article for a new language in Wikipedia?
I read an article on Wikipedia and want to translate and edit it into my language.
How can I do this?
AI: 1- Create the page in the new language
On the page you want to translate, change the language prefix (xxx.wikipedia.org) to your language's prefix. This will bring you to a blank page and Wikipedia will ask you if you want to edit it. If you don't know your language's prefix, find it by going to www.wikipedia.org where all the languages are listed.
For example, if you want to translate the article en.wikipedia.org/wiki/Stack_Exchange_Network to Japanese, go to ja.wikipedia.org/wiki/Stack_Exchange_Network and find the link to edit the page.
However, it can most often be that the translation of the article has also a translated name. For example, if you translate the page square into french, you would not create the page fr.wikipedia.org/wiki/square but the page https://fr.wikipedia.org/wiki/Carr%C3%A9
2- Link the new created page to the other languages
a. Once you have created the article in your language, let's say fr.wikipedia.org/wiki/Carré go to the page in an old language, e.g., english en.wikipedio.org/Square and there click on Edit Links under the languages names
b. Now, a site opens with a frame called just wikipedia and Edit on top of the languages: click again on this "Edit" link.
c. Finally you end up in the linking form. There you have to fill the fields Site ID with the language wiki id, for example, in our case is frwiki for the french wikipedia page. And fill the field Sitelink just with the name (not the full address!) of your new translated page, in our case, with Carré.
d. Click Set the sitelink and your translated page should be accessible from the main page of the other languages in the languages links. |
H: How do I get newlines in a tweet?
Is there a reliable way to make newlines appear in a tweet?
The twitter website accepts them in the "Compose new tweet" box, but they don't show up in the stream.
The server receives them and stores them. When I look at the JSON the website receives, they are still there.
Some clients obviously manage to get newlines right, I've seen tweets (even on the website) that contain them.
So… what can I do to produce them myself?
AI: There is no convention for storing newlines in the API and as such there is no reliable way to make newlines appear in all Twitter clients.
New lines do not appear in all most official clients
Mobile, Web, iOS
There used to be a point in which it is was somewhat supported but this is no more. |
H: How can I convert Gmail from standard view to basic HTML view?
How can I convert Gmail from standard view to basic HTML view permanently? A while ago there was an option at the bottom allowing me to do so, but now it is gone.
AI: The direct link to basic HTML view is: https://mail.google.com/mail/?ui=html&zy=h
From the Gmail help page.
** update: if you sign out (of standard view) then sign back in, a link appears in the lower right while your inbox loading screen is up. Not as convenient as having the link permanently available below your inbox, I agree -- but better than using that awkward direct link perhaps.
Addition to above: Once you are signed into basic gmail using above info, click on the "basic view" option at the top right on your Inbox page. This will convert you to basic permanently, or until you want to change back to standard. |
H: How to write a logical function that checks several columns and rows
I have three columns in my Google Spreadsheet:
C (Dialog) - D (Declined) - E(Answered)
All the columns are dates. Example:
C D E
14/02/2012
28/02/2012
14/02/2012 14/03/2012
28/02/2012 07/03/2012
14/02/2012 28/02/2012
21/02/2012
15/02/2012
21/02/2012
15/02/2012 14/03/2012
15/02/2012 22/02/2012
21/02/2012 27/02/2012
21/02/2012 05/03/2012
28/02/2012
28/02/2012
15/02/2012
28/02/2012 14/03/2012
13/02/2012 14/03/2012
14/02/2012 14/03/2012
I am trying to count how many people i was in dialogue with from the 10/02/2012 (10'th of febuary).
I am in dialogue with someone, when column C is less than or equal to the date that i am matching with, and D is either blank or great than the date, or E is blank or greather than the date.
So far this is what i have created, but it doesnt count it right:
=ARRAYFORMULA(SUM(if(if($C$4:$C$4000 <= H55; 1; 0)+if($C$4:$C$4000 <> ""; 1; 0)+if(OR($D$4:$D$4000 = ""; $D$4:$D$4000 > H55);1;0)+if(OR($E$4:$E$4000 = ""; $E$4:$E$4000 > H55);1;0)=4; 1; 0)))
Where H55 is 10/02/2012 and all the below cells in H are H55+1
The function counts that i was in dialogue with 12 the 21/02/2012 - which is correct.
There are 12 rows in column C where the date <= 21/02/2012
When i get to the 22'th, there is a cell in column E that is not greater than than C, which means that the 12 should be counted down to 11, but it still displays 12.
Where i am doing it wrong?
AI: Logical operators such as OR return single values in array formulas, try instead:
=ARRAYFORMULA(SUM(IF(IF($C$4:$C$4000 <= H55; 1; 0)+IF($C$4:$C$4000 <> ""; 1; 0)+IF(($D$4:$D$4000 = "")+($D$4:$D$4000 > H55);1;0)+IF(($E$4:$E$4000 = "")+( $E$4:$E$4000 > H55);1;0)=4; 1; 0))) |
H: Twitter friends' timeline as a feed?
Is it possible to get my twitter timeline (i.e. the tweets posted by my friends) as an RSS or atom feed? I've heard that you could've used https://twitter.com/statuses/friends_timeline.rss in the past, but it's not working anymore.
My main concern is to extract this timeline to Yahoo Pipes, so any other method that will do this may also help.
AI: I suspect this is no longer possible now that Twitter requires OAuth and won't accept basic authentication: Twitter doesn't support Basic Authentication anymore and instead requests which require authentication need to be signed with OAuth.
Further reading: https://dev.twitter.com/docs/auth/moving-from-basic-auth-to-oauth |
H: How to always browse Facebook using HTTPS
Possible Duplicate:
Does Facebook provide an SSL interface?
I've googled and searched on our site here, but the best I can find is the question How to get Facebook to use “http://” instead of “https://”, though in a reversed meaning to mine.
I want to always browse Facebook with the HTTPS protocol. In Facebook, I see there's a setting related to this—I want a reversed feature, that is, always HTTPS, not HTTP.
Is it possible?
AI: If you use this https://ssl.facebook.com/ link, it will land on https://www.facebook.com but all links from this site will redirect you back to non-SSL.
To enable permanently,
Click on Home --> Account Settings --> Account Security and check the HTTPS box. |
H: Video does not want to upload on YouTube
I´m trying to upload a video to YouTube, but it is not working. I´ve uploaded videos in the past, but have not been able to upload this video yet.
What happens, is, I select the video, but it never shows the progress bar and I can keep selecting videos.
I´ve tried it so far on Google Chrome, Mozilla Firefox and Internet Explorer. Same results on every browser. I also tried the `basic´ uploader, but when I pressed the button to select a video, it does not open an explorer window.
My internet speeds: Down: 11.79 Mb/s, Up: 0.85 Mb/s
O/S: Windows 7 64 Bit
Video format: Sony AVC (MP4, 720p, 29.9fps)
Video size: 234MB
AI: Never mind. I found the YouTube discussion forums, and apparently there are server-side issues with YouTube at the moment. YouTube partner / monetizing accounts get an old uploader that doesn't display the upload itself, although it still does. A workaround is select the video, keep your tab open, open new tab, go to YouTube video manager, and you'll see your video processing there. |
H: Is Dropbox the best choice for hosting a collection of video files?
I want to share a folder of private videos with another group of viewers. Two schools are twinned with each other, and want to send and view data back and forth.
To allow every child to see every video, is hosting it in my Dropbox folder the best method?
I had considered:
YouTube 'non-public' videos (only those with the link can view them; disadvantage is one link needed for every single film)
E-mailing the videos (silly idea, each is too big)
Burning a CD and posting it (drawback only one copy of lots of copies needed)
Any other sensible and zero-cost suggestions?
AI: Making a private password protected blog on posterous.com (no, I'm not being paid by them nor am I trolling!) is a great way to share videos in an attractive and practical way. Students can also comment on the videos and develop conversations etc around the videos which is a but nicer and more aesthetically pleasing than just using a Dropbox link. Also, Dropbox fills up pretty quick if you use video. It's free and you can restrict viewers to those who have the password, so the security is great for schools. |
H: Auto-Responder with Attachment in Gmail
I would like to setup an auto-responder in Gmail that includes an attachment. I can setup the auto-responder without issue but how do I add an attachment to an auto-responder in Gmail?
AI: I am not sure if this can be done via Gmail.
I can suggest writing a simple application that connects to your server, checks new emails, and sends new email.
I am sure there are plenty of similar free tools available online. |
H: How to add plugins in WordPress blog?
I am creating a site and I need to use plugins, but on my dashboard there is nowhere to add my plugins for my site. How do I get it?
AI: Wordpress.com does not allow you to install plugins.
From their Plugins support page:
Plugins are tools used to extend the functionality of the WordPress
platform. However, they are only applicable to self-hosted blogs and
web sites using the WordPress.org software. Plugins are not permitted
here at WordPress.com for various security reasons.
...
If you require plugins, you’ll need to acquire your own hosting. |
H: How to post to Facebook Page when "allow anyone to post" is disabled and "post as myself" enabled?
I am setting up a Facebook fan page and:
Don't want to allow anyone to post (disabled "Everyone can post to MyPage's timeline")
Want to post as myself, not MyPage (unchecked "Always comment and post on your page as MyPage" in posting preferences)
With these two settings in place, I don't know how to post a status update. Is it possible under these conditions at all?
AI: When you uncheck Always comment and post on your page as MyPage anything you post on the Page is visible only to some of your friends and people who are visiting the Page profile (i.e. it's not published to the News Feed of the Page's subscribers). Thus, such posts aren't "status" updates.
If you want to publish an actual status update to the Page's subscribers, you need to "Use Facebook as MyPage". The easiest way to do it is to click the triangle in the top-right corner of the screen (on the blue bar next to Home) and select the Page, for which you wish to publish the update. |
H: Is there a +lang:en option in Google Search, like +site:?
Possible Duplicate:
Can I have some shortcut for language and area change in Google search?
Is there an option like +lang:en in Google Search, like +site:?
It would restrict results based on language.
Or is there an easy way to switch the language of pages you search in Google, without going into the settings every time?
AI: If you really want to do this, you can format the query string so that it contains the lr=lang_<language code> parameter. There is no easier way to do this. |
H: Link to specific sheet in Google spreadsheet
I have a complicated Google spreadsheet with many sheets and a table of contents. Is there some way to create a link to the sheet names so that with a click one can go directly to the sheet? That is: clicking on the cell "sheet5" switches to sheet5?
AI: When you switch to a different sheet in Google Spreadsheets, pay attention to the URL in your browser's address bar. At the end of the URL you should see something like:
#gid=0
This number changes when you switch sheets, and specifies which sheet to display. Copy the entire URL and create a hyperlink to it with this formula:
=hyperlink("https://docs.google.com/spreadsheet/ccc?key=0AsaQpHJE_LShcDJ0dWNudHFZWVJqS1dvb3FLWkVrS0E#gid=0", "LINK TEXT")
With a script
I've thought about this question a lot since I first wrote this answer, and I came up with a solution that involves a script.
With the spreadsheet open, click the Tools menu, then Script editor.... Paste all this code into the editor:
function onOpen(event) {
var ss = event.source;
var menuEntries = [];
menuEntries.push({name: "Go to sheet...", functionName: "showGoToSheet"});
ss.addMenu("Tasks", menuEntries);
}
function showGoToSheet() {
var ss = SpreadsheetApp.getActiveSpreadsheet();
var allsheets = ss.getSheets();
var app = UiApp.createApplication();
app.setTitle("Go to sheet...").setWidth(800).setHeight(600);
var table = app.createFlexTable();
table.setCellPadding(5).setCellSpacing(0);
var goToSheetClick = app.createServerHandler('handleGoToSheetClick');
var widgets = [];
for (var i = 0; i < allsheets.length; i++) {
var sheet_name = allsheets[i].getName();
widgets[i] = app.createHTML(sheet_name).setId(sheet_name).addClickHandler(goToSheetClick);
table.setWidget(i, 1, widgets[i])
}
var panel = app.createSimplePanel();
panel.add(table);
app.add(panel);
ss.show(app);
}
function handleGoToSheetClick(e) {
var sheet_name = e.parameter.source;
var ss = SpreadsheetApp.getActiveSpreadsheet();
var sheet = ss.getSheetByName(sheet_name);
sheet.activate();
var app = UiApp.getActiveApplication();
app.close();
return app;
}
Save the script, then refresh the spreadsheet. After a second or two a new menu, Tasks, will appear after Help. There is one item in this menu: Go to sheet...
This menu item will open a panel with a list of names of all the sheets in the current spreadsheet. It doesn't look like it, but if you click on one of the sheet names, that sheet will come to the front.
As an answer to another question, this script was improved to include a scrollable view and buttons. |
H: How do I remove files from a repository through the Bitbucket interface?
I went into the Admin tab for a repository and found how to delete an entire repository, but I cannot remove single files and folders.
AI: It's not really possible by design. You have to do it locally and then push the new changes. Online you can only view the repositories. |
H: Is there a way to set a "permanent pen" in Gmail?
Responding to an email inline in Gmail requires formatting each bit of text. Is there a way to set a permanent pen similar to Lotus Notes so that everything I type while it is turned on maintains the same format?
For example:
Original email question?
My response to the question
Another point in the email
My response to the point
For each of my responses, I had to select the text and set it to Bold and Italic.
There is an add-in that makes this possible in Thunderbird: https://superuser.com/a/200295/121933
Does this functionality exist in Gmail?
AI: No GMail does not currently have such a feature.
BUT there is a really weird/annoying workaround if you want it that bad. Google allows you to have a signature. You can configuration the signature in the General settings. What you could do is put one letter in the signature with the formatting you want. When you compose a new email that would mean you must start typing from the signature line. Once finished typing your message you can deleting and blank lines above it.
Of course this only works if you are composing the first message. During a reply I the signature is placed below the quoted text therefore making this method very annoying.
Hope this sorta helps! |
H: Template email in Gmail?
How can I create a template email in Gmail that will bring up the template and let me fill in a couple of fields in the Recipient list, Subject and Body of the email?
AI: The Gmail feature Canned responses does just that.
Click Compose and write your template
Click on Canned responses and then New canned response... to save it
Next time you need to write a template email, click on Canned responses and select the template from the Load list. |
H: How do I organize my YouTube videos to separate my Business and Personal stuff?
I'm uploading some software screencasts to YouTube. I've also got some other business related videos. But I also have a lot of personal stuff (family, hobbies, etc.).
I've read on this StackExchange that you can only have one Channel and it seems that when you create a new Channel (with a new Google Account) that it uses your name for the account.
How do folks organize this so that you can "present" a business-like view to folks looking at your YouTube videos?
AI: I think that playlists are your friend. You can create one playlist with business videos and another with private videos. If you want to present your business videos you can for example show them like this: http://www.youtube.com/playlist?list=PLC286668637A5EEF5&feature=mh_lolz on youtube |
H: Google Groups: "Unable to load pending messages for moderation". Where to report this bug?
Since 3 days, every time I open the message moderation page of the Google Group I administrate, I can see this message:
Unable to load pending messages for moderation
Usually this page would list the messages from new users that are awaiting approval.
The window title tells me that there are 15 messages awaiting, and the number keeps growing, but I can not moderate.
Using the mobile version to access http://groups.google.com/group/anki-android/pendmsg is worse: it just shows the Google Groups homepage.
The error message is unknown by Google Search, so I guess few groups have seen this problem.
Another moderator of the group told me he has the same problem, though.
QUESTION: How should I report this to Google?
I could not find a help forum nor an issue tracker, nor a feedback form.
AI: You can report to Google by clicking on the "settings" icon on the top right and from the drop down menu selecting the option "Report an issue about Google Groups". I have the same problem and already did that. Hopefully the more people doing the same the more chances we will have to be able to get a reply. |
H: How do I hide the red/pink pins that appear after searching?
When I search for something in Google Maps, it puts a red/pink pin (or pointer/marker/icon) on the map for each search result in the viewport. Sometimes, these pins block my view of other things on the map that I want to see.
How do I hide these pins from view?
AI: Mouse over the controls on the upper right of the map - it says satellite and possibly traffic. Other controls will roll out once you mouse over this area.
You'll see a control that allows you to remove the search result from the map by 'unchecking' next to the business name or search term. |
H: How can I protect my Gmail and Facebook account from a particular IP address?
After leaving a company, it's possible that there are traces of your account information for personal services. Is there a way to "ban" a range of IPs from ever accessing your Gmail account or Facebook account?
AI: This is not possible since you don't control the server's that Gmail and Facebook are hosted on.
HOWEVER... there is something you can do to prevent accessing your accounts from cookies, etc.
BOTH
The easiest way to prevent access to browsers with possible access is to change your password. Once the password is changed, any attempt to view your logged in Gmail or Facebook account will redirect the viewer to the login page.
GMail
You can turn on 2-step verification this will enable you to protect your account from any access (with valid cookies/password) because a new browser will require an authentication code that is sent to a cell phone number that you provide.
Also, at the bottom of that page is a link to Require a verification code the next time I log in from any other computer
Facebook
Go to your Account Security Settings and look at the Active Sessions area. You can end the activity on each of those (you'll have to log in again) but that will require a login from each of the other machines you've access Facebook on.
Also from that same page you can enable Login Notifications and Login Approvals for added security.
I would suggest, however, that you use the BOTH option that I gave originally. Good luck! |
H: How long does Google keep deleted IDs
If I deleted my Google account, I cannot register a new account with the same name.
How long does Google keep that name taken, before I can register it again?
AI: I doubt you'll be able to use the username again. Google restricts this throughout their applications (I just gave an answer to a youtube username question).
You do have a short amount of time to recover your deleted account, though. See Deleting or restoring a Google Account |
H: How can I start a new Basecamp Classic account?
With the new Basecamp (since Jan 2012) the old Basecamp is labelled 'Basecamp Classic'. For a new project starting now I would like to use some functionality available only in Basecamp Classic and not (yet) in the new one.
Is there a way I can still open an account which uses Basecamp Classic?
When I normally register I get the new one, no questions asked.
AI: Here is the signup form for Basecamp Classic: https://signup.37signals.com/basecamp/Free/signup/
I just registered an account and it (still) works. |
H: Make Twitter recognize the key to post tweets?
Is it possible to make the enter key submit a tweet automatically on Twitter?
If so, how?
AI: It is not possible to use enter to submit the new tweet on Twitter.com. By default it creates a line break, even if line breaks are not displayed by Twitter.com and most apps.
The fastest way to post a tweet using your keyboard is the following:
Press n for new tweet on your Twitter home page
Write your tweet content
Press tab and then enter to post it |
H: Storing subtitle settings in YouTube URL
Can't I add some kind of string to the URL of the video to make it start off with the subtitles on and in the "right" language?
We do have the option to have the video start up from a particular time, so why not subtitles too?
And, Google Translate does add those strings to the URL (e.g. http://translate.google.com/#en|nl|), so I don't understand why the same is not automatically happening on YouTube too.
AI: Captions are on by default. You can force the language with hl=<lang> but there shouldn't be a need.
hl stands for host language meaning that as long as the host language is set by default there should be no need to send it as a parameter.
Try it yourself,
Go to YouTube
Scroll to the bottom and select a language as your default
Now go to a video with multiple subtitles. Your default language will bring up the respective caption (not the first one in the list) |
H: How can I get a Cook Islands primary domain (.ck)?
On GoDaddy's support page, it says if you are resident in Asia, you can get a .ck domain. Is it possible to get a .ck domain if I live in the US?
AI: No you have to have proof of living within that region. mainly I think as the url spells out .co.ck maybe people were trying to buy them up as joke domains. Infamous one from the UK www.trashbat.co.ck You can appeal for one though |
H: Force HTTP loading of Gmail
Possible Duplicate:
Log into Gmail without SSL
I want Gmail to open in HTTP mode in Chrome. I don't care about security or man-in-the middle stuff; who would want to read my emails anyway?
I have set the "Don't always use HTTPS" option in the settings page, but no avail.
How do I do this?
AI: According to their blog (http://blog.chromium.org/2011/06/new-chromium-security-features-june.html), Chrome will use HTTPS for Gmail always. There is no turning it off.
As of Chromium 13, all connections to Gmail will be over HTTPS. This includes the initial navigation even if the user types “gmail.com” or “mail.google.com” into the URL bar without an https:// prefix, which defends against sslstrip-type attacks. |
H: Differences between Google Voice and Google Talk?
This webpage reads:
Google Voice can interface with ordinary telephones while Google Talk cannot
Then
Why does Google Voice needs Google Talk to make an outgoing call?
Why using Google Talk itself can also make a outgoing call?
What differences and relations are between these two, in terms of both their technology and user usage?
AI: Originally, Google Talk (and the Gmail and Orkut integration) was an entirely separate product from Google Voice.
Next, Google Voice was integrated into the Gmail Google Talk implementation and then, recently, into Google Hangouts (Google+) as well.
Google Talk itself, as a standalone product, has been more or less killed.
Google's goal right now is to roll out Google Voice internationally and meanwhile slowly integrate the two of them together. Seeing them as entirely distinct products might not be entirely valid anymore. |
H: Change the background color of selected text in Google Docs to increase readability
How can I override or change the background color of text selected in Google Docs? It is difficult for me to see the difference and I would like to increase the contrast or difference.
After Google restyled Google Docs last year (or earlier this year), I've been unable to see selected text. It's possible this is a visual deficiency with my eyes. In Google Docs, under both Google Chrome (17.0.963.83 (Official Build 127885) m) and Firefox (11.0), when I select text inside a Google Doc, the selected text has a background of color #d6e0f5.
Compare this to the default browser background color of #2f65c0. (I determined the color of the selected text background by taking a screenshot and using the color picker tool in Photoshop). I've tested this using a brand new Firefox profile as well as google chrome profile.
Here's a section of a screenshot showing the selected text :
I've tried using a userscript to override the CSS to go back to the default text selection color using the "Stylish" plugin with this css :
::selection {
background:#2f65c0;
color:#ffffff;
}
::-moz-selection {
background:#2f65c0;
color:#ffffff;
}
::-webkit-selection {
background:#2f65c0;
color:#ffffff;
}
This code works on other sites, but I'm unable to get it to work on Google Docs. (I tested on other sites but applying the userscript to a different domain and using bright yellow instead of the default dark blue #2f65c0.)
When you use Google Docs, do you have the same color background for selected text or something different? (To test this, browse to docs.google.com , create a document, type text into the document, select the text with the mouse by dragging over it, take a screenshot, load the screenshot up in an image editor and determine the background color of the selected text.)
This color differential (between light blue #d6e0f5 and white #fffff) may be easy to see for others and the problem lies with my eyes.
AI: Instead of to ::selection, apply the new background color to the class .kix-selection-overlay, like such:
.kix-selection-overlay {
background:#2f65c0;
color:#ffffff;
}
PS: the background color is fairly subtle, but it wasn't difficult to see at all for me. You might want to adjust the color contrast of your screen to see if it helps. |
H: How to make Gmail receive email only from one account?
Possible Duplicate:
How to implement a white-list-based system in Gmail?
I want to make my Gmail account filter out all incoming email, save for those from a particular address, so that only email from that one address can be received, while the rest should be put automatically into trash.
AI: You can use from:(!%sender%) to filter all emails but the ones from a particular sender. For example, if you only wanted to receive emails from Facebook, you would use from:(!facebook) in a filter that trashes all matching emails.
To add such an example filter, put !facebook inside the "from" field when creating filter options. |
H: Is it possible to disable Google+ notifications of newly Instant Upload photos?
Is it possible to disable Google+ notifications of newly Instant Upload photos in the big red square at the top right corner of the Google pages?
I would prefer for Google Plus not to notify me about newly uploaded pictures to the Instant Upload folder.
AI: You can disable the notifications on your phone (at least on Android) but you cannot on the website. I found this Google Group post where a Google Community Manager actually replied with:
Hey Brian,
I can understand where you're coming from and will pass the feature
request along!
I usually ignore the notifications and sometimes appreciate the
reminder that a photo has uploaded when I may have forgotten about it.
But I hear you :)
+MrEvan
That was in 8/11. So far the update hasn't been made to say that it's a notification you can turn off. I also ran through settings on the browser and it's definitely not implemented yet. |
H: Why does Google Search use redirects instead of direct links?
All Google Search results are a redirect link like this: http://www.google.com/url?sa=t&rct=j&q=&esrc=s&source=web&cd=19&ved=0CHUQFjAIOAo&url=http%3A%2F%2Fwebapps.stackexchange.com%2F&ei=jNV0T4a0EYTw0gGkxsX_Ag&usg=AFQjCNFUKoDTez5xOnJZaRkn0OLZIclKtQ&sig2=siQi9Rk3h_zHwaNC2n_MMg
Why does Google do this?
AI: One of the reasons is so they can do click tracking on what link you clicked, on their search results page. This allows them to detect and optimize their search results.
For example if they noticed everyone that searches for "batman" only ever selects the 2, 3, 6, 7 links, they could remove the 1, 4, 5 links as they are obviously bad results for this search word.
Also you should take a look at Google's search history. I can tell you are logged in from this link and that your search history is being logged. This will give you a good indication of the information that Google collects when you click this link. |
H: Cannot upload photos from Picasa via Facebook uploader
I have a problem with the Facebook uploader in Picasa.
How can I solve this (see below)?
AI: I would definitely check the Picasa App permissions on the Facebook side. I was able to duplicate your findings after manually mangling the permissions the app got.
You might need to remove the Picasa app first and then re-authenticate it via the Facebook Upload feature in the Picasa uploader. |
H: How to find out what time of day people visit your Facebook business page?
I read in the Facebook Pages Product Guide:
"Find out when (a.k.a. what times of day) people visit each of the sites most often, so that you
can post before they visit the site."
"We have found that people visit and engage with Pages most often
between 9pm and 10pm, with the 18-24 age group being the most
active."
I'm not entirely certain that our demographic is just ages 18-24, and I want to find out on average when people visit our Facebook pages the most.
Is there some existing tool I can hook into the Facebook API to find this information out? Or even some sort of graph that shows when people visit the page in more detail?
I discovered that you can get a lot of raw metrics data by entering the Insights Dashboard and clicking Export, but none of it appears to be related to "time of day" type stuff.
AI: Facebook does not offer an option to view who views your Facebook page. So you will not be able to definitively associate viewers to names. However you can make good guesses by implementing these strategies:
Facebook bases their search bar searches off of the people that visit your business profile. If you type the letter "G", then whatever appears first below, most likely viewed your profile
You can provide a link to your Facebook page from another site, and track the IP Address, and redirect the viewer to your Facebook page. With the IP Address you can use location tracking, with website services such as IP 2 Location and guess who lives in the area. |
H: Script editor inside a web page
I need to edit some scripts from a web app, at the moment i'm using a plain textarea and it works.
The main problem is that these scripts have indentations so i'd like to simply press TAB to control the indentation level when writing some new code and possibly automatically start next lines with the same indentation. In a normal textarea pressing TAB switches the focus to the next object.
I'm looking for something like tinyMCE but that is made specifically for scripts.
The minimum required functionality is to handle the indentation level, other cool things would be syntax highlighting and hinting/completition but they're not really necessary.
AI: Found it, CodeMirror is the library used by jsFiddle and it works very well. It supports many languages and has a lot of options like keymaps and markers. Awesome! |
H: How can I log directly into Gmail when I am also signed into Google Apps?
Background:
I have one Gmail account and two Google Apps e-mail accounts that I use on a regular basis:
<[email protected]>
<[email protected]>
<[email protected]>
On my personal computer, all three accounts are kept "signed in" concurrently so that I can access any of the three inboxes at any time without having to log in repeatedly.
If I browse to https://mail.google.com/a/teaching-job.edu/ or https://mail.teaching-job.edu/, Gmail takes me directly to the inbox for <[email protected]>.
If I browse to https://mail.google.com/a/consulting-job.com/ or https://mail.consulting-job.com/, Gmail takes me directly to the inbox for <[email protected]>
If I browse to https://mail.google.com/ or https://www.gmail.com/, Gmail does not take me directly to the inbox for <[email protected]>. Instead, it takes me to one of my Google Apps accounts.
Browsing to https://mail.google.com/a/gmail.com/ yields an error: "Sorry, you've reached a login page for a domain that isn't using Google Apps."
Question:
Assuming that I am signed into all three accounts concurrently, is there a URL that will always bring me directly to the inbox for <[email protected]>, even if I have used one of the other accounts more recently?
AI: It turns out that when using multiple sign-in, the first account that one signs into is forevermore the "default account" for that browser session. This applies to all Google Apps features: not just logins to https://mail.google.com/, but also things like OpenID sign-ins.
The solution was simply to sign out, log into the gmail.com account first, and then log into the Google Apps accounts. |
H: How can I get Google Maps to show street names?
Google Maps used to show street names, all the way down to minor back roads if you zoomed in enough. Now, those seem to be gone. Is is possible that I've accidentally changed a setting that displays street names, or is this some bewildering new "feature" of some sort?
In response to the comments, here's a screenshot:
...and my browser info:
Google Chrome 18.0.under Mac OSX 10.6.8. Street labels sometimes appear at different zoom levels, but not always.
AI: Judging by the screenshot (the zoom slider), you have WebGL enabled. It renders the visuals slightly differently and might bring some artifacts. (On my computer, the loading/rendering process looks strange but the end result is always working fine.)
To turn off WebGL in Google Maps, open the site and look at the lower left corner of the screen (bottom of the side bar). There's the button labeled Classic - click it.
Note that disabling WebGL will also disable some of the features, such as 3D buildings and 45° imagery. |
H: How to completely hide my profile on Facebook?
I have a timeline profile on Facebook.
I want to hide it completely from any search results. Maybe show it only to people to whom I give direct link.
I don't want my friends to see the mutual friends we have got.
I think (1) is possible and I saw (2) is possible
How would it be possible to achieve this?
AI: You cannot hide your Facebook completely from search results, you can limit who can find you by your phone number or email address.
Why?
Your name, gender, username, and user ID (account number), along with
your profile picture, cover photo, and networks (if you choose to add
these) are available to anyone. This is because this information is
essential to helping you connect with your friends and family.
To limits who can see your friends go to http://www.facebook.com/<yourusername>/friends click Edit and change to "Only Me", but there are still issues see more at How to hide Mutual Friends from others on Facebook ? |
H: Enable Infinite/Endless Scrolling in Tumblr
Is there a way to enable endless scrolling (i.e. no pagination) for my Tumblelog? I have browsed through the settings and selected "Enable endless scrolling" though this seems to only work for the Dashboard.
Is there a setting to achieve the same for a personal blog such that I can turn it on and off or must one manually code it into their Tumblr theme?
AI: The best explanation I know of is here, but note that not all layouts allow for infinite scrolling. The popular Papercuts, for example, does not. |
H: Is there a Tumblr variable that refers to the blog's URL/username?
I'm trying to do some stuff on my Tumblr layout, and I want some links to remain accurate regardless of whether the blog's URL later change. Either this is not possible from the documented variables or, if it is possible, is done via another mean.
Is there a mean to achieve that?
AI: You can use the name variable as long as it references the root "/"
<h1><a href="/">{Name}</a></h1> |
H: How to remove the "Follow," "Unfollow" and "Join Tumblr" buttons on a Tumblr site?
From what I understand, the Tumblr buttons at the top right of any Tumblr site are auto-inserted via iFrame. This means I cannot directly delete these buttons by editing the HTML. But I want them gone. I don't want my website to be an advertisement for the blogging platform.
How can I remove the "Follow" (or "Unfollow") and "Join Tumblr" (or "Dashboard" + Mail) buttons from my site?
AI: Go to your blog
Click "Customize" in the upper left
Deselect "Promote Tumblr!" |
H: How do I search a Wikimedia web site for ALL keywords
I have a Wikimedia site that I want to search for both keywords that I type into the search box.
When I go to the wikipedia.org site and look at the help it says that I can precede words with a + sign to force them to be present.
http://si.wikipedia.org/wiki/Wikipedia:Searching
When I go to the Wikimedia help page it doesn't mention this usage:
http://www.mediawiki.org/wiki/Help:Searching
...and the + sign does not force ALL word search on my Wikimedia site.
Is there a way to force search for both words on a Wikimedia site?
AI: Try AND, this works for most websites. |
H: How does one create a Google doc directly in a folder?
I clicked on a Google doc folder and created a new Google doc. However, the Google doc is not automatically placed in the folder.
How do I create a document and have it automatically belong to a folder?
AI: Right click the collection (folder) and, from the popup menu, select Create -> Document.
Alternatively, you can click the downward pointing arrow that appears when you hover over the folder to get the same contextual popup menu. |
H: How does one keep a folder expanded in Google Docs?
I have a folder in Google docs with many subfolders. I want this parent folder to be expanded by default every time I log in to Google docs because I depend a lot on the subfolders.
How do I enable this setting?
AI: I don't know if there's a setting for that; I certainly haven't found it.
However, there is something you can do about it.
If you click on the various folders you'll notice that the URL in the browser's address bar changes. So, every folder is accesible by a certain URL.
If you open a folder that's a direct child of the one you're trying to keep open, you could bookmark it's URL and open Google Docs using that link. It'll always display the parent folder (the one you want) expanded. |
H: How can I block app and game invitations once and for all in Facebook?
I want to block app and game invitations once and for all in Facebook. How can I do it so they cannot disturb me anymore?
AI: You can block app invites from specific friends by clicking on the gear menu in the upper right corner and then Settings, Blocking, and entering names under Block app invites. You can block specific apps from this same page under Block apps. If you do not use any Facebook apps or games and want to block them all from seeing any of your information or sending you invites, you can turn off Facebook Platform completely by going to Settings, Apps, Apps you use ... Edit, and then clicking Turn Off Platform. |
H: How to Change "me" in Gmail
In Gmail, my email address is replaced by "me" in emails and chats, etc.
Is there a way to replace this "me" by anything else, such as the actual name of the person?
Sometimes "me" is not actually me!
AI: Gmail will always show "me" for your Gmail address.
If you are using "send mail as" addresses, untick "Treat as alias" and we should stop showing "me" for those addresses; this is the preferred option for addresses that you send mail as but do not reflect your personal identity, such as mailing lists.
If you are seeing a problem with senders who have [email protected] as their email address, you can correct that issue by updating their information in your Gmail Contacts. |
H: How does one add a new line in a cell in a Google Spreadsheet?
I pressed return to make a new line in a cell of my Google Spreadsheet. That just moved the cursor to the next cell.
How does one add a new line in a cell?
AI: When you're focused on the cell press enter to get into edit mode:
Windows/Linux/Chrome OS: Ctrl + Enter
Mac: Command/option(Alt) + Enter |
H: What is the full list of emoticons on Facebook Chat?
I know of a few simple emoticons that translate to images like
:) turns into a smile;
:putnam: turns into a Facebook engineer named Putnam.
But what is the extent of emoticons available in chat? Is there somewhere where I can find the entire list?
AI: The list is = number of facebook users + ~10 normal emoticons(:), :P etc).
No, not kidding, you can take any user's profile picture and turn it into an emoticon. Take anyone's profile find his profile ID and post it to chat like [[PROFILE_ID]], and his/her profile image will turn into an emoticon. E.g. -
Try it. :)
Update: Finding the user ID is a bit tricky.
For the users who didn't setup a username, their profile page looks like this - https://www.facebook.com/profile.php?id=100002872529, and you know that's the user ID.
For those who have setup an user ID - go to their profile page, view the source of that page with your browser(For chrome, you press Ctrl + U), search for this exact text - profile_owner and you'll see something like "profile_owner":"100002872529". There you have the ID.
This is the fastest way for me, if anyone has even faster way, please post. :P |
H: Web IRC - how do I filter out the noise of people leaving and entering a room?
I log in to http://webchat.freenode.net/ regularly. But in most channels, the amount of chatting is lesser than the notifications of users entering/leaving. Is there a command I can use that either hides this data or gives it a different color so I can ignore it?
AI: Menu (top left corner) > Options > Hide Joins/Parts/Quits. You can also try some desktop IRC client. |
H: Only status updates on the feed in Facebook
Is there a way to only see status updates on the Facebook feed? There was a feature in the previous versions of Facebook, but I think they have taken it out. Is there any workaround? Or any app that does that?
AI: I have yet to try it, but after a Google search I came up with this link: http://userscripts.org/scripts/show/79506
It's set to show only status messages, videos, photos, links and events but, apparently, he'll be adding an option to let the user choose which to see when.
If you want to only see status updates, all the time, just leave this
/* Status */
allowedmsgs[11] = 1;
as is and set all the other flags to "0" instead of "1".
If you're on Chrome you can follow the instructions at http://www.howtogeek.com/howto/24790/beginner-guide-for-greasemonkey-scripts-in-google-chrome/ or do a Google search.
https://www.google.com/search?num=50&hl=en&safe=off&q="greasemonkey+for+chrome"
It seems like Chrome natively works with Greasemonkey scripts, by the way, so you should have nothing additional to install. Just click "install" after downloading the script. |
H: How to Fill a Column with Sequential Dates in Google Sheets
In Excel, you can right-click drag a date downwards to fill a column with the next dates in the sequence. For example, if you enter 9/1/2014, select that cell, then right-click drag down over the cells below, Excel will fill those cells with 10/1/2014, 11/1/2014, etc for you. This doesn't work with a single cell selection in Google Sheets - how can I get this to work?
AI: The key is to enter at least the first two values to get auto fill to work with a pattern |
H: Magazine Manager drag and drop not working?
A coworker came over to ask me about The Magazine Manager today at work. She was attempting to drag and drop some list items from one pane to another within the Webapp, but without any success. She's running in Internet Explorer on Windows 7 64-bit and Internet Explorer 9 32-bit.
I tried it on my machine with Internet Explorer 9 64-bit and I didn't have any problem dragging and dropping the items. I am also running IE9 on Windows 7.
AI: Found out it had something to do with Compatibility Mode, and that drag and drop will work if you use it; However if you turn on Compatibility Mode on, it breaks something else, so you just have to tweek that based on what you are working with.
Also I'm told pressing the esc key will fix it for some reason...can anyone verify this? |
H: Copying text from Gmail without line-breaks
Sending emails in plain text format with Gmail wraps each line at ~70 characters. How can I copy the text from a received/sent mail without the line-breaks?
AI: One solution I found is to use TextMate's Unwrap paragraph function. Copy text from Gmail, paste into TextMate, then go Text->Unwrap paragraph. |
H: How to upload an mp3 to Facebook?
I know it's possible to upload videos to Facebook. Is it possible to upload an mp3 to Facebook using their user interface?
AI: It is not possible to upload an MP3 directly to Facebook. The only thing you can do is to host the mp3 somewhere else and provide the link to it via a status update/comment. |
H: How to remove label from the right sidebar?
I want to remove the label from the right sidebar of Gmail. I have tried to find a way to remove unwanted labels from the sidebar and keep the sidebar cleaner by just having important labels there and when I press More then all of the labels should appear. How do I do that?
AI: Hover over it—a small drop-down arrow will appear at the right of it
Click on the drop-down arrow
From the list, select Hide under In label list: |
H: YouTube keyboard shortcuts?
I just found out if you type j when watching a YouTube video, it lapses back about 10-20 seconds, depending on the video, I think.
What are the keyboard shortcuts when using YouTube?
AI: It's at the bottom of the Screen reader support page:
Keyboard shortcut Function
------------------------------------
O To jump to the beginning of the flash player
Spacebar Play/Pause when the seek bar is selected.
Activate a button if a button has focus
Play/Pause Media Key
on keyboards Play / Pause
Stop Media Key
on keyboards Stop
Next Track Media Key
on keyboards Moves to the next track in a play/list
Left/Right arrow on
the seek bar Seek backward/forward 5 seconds
Ctrl+left/ctrl+right
arrow on the seek bar Seek backward/forward 10 seconds
Home/End on the seek bar Seek to the beginning/last seconds of the video
Up/Down arrow on the
seek bar Increase/Decrease volume 5%
Numbers 1 to 9
(not on the numeric pad)
on the seek bar Seek to the 10% to 90% of the video
Number 0
(not on the numeric pad)
on the seek bar Seek to the beginning of the video
Indeed it's very hard to find. They ought to make a dedicated page for this. |
H: How do we add a video to "Watch Later"?
Usually I'd like to chunk useful videos to "Watch Later". However YouTube just had a new interface change and I can't find this feature anymore. Does anyone know how to add a video to "Watch Later"?
Was this feature removed?
AI: I can still see it. Just hover over the video preview image and click the clock-like icon that appears.
To add the current playing video to the watch-it-later list, click on the clock-like icon from the player bar (see screenshot below).
There is also this help page describing the process. |
H: 3gp video format viewable in Picasa/Flickr/Facebook?
Is the 3gp video format viewable in a simple browser once uploaded to Picasa or Flickr or Facebook?
If not, what is the best format to transform it to so that it can be viewed in all of these 3 sites?
AI: 3gp is a common shared between the 3 services you asked for.
The only limit you have is on Flickr where the video must be shorter than 90 seconds, so only 1 minute and 30 seconds long for this service. |
H: 'Follow' or 'Mention' Twitter button to allow feedback?
I have just created a Twitter account to let people provide feedback from a web page offering a small service. I am no expert at Twitter. I see that several buttons are available. I want to add such a button on my page.
I am hesitating between mention and hashtag. Basically, I want users to be able to post a comment on our account.
Is that possible?
What would be the best choice?
AI: If you do a mention the tweet starts with @yourname which means that only people that are following both you and that account will see it in their timeline.
If you do a hashtag you won't have the above problem, but you will have to deal with the search history limitation that Twitter's hashtag search creates (anywhere from 5-10 days of history only).
Users won't be able to post a comment on your account because Twitter doesn't work like that (there's no page to leave a post on).
I would suggest the mention option because then you can go back and find them easier, you can get notifications when someone does mention you, and if their friends do see the tweet they can easily find your account. |
H: OpenID Statistics. Show a list of sites
I have a google-account.
And I use this account as openid on several sites.
how I can see list of these sites?
AI: Go to Google Accounts & click on Authorizing Websites & Applications. That'll bring up a list of websites that use OpenID & what permissions are required. |
H: How to register a new Instagram user via web site
We have relatives who want to follow our Instagram (just for viewing pics) but they have neither an Android nor an iOS device. Most of the Instagram web interfaces don't have the option to register a new user (they allow existing users to login only). Is there any way they can register on the web?
AI: No, there is no way to do that. A next user (e.g. yourself) must grant access to a Android or iOS for your relatives to sign up. I would look over the terms of service here. |
H: Can other people see who can see my posts on Facebook?
If I set the settings on one of my posts so that only a certain group of people can see it, can those people see the list of people who can see the post?
AI: If you set the audience to one of the friend lists that you created, or to Close Friends or Acquaintances, the people on that list will be able to see the names of the people that can see the post (but not the name of the list). If you set the audience to one of the "smart lists" that Facebook creates automatically based on family/city/school/work, those people will be able to see the list name and not the individual names. Facebook does this to help people decide whether they want to like or comment on the post, since those same people will be able to see their like or comment.
Additional information can be found in this answer. |
H: What does Treat as an alias do in Gmail?
When you set up a new account on Gmail to be able to send messages from that account, one of the options to choose from is Treat as an alias. The only documentation I found about the feature is this page, but after reading it, I'm still confused as to what the feature does.
Questions:
What exactly does this feature do?
When would I need to use it?
What other side effects does this feature have?
Before this feature existed, were accounts treated the same as today's accounts with the "aliases" feature checked or not checked?
For the following examples, assume account A is my normal Gmail account, and account B is another Gmail account I'm using via account A.
How does the setting affect (or not affect) any of the following?
Can I still use from:B in order to filter outgoing messages from B?
When sending a message from account B via A, does any reference to account A exist in the email headers or full text?
When I get an email sent to account B, and I press reply, the "from address" is automatically populated with account B. Is this feature changed in any way?
AI: Gmail has a notion of "me" as a sender and recipient, which is why searching your mail "from:me" works.
If you choose "Treat as alias," Gmail will treat the other address as "me" in addition to your main Gmail address. If you untick "Treat as alias," then it won't. Before this feature was added, all "send mail as" addresses were treated as aliases, or in other words, treated as "me."
There are a few minor repercussions. For example, if you send a message to "me," Gmail will put the message into your inbox. So if you send a message to address B, then Gmail will put it in the inbox if B is treated as an alias, but will not put it in the inbox if B is not treated as an alias.
"Treat as alias" does not affect whether your other address shows in the headers; that feature is controlled by your choice to use an SMTP server for the other address. It will also not affect specific searches for the other address, or your default reply address (e.g. "Reply from the same address the message was sent to").
You should use "Treat as alias" if the other address represents your own personal identity. You should not use "Treat as alias" if the other address represents another person (such as your boss) or a mailing list.
When you choose to use the SMTP server for the other adress and do not check the 'Treat as alias' box, a bug in gmail occurs. All mail sent by you as account B will appear as sent 'to:me' in your Sent Mail box. See this thread. While this bug remains unfixed, it is highly recommended to use "Treat as alias". |
H: Gmail Filter on Email starting with '!' deleted everything
I tried to create a filter to trash all emails from ([email protected]) - an email address used by my school to spam us.
After applying the filter to all my old messages, it trashed everything. I guesse the filter system reads a '!' as "not".
Can I roll back the change - or do I have to restore ALL my trashed emails (over 1000) to get back the 500+ that were incorrectly trashed.
AI: Gmail shows a preview of the messages that the filter will apply to during the filter setup I'd encourage you to review the results in the future to make sure they are what you expect. Unfortunately at this time it is not possible to revert a filter after creation, but I'm passing along your feedback. If you haven't already, make sure to delete that filter from your Settings to prevent it from catching any new incoming messages. |
H: List of recently added Facebook friends?
Is there a way to see what friends I recently added? It used to be possible using "Edit friends" but this part has changed it seems.
"Became friends with" stories are set to not appear on my wall.
It seems to possible be using the API but is there an easier way?
AI: Go to your activity log (https://www.facebook.com/<yourusername>/allactivity) and filter by friends.
Direct link: https://www.facebook.com/<yourusername>/allactivity?privacy_source=activity_log&log_filter=cluster_8 |
H: What determines the length of a Trello list?
Here's a screenshot of two long lists on one of the Trello boards we use at Stack Exchange:
Both lists are fairly long - long enough to scroll. But one list "looks" longer than the other. What determines how long the gray container part of each list is? Why don't they just go down to the bottom of the window?
They aren't stretching or compressing to display the same number of full cards - the left list shows 8 full cards while the right list shows 9 full cards. They also aren't stretching or compressing to round up or down to the nearest "full card" - you can see a portion of a card at the bottom of each list. (Both of these lists are scrolled all the way to the top, although to my eyes it does look like the list on the right is scrolled down a tiny bit. This is an optical illusion of some kind - I double checked.)
So: what's the story here?
AI: They should be given the same max height, i.e. they should be the same length if they would otherwise go off the board. If not, it's a bug.
There's a known bug that you may be experiencing. If you are zoomed out and click the 'Add card', then click off, it can shorten the list.
Most of this weirdness will go away with the new card composer, though. https://trello.com/c/pRlmLRWS |
H: Is it possible to add formatting (such as bold and italics) to the description of a Facebook event page?
I manage the Facebook page for an Orchestra, and the plain text format of the event description makes it difficult to create a readable listing. I'd like to be able to use bold, italics, bullets, etc., in the description of these Facebook events. Is there any way to do this (or perhaps even include arbitrary HTML)?
AI: There isn't a way to add formatting to the event description; it does not accept HTML markup. If you have event details that you want formatted in a certain way, I suggest putting the details on a separate web page and pasting the URL into the event description, or post a link on the event's wall. It will open in a separate tab when clicked. |
H: Chat with Facebook friends without having Facebook account
I had a Facebook account, and deleted it, since I found Facebook overwhelming. Now, I would just like to chat (using web app or computer program) with some of my Facebook friends, so I wonder if this is possible, without creating a new Facebook account or trying to recover my old one.
AI: You will have to install a different chat system - like Skype or Google Chat. This does mean that all your friends will have to install this chat system too, which is something they might not be willing to do if you are their only friend using this system. |
H: Can Facebook Timeline be updated via an API?
Is it possible to update Facebook Timeline using some sort of an API?
Say for instance if I wanted to upload a large amount of content for the reverse chronological history of the timeline?
AI: Yes.
See: Facebook Graph API reference at "Publishing":
You can publish to the Facebook graph by issuing HTTP POST requests to
the appropriate connection URLs, using an access token.
For more detailed information, see also Graph API reference for a single "post".
Also good reading is the Open Graph tutorial and Best Practices guide.
Disclaimer: I haven't tried this myself, so there could be some limitations I'm not aware of. |
H: YouTube "Black Screen of Death"
When opening certain videos on YouTube, I am met with a "Black Screen of Death". In other words, there is a black screen from the top of the URL bar to the bottom of my screen. I can still interact with the objects on my screen and click them. Some information about my PC and browser:
Browser: Google Chrome
PC: dv7 (a lot of people say they are having problems on the dv6 and dv7 too)
OS: Windows 7 64-bit
RAM: 6 gigs
Processor: 2.4 GHz quad-core
The black screen of death is also occurring on other web pages too. Here's a sample YouTube video that it occurs on.
AI: I've had similar problems and I have one solution that may work.
I would suggest making sure you have the latest version of Google
Chrome.
Click the wrench then click the about tab and it will tell you if your up to date |
H: Alternatives to Thuuz website to check interesting sports games?
I have been a happy user of Thuuz.com for a good while to check which sport games were most interesting but they have recently shut down the website and they only use iPhone/Android apps.
Any other option to still check information of the same kind as in Thuuz on a standard website?
AI: Are You Watching This?!
http://areyouwatchingthis.com |
H: Adding my existing video to my YouTube channel
Visiting my YouTube channel there are two tabs: Feed and Video.
It seems the Feed tab is displayed by default.
Trouble is, the feed does not display all of my public videos. They were probably uploaded before I explicitly created the channel.
How do I get my channel to display all my public videos?
AI: The feed is, well your feed. It displays basically your activity. If you like a video it will appear in that feed saying you liked xyz video.
If you don't want the feed to be the default option that appears you can go into the settings when on your video channels page and check Enable featured tab*. This will make a featured video appear and videos uploaded appear below (of course only public ones). |
H: Change all values of a column at once
How can I change all values of column A (currently empty) to be 5?
In Excel, I could do Paste Special > Add.
AI: I am confused by your explanation of how you do it in excel (past special then multiply) this will multiply all the values in the column by the value you are trying to paste. In your example you said that column A is empty. That will leave you with a column of zeros.
So here is my approaches:
If you have the value in the top row, then Crtl-D will copy the value down the rest of the selected cells.
If the value you want is on the clipboard - then select the cells you want to paste into and then Ctrl-V or use paste special - paste values only. |
H: How to export selected emails from Gmail
I would like to export selected emails from my Gmail account to a text file. How can I do this with the Gmail web interface or some other (Linux) option?
AI: I'm not sure that you can do this directly in Gmail. However, you could either selectively forward emails to an alternative account OR download your Gmail using POP3 to the Mozilla Thunderbird email client (which is available under Linux).
If you are filtering more than a handful of emails it would be easier to download your emails en masse using POP3 and use the filtering capabilities of Thunderbird.
Thunderbird supports many add-ons. The ImportExportTools add-on for instance appears to do what you are after, allowing the export of emails to single or multiple text files (there are no doubt others).
Thanks to @Tschareck for clarifying that Gmail filters do not allow you to forward emails already received. |
H: Join two YouTube videos
Maybe I overlooked the YouTube editor but I was trying to see if there are options in YouTube editor to join two previously uploaded videos together to create a new one. Please let me know if such a feature exists.
If there is no such option, what would you suggest for videos that are already uploaded so that the video quality of the final (joined) video is preserved.
AI: If you own the videos, or they are licensed under a creative commons license on YouTube then you will be able to combine them with the editor. Follow the steps below to do so:
Navigate to the video editor Video Manager -> Video Editor
Now that you are in the editor select two videos (or more) and drag them into the timeline one at a time.
Proceed to name your video and hit publish
Now all you have to do is wait for the videos to process and you should be good to go with a merged video. |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.