commit 7bcc1b5ef07495492ecd1aac8fbb5b7ffedc5d91 Author: Andrew Davidson Date: Fri Oct 24 18:34:28 2014 -0400 initial commit diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..d03c7e1 --- /dev/null +++ b/.gitignore @@ -0,0 +1,10 @@ +.DS_Store +tmp/* +venv +benv3 +*.pyc +logs/* +*~ +#* +Gemfile.lock +temp.py \ No newline at end of file diff --git a/__init__.py b/__init__.py new file mode 100644 index 0000000..fec550c --- /dev/null +++ b/__init__.py @@ -0,0 +1,5 @@ +from flask import Flask +app = Flask(__name__) + +if __name__ == '__main__': + app.run() \ No newline at end of file diff --git a/bookie.py b/bookie.py new file mode 100644 index 0000000..d0684f6 --- /dev/null +++ b/bookie.py @@ -0,0 +1,632 @@ +import os +from flask import Flask, render_template, redirect, url_for, request +from flask.ext.mongoengine import MongoEngine +from flask.ext.security import Security, UserMixin, RoleMixin, login_required, MongoEngineUserDatastore +from flask.ext.login import current_user +import datetime +import base64 +import urllib +from subprocess import call +from bs4 import BeautifulSoup as BS + +app = Flask(__name__) + +##### +# Config Values +##### +app.config["MONGODB_DB"] = "bookie" +app.config['SECRET_KEY'] = 'bobloblawlawblog' +app.config['UPLOAD_FOLDER'] = "static/uploads" +app.config['SITE_URL'] = "http://localhost:5000" + + +##### +# MongoDB Setup +##### +db = MongoEngine(app) + + +##### +# Classes +##### + +class Role(db.Document, RoleMixin): + name = db.StringField(max_length=80, unique=True) + description = db.StringField(max_length=255) + +class User(db.Document, UserMixin): + email = db.StringField(max_length=255) + password = db.StringField(max_length=255) + active = db.BooleanField(default=True) + confirmed_at = db.DateTimeField() + roles = db.ListField(db.ReferenceField(Role), default=[]) + +class Tag(db.Document): + name = db.StringField(required=True, max_length=25, unique=True) + note = db.StringField(required=False, max_length=100) + + def __repr__(self): + return "Tag()" + def __str__(self): + return str(self.name) + +class ArchivedText(db.Document): + url = db.StringField(max_length=1000, required=True) + created_at = db.DateTimeField(default=datetime.datetime.now, required=True) + text = db.StringField(required=True,default="") + raw_html = db.StringField(required=True,default="") + + def get_html(self): + app.logger.debug("Brewing an opener") + opener = urllib.request.build_opener(urllib.request.HTTPCookieProcessor()) + app.logger.debug("Getting HTML") + + raw_html = opener.open(self.url).read() + + app.logger.debug("HTML retrieved") if raw_html != "" else False + try: + return raw_html.decode() + except: + return str(raw_html) + +class ArchivedImage(db.Document): + url = db.StringField(max_length=1000, required=True) + created_at = db.DateTimeField(default=datetime.datetime.now, required=True) + path = db.StringField(required=True,max_length=150) + + +class Bookmark(db.Document): + #Meta + created_at = db.DateTimeField(default=datetime.datetime.now, required=True) + url = db.StringField(max_length=1000, required=True) + short = db.StringField(max_length=25, required=True, unique=True) + title = db.StringField(max_length=255, required=True) + note = db.StringField(required=False) + tags = db.ListField(db.ReferenceField(Tag)) + image_embed = db.BooleanField(required=True, default=False) + archived_text = db.BooleanField() + archived_text_needed = db.BooleanField() + archived_text_ref = db.ReferenceField(ArchivedText) + archived_image = db.BooleanField() + archived_image_needed = db.BooleanField() + archived_image_ref = db.ReferenceField(ArchivedImage) + unread = db.BooleanField() + private = db.BooleanField(required=True, default=False) + deleted = db.BooleanField(required=True, default=False) + source = db.StringField(max_length=255) + #Metrics + hits = db.IntField(required=True,default=0) + factor = db.FloatField(required=True) + + def get_factor(self): + return (len(self.short)+14)/len(self.url) + + def get_short(self): + unique = False + while not unique: + s = base64.urlsafe_b64encode(os.urandom(5))[0:5].decode('Latin-1') + if Bookmark.objects(short=s).first() == None: + unique = True + return s + + meta = { + 'allow_inheritance': True, + 'indexes': ['-created_at', 'short'], + 'ordering': ['-created_at'] + } + + def __repr__(self): + return "Bookmark()" + def __str__(self): + return str("Bookmark " + self.short) + + +##### +# Security +##### +user_datastore = MongoEngineUserDatastore(db, User, Role) +security = Security(app, user_datastore) + + +###### +# Helper Functions +###### + + +# Function to update the archived text of a bookmark +# Inputs: Bookmark() +# Output: True / False +def update_archived_text(b, force=False, update_note=True): + if force == True: + t = ArchivedText.objects.create(url=b.url) + t.raw_html = t.get_html() + else: + t = ArchivedText.objects(url=b.url).order_by("-created_at").first() + if not t: + t = ArchivedText.objects.create(url=b.url) + if not hasattr(t, 'raw_html') or t.raw_html == "": + t.raw_html = t.get_html() + t.text = html_parse(t.raw_html, b.url, True) + t.save() + b.archived_text_ref = t + if update_note == True and b.note == "": + b.note = html_parse(t.raw_html, b.url, False)[:250] + b.archived_text_needed = False + b.archived_text = True + b.save() + return True + +# Function to update the archived image of a bookmark +# Inputs: Bookmark() +# Output: True / False +def update_archived_image(b): + a = ArchivedImage() + a.url = b.url + ref = 'static/archive/images/'+b.short+'_'+a.created_at.strftime("%Y-%m-%d_%H%M%S")+'.jpg' + app.logger.debug(ref) + call(['/usr/bin/env','wkhtmltoimage',b.url,ref]) + a.path = '/'+ ref + a.save() + b.archived_image_ref = a + b.archived_image_needed = False + b.archived_image = True + b.save() + return True + +# A custom function to extract the key test from the raw html +# Inputs: +# Outputs: +def html_parse(raw_html,url,paragraphs=True): + strip_tags = False + soup = BS(raw_html) + for t in soup(["script","style","nav","header","aside","select","form", \ + "link","meta","svg"]): + t.decompose() + for [tag, attr] in kill_list(): + for t in soup.findAll(tag, attr): + t.decompose() + if soup.find("div", attrs={"class":"story-text"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"class":"story-text"}) + elif soup.find("div", attrs={"id":"article"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"id":"article"}) + elif soup.find("div", attrs={"id":"articleBody"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"id":"articleBody"}) + elif soup.find("div", attrs={"class":"articleBody"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"class":"articleBody"}) + elif soup.find("div", attrs={"class":"post"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"class":"post"}) + elif soup.find("div", attrs={"class":"post-content"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"class":"post-content"}) + elif soup.find("div", attrs={"class":"article-content"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"class":"article-content"}) + elif soup.find("div", attrs={"class":"story-content"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"class":"story-content"}) + elif soup.find("div", attrs={"class":"content"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"class":"content"}) + elif soup.find("article"): + app.logger.debug('Text import from from
') + text = soup.find("article") + elif soup.find("div", attrs={"id":"page"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"id":"page"}) + else: + app.logger.debug('Text import from ') + text = soup("body")[0] + strip_tags = True + + if paragraphs == True: + for t in text('img'): + t['style'] = "max-width:600px;max-height:600px;" + try: + t['src'] = urllib.parse.urljoin(url, t['src']) + except: + pass + for t in text("div"): + del(t['class']) + del(t['style']) + for t in text("iframe"): + del(t['height']) + del(t['width']) + t['style'] = "max-width:600px;max-height:600px;margin:0em auto;display:block;" + + if strip_tags == True: + lines = (line.strip() for line in text.get_text().splitlines()) + chunks = (phrase.strip() for line in lines for phrase in line.split(" ")) + output = '

'+'

'.join(chunk for chunk in chunks if chunk) + '

' + else: + lines = (line.strip() for line in text.prettify().splitlines()) + chunks = (phrase.strip() for line in lines for phrase in line.split(" ")) + output = '\n'.join(chunk for chunk in chunks if chunk) + else: + lines = (line.strip() for line in text.get_text().splitlines()) + chunks = (phrase.strip() for line in lines for phrase in line.split(" ")) + output = '\n'.join(chunk for chunk in chunks if chunk) + + return output + +# A function defining key banned HTML tags +# Input: none +# Output: List of beautiful soup .decompose() compatible banned tags +def kill_list(): + kill_list = [] + kill_list.append(["div", {"id": "comments"}]) + kill_list.append(["div", {"class": "video"}]) + kill_list.append(["div", {"class": "m-linkset"}]) + kill_list.append(["div", {"class": "m-feature__intro"}]) + kill_list.append(["div", {"class": "m-share-buttons"}]) + kill_list.append(["p", {"class": "m-entry__byline"}]) + kill_list.append(["div", {"class": "social"}]) + kill_list.append(["div", {"id": "follow-bar"}]) + kill_list.append(["section", {"class": "m-rail-component"}]) + + return kill_list + +# Encoding Function to enable JSON export +# Lifted from: http://goo.gl/SkWzpn +# Inputs: mongoengine object or query +# Outputs: Prepared instance for JSON dump + +def encode_model(self, obj): + if isinstance(obj, (mongoengine.Document, mongoengine.EmbeddedDocument)): + out = dict(obj._data) + for k,v in out.items(): + if isinstance(v, ObjectId): + out[k] = str(v) + elif isinstance(obj, mongoengine.queryset.QuerySet): + out = list(obj) + elif isinstance(obj, types.ModuleType): + out = None + elif isinstance(obj, groupby): + out = [ (g,list(l)) for g,l in obj ] + else: + raise TypeError("Could not JSON-encode type '%s': %s" % (type(obj), str(obj))) + return out + + +##### +# Routes +##### + +# List all bookmarks +@app.route('/all//') +@app.route('/all//') +@app.route('/all/') +@app.route('/a/') +@login_required +def list(count=100, format="HTML"): + loc = '/all/' + str(count) + '/' + if format == "JSON": + blist = Bookmark.objects(deleted=False).order_by("-created_at").only("url","title","note","created_at","tags","unread").limit(count) + return blist.to_json() + elif format == "CSV": + blist = Bookmark.objects(deleted=False).order_by("-created_at").limit(count) + out = "" + tags = '' + for b in blist: + for t in b.tags: + tags = tags + t.name + ' ' + out = out + b.url + ',' + b.title + ',' + b.note + ',' + b.created_at.isoformat() + ',' + tags + ',' + str(b.unread) + ',bookie\n' + return out + else: + blist = Bookmark.objects(deleted=False).order_by("-created_at").limit(count) + return render_template("list.html", blist=blist, loc=loc) + +# View deleted bookmarks +@app.route('/deleted//') +@app.route('/deleted//') +@app.route('/deleted/') +@app.route('/d/') +@login_required +def deleted(count=100, format="HTML"): + loc = '/deleted/' + str(count) + '/' + blist = Bookmark.objects(deleted=True).order_by("-created_at").limit(count) + if format == "JSON": + return blist.to_json() + else: + return render_template("list.html", blist=blist, loc=loc) + +# List unread bookmarks +@app.route('/unread//') +@app.route('/unread//') +@app.route('/unread/') +@app.route('/u/') +@login_required +def unread(count=100, format="HTML"): + loc = '/unread/' + str(count) + '/' + blist = Bookmark.objects(unread=True, deleted=False).order_by("-created_at").limit(count) + if format == "JSON": + return blist.to_json() + else: + return render_template('list.html', blist=blist, loc=loc) + + +# New bookmark +@app.route('/new', methods=["GET", "POST"]) +@login_required +def new(): + if request.method=="POST": + + b = Bookmark() + b.title = request.form["title"] + b.short = str(b.get_short()) + b.note = request.form["note"] + + try: + if request.form["image_embed"]: + b.image_embed = True + except: + b.image_embed = False + + try: + if request.form["unread"]: + b.unread = True + except: + b.unread = False + + try: + if request.form["archive"]: + b.archive_image_needed = True + b.archive_text_needed = True + except: + b.archive_image_needed = False + b.archive_text_needed = False + + tag_list = [] + for rawtag in request.form['tags'].split(" "): + t = Tag.objects.get_or_create(name=rawtag)[0].save() + tag_list.append(t) + b.tags = tag_list + + if request.form["url"] == "": + file = request.files['file_upload'] + ext = file.filename.rsplit('.',1)[1] + filename = b.short + "." + ext + file.save(os.path.join(app.config['UPLOAD_FOLDER'],filename)) + b.url = '/' + app.config['UPLOAD_FOLDER'] + '/' + filename + b.factor = b.get_factor() + b.save() + return render_template("detail.html", b=b) + + elif request.form["url"] != "": + b.url = request.form["url"] + b.factor = b.get_factor() + b.save() + return render_template("detail.html", b=b) + + return render_template("form.html", action="/new") + + else: + b = False + if any(k in request.args.keys() for k in ('title','url','note')): +# if 'title' in request.args.keys(): + b = Bookmark() + if 'title' in request.args.keys(): + b.title = request.args['title'] + else: + b.title = "" + if 'url' in request.args.keys(): + b.url = request.args['url'] + else: + b.url = "" + if 'note' in request.args.keys(): + b.note = request.args['note'] + else: + b.note = "" + + return render_template("form.html", action="/new", b=b) + + +@app.route('/tag/') +@login_required +def tagsearch(rawtag): + t = Tag.objects.get_or_404(name=rawtag.lower()) + blist = Bookmark.objects(tags__in=[t]) + if blist.count() > 0 : + return render_template('list.html',blist=blist) + else: + return redirect("/", code=302) + +@app.route('//update/') +@app.route('//u/') +@login_required +def update(id,action): + if 'redirect' in request.args.keys(): + loc = request.args['redirect'] + else: + loc = '/' + if 'anchor' in request.args.keys(): + app.logger.debug(request.args['anchor']) + loc = loc + "#" + request.args['anchor'] + + b = Bookmark.objects(short=id).first() + if action == "text": + update_archived_text(b) + elif action == "text_force": + update_archived_text(b, force=True) + elif action == "image": + update_archived_image(b) + elif action == "archive": + b.unread = False + b.save() + elif action == "unread": + b.unread = True + b.save() + elif action == "private": + b.private = True + b.save() + elif action == "public": + b.private = False + b.save() + elif action == "restore": + b.deleted = False + b.save() + elif action == "delete": + b.deleted = True + b.save() + return redirect(loc, code=302) + +@app.route('//details') +@app.route('//d') +@login_required +def details(id): + b = Bookmark.objects(short=id).first() + return render_template("detail.html", b=b) + +@app.route('//edit', methods=["GET", "POST"]) +@app.route('//e', methods=["GET", "POST"]) +@login_required +def edit(id): + b = Bookmark.objects(short=id).first() + if request.method=="POST": + if "title" in request.form.keys(): + b.title = request.form["title"] + + if "note" in request.form.keys(): + b.note = request.form["note"] + + if "image_embed" in request.form.keys() and \ + request.form['image_embed'] == "checked": + b.image_embed = True + else: + b.image_embed = False + + + if "unread" in request.form.keys() and \ + request.form['unread'] == "checked": + b.unread = True + else: + b.unread = False + + if "archive_text_needed" in request.form.keys() and \ + request.form['archive_text_needed'] == "checked": + b.archive_text_needed = True + else: + b.archive_text_needed = False + + if "archive_image_needed" in request.form.keys() and \ + request.form['archive_text_needed'] == "checked": + b.archive_image_needed = True + else: + b.archive_image_needed = False + + tag_list = [] + for rawtag in request.form['tags'].split(" "): + t = Tag.objects.get_or_create(name=rawtag)[0].save() + tag_list.append(t) + b.tags = tag_list + + if "url" in request.form.keys(): + b.url = request.form["url"] + b.factor = b.get_factor() + + b.save() + + if b: + return render_template("form.html", action = "/"+b.short+"/edit", b=b) + else: + return redirect("/", code=302) + + + +# Pull up an archived and parsed text view of the Bookmark +# The first line of defense in preventing link rot... +@app.route('//text/') +@app.route('//text/') +@app.route('//t/') +@login_required +def text(id, version=False): + b = Bookmark.objects(short=id).first() + tlist = ArchivedText.objects(url=b.url) + if b: + if version: + t = ArchivedText.objects(url=b.url,created_at=version).first() + text = t.text + else: + text = b.archived_text_ref.text + b.hits += 1 + b.save() + return render_template("text.html", b=b, text=text, tlist=tlist) + else: + return redirect("/", code=302) + +# Display the raw html scraped from the website +# The second line of defense against link rot... +@app.route('//raw/') +@app.route('//raw/') +@app.route('//r/') +@login_required +def raw(id, version=False): + b = Bookmark.objects(short=id).first() + tlist = ArchivedText.objects(url=b.url) + if b: + if version: + t = ArchivedText.objects(url=b.url,created_at=version).first() + text = t.raw_html + else: + text = b.archived_text_ref.raw_html + return text + else: + return redirect("/", code=302) + +# An archived image scraped from the website +# The third line of defense against link rot... +@app.route('//image/') +@app.route('//image/') +@app.route('//i/') +@login_required +def image(id, version=False): + b = Bookmark.objects(short=id).first() + tlist = ArchivedImage.objects(url=b.url) + if b: + if version: + t = ArchivedImage.objects(url=b.url,created_at=version).first() + path = t.path + else: + path = b.archived_image_ref.path + b.hits += 1 + b.save() + return redirect(path, code=302) + else: + return redirect("/", code=302) + + +# Embed url as an image in a formatted page. Does not require login. +@app.route('//embed') +def embed(id): + b = Bookmark.objects(short=id).first() + if b and (b.private != True or current_user.is_authenticated()): + b.hits += 1 + b.save() + return render_template("image.html", b=b) + else: + return redirect("/", code=302) + +# Short code redirects directly to bookmark target, does not require auth to use +# bookie as a URL shortener app +@app.route('/') +def short(id): + b = Bookmark.objects(short=id).first() + if b and (b.private != True or current_user.is_authenticated()): + b.hits += 1 + b.save() + if b.image_embed: + return redirect("/"+b.short+"/embed", code=302) + else: + return redirect(b.url, code=302) + else: + return redirect("/", code=302) + + +# Anonymous home page +@app.route('/') +def index(): + return render_template("index.html") \ No newline at end of file diff --git a/bookmarks.csv b/bookmarks.csv new file mode 100644 index 0000000..ef3f38f --- /dev/null +++ b/bookmarks.csv @@ -0,0 +1,2401 @@ +http://what-if.xkcd.com/116/,No-Rules NASCAR,,2014-10-16T00:00:00Z,,1,instapaper +http://www.theverge.com/2014/10/14/6974135/best-iphone-games,The 21 games that should be installed on every iPhone,,2014-10-15T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/115/,Into the Sun,,2014-10-09T00:00:00Z,,1,instapaper +http://vimeo.com/107888627,Kevin,,2014-10-09T00:00:00Z,,1,instapaper +http://www.youtube.com/watch?v=FcfnCdnvjSw,Regular Car Reviews: 1986 Toyota 4Runner,,,,0,instapaper +http://www.politico.com/magazine/story/2014/10/the-cult-of-neil-degrasse-tyson-111540.html,The Cult of Neil deGrasse Tyson,,,,0,instapaper +http://arstechnica.com/gadgets/2014/06/building-android-a-40000-word-history-of-googles-mobile-os/,The history of Android,,2014-10-02T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/114/,Antimatter,,2014-10-02T00:00:00Z,,1,instapaper +http://www.washingtonpost.com/politics/at-cia-starbucks-even-the-baristas-are-covert/2014/09/27/5a04cd28-43f5-11e4-9a15-137aa0153527_story.html,At CIA Starbucks^comma^ even the baristas are covert,,,,0,instapaper +http://www.roadrunnersinternationale.com/roadrunner_blog/?p=188,Bill Weaver Mach 3+ Blackbird Breakup | Roadrunners of Groom Lake,,,,0,instapaper +http://www.opendocman.com,Free Document Management Software - Open source document management for PHP,,,,0,instapaper +http://what-if.xkcd.com/113/,Visit Every State,,,,0,instapaper +http://what-if.xkcd.com/112/,Balloon Car,,,,0,instapaper +http://www.theatlantic.com/features/archive/2014/09/how-gangs-took-over-prisons/379330/,How Gangs Took Over Prisons,,2014-09-18T00:00:00Z,,1,instapaper +http://arstechnica.com/apple/2014/09/ios-8-thoroughly-reviewed/,iOS 8^comma^ thoroughly reviewed,,,,0,instapaper +http://nymag.com/news/features/martine-rothblatt-transgender-ceo,The Trans-Everything CEO,,,,0,instapaper +http://www.fastcolabs.com/3026698/inside-duckduckgo-googles-tiniest-fiercest-competitor,Inside DuckDuckGo^comma^ Google's Tiniest^comma^ Fiercest Competitor,,,,0,instapaper +http://www.cgsociety.org/index.php/CGSFeatures/CGSFeatureSpecial/building_3d_with_ikea,CGSociety - Building 3D with Ikea,,,,0,instapaper +http://www.gq.com/news-politics/big-issues/201005/suicide-catchers-nanjing-bridge-yangtze-river-mr-chen?printable=true,The Suicide Catcher,,2014-09-16T00:00:00Z,,1,instapaper +http://www.gq.com/long-form/male-military-rape,Son^comma^ Men Dont Get Raped,,2014-09-16T00:00:00Z,,1,instapaper +http://www.nytimes.com/2012/01/29/magazine/marc-newson.html?pagewanted=all,Is There Anything Marc Newson Hasnt Designed?,,2014-09-16T00:00:00Z,,1,instapaper +http://www.canistream.it/search/movie/special%20when%20lit,Search results for special when lit on Can I Stream.It?,,2014-09-16T00:00:00Z,,1,instapaper +http://www.youtube.com/watch?v=V0P3oQWo22A,SCHWALBE Bicycle Tires: How Are Made,,2014-09-16T00:00:00Z,,0,instapaper +http://www.cnn.com/interactive/2012/03/world/mauritania.slaverys.last.stronghold/index.html,Slavery's last stand - CNN.com,,2014-09-16T00:00:00Z,,1,instapaper +http://www.newrepublic.com/article/119259/isis-history-islamic-states-new-caliphate-syria-and-iraq,What ISIS's Leader Really Wants,,2014-09-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/111/,All the Money,,,,0,instapaper +http://www.foreignpolicy.com/articles/2014/08/26/lady_al_qaeda_the_worlds_most_wanted_woman,Lady al Qaeda: The World's Most Wanted Woman,,2014-09-16T00:00:00Z,,0,instapaper +http://www.smithsonianmag.com/history/kennewick-man-finally-freed-share-his-secrets-180952462/,The Kennewick Man Finally Freed to Share His Secrets,,2014-09-16T00:00:00Z,,1,instapaper +http://www.vanityfair.com/society/2014/07/viper-room-hollywood-poker-game,Inside the Viper Room: Hollywoods Most Exclusive Poker Game,,2014-09-16T00:00:00Z,,1,instapaper +http://www.gq.com/entertainment/movies-and-tv/201210/cheers-oral-history-extended,Cheers Oral History - GQ October 2012,,2014-09-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/110/,Walking New York,,,,0,instapaper +http://www.theverge.com/2014/8/27/6073421/why-you-should-buy-a-nintendo-wii-u,The Wii U is actually worth buying now,,,,0,instapaper +http://www.vox.com/2014/8/27/6006139/did-tony-die-at-the-end-of-the-sopranos,Did Tony die at the end of The Sopranos?: David Chase finally answers the question he wants fans to stop asking,,2014-09-16T00:00:00Z,,1,instapaper +http://en.wikipedia.org/wiki/Stephen_Hawking,Stephen Hawking - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://www.polygon.com/2014/8/21/6052553/how-to-catch-every-pokemon,I caught every Pokmon and it only took most of my life,,2014-09-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/109/,Into the Blue,,,,0,instapaper +http://www.polygon.com/2014/8/18/6030725/star-wars-hd-despecialized-edition,You can watch an 'unaltered' version of Star Wars in HD today^comma^ if you bend the law,,2014-09-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/108/,Expensive Shoebox,,,,0,instapaper +http://www.wired.com/2014/08/edward-snowden/,Edward Snowden: The Untold Story | Threat Level | WIRED,,,,0,instapaper +http://www.spacesafetymagazine.com/space-disasters/soyuz-11/crew-home-misfortunes-soyuz-11/,Soyuz 11^comma^ The Crew That Never Came Home,,2014-08-16T00:00:00Z,,1,instapaper +http://time.com/3102423/robin-williams-funniest-moments/,10 of Robin Williams' Funniest Moments From Johnny Carson to His USO Tour,,,,0,instapaper +http://wordpress.org/plugins/updraftplus/,WordPress UpdraftPlus Backup and Restoration for WordPress WordPress Plugins,,2014-08-16T00:00:00Z,,1,instapaper +https://medium.com/matter/youre-16-youre-a-pedophile-you-dont-want-to-hurt-anyone-what-do-you-do-now-e11ce4b88bdb,Youre 16. Youre a Pedophile. You Dont Want to Hurt Anyone. What Do You Do Now? Matter Medium,,,,0,instapaper +http://priceonomics.com/what-happens-when-you-enter-the-witness-protection/,What Happens When You Enter the Witness Protection Program?,,2014-08-16T00:00:00Z,,1,instapaper +http://www.youtube.com/watch?v=kUfNrB1Dy54,2009 STI Spun rod bearing rebuild timelapse,,,,0,instapaper +http://www.nytimes.com/2014/08/03/education/edlife/the-osteopathic-branch-of-medicine-is-booming.html,Osteopathic Schools Turn Out Nearly a Quarter of All Med School Grads,,,,0,instapaper +http://www.newyorker.com/magazine/2013/06/03/in-the-crosshairs,In the Crosshairs - The New Yorker,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/magazine/2013/09/30/nukes-of-hazard,Nukes of Hazard - The New Yorker,,2014-08-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/107/,Letter to Mom,,,,0,instapaper +https://blog.heroku.com/Falses/2011/9/28/python_and_django,Heroku | Python and Django on Heroku,,,,0,instapaper +http://www.telestream.net/switch/overview.htm,Media playback^comma^ inspection and conversion tool - Switch Overview,,2014-08-16T00:00:00Z,,1,instapaper +http://blog.okcupid.com/index.php/we-experiment-on-human-beings/,We Experiment On Human Beings!,,,,0,instapaper +http://www.newyorker.com/magazine/2010/08/30/covert-operations,Covert Operations - The New Yorker,,2014-08-16T00:00:00Z,,1,instapaper +http://nymag.com/daily/intelligencer/2014/07/kara-swisher-silicon-valleys-most-powerful-snoop.html,Kara Swisher: Tech's Most Powerful Snoop,,2014-08-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/106/,Ink Molecules,,,,0,instapaper +http://www.newyorker.com/magazine/2008/08/11/the-chameleon-2,The Chameleon - The New Yorker,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/business/currency/an-s-o-s-in-a-saks-bag,An S.O.S. in a Saks Bag - The New Yorker,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/magazine/2011/02/14/the-apostate-3,The Apostate - The New Yorker,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/magazine/2008/09/29/regrets-only-2,Regrets Only - The New Yorker,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newrepublic.com/article/118751/how-israel-palestine-peace-deal-died,The Explosive^comma^ Inside Story of How John Kerry Built an Israel-Palestine Peace Planand Watched It Crumble,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/magazine/2014/04/21/the-anchor,The Anchor,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/magazine/2012/02/27/the-implosion,The Implosion,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/magazine/2010/10/04/the-scholar-2,The Scholar,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/magazine/2010/05/03/iphigenia-in-forest-hills,Iphigenia in Forest Hills,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/magazine/2008/06/30/the-brass-ring,The Brass Ring,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/magazine/2008/02/11/true-crime,1 Crime,,2014-08-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/magazine/2007/04/16/the-interpreter-2,The Interpreter,,2014-08-16T00:00:00Z,,1,instapaper +https://medium.com/matter/my-life-with-piper-from-big-house-to-small-screen-592b35f5af94,My Life with Piper: From Big House to Small Screen Matter Medium,,2014-08-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/105/,Cannibalism,,,,0,instapaper +http://what-if.xkcd.com/104/,Global Snow,,,,0,instapaper +http://www.foreignpolicy.com/articles/2014/07/08/pentagons_399_billion_plane_nowhere,The Pentagon's $399 Billion Plane to Nowhere,,,,0,instapaper +http://narrative.ly/extra-time-in-brazil/brazils-secret-history-southern-hospitality/?utm_source=digg&utm_medium=email,,,,,0,instapaper +http://www.newyorker.com/reporting/2013/11/18/131118fa_fact_keefe,Patrick Radden Keefe: Struggling to Create a Legal Marijuana Economy,,2014-07-16T00:00:00Z,,1,instapaper +http://www.vanityfair.com/politics/features/2010/01/blackwater-201001,Tycoon^comma^ Contractor^comma^ Soldier^comma^ Spy,,2014-07-16T00:00:00Z,,1,instapaper +https://www.bostonglobe.com/ideas/2014/06/21/how-amusement-parks-hijack-your-brain/k8LReCE1A3GkTIG2Zx52qL/story.html,How amusement parks hijack your brain - The Boston Globe,,2014-07-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/101/,Plastic Dinosaurs,,,,0,instapaper +http://www.youtube.com/watch?v=FcTTPV9JmIE,How to Drive Off Road 4x4 - Part 1,,,,0,instapaper +http://www.nytimes.com/2014/05/25/us/final-word-on-us-law-isnt-supreme-court-keeps-editing.html?nytmobile=0,Final Word on U.S. Law Isnt: Supreme Court Keeps Editing - NYTimes.com,,,,0,instapaper +http://gigaom.com/2014/06/12/clever-piece-of-code-exposes-hidden-changes-to-supreme-court-opinions/,Clever piece of code exposes hidden changes to Supreme Court opinions,,,,0,instapaper +http://arstechnica.com/information-technology/2014/06/with-the-americas-running-out-of-ipv4-its-official-the-internet-is-full/,With the Americas running out of IPv4^comma^ its official: The Internet is full,,,,0,instapaper +http://what-if.xkcd.com/100/,WWII Films,,,,0,instapaper +http://www.latimes.com/nation/great-reads/la-na-c1-informant-salem-20140610-story.html,Seeking a sense of purpose^comma^ FBI informant decides to tell all - Los Angeles Times,,,,0,instapaper +http://what-if.xkcd.com/99/,Starlings,,,,0,instapaper +http://what-if.xkcd.com/98/,Blood Alcohol,,,,0,instapaper +http://www.theguardian.com/commentisfree/2014/may/20/why-did-lavabit-shut-down-snowden-email,Secrets^comma^ lies and Snowden's email: why I was forced to shut down Lavabit,,,,0,instapaper +http://what-if.xkcd.com/97/,Burning Pollen,,,,0,instapaper +https://duck.co/help/open-source/opensource-overview,Open Source Overview,,,,0,instapaper +http://www.motherjones.com/environment/2014/05/exxon-chevron-oil-fixers-silverstein,Bribes^comma^ favors^comma^ and a billion-dollar yacht: These are the guys who do oil companies' dirty work.,,2014-06-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/96/,$2 Undecillion Lawsuit,,,,0,instapaper +http://nymag.com/news/features/cancer-peter-bach-2014-5,The Day I Started Lying to Ruth,,,,0,instapaper +http://what-if.xkcd.com/95/,Pyramid Energy,,,,0,instapaper +http://www.vanityfair.com/business/2014/06/apple-samsung-smartphone-patent-war.print,The Great Smartphone War: Apple vs. Samsung,,2014-05-16T00:00:00Z,,1,instapaper +http://www.jeepforum.com/forum/f8/cj-7-upgrade-restoration-build-1269301/index9.html,CJ-7 Upgrade / Restoration / Build - Page 9 - JeepForum.com,,,,0,instapaper +http://www.bar.ca.gov/pubwebquery/Vehicle/PubTstQry.aspx,Vehicle Test History,,,,0,instapaper +http://regulations.delaware.gov/AdminCode/title7/1000/1100/1126.shtml,1126 Motor Vehicle Emissions Inspection Program,,,,0,instapaper +http://what-if.xkcd.com/94/,Billion-Story Building,,,,0,instapaper +http://digg.com/video/just-watch-this-tribute-to-walter-whites-implosion,This Tribute To Walter White's Implosion Will Make You Miss 'Breaking Bad' - Digg,,2014-05-16T00:00:00Z,,1,instapaper +http://www.nytimes.com/2014/01/07/science/cat-sense-explains-what-theyre-really-thinking.html,Cat Sense Unravels Some Mysteries,,,,0,instapaper +http://www.jeepforum.com/forum/f8/cj-7-upgrade-restoration-build-1269301/,CJ-7 Upgrade / Restoration / Build - JeepForum.com,,,,0,instapaper +http://www.jeep-cj.com/docs/cj7-5/cj78-factory-service-manual-31/,CJ7/8 Factory service manual - Jeep-CJ Documents and Manuals,,,,0,instapaper +http://oljeep.com/edge_82_tsm.html,Jeep 1982 TSM online,,,,0,instapaper +http://www.cabl.com/jeep/fuel_injection.htm,Fuel Injection,,,,0,instapaper +http://faq.iracing.com/article.php?id=209,How do I get Force Feedback to Work on MAC?,,2014-05-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/93/,Windshield Raindrops,,,,0,instapaper +http://robteix.com/2012/11/rolling-out-your-own-fusion-drive-with-the-recovery-partition/,Rolling out your own Fusion Drive with the recovery partition,,,,0,instapaper +http://www.slate.com/articles/health_and_science/science/2014/04/cat_intelligence_and_cognition_are_cats_smarter_than_dogs.html,Why Its So Hard to Study Cat Intelligence,,,,0,instapaper +http://www.pinkbike.com/forum/listcomments/?threadid=146074,Basic Full Suspension Types / Reference With Pictures - Pinkbike Forum,,,,0,instapaper +http://www.theatlantic.com/business/False/2014/04/the-state-of-american-beer/360583/,The State of American Beer - John Tierney - The Atlantic,,,,0,instapaper +http://what-if.xkcd.com/92/,One-Second Day,,,,0,instapaper +http://what-if.xkcd.com/91/,Faucet Power,,,,0,instapaper +http://what-if.xkcd.com/90/,Great Tree^comma^ Great Axe,,,,0,instapaper +http://what-if.xkcd.com/89/,Tungsten Countertop,,,,0,instapaper +http://digg.com/video/guys-try-to-do-their-girlfriends-makeup,Guys Try To Do Their Girlfriend's Makeup - Digg,,,,0,instapaper +http://what-if.xkcd.com/88/,Soda Sequestration,,,,0,instapaper +http://digg.com/video/punjab-youth-festival-2014-in-pakistan-walnut-breaking-with-head-world-record-achieved,This Man Has Just Won A New Record For Crushing Walnuts With His Head - Digg,,,,0,instapaper +http://what-if.xkcd.com/87/,Enforced by Radar,,,,0,instapaper +http://imgur.com/gallery/Jy58Cqh,"I asked him why^comma^ he said ""to keep from drowning in pussy""",,,,0,instapaper +http://microthosting.com/,Microtronix Hosting,,,,0,instapaper +http://what-if.xkcd.com/86/,Far-Traveling Objects,,,,0,instapaper +http://filer.case.edu/dts8/thelastq.htm,The Last Question,,2014-03-16T00:00:00Z,,1,instapaper +http://aeon.co/magazine/being-human/what-four-months-on-mars-taught-me-about-boredom/,What four months on Mars taught me about boredom Kate Greene Aeon,,2014-03-16T00:00:00Z,,1,instapaper +http://www.npr.org/blogs/money/2014/02/26/282132576/74-476-reasons-you-should-always-get-the-bigger-pizza,74^comma^476 Reasons You Should Always Get The Bigger Pizza,,,,0,instapaper +http://www.salon.com/2009/07/21/c_street/,Sex and power inside the C Street House,,2014-03-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/85/,Rocket Golf,,,,0,instapaper +http://dotsub.com/view/2ba18e4f-3d43-4abf-85ab-f8b3f7741a90,Loren Carpenter experiment California 1991 - 1 Translation(s) | Dotsub,,,,0,instapaper +http://www.theatlantic.com/features/False/2014/03/the-dark-power-of-fraternities/357580/,The Dark Power of Fraternities,,2014-03-16T00:00:00Z,,1,instapaper +http://badatvideogames.net/2014/02/16/an-interview-with-the-creator-of-twitchplayspokemon/,BADatVIDEOGAMES | An Interview with the creator of TwitchPlaysPokemon!,,,,0,instapaper +http://what-if.xkcd.com/84/,Paint the Earth,,,,0,instapaper +http://www.sbnation.com/longform/2014/2/12/5401774/myron-rolle-profile-florida-state-football-nfl-rhodes-scholar,The Rejection of Myron Rolle: The NFL wanted him ... until he was named a Rhodes Scholar,,,,0,instapaper +https://medium.com/p/9f53ef6a1c10/,Good Samaritan Backfire Medium,,2014-03-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/83/,Star Sand,,,,0,instapaper +http://www.colbertnation.com/the-colbert-report-videos/432807/february-04-2014/pussy-riot-pt--2,Pussy Riot Pt. 2,,,,0,instapaper +http://happyplace.someecards.com/29142/rob-ford-look-back-facebook-video,If Rob Ford^comma^ mayor of Cracktown (er^comma^ Toronto)^comma^ had one of those 'Look Back' Facebook videos.,,,,0,instapaper +http://what-if.xkcd.com/82/,Hitting a comet,,,,0,instapaper +http://codex.wordpress.org/WordPress_Optimization,WordPress Optimization WordPress Codex,,,,0,instapaper +http://what-if.xkcd.com/81/,Catch!,,,,0,instapaper +http://www.vice.com/read/trident-flagpole-interview,These Guys Build the World's Tallest Flagpoles for Dictators | VICE United States,,,,0,instapaper +http://www.theverge.com/2014/1/27/5351918/apples-ipod-rides-into-the-sunset,The age of the iPod is over,,,,0,instapaper +http://www.washingtonian.com/projects/KSM/index.html,This Is Danny Pearl's Final Story,,,,0,instapaper +http://digg.com/video/watch-as-the-singer-of-this-music-video-photoshops-herself-in-real-time,Watch As The Singer Of This Music Video Photoshops Herself In Real Time - Digg,,,,0,instapaper +http://www.zerohedge.com/news/2014-01-21/chinas-epic-offshore-wealth-revealed-how-chinese-oligarchs-quietly-parked-4-trillion,China's Epic Offshore Wealth Revealed: How Chinese Oligarchs Quietly Parked Up To $4 Trillion In The Caribbean | Zero Hedge,,,,0,instapaper +http://what-if.xkcd.com/80/,Pile of Viruses,,,,0,instapaper +http://www.eurogamer.net/articles/2014-01-12-inside-monopolys-secret-war-against-the-third-reich,Inside Monopoly's secret war against the Third Reich,,2014-02-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/79/,Lake Tea,,,,0,instapaper +http://web.False.org/web/20080209014857/http://www.bartleby.com/61/79/T0197900.html,ELI5 Why don't we call countries by the names they call themselves?,,,,0,instapaper +http://nymag.com/news/features/roger-ailes-loudest-voice-in-the-room/,Citizen Ailes,,2014-01-16T00:00:00Z,,1,instapaper +http://jalopnik.com/310735/alex-roy-reveals-transcontinental-run-claims-record,Alex Roy Reveals Transcontinental Run^comma^ Claims Record,,2014-01-16T00:00:00Z,,1,instapaper +http://www.corvetteonline.com/news/period-correct-l88-big-block-dynod-going-in-falfa-55-recreation/,Period-correct L88 Big-block Dynod; Going in Falfa 55 Recreation,,,,0,instapaper +http://what-if.xkcd.com/78/,T-rex Calories,,,,0,instapaper +http://www.wired.com/threatlevel/2013/12/skip-tracing-ryan-mullen/,The World's Best Bounty Hunter Is 4-Foot-11. Here's How She Hunts | Threat Level | Wired.com,,2014-01-16T00:00:00Z,,1,instapaper +http://www.youtube.com/watch?v=SzEt7rHJxsY,Porsche 911's Alter Ego,,,,0,instapaper +http://what-if.xkcd.com/77/,Growth Rate,,,,0,instapaper +http://www.xojane.com/issues/it-happened-to-me-i-had-dinner-with-a-cult,It Happened To Me: I Had Dinner With A Cult (Uh^comma^ I Think),,2014-01-16T00:00:00Z,,1,instapaper +http://www.youtube.com/watch?v=szyUN5GlQ7c,The Porsche 918 Spyder Tested - CHRIS HARRIS ON CARS,,,,0,instapaper +http://www.youtube.com/watch?v=mXgWWNJVdYA,Rally Heaven - Shotgun in a Lancia Stratos and Delta S4 - /CHRIS HARRIS ON CARS,,,,0,instapaper +http://www.youtube.com/watch?v=WxCa7aYMhQM&list=PLzXB9P7GNz3rA1-wmjZNaaeE8_CkSEm2z,Masters of Sex's Lizzy Caplan Commands Respect,,,,0,instapaper +http://business.time.com/2013/12/15/apple-ceo-tim-cook-gives-remarkable-speech-on-gay-rights-racism/,Apple CEO Tim Cook Gives Remarkable Speech on Gay Rights^comma^ Racism | TIME.com,,,,0,instapaper +http://www.thedailyshow.com/watch/thu-december-19-2013/a-john-oliver-retrospective,A John Oliver Retrospective,,,,0,instapaper +http://www.youtube.com/watch?v=kk5xfK0ovrk,Something most people didn't notice in Home Alone,,,,0,instapaper +http://www.forbes.com/sites/andygreenberg/2013/12/16/an-nsa-coworker-remembers-the-real-edward-snowden-a-genius-among-geniuses/,An NSA Coworker Remembers The Real Edward Snowden: 'A Genius Among Geniuses',,2014-01-16T00:00:00Z,,1,instapaper +http://disneyparks.disney.go.com/blog/2012/08/glow-with-the-show-ears-technology-at-disney-california-adventure-park-revealed/,Glow With the Show Ears Technology at Disney California Adventure Park Revealed,,,,0,instapaper +http://what-if.xkcd.com/76/,Reading Every Book,,,,0,instapaper +http://www.nytimes.com/newsgraphics/2013/10/27/south-china-sea/,A Game of Shark and Minnow,,2014-01-16T00:00:00Z,,1,instapaper +http://www.commercialappeal.com/news/2013/dec/05/steve-jobs-liver-transplant-memphis/,How Apple CEO Steve Jobs got the liver he needed in Memphis,,2014-01-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/reporting/2013/03/25/130325fa_fact_finnegan,William Finnegan: Gina Rinehart^comma^ Australias Mining Billionaire,,,,0,instapaper +http://www.gq.com/news-politics/newsmakers/201308/joe-biden-presidential-campaign-2016-2013,Joe Biden in GQ on Being President in 2016,,2014-01-16T00:00:00Z,,1,instapaper +http://www.nytimes.com/2013/11/17/magazine/the-impossible-refugee-boat-lift-to-christmas-island.html?pagewanted=all,The Impossible Refugee Boat Lift to Christmas Island,,2014-01-16T00:00:00Z,,1,instapaper +http://www.rollingstone.com/culture/news/jahars-world-20130717,Dzhokhar Tsarnaev: Jahar's World | Culture News | Rolling Stone,,,,0,instapaper +http://www.nytimes.com/projects/2013/invisible-child/,Invisible Child: Dasanis Homeless Life,,2014-01-16T00:00:00Z,,1,instapaper +http://www.newyorker.com/reporting/2013/11/18/131118fa_fact_levy,Ariel Levy: Thanksgiving in Mongolia,,2014-01-16T00:00:00Z,,1,instapaper +http://www.rollingstone.com/culture/news/apocalypse-new-jersey-a-dispatch-from-americas-most-desperate-town-20131211,Apocalypse^comma^ New Jersey: Matt Taibbi's Dispatch From Camden^comma^ America's Most Desperate Town | Culture News | Rolling Stone,,,,0,instapaper +http://deadspin.com/my-injury-file-how-i-shot-smoked-and-screwed-my-way-1482106392,My Injury File: How I Shot^comma^ Smoked^comma^ And Screwed My Way Through The NFL,,,,0,instapaper +http://bigstory.ap.org/article/missing-american-iran-was-working-cia-0,Missing American in Iran was on unapproved mission,,,,0,instapaper +http://jalopnik.com/the-premise-of-tailspin-is-absolutely-insane-when-you-t-1482193309?utm_campaign=socialflow_jalopnik_twitter&utm_source=jalopnik_twitter&utm_medium=socialflow,The Premise Of TaleSpin Is Absolutely Insane When You Think About It,,,,0,instapaper +http://tech.fortune.cnn.com/2013/12/11/for-steve-ballmer-a-lasting-touch-on-microsoft/,For Steve Ballmer^comma^ a lasting touch on Microsoft - Fortune Tech,,,,0,instapaper +http://www.texasmonthly.com/story/other-side-story,The Other Side of the Story,,,,0,instapaper +http://what-if.xkcd.com/75/,Phone Keypad,,,,0,instapaper +http://www.washingtonpost.com/pb/recipes/worlds-best-lasagna-tweaked/13571/,World's Best Lasagna (Tweaked),,,,0,instapaper +http://www.denofgeek.com/tv/the-sopranos/27194/explaining-the-sopranos-final-scene,Explaining The Sopranos' final scene,,,,0,instapaper +http://vimeo.com/54919894,NICOLAI -The ION 18 Process,,,,0,instapaper +http://www.washingtonpost.com/world/national-security/nsa-tracking-cellphone-locations-worldwide-snowden-documents-show/2013/12/04/5492873a-5cf2-11e3-bc56-c6ca94801fac_story.html,NSA tracking cellphone locations worldwide^comma^ Snowden documents show,,,,0,instapaper +http://gawker.com/rebecca-black-forces-herself-to-watch-rebecca-blacks-1474948217,"Rebecca Black Forces Herself to Watch Rebecca Black's ""Friday""",,,,0,instapaper +https://twitter.com/fchimero/status/407908199132852224,Twitter / fchimero: So much great music in 2013. ...,,,,0,instapaper +http://what-if.xkcd.com/74/,Soda Planet,,,,0,instapaper +http://www.rollingstone.com/culture/news/charles-manson-the-incredible-story-of-the-most-dangerous-man-alive-19700625,Charles Manson: The Incredible Story of the Most Dangerous Man Alive | Culture | Rolling Stone,,2013-12-16T00:00:00Z,,1,instapaper +http://the-magazine.org/13/ground-control-part-1,Ground Control^comma^ Part 1 The Magazine,,2013-12-16T00:00:00Z,,1,instapaper +http://digg.com/video/the-real-walter-white,The Real Walter White - Digg,,2013-12-16T00:00:00Z,,1,instapaper +http://www.winnerairportparking.net/,Philadelphia Airport Parking | Winner Airport Parking,,,,0,instapaper +http://www.wired.com/wiredenterprise/2013/11/elementaryos/,Out in the Open: Say Hello to the Apple of Linux OSes | Wired Enterprise | Wired.com,,,,0,instapaper +http://www.youtube.com/watch?v=NxLXoR8mcLM,Life Cycles Film,,2013-12-16T00:00:00Z,,1,instapaper +http://what-if.xkcd.com/73/,Lethal Neutrinos,,,,0,instapaper +http://www.youtube.com/watch?v=RIcjdcbZje4,What are some of the best mtb movies?,,2013-12-16T00:00:00Z,,1,instapaper +http://www.newrepublic.com/article/115467/malcolm-gladwells-david-and-goliath-fairy-tales,Do You Love Malcolm Gladwell? You're Reading Fairy Tales,,,,0,instapaper +https://secure.huckberry.com/store/everyday-carry-shop/pickpocket--3,Everyday Carry Shop | Pickpocket,,,,0,instapaper +http://huckberry.com/blog/posts/provisions-bourbon-apple-pie,PROVISIONS: Bourbon Apple Pie,,,,0,instapaper +http://www.rollingstone.com/culture/news/charles-manson-today-the-final-confessions-of-a-psychopath-20131121,Charles Manson Today: The Final Confessions of America's Most Notorious Psychopath | Culture | Rolling Stone,,,,0,instapaper +http://motherboard.vice.com/blog/finding-snowden,Finding Snowden,,,,0,instapaper +http://www.delawarebikes.org/2013/11/no-room-for-bicycle-commuting-at-bloom.html,DELAWARE BIKES: No Room For Bicycle Commuting at Bloom Energy,,,,0,instapaper +http://what-if.xkcd.com/72/,Loneliest Human,,,,0,instapaper +http://www.newyorker.com/reporting/2013/11/25/131125fa_fact_bilger,Burkhard Bilger: Inside Googles Driverless Car,,,,0,instapaper +http://www.youtube.com/watch?v=78OPnVweKeg,Battle of the Generations: Roald Bradstock vs Matti Mortimore,,,,0,instapaper +http://www.thedailybeast.com/articles/2013/11/15/whitey-bulger-and-the-fbi-whitewash.html,Whitey Bulger and the FBI Whitewash,,2013-12-16T00:00:00Z,,1,instapaper +http://www.theatlantic.com/national/False/2013/11/half-a-life-in-solitary-how-colorado-made-a-young-man-insane/281306/,Half a Life in Solitary: How Colorado Made a Young Man Insane,,,,0,instapaper +http://arstechnica.com/gaming/2013/11/impressions-our-first-day-with-the-playstation-4-is-full-of-surprises/,Impressions: Our first day with the PlayStation 4 is full of surprises,,,,0,instapaper +http://what-if.xkcd.com/71/,Stirring Tea,,,,0,instapaper +http://jalopnik.com/is-roushs-stage-3-the-best-mustang-you-can-buy-1462315701?utm_campaign=socialflow_jalopnik_twitter&utm_source=jalopnik_twitter&utm_medium=socialflow,Is Roush's Stage 3 The Best Mustang You Can Buy?,,,,0,instapaper +http://jalopnik.com/how-the-subaru-outback-reflects-the-putrescence-of-the-1462241188,How The Subaru Outback Reflects The Putrescence Of The Mid-2000s,,,,0,instapaper +http://www.roadandtrack.com/features/web-originals/into-the-wild-garry-sowerby,How to go broke and get shot at while racing a diesel Suburban,,,,0,instapaper +http://www.gq.com/news-politics/newsmakers/201311/joseph-hall-murders-neo-nazi-father-story?printable=true,Joseph Hall's Murder Trial,,,,0,instapaper +http://www.rollingstone.com/culture/news/sex-drugs-and-the-biggest-cybercrime-of-all-time-20101111,Sex^comma^ Drugs^comma^ and the Biggest Cybercrime of All Time | Culture News | Rolling Stone,,,,0,instapaper +http://www.rollingstone.com/feature/a-team-killings-afghanistan-special-forces,Afghanistan: U.S. Special Forces Guilty of War Crimes? | Rolling Stone,,,,0,instapaper +http://www.cnn.com/2013/11/06/world/asia/china-labor-camp-halloween-sos/index.html,Chinese labor camp inmate tells of true horror of Halloween 'SOS',,,,0,instapaper +http://www.gq.com/news-politics/newsmakers/201311/fake-hitman-murder-for-hire?printable=true,Oops^comma^ You Just Hired the Wrong Hitman,,,,0,instapaper +http://www.cambridgeincolour.com/tutorials/diffraction-photography.htm,Diffraction Limited Photography: Pixel Size^comma^ Aperture and Airy Disks,,2013-11-16T00:00:00Z,,1,instapaper +http://www.youtube.com/watch?v=XnCYavlj5Eg,A fan's superb tribute to Jesse Pinkman's Evolution and Breaking bad^comma^ what a journey it has been!,,,,0,instapaper +http://selfstarter.us/,Selfstarter,,,,0,instapaper +http://www.vocativ.com/,Vocativ - The Global Social News Network,,,,0,instapaper +http://www.washingtonpost.com/blogs/govbeat/wp/2013/10/29/did-a-murderer-and-a-sex-offender-just-save-oklahoma-20-million/,Did a murderer and a sex offender just save Oklahoma $20 million?,,,,0,instapaper +http://www.cnn.com/2013/10/29/opinion/sutter-lake-providence-income-inequality/index.html,The most unequal place in America,,,,0,instapaper +https://clientarea.ramnode.com/cart.php?gid=23,Shopping Cart - RamNode,,,,0,instapaper +http://m.delawareonline.com/topstories/article?a=2013310200030&f=1186,Bloom's Sridhar shares his vision,,,,0,instapaper +http://unix.stackexchange.com/questions/767/what-is-the-real-difference-between-apt-get-and-aptitude-how-about-wajig,"debian - What is the real difference between ""apt-get"" and ""aptitude""? (How about ""wajig""?) - Unix & Linux Stack Exchange",,,,0,instapaper +http://jalopnik.com/this-bbc-documentary-is-a-fascinating-look-into-the-wor-1444612579,This BBC Documentary Is A Fascinating Look Into The World Of 1980's F1,,2013-10-16T00:00:00Z,,1,instapaper +http://jalopnik.com/the-honda-s2000-will-make-you-a-selfish-initial-d-obse-1444794891?utm_campaign=socialflow_jalopnik_twitter&utm_source=jalopnik_twitter&utm_medium=socialflow,The Honda S2000 Will Make You A Selfish^comma^ Initial D Obsessed Cop Magnet,,,,0,instapaper +http://arstechnica.com/information-technology/2013/10/web-served-the-finale-congrats-you-have-a-web-server-whats-next/,Web Served^comma^ the finale: Congrats^comma^ you have a Web server! Whats next?,,,,0,instapaper +http://coolmaterial.com/feature/10-ted-talks-every-guy-should-see/,10 TED Talks Every Guy Should See,,,,0,instapaper +http://www.gq.com/news-politics/newsmakers/201310/paul-kevin-curtis-elvis-impersonator-ricin-assassinations?printable=true,Elvis Impersonator Paul Kevin Curtis and the Ricin Assassination Plot,,,,0,instapaper +http://www.telegraph.co.uk/news/worldnews/piracy/8650312/Pirate-hunter-guns-for-Somali-raiders.html,Pirate hunter guns for Somali raiders - Telegraph,,,,0,instapaper +http://www.theguardian.com/world/2010/nov/14/max-hardberger-sea-captain-pirates-seized,Max Hardberger: Repo man of the seas,,,,0,instapaper +http://www.newyorker.com/reporting/2013/09/30/130930fa_fact_filkins,Dexter Filkins: Qassem Suleimani^comma^ the Middle Easts Most Powerful Operative : The New Yorker,,,,0,instapaper +http://www.gq.com/news-politics/newsmakers/201307/joshuah-bearman-argo-coronado-company-drug-smuggling-ring?printable=true,Argo Author Joshuah Bearman on the Coronado Company Drug Ring,,,,0,instapaper +http://www.newrepublic.com/article/114549/dave-glasheen-lost-boy-restoration-island,This Man Moved to a Desert Island to Disappear. Here's What Happened.,,,,0,instapaper +http://www.vanityfair.com/politics/2013/10/julian-assange-hideout-ecuador,Where Julian Assange Lies in Waitand What Hes Planning Next,,,,0,instapaper +http://playboysfw.kinja.com/ryan-leafs-jailhouse-confessions-written-by-his-cell-1254883817,Ryan Leaf's Jailhouse Confessions^comma^ Written By His Cell Mate,,,,0,instapaper +http://6thfloor.blogs.nytimes.com/2013/07/31/george-saunderss-advice-to-graduates/,George Saunders's Advice to Graduates,,,,0,instapaper +http://www.mymodernmet.com/,My Modern Metropolis,,,,0,instapaper +http://www.nytimes.com/2013/07/27/nyregion/in-lieu-of-money-toyota-donates-efficiency-to-new-york-charity.html?pagewanted=all,In Lieu of Money^comma^ Toyota Donates Efficiency to New York Charity,,,,0,instapaper +http://blog.longreads.com/post/56970796639/how-a-convicted-murderer-prepares-for-a-job-interview,How a Convicted Murderer Prepares for a Job Interview,,,,0,instapaper +http://gizmodo.com/5242736/how-an-intern-stole-nasas-moon-rocks,How an Intern Stole NASA's Moon Rocks,,,,0,instapaper +http://www.wired.com/vanish/2009/11/ff_vanish2/,Writer Evan Ratliff Tried to Vanish: Here's What Happened | Vanish | Wired.com,,,,0,instapaper +http://www.xojane.com/issues/it-happened-to-me-i-was-a-catfish,IT HAPPENED TO ME: I Was A Catfish | xoJane,,,,0,instapaper +http://en.wikipedia.org/wiki/Richard_Francis_Burton,Richard Francis Burton - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://www.arlindo-correia.com/lolita.html,Lolita^comma^ by Vladimir Nabukov,,,,0,instapaper +http://www.gutenberg.org/ebooks/1184,The Count of Monte Cristo by Alexandre Dumas - Free Ebook,,,,0,instapaper +https://petitions.whitehouse.gov/petition/change-national-motto-god-we-trust-e-pluribus-unum-protip-we-are-not-theocracy/5ptj1tMc,"Change the national motto from ""In God We Trust"" to ""E pluribus unum."" (protip: We are not a theocracy.) | We the People: Your Voice in Our Government",,,,0,instapaper +http://www.thestar.com/news/world/2013/07/04/canadian_military_still_investigating_afghanistan_sex_assault_claim.html?utm_source=twitterfeed&utm_medium=twitter,Canadian military still investigating Afghanistan sex assault claim | Toronto Star,,,,0,instapaper +http://en.wikipedia.org/wiki/Sokushinbutsu,Sokushinbutsu - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://kottke.org/13/06/duct-tape-surfing,Duct tape surfing,,,,0,instapaper +http://coudal.com/Falses/2013/06/girls.php,Coudal Partners Girls,,,,0,instapaper +http://www.bohemiancoding.com/sketch/#6,Sketch | The designers toolbox,,,,0,instapaper +http://www.vanityfair.com/culture/features/2008/01/pitcairn200801,Trouble in Paradise | Vanity Fair,,,,0,instapaper +http://well.blogs.nytimes.com/2013/05/09/the-scientific-7-minute-workout/,The Scientific 7-Minute Workout - NYTimes.com,,,,0,instapaper +http://www.nbc.com/saturday-night-live/video/darrells-house-ii/n36360/,Saturday Night Live - Darrell's House II - Video - NBC.com,,,,0,instapaper +http://www.nbc.com/saturday-night-live/video/darrells-house/n36356/,Saturday Night Live - Darrell's House - Video - NBC.com,,,,0,instapaper +http://www.splcenter.org/get-informed/intelligence-report/browse-all-issues/2009/winter/a-jew-in-prison#.UYLCePVj-9s,David Arenberg Reflects on Being Jewish in State Prison | Southern Poverty Law Center,,,,0,instapaper +http://arstechnica.com/science/2013/04/how-nasa-brought-the-monstrous-f-1-moon-rocket-back-to-life/,How NASA brought the monstrous F-1 moon rocket engine back to life | Ars Technica,,,,0,instapaper +http://www.funnyordie.com/videos/caa5cbe415/dream-girl-w-dave-franco-alison-brie,Dream Girl w/ Dave Franco & Alison Brie from Dave Franco^comma^ Alison Brie^comma^ Olivia Munn^comma^ Brian McGinn^comma^ Funny Or Die^comma^ JasonCarden^comma^ and BoTown Sound,,,,0,instapaper +http://www.theverge.com/2013/3/2/4056912/house-of-cardinals-vatican-spoof,'House of Cardinals' brings Frank Underwood to the Vatican in expert spoof | The Verge,,,,0,instapaper +http://www.theverge.com/2013/4/28/4277660/house-of-nerds,Watch this: Kevin Spacey becomes a real-life political puppet master in 'House of Nerds' | The Verge,,,,0,instapaper +http://www.subtraction.com/2013/04/26/best-headphones-ever,Best HeadphonesEver,,,,0,instapaper +http://m.rollingstone.com/entry/view/id/37616/pn/all/p/0/?KSID=565ae427f0d7a2af0daa8b545574623e,Rolling Stone Mobile - Politics - Politics: Everything is Rigged: The Biggest Financial Scandal Yet,,,,0,instapaper +http://www.reddit.com/r/AskReddit/comments/1crlmu/nudists_of_reddit_how_often_do_people_get/c9je32z,gatherings,,,LongForm,0,instapaper +http://labs.bittorrent.com/experiments/sync.html,BitTorrent Labs,,,,0,instapaper +http://en.wikipedia.org/wiki/Che_Guevara,Che Guevara - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://zackarias.com/for-photographers/gear-gadgets/fuji-x100s-review-a-camera-walks-into-a-bar/,Fuji x100s Review :: A Camera Walks Into A Bar Photography By Zack Arias ATL 404-939-2263 studio@zackarias.com,,,,0,instapaper +http://www.artofmanliness.com/2013/04/16/how-to-buy-first-home/,Roadmap to Buying Your FirstHome,,,,0,instapaper +http://www.sarakbyrne.com/canon-5d-mark-iii-double-exposure-tutorial/,Canon 5D Mark III Double Exposure Tutorial | Sara K Byrne Photography,,,,0,instapaper +http://labs.adobe.com/technologies/lightroom5/,Adobe Photoshop Lightroom 5 | photo management software beta - Adobe Labs,,,,0,instapaper +http://www.onlinesentinel.com/news/North-Pond-Hermit-suspect-in-more-than-1000-burglaries-captured.html?pagenum=full,'North Pond Hermit^comma^' suspect in more than 1^comma^000 Maine burglaries^comma^ captured | The Morning Sentinel^comma^ Waterville^comma^ ME ,,,,0,instapaper +http://www.buzzfeed.com/rachelysanders/are-celebrities-celebrity-wines-actually-good-taste-test,The Best And Worst Celebrity Wines,,,,0,instapaper +http://nowiknow.com/donald-duck-nazi/,Now I Know Donald Duck^comma^ Nazi,,,,0,instapaper +http://blogs.discovermagazine.com/badastronomy/2008/10/30/ten-things-you-dont-know-about-black-holes/#.UWTZ6KuDQnU,Ten things you don't know about black holes : Bad Astronomy,,,,0,instapaper +http://www.artofmanliness.com/2013/04/09/aom-month-of-sandwiches-day-7-jalapeno-popper-grilled-cheese/,AoM Month of Sandwiches Day #7: Jalapeno Popper GrilledCheese,,,,0,instapaper +http://www.nytimes.com/2013/04/14/magazine/raymond-davis-pakistan.html?hp&_r=1&pagewanted=all&,How Raymond Davis Helped Turn Pakistan Against the United States - NYTimes.com,,,,0,instapaper +http://www.slate.com/articles/health_and_science/science/2013/04/duck_penis_controversy_nsf_is_right_to_fund_basic_research_that_conservatives.html,Duck penis controversy: NSF is right to fund basic research that conservatives misrepresent. - Slate Magazine,,,,0,instapaper +http://52tiger.net/6-year-old-drummer-plays-hot-for-teacher/,6-year-old drummer plays Hot ForTeacher,,,,0,instapaper +http://www.hodinkee.com/blog/printing-tiffany-dials-with-patek-philippe#.UVjFmGbOfYk.facebook,Learning To Print Tiffany & Co. Dials With Patek Philippe In New York HODINKEE - Wristwatch News^comma^ Reviews^comma^ & Original Stories,,,,0,instapaper +http://kottke.org/13/03/how-the-internet-worked-in-1995,How the internet worked in 1995,,,,0,instapaper +http://erickimphotography.com/blog/2011/10/an-introduction-to-zone-focusing-or-hyperfocal-focusing-for-your-leica-rangefinder-or-dslr/,An Introduction to Zone Focusing for your Leica^comma^ Rangefinder^comma^ or DSLR Eric Kim Street Photography,,,,0,instapaper +http://digital-photography-school.com/ultimate-guide-to-zone-focusing-for-candid-street-photography,The Ultimate Guide to Zone Focusing for Candid Street Photography,,,,0,instapaper +http://www.pekkapotka.com/journal/2012/6/14/olympus-e-m5-exposing-to-the-right-and-lightroom-41.html,pekkapotka - Journal - Olympus E-M5: Exposing (to the right) and Lightroom4.1,,,,0,instapaper +http://www.core77.com/blog/transportation/christian_von_koenigseggs_camshaft-free_free_valve_engine_smaller_more_powerful_more_efficient_24576.asp,"Holy Cow: Christian von Koenigsegg Invents ""Free Valve"" Engine That Requires NoCamshaft",,,,0,instapaper +http://online.wsj.com/article/SB10001424127887323415304578369812787114262.html,Link: ExcessivelySheer,,,,0,instapaper +http://news.pickuptrucks.com/2013/03/driven-icon-1965-dodge-d200-power-wagon.html,Driven: Icon 1965 Dodge D200 PowerWagon,,,,0,instapaper +http://arstechnica.com/apple/2013/03/apple-follows-google-facebook-and-others-with-two-step-authentication/,Apple follows Google^comma^ Facebook^comma^ and others with two-step authentication | Ars Technica,,,,0,instapaper +http://codeascraft.etsy.com/2013/03/18/java-not-even-once/,Java: Not EvenOnce,,,,0,instapaper +http://www.caranddriver.com/reviews/dinan-s3-r-bmw-m3-review,Dinan S3-R BMW M3 Review Car and Driver,,,,0,instapaper +http://amjith.blogspot.com/2008/08/quick-and-dirty-vimdiff-tutorial.html,Core Dump: Quick and Dirty : Vimdiff Tutorial,,,,0,instapaper +http://www.topiama.com/r/1023/offerman-unleashes-roiling-gas-via-iama,Offerman Unleashes Roiling Gas viaIAMA,,,,0,instapaper +http://www.reddit.com/r/IAmA/comments/1a8sjz/hi_i_am_a_guy_who_lived_in_a_tree_on_public_land/,Hi^comma^ I am a guy who lived in a tree on public land for a year. Ask me anything. : IAmA,,,,0,instapaper +http://www.nybooks.com/articles/Falses/2013/feb/07/diving-deep-danger/?pagination=false,Diving Deep into Danger by Nathaniel Rich | The New York Review of Books,,,,0,instapaper +http://www.theeyeofsilence.com/adventures.html,TheEyeofSilence - ADVENTURES,,,,0,instapaper +http://www.gq.com/news-politics/newsmakers/201303/urban-explorers-gq-march-2013?printable=true,Best Urban Explorers and Place Hacking Stories - GQ March 2013: Newsmakers: GQ,,,,0,instapaper +http://jalopnik.com/this-mans-alfa-romeo-collection-will-make-you-insanely-451984648?utm_campaign=socialflow_jalopnik_twitter&utm_source=jalopnik_twitter&utm_medium=socialflow,This Man's Alfa Romeo Collection Will Make You Insanely Jealous,,,,0,instapaper +http://m.youtube.com/watch?feature=fvwrel&v=sf6LD2B_kDQ,Elements- Dubstep Violin Original- Lindsey Stirling - YouTube,,,,0,instapaper +http://paulirish.com/2013/webkit-for-developers/,WebKit for Developers - Paul Irish,,,,0,instapaper +http://duncandavidson.com/blog/2013/03/afp/,Amanda Palmer atTED2013,,,,0,instapaper +http://macchinaclub.com/,:: MACCHINA :: ,,,,0,instapaper +http://www.nytimes.com/2013/03/03/nyregion/40-years-after-an-acid-attack-a-life-well-lived.html?_r=1&&pagewanted=all,40 Years After an Acid Attack^comma^ a Life Well Lived - NYTimes.com,,,,0,instapaper +http://www.dailymail.co.uk/news/article-2286624/The-Namibian-women-STILL-dress-like-colonists-Tribe-clings-19th-century-dress-protest-Germans-butchered-them.html,The Namibian women who STILL dress like colonists: Tribe clings 19th century dress 'to protest against the Germans who butchered them' | Mail Online,,,,0,instapaper +https://devcenter.heroku.com/articles/python,Getting Started with Python on Heroku | Heroku Dev Center,,,,0,instapaper +http://grimoire.ca/mysql/choose-something-else,The Codex Do Not Pass This Way Again,,,,0,instapaper +http://opinionator.blogs.nytimes.com/2013/02/28/we-found-our-son-in-the-subway/,We Found Our Son in the Subway - NYTimes.com,,,,0,instapaper +http://www.swiss-miss.com/2013/02/paola-antonelli-talking-to-stephen-colbert.html,Paola Antonelli talking to StephenColbert,,,,0,instapaper +http://hellforleathermagazine.com/2013/02/touratech-rides-the-new-gs/,Touratech rides the new GS | Hell for Leather Hell for Leather,,,,0,instapaper +http://www.core77.com/blog/transportation/audi_vs_audi_paintball_duel_24459.asp,Audi Vs. Audi Paintball Duel - Core77,,,,0,instapaper +http://vimeo.com/60788996,GIT IS HARD on Vimeo,,,,0,instapaper +https://secure.huckberry.com/store,Huckberry,,,,0,instapaper +http://wornandwound.com/2013/02/20/pebble-watch-review/,Pebble Watch Review | watch reviews on worn&wound,,,,0,instapaper +http://prettyip.meetstrange.com/,Pretty IP - By Strange,,,,0,instapaper +http://paulstamatiou.com/how-to-wordpress-to-jekyll,How To: WordPress to Jekyll PaulStamatiou.com,,,,0,instapaper +http://hellforleathermagazine.com/2013/02/behind-the-scenes-of-kawasaki-isle-of-man-commercial/,Behind the scenes of Kawasaki's Isle of Man commercial | Hell for Leather Hell for Leather,,,,0,instapaper +http://www.youtube.com/watch?v=QSVr3bux1Q8,Cadwell Park Jump - YouTube,,,,0,instapaper +http://hypertext.net/2013/02/mechanical-watch-works/,Hypertext: How a mechanical watch works,,2013-10-16T00:00:00Z,,1,instapaper +http://www.engadget.com/2013/02/13/allow-me-to-reintroduce-myself/,Allow me to reintroduce myself,,,,0,instapaper +http://lareviewofbooks.org/article.php?type=&id=1297&fulltext=1,Los Angeles Review of Books - The Sheikh And I: Ghostwriting For A Crown Prince In Exile,,,,0,instapaper +http://www.topiama.com/r/913/i-am-lauren-drain-former-westboro-baptist-church,I am Lauren Drain^comma^ former Westboro Baptist Church member & author of BANISHED. Ask MeAnything,,,,0,instapaper +http://www.topiama.com/r/911/im-bill-gates-cochair-of-the-bill-melinda-gates,Im Bill Gates^comma^ co-chair of the Bill & Melinda Gates Foundation.AMA,,,,0,instapaper +http://qz.com/53854/the-calculus-of-online-dating-teeth-grammar-and-these-three-questions/,The calculus of online dating: Teeth^comma^ grammar^comma^ and these three questions - Quartz,,,,0,instapaper +http://www.wired.com/underwire/2013/02/kessel-run-12-parsecs/,How the Star Wars Kessel Run Turns Han Solo Into a Time-Traveler | Underwire | Wired.com,,,,0,instapaper +http://www.buzzfeed.com/natashavc/when-a-10-year-old-kills-his-nazi-father-whos-to-blame,When A 10-Year-Old Kills His Nazi Father^comma^ Who's To Blame?,,,,0,instapaper +http://vimeo.com/58933055,FASHION FILM on Vimeo,,,,0,instapaper +http://hgjphotography.com/freezing-steel-cut-oatmeal-a-quick-and-nutritious-breakfast/,Freezing Steel Cut Oatmeal : A Quick and Nutritious Breakfast Heather Johnson Photography,,,,0,instapaper +http://www.esquire.com/features/man-who-shot-osama-bin-laden-0313,The Man Who Killed Osama bin Laden... Is Screwed,,2013-10-16T00:00:00Z,,1,instapaper +http://www.wired.com/opinion/2013/02/tesla-vs-new-york-times-when-range-anxiety-leads-to-road-trip-rage/,Tesla vs. The New York Times: How Range Anxiety Leads to Road (Trip) Rage | Wired Opinion | Wired.com,,,,0,instapaper +http://productforums.google.com/forum/#!category-topic/analytics/discuss-tracking-and-implementation-issues/EWHJ23FW1p0,Exclude-Cookie does not work - Google Groups,,,,0,instapaper +http://gothamist.com/2012/09/19/see_crazy_anti-semitic_elmo_get_arr.php#photo-1,See Anti-Semitic Elmo Arrested (Again!) In Times Square: Gothamist,,,,0,instapaper +http://highscalability.com/blog/2011/8/22/strategy-run-a-scalable-available-and-cheap-static-site-on-s.html,High Scalability - High Scalability - Strategy: Run a Scalable^comma^ Available^comma^ and Cheap Static Site on S3 orGitHub,,,,0,instapaper +http://www.christophermaish.com/blog/this-site^comma^-google-apps-and-route-53^comma^-oh-my!/,This site^comma^ Google Apps and Route 53^comma^ oh my! - ChristopherMaish.com,,,,0,instapaper +http://nymag.com/arts/art/features/1993-new-museum-exhibit/,Are We Still Living in 1993? The NYC 1993 New Museum Exhibit Thinks So -- New York Magazine,,,,0,instapaper +http://kottke.org/13/02/more-apollo-robbins-pickpocketing-amazingness,More Apollo Robbins pickpocketingamazingness,,,,0,instapaper +http://wwwizer.com/naked-domain-redirect,Free Naked Domain Redirect on wwwizer.com,,,,0,instapaper +http://m.theatlanticwire.com/business/2013/01/who-wants-nice-tall-glass-coca-colas-algorithmic-orange-juice/61667/,Who Wants a Nice Tall Glass of Coca-Cola's Algorithmic Orange Juice? - Business - The Atlantic Wire,,,,0,instapaper +http://www.janetreitman.com/articles/inside-scientology/,Inside Scientology | JANET REITMAN,,,,0,instapaper +http://longform.org/tags/scientology/,Longform Articles Tagged 'scientology',,,,0,instapaper +http://www.esquire.com/print-this/post-office-business-trouble-0213?page=all,Print - Do We Really Want to Live Without the Post Office? - Esquire,,,,0,instapaper +http://jalopnik.com/5981922/2013-porsche-cayenne-gts-the-jalopnik-review?utm_campaign=socialflow_jalopnik_twitter&utm_source=jalopnik_twitter&utm_medium=socialflow,2013-porsche-cayenne-gts-the-jalopnik-review,,,,0,instapaper +http://www.woot.com/blog/post/the-debunker-did-nasa-really-spend-millions-to-develop-a-space-pen,"The Debunker: Did NASA Really Spend Millions to Develop a ""Space Pen""? - Woot",,,,0,instapaper +http://en.wikipedia.org/wiki/HBO,HBO - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://blog.accuvantlabs.com/blog/bthomas/evasi0n-jailbreaks-userland-component,http://blog.accuvantlabs.com/blog/bthomas/evasi0n-jailbreaks-userland-component,,,,0,instapaper +http://octopress.org/docs/plugins/blockquote/,Blockquote - Octopress,,,,0,instapaper +http://www.dafont.com/hvd-comic-serif.font,HVD Comic Serif Font | dafont.com,,,,0,instapaper +http://www.smithsonianmag.com/history-archaeology/For-40-Years-This-Russian-Family-Was-Cut-Off-From-Human-Contact-Unaware-of-World-War-II-188843001.html,For 40 Years^comma^ This Russian Family Was Cut Off From All Human Contact^comma^ Unaware of World War II | History & Archaeology | Smithsonian Magazine,,,,0,instapaper +http://www.i-programmer.info/news/169-robotics/5392-a-robot-with-a-chainsaw.html,A Robot With A Chainsaw!,,,,0,instapaper +http://blueimp.github.com/jQuery-File-Upload/,jQuery File Upload Demo,,,,0,instapaper +http://octopress.org/,Octopress,,,,0,instapaper +https://vimeo.com/29999445,Skinemax on Vimeo,,,,0,instapaper +http://advrider.com/forums/showthread.php?t=808437&page=78,Coast to Coast (and back?) with an Italian Supermodel - Page 78 - ADVrider,,,,0,instapaper +http://www.advrider.com/forums/showthread.php?t=36783,Took a little ride... - ADVrider,,,,0,instapaper +http://www.theverge.com/2013/1/14/3857842/las-vegas-casino-security-versus-cheating-technology,Not in my house: how Vegas casinos wage a war on cheating | The Verge,,,,0,instapaper +http://advrider.com/forums/showthread.php?t=808437&page=22,Coast to Coast (and back?) with an Italian Supermodel - Page 22 - ADVrider,,,,0,instapaper +http://thekneeslider.com/russell-suttons-honda-based-9-cylinder-radial-engine-is-running-strong/,Russell Suttons Honda Based 9 Cylinder Radial Engine is Running Strong,,,,0,instapaper +https://sites.google.com/site/sophieinnorthkorea/,Sophie In North Korea,,,,0,instapaper +http://gizmodo.com/5977205/why-the-moon-landings-could-have-never-ever-been-faked-the-definitive-proof,Why the Moon Landings Could Have Never EVER Been Faked: The Definitive Proof,,,,0,instapaper +http://www.vanityfair.com/magazine/2009/01/fake_rockefeller200901,The Man in the Rockefeller Suit | Vanity Fair,,,,0,instapaper +http://www.reddit.com/r/IAmA/comments/16lnzz/i_was_at_century_16_in_aurora_colorado_at_the/,I was at Century 16 in Aurora^comma^ Colorado at the midnight showing of the Dark Knight Rises. Ask Me Anything. : IAmA,,,,0,instapaper +http://www.theverge.com/2013/1/16/3740422/the-life-and-death-of-the-american-arcade-for-amusement-only,For Amusement Only: the life and death of the American arcade | The Verge,,,,0,instapaper +http://kottke.org/13/01/hilarious-bad-lip-reading-of-nfl-players,Hilarious bad lip reading of NFLplayers,,,,0,instapaper +http://www.youtube.com/watch?feature=player_embedded&=&v=GOS8QgAQO-k,Jim Cramer Explains How The Stock Market Is Manipulated - YouTube,,,,0,instapaper +http://blogs.suntimes.com/ebert/2013/01/a_dozen_good_documentaries.html,Some of the year's best documentaries - Roger Ebert's Journal,,,,0,instapaper +http://lessig.tumblr.com/post/40347463044/prosecutor-as-bully,Lessig Blog^comma^ v2,,,,0,instapaper +http://blog.wolfram.com/2012/10/24/falling-faster-than-the-speed-of-sound/,Falling Faster than the Speed of Sound Wolfram Blog,,,,0,instapaper +http://www.reddit.com/r/IAmA/comments/16ku5h/we_are_blake_anderson_anders_holm_and_adam_devine/,We are Blake Anderson^comma^ Anders Holm and Adam DeVine from Workaholics - AMA : IAmA,,,,0,instapaper +http://www.jillpetersphotography.com/swornvirginsofalbania,Personal Work 1,,,,0,instapaper +http://www.reddit.com/r/IAmA/comments/16ao2x/iama_32_yo_who_grew_up_stereo_blind_two_years_ago/,IAMA 32 y/o who grew up stereo blind. Two years ago I had surgery that enabled me to see 3D for the first time in my life. AMA : IAmA,,,,0,instapaper +http://52tiger.net/qualcomms-baffling-ces-2012-keynote/,Qualcomms baffling CES 2013keynote,,,,0,instapaper +http://lifehacker.com/152499/keep-headphone-wires-from-getting-tangled,Keep headphone wires from getting tangled,,,,0,instapaper +http://www.indiegogo.com/tethercell,Tethercell: The Everyday Battery^comma^ Re-imagined | Indiegogo,,,,0,instapaper +http://opinionator.blogs.nytimes.com/2013/01/05/diary-of-a-creep/,Diary of a Creep - NYTimes.com,,,,0,instapaper +http://www.topiama.com/r/786/iama-19-yo-amputee-with-a-rare-medical-condition,IAmA 19 y/o amputee with a rare medical condition called Klippel Trenaunay-Weber Syndrome. AMA,,,,0,instapaper +http://www.newyorker.com/reporting/2012/12/24/121224fa_fact_foer?mobify=0,Joshua Foer: John Quijada and Ithkuil^comma^ the Language He Invented : The New Yorker,,,,0,instapaper +http://www.hunterwalk.com/2013/01/oh-shit-im-news-blogging-tumblr-revenue.html,Elapsed Time: Oh Shit^comma^ I'm News-Blogging: Tumblr Revenue^comma^ Andrew Sullivan Subscription Plan,,,,0,instapaper +https://github.com/toland/qlmarkdown/,qlmarkdown,,,,0,instapaper +http://jalopnik.com/5973183/heres-how-two-awesome-1968-chrysler-products-were-re+built-to-drive?utm_campaign=socialflow_jalopnik_twitter,Here's How Two Incredible 1968 Chrysler Products Were Re-Built to Drive,,,,0,instapaper +http://www.cookography.com/2007/cold-brewed-coffee-using-a-french-press,Cold Brewed Coffee using a French Press,,,,0,instapaper +http://www.motherjones.com/environment/2013/01/lead-crime-link-gasoline, America's Real Criminal Element: Lead | Mother Jones,,,,0,instapaper +http://trentwalton.com/2013/01/03/jerry-seinfeld-on-how-to-write-a-joke/,Jerry Seinfeld on How to Write a Joke | Trent Walton,,,,0,instapaper +http://www.minimallyminimal.com/blog/ipad-mini-review,A month with the iPad mini Minimally Minimal,,,,0,instapaper +http://digitaldeconstruction.com/change-iphones-carrier-logo-jailbreaking/#.UOJG-xa-TAc.twitter,How to change your iPhones carrier logo^comma^ no jailbreak required,,,,0,instapaper +http://www.newyorker.com/reporting/2013/01/07/130107fa_fact_green?currentPage=all,Adam Green: The Spectacular Thefts of Apollo Robbins^comma^ Pickpocket : The New Yorker,,,,0,instapaper +http://sugru.com/,The future needs fixing - the future needs fixing - sugru,,,,0,instapaper +http://devour.com/video/birth-of-a-tool-damascus-steel-knife/,Birth Of A Tool: Damascus Steel Knife on Devour.com,,,,0,instapaper +http://en.m.wikipedia.org/wiki/Timeline_of_the_far_future,Timeline of the far future - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://robdelaney.tumblr.com/post/38840449899/download-free-fucking-books,download-free-fucking-books,,,,0,instapaper +http://www.reddit.com/r/IAmA/comments/14pb82/iama_fantasy_maid_i_clean_houses_naked_ama/,"IAmA ""fantasy maid"" - I clean houses naked. AMA. : IAmA",,,,0,instapaper +http://hellforleathermagazine.com/2012/12/sweet-gixxer-bro/,Sweet Gixxer^comma^ bro | Hell for Leather Hell for Leather,,,,0,instapaper +https://devcenter.heroku.com/articles/ios-core-data-buildpack-app?utm_medium=email&utm_campaign=December+2012+Newsletter&utm_content=December+2012+Newsletter+CID_762ae653dc0e9f49082db29974108dbe,Building an iOS App with AFIncrementalStore and the Core Data Buildpack | Heroku Dev Center,,,,0,instapaper +http://www.flickr.com/photos/sdasmFalses/,Flickr: San Diego Air & Space Museum Falses' Photostream,,,,0,instapaper +http://prospect.org/article/ten-arguments-gun-advocates-make-and-why-theyre-wrong,Ten Arguments Gun Advocates Make^comma^ and Why They're Wrong,,,,0,instapaper +http://harpers.org/False/2010/08/happiness-is-a-worn-gun/?single=1,Happiness Is a Worn Gun | Harper's Magazine,,,,0,instapaper +http://www.newyorker.com/online/blogs/newsdesk/2012/12/2012-the-most-outlandish-stories-from-the-drug-war-in-mexico.html,2012: The Most Outlandish Stories from the Drug War in Mexico : The New Yorker,,,,0,instapaper +http://www.topiama.com/r/682/iama-fantasy-maid-i-clean-houses-naked-ama,"IAmA ""fantasy maid"" - I clean houses naked.AMA.",,,,0,instapaper +http://hellforleathermagazine.com/2012/12/rideapart-22-learn-to-ride-better-with-jamie/,RideApart 22: learn to ride better with Jamie | Hell for Leather Hell for Leather,,,,0,instapaper +http://andrewhy.de/mens-basketball-crowd-silent-until-10th-point-is-scored/,Mens Basketball Crowd Silent Until 10th Point is Scored | Andrew Hyde,,,,0,instapaper +http://www.xojane.com/it-happened-to-me/larry-swartz-murderer-adopted,It Happened To Me: My Parents Adopted a Murderer | xoJane,,,,0,instapaper +http://www.msnbc.msn.com/id/8631798/ns/technology_and_science-science/t/why-skies-are-blue-instead-purple/,Why skies are blue instead of purple - Science,,,,0,instapaper +http://doom.wikia.com/wiki/Category%3AOpenGL_ports,Category%3AOpenGL_ports,,,,0,instapaper +http://www.thisiscolossal.com/2012/12/a-120-year-old-mechanical-device-that-perfectly-mimics-the-song-of-a-bird/,A 120-Year-Old Mechanical Device that Perfectly Mimics the Song of a Bird | Colossal,,,,0,instapaper +http://mobile.businessweek.com/articles/2012-12-06/tim-cooks-freshman-year-the-apple-ceo-speaks,Tim Cook's Freshman Year: The Apple CEO Speaks - Businessweek,,,,0,instapaper +http://motherboard.vice.com/blog/the-other-shooter-the-saddest-and-most-expensive-26-seconds-of-amateur-film-ever-made,The Other Shooter: The Saddest and Most Expensive 26 Seconds of Amateur Film Ever Made | Motherboard,,,,0,instapaper +http://yewknee.com/blog/angry-waffle/,Angry Waffle - yewknee,,,,0,instapaper +http://www.scriptedwhim.com/2012/11/maria-ferrari.html?m=1,Scripted Whim: Maria Ferrari,,,,0,instapaper +http://www.thedaily.com/page/2011/09/27/092711-news-scientology-day-one-1-7,INSIDE 'SCIENTOLOGY HIGH' - WWW.THEDAILY.COM,,,,0,instapaper +http://www.theverge.com/2012/12/3/3718546/verge-at-work-alfred-computer-shortcuts,The Verge at work: take your computer back from your mouse | The Verge,,,,0,instapaper +http://www.skrillexquest.com/,[ SKRILLEX QUEST ],,,,0,instapaper +http://kottke.org/12/11/making-gangnam-style-playable,Making Gangnam Style playable,,,,0,instapaper +http://ninja-ide.org/,NINJA IDE | Ninja-ide Is Not Just Another IDE ,,,,0,instapaper +http://www.theatlantic.com/international/False/2012/11/beyond-gaza-the-foreign-policy-implications-of-morsis-power-grab/265608/,Beyond Gaza: The Foreign-Policy Implications of Morsi's Power Grab - Eric Trager - The Atlantic,,,,0,instapaper +http://longform.org/the-great-escape/,The Great Escape,,,,0,instapaper +http://False.mensjournal.com/black-ops-and-blood-money/print/,Men's Journal Black Ops and Blood Money Print,,,,0,instapaper +http://m.gawker.com/5963405/not-even-kidding-hidden-camera-show-pulls-scariest-elevator-prank-ever,http://gawker.com/5963405/not-even-kidding-hidden-camera-show-pulls-scariest-elevator-prank-ever,,,,0,instapaper +http://www.zeitguised.com/61789/577007/home/are-we-hard-yet,ARE WE HARD YET,,,,0,instapaper +http://kottke.org/12/11/hobo-matters,Hobo Matters,,,,0,instapaper +http://hellforleathermagazine.com/2012/11/for-6500-390-duke-ninja-650-or-a-used-600/,For $6^comma^500^comma^ 390 Duke^comma^ Ninja 650 or a used600?,,,,0,instapaper +http://the.taoofmac.com/space/cli/rsync,rsync,,,,0,instapaper +http://hucksblog.blogspot.com/2010/07/sledgehammer-and-whore.html,I find your lack of faith disturbing: SLEDGEHAMMER AND WHORE,,,,0,instapaper +http://www.indiegogo.com/misfitshine,Misfit Shine: an elegant^comma^ wireless activity tracker | Indiegogo,,,,0,instapaper +http://www.the-art-of-web.com/system/fail2ban/,fail2ban and iptables < System | The Art of Web,,,,0,instapaper +http://nymag.com/news/features/trevell-coleman-2012-11/,Why Trevell Coleman Charged Himself With Murder -- New York Magazine,,,,0,instapaper +http://www.youtube.com/watch?v=WOyo7JD7hjo&feature=player_embedded,PSY (With Special Guest MC Hammer) - Gangnam Style (Live 2012 American Music Awards) - YouTube,,,,0,instapaper +http://www.thisiscolossal.com/2012/11/cloned-video-animations-by-erdal-inci/,Cloned Video Animations by ErdalInci,,,,0,instapaper +http://blog.authy.com/two-factor-ssh-in-thirty-seconds,Add two-factor authentication to your ssh in 30 seconds.,,,,0,instapaper +http://www.salon.com/2009/09/03/stephen_elliott/?mobile.html,The journalist^comma^ the murderer and the Adderall - Salon.com,,,,0,instapaper +http://kottke.org/12/11/arresting-collection-of-vietnam-war-photography,Arresting collection of Vietnam War photography,,,,0,instapaper +http://thewirecutter.com/reviews/the-best-razors/,The Best Razors | The Wirecutter,,,,0,instapaper +http://hellforleathermagazine.com/2011/06/aprilia-performance-ride-control-explained/,Aprilia Performance Ride Control explained | Hell for Leather,,,,0,instapaper +https://en.wikipedia.org/wiki/Leuchter_report,Leuchter report - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://www.slate.com/blogs/the_slatest/2012/11/13/david_petraeus_paula_broadwell_jill_kelley_a_list_of_who_s_who_in_the_petraeus.html,David Petraeus^comma^ Paula Broadwell^comma^ Jill Kelley: A list of Who's Who in the Petraeus scandal.,,,,0,instapaper +http://www.latimes.com/news/science/prescription/la-me-prescription-deaths-20121111-html^comma^0^comma^2363903.htmlstory?main=true,Prescription deaths: Many overdose on drugs prescribed by a doctor - latimes.com,,,,0,instapaper +http://vimeo.com/52904531,Havana Heat on Vimeo,,,,0,instapaper +http://m.funnyordie.com/videos/a5c1f2716c/successful-alcoholics,Successful Alcoholics from Jordan Vogt-Roberts^comma^ TJ Miller & Lizzy Caplan from Jordan Vogt-Roberts^comma^ T.J. Miller^comma^ Matt Braunger^comma^ Lizzy Caplan^comma^ Whitney_Cummings^comma^ Nick Thune^comma^ and Nick Kroll,,,,0,instapaper +https://itunes.apple.com/us/app/air-video-watch-your-videos/id306550020?mt=8&ign-mpt=uo%3D4,Air Video - Watch your videos anywhere! for iPhone^comma^ iPod touch^comma^ and iPad on the iTunes App Store,,,,0,instapaper +http://www.thisiscolossal.com/2012/10/rot-a-terrifying-facepaint-stop-motion-by-erica-luke/,Rot: A Terrifying Facepaint Stop Motion by Erica Luke | Colossal,,,,0,instapaper +http://jinx.de/zfs/hfsfailure.html#slide-0,A little HFS test,,,,0,instapaper +http://www.businessinsider.com/15-unnecessarily-sexy-halloween-costumes-2012-10,15 Unnecessarily Sexy Halloween Costumes - Business Insider,,,,0,instapaper +http://www.petesouza.com/gallery.html?gallery=The%20Rise%20of%20Barack%20Obama&folio=Image%20Galleries,The Rise of Barack Obama | Pete Souza Photography,,,,0,instapaper +http://www.meethue.com/en-US/,Philips hue,,,,0,instapaper +http://buy.beautyisembarrassing.com/,Beauty is Embarrassing - The Wayne White Story,,,,0,instapaper +http://ifixit.org/611/a-visit-to-the-only-american-mine-for-rare-earth-metals/,A Visit to the Only American Mine for Rare Earth Metals | iFixit,,,,0,instapaper +http://www.core77.com/blog/flotspotting/flotspotting_biomimetic_personal_equipment_by_jean-marc_sheitoyan_23748.asp,Flotspotting: Biomimetic Personal Equipment by Jean-MarcSheitoyan,,,,0,instapaper +http://xkcd.com/1127/,xkcd: Congress,,,,0,instapaper +http://www.nytimes.com/2012/10/26/business/global/family-of-wen-jiabao-holds-a-hidden-fortune-in-china.html?_r=1&hp&pagewanted=all&pagewanted=print,Family of Wen Jiabao Holds a Hidden Fortune in China - NYTimes.com,,,,0,instapaper +http://www.kitchensoap.com/2012/10/25/on-being-a-senior-engineer/,On Being A Senior Engineer,,,,0,instapaper +http://www.slate.com/articles/business/small_business/2012/10/the_value_of_a_good_boss_stanford_researchers_show_the_economic_value_of.html,The value of a good boss: Stanford researchers show the economic value of effective supervisors. - Slate Magazine,,,,0,instapaper +http://readwrite.com/2012/08/23/why-apples-icloud-doesnt-just-work,Why Apple's iCloud Doesn't Just Work,,,,0,instapaper +http://kottke.org/12/10/drunk-jeff-goldblum,Drunk JeffGoldblum,,,,0,instapaper +http://www.bekkelund.net/2012/10/22/outlawed-by-amazon-drm/,Outlawed by Amazon DRM Martin Bekkelund,,,,0,instapaper +http://www.smithsonianmag.com/history-archaeology/The-CIA-Burglar-Who-Went-Rogue-169800816.html?device=ipad&device=iphone,The CIA Burglar Who Went Rogue | History & Archaeology | Smithsonian Magazine,,,,0,instapaper +http://kottke.org/12/10/final-trailer-for-the-arrested-development-documentary,Final trailer for the Arrested Developmentdocumentary,,,,0,instapaper +http://coudal.com/Falses/2012/10/save_the_date_m.php,Coudal Partners Save the Date movie trailer,,,,0,instapaper +http://hellforleathermagazine.com/2012/10/rideapart-season-two-starts-now/,RideApart season two starts now | Hell for Leather,,,,0,instapaper +http://www.anandtech.com/show/6330/the-iphone-5-review,AnandTech - The iPhone 5 Review,,,,0,instapaper +http://hellforleathermagazine.com/2012/10/watch-marc-marquezs-stunning-first-lap-at-motegi/,Watch Marc Marquezs stunning first lap atMotegi,,,,0,instapaper +http://hellforleathermagazine.com/2012/10/making-motorcycles-out-of-naked-ladies/,Making motorcycles out of nakedladies,,,,0,instapaper +http://www.core77.com/blog/object_culture/jonathan_ives_moving_steve_jobs_tribute_23579.asp,Jonathan Ive's Moving Steve JobsTribute,,,,0,instapaper +http://yewknee.com/blog/seinfeld-drinks-coffee-with-friends/,Seinfeld drinks Coffee withFriends,,,,0,instapaper +http://www.swiss-miss.com/2012/10/worlds-coolest-flight-attendant.html,Worlds Coolest FlightAttendant,,,,0,instapaper +http://www.msnbc.msn.com/id/3032608/vp/49407301,Colbert on Meet the Press,,,,0,instapaper +http://www.slate.com/articles/news_and_politics/longform/2012/10/argo_blackwater_and_el_americano_great_stories_about_the_cia.html,Argo^comma^ Blackwater^comma^ and El Americano: Great stories about the CIA - Slate Magazine,,,,0,instapaper +http://www.topiama.com/r/458/i-am-a-cardiac-surgeon-part-of-my-job-is-to,I am a cardiac surgeon^comma^ part of my job is to harvest hearts from living organ donors. AMA,,,,0,instapaper +http://www.youtube.com/watch?v=GIFdBp8rbtA,20th Anniversary Macintosh Promo - YouTube,,,,0,instapaper +http://www.metafilter.com/120761/Predditors,Predditors | MetaFilter,,,,0,instapaper +http://www.thisamericanlife.org/radio-Falses/episode/181/the-friendly-man,The Friendly Man | This American Life,,,,0,instapaper +http://www.thisamericanlife.org/radio-Falses/episode/37/the-job-that-takes-over-your-life,The Job That Takes Over Your Life | This American Life,,,,0,instapaper +http://www.naplesnews.com/news/2012/oct/11/recall-kelloggs-frosted-mini-wheats-contain-metal/?partner=yahoo_feeds,RECALL: Kellogg's Frosted Mini-Wheats may contain metal Naples Daily News,,,,0,instapaper +http://www.youtube.com/watch?feature=player_embedded&v=hEzMNp2d6Bk,Onion Talks - Preview - YouTube,,,,0,instapaper +http://www.reddit.com/r/IAmA/comments/1197d7/iam_ira_glass_creator_of_this_american_life_ama/,IAm Ira Glass^comma^ creator of This American Life^comma^ AMA : IAmA,,,,0,instapaper +http://autos.yahoo.com/blogs/motoramic/camaro-owner-records-mechanics-abusing-car-scheming-damages-152707580.html,Camaro owner records mechanics abusing car^comma^ scheming to get damages paid for (UPDATED) | Motoramic - Yahoo! Autos,,,,0,instapaper +http://tweaksapp.com/app/mountain-tweaks/,Mountain Tweaks UtilityApp,,,,0,instapaper +http://www.keyboardmaestro.com/main/,Keyboard Maestro 5.3.2: Work Faster with Macros for Mac OS X,,,,0,instapaper +http://coffeegeek.com/guides/aeropresscoldbrew#When:20:17:34Z,CoffeeGeek - Aeropress Iced Coffee,,,,0,instapaper +http://en.wikipedia.org/wiki/HTTP_Strict_Transport_Security,HTTP Strict Transport Security - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://blog.netvlies.nl/design-interactie/retina-revolution/,Retina revolution,,,,0,instapaper +http://blogs.adobe.com/typblography/2012/09/source-code-pro.html,Announcing Source Code Pro Typblography,,,,0,instapaper +http://newsfeed.time.com/2012/10/09/watch-qvc-host-keeps-selling/,WATCH: QVC Host Faints on Air^comma^ Co-Host Keeps on Selling | NewsFeed | TIME.com,,,,0,instapaper +http://what-if.xkcd.com/15/,Mariana Trench Explosion,,,,0,instapaper +http://www.theatlantic.com/business/False/2012/10/who-destroyed-the-economy-the-case-against-the-baby-boomers/263291/,Who Destroyed the Economy? The Case Against the Baby Boomers - Jim Tankersley - The Atlantic,,,,0,instapaper +http://www.collegehumor.com/video/6830834/mitt-romney-style-gangnam-style-parody,Mitt Romney Style (Gangnam Style Parody) - CollegeHumor Video,,,,0,instapaper +http://www.theverge.com/2012/10/5/3451206/thinkpad-turns-20-ibm-lenovo-retrospective,ThinkPad turns 20: how IBMs 'black box' defined the laptop industry | The Verge,,,,0,instapaper +http://the.taoofmac.com/space/blog/2011/08/25/1030,The Right Question - Tao of Mac,,,,0,instapaper +http://www.crownandbuckle.com/,Leather^comma^ Nato^comma^ Zulu Watch Straps - Crown and Buckle,,,,0,instapaper +http://wornandwound.com/2012/10/03/helson-shark-diver-42mm/,Helson Shark Diver 42mm: In for Review | watch reviews on worn&wound,,,,0,instapaper +http://www.bigdeadplace.com/,In Defense of Management - Big Dead Place,,,,0,instapaper +http://www-sul.stanford.edu/mac/parc.html,The Xerox PARC Visit,,,,0,instapaper +http://www.topiama.com/r/416/we-are-the-creators-and-cast-of-the-league-ask-us,We Are the Creators and Cast of The League - Ask Us Anything,,,,0,instapaper +http://www.statedmag.com/articles/interview-singersongwriter-kimbra-settles-down-keeps-her-vow.html,Interview: Singer/Songwriter Kimbra Settles Down & Keeps HerVows - Articles - Stated Magazine,,,,0,instapaper +http://xkcd.com/314/,xkcd: Dating Pools,,,,0,instapaper +http://wheels.blogs.nytimes.com/2008/06/20/the-illusion-of-miles-per-gallon/,The Illusion of Miles Per Gallon - NYTimes.com,,,,0,instapaper +http://what-if.xkcd.com/10/,Cassini,,,,0,instapaper +http://what-if.xkcd.com/11/,Droppings,,,,0,instapaper +http://what-if.xkcd.com/9/,Soul Mates,,,,0,instapaper +http://www.angosturabitters.com/About,Secret Formula | Angostura Trinidad,,,,0,instapaper +http://www.theverge.com/2012/9/30/3433110/amazon-kindle-paperwhite-review,Kindle Paperwhite review | The Verge,,,,0,instapaper +http://www.topiama.com/r/414/iama-blackout-haunted-house-survivor-amaa,IAMA Blackout Haunted House survivor^comma^AMAA,,,,0,instapaper +http://www.topiama.com/r/408/as-per-a-few-requests-iama-21-year-old-female-who,As per a few requests^comma^ IAmA 21 year old female who was bottled at the age of 16. Resulting in 70 stitches^comma^ half of my face paralyzed and diagnosed with PTSD. Ask me anything. Possibly NSFW (GorePictures).,,,,0,instapaper +http://37signals.com/svn/posts/3264-automating-with-convention-introducing-sub,Automating with convention: Introducingsub,,,,0,instapaper +http://www.slate.com/articles/life/drink/2011/11/the_old_fashioned_a_complete_history_and_guide_to_this_classic_c.html,The old-fashioned: a complete history and guide to this classic cocktail. - Slate Magazine,,,,0,instapaper +http://m.theatlantic.com/technology/False/2012/09/a-conversation-with-randall-munroe-the-creator-of-xkcd/262851/,A Conversation With Randall Munroe^comma^ the Creator of XKCD - Atlantic Mobile,,,,0,instapaper +http://the.taoofmac.com/space/links/2012/09/29/1422,Qtile.org - A Pure-Python Tiling WM - Tao of Mac,,,,0,instapaper +http://the.taoofmac.com/space/cli/tmux,tmux - Tao of Mac,,,,0,instapaper +http://www.businessweek.com/printer/articles/73570-branded-for-life,Branded for Life - Businessweek,,,,0,instapaper +http://www.bbc.co.uk/news/magazine-19562101,BBC News - How often do plane stowaways fall from the sky?,,,,0,instapaper +http://www.gilttaste.com/stories/5442-are-rare-steaks-really-better-a-butcher-s-view,Are Rare Steaks Really Better?: A Butcher's View,,,,0,instapaper +http://toolsandtoys.net/dodocase-durables-iphone-5-wallet/,DODOcase Durables iPhone 5 Wallet | Tools and Toys,,,,0,instapaper +http://www.hulu.com/watch/406479,Colbert Interviews Breaking Bads Vince Gilligan,,,,0,instapaper +http://www.collectorsweekly.com/articles/journey-into-the-opium-underworld/,How Collecting Opium Antiques Turned Me Into an Opium Addict | Collectors Weekly,,,,0,instapaper +https://gist.github.com/3783146,Bash script to parse Apache log for a count of RSS subscribers and email it to you Gist,,,,0,instapaper +http://www.newyorker.com/reporting/2012/10/01/121001fa_fact_parker?currentPage=all,After Harry Potter^comma^ J. K. Rowlings First Novel for Adults : The New Yorker,,,,0,instapaper +http://www.vice.com/vice-news/the-mexican-mormon-war-part-1,The Mexican Mormon War | VICE News | VICE,,,,0,instapaper +http://www.quora.com/Law-Enforcement-and-the-Police/What-have-you-learned-as-a-police-officer-about-life-and-society-that-most-people-dont-know-or-underestimate/answer/Tim-Dees,Tim Dees's answer to Law Enforcement and the Police: What have you learned as a police officer about life and society that most people don't know or underestimate? - Quora,,,,0,instapaper +http://hellforleathermagazine.com/2012/09/the-american-superbike-past-present-and-future/,The American superbike^comma^ past^comma^ present and future | Hell for Leather,,,,0,instapaper +http://www.csmonitor.com/World/Latest-News-Wires/2012/0921/Gangnam-Style-How-a-quirky-South-Korean-hip-hop-artist-conquered-the-world,Gangnam Style: How a quirky South Korean hip-hop artist conquered the world - CSMonitor.com,,,,0,instapaper +http://www.newyorker.com/reporting/2012/08/06/120806fa_fact_singer?currentPage=all,Is Kip Litton a Marathon Fraud? : The New Yorker,,,,0,instapaper +http://daringfireball.net/2012/09/iphone_5,Daring Fireball: The iPhone 5,,,,0,instapaper +http://fuckjetpacks.com/read/apple_avoids_the_temptation_of_jetpack_design,Apple Avoids the Temptation of JetpackDesign,,,,0,instapaper +http://curiousrat.com/home/2012/9/10/hp-spectre-one-desktop.html,Curious Rat - Home - HP Spectre OneDesktop,,,,0,instapaper +http://thegreatdiscontent.com/jessica-walsh,JessicaWalsh,,,,0,instapaper +http://en.wikipedia.org/wiki/Zecharia_Sitchin,Zecharia Sitchin - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://en.wikipedia.org/wiki/David_Icke,David Icke - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://en.wikipedia.org/wiki/Georgia_Guidestones,Georgia Guidestones - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://www.macworld.com/article/1168555/what_apples_new_lightning_connector_means_for_you.html,Lightning: the iPhone's new connector | Macworld,,,,0,instapaper +http://bradfrost.github.com/this-is-responsive/index.html,This Is Responsive | Tips^comma^ Resources and Patterns for Responsive Web Design,,,,0,instapaper +http://seleniumhq.org/,Selenium - Web Browser Automation,,,,0,instapaper +http://www.topiama.com/r/323/hi-im-natalie-morales-you-may-remember-me-from,Hi^comma^ I'm Natalie Morales. You may remember me from such tv shows as The Newsroom^comma^ Parks & Rec^comma^ White Collar and most importantly^comma^ The Middleman.AMA!,,,,0,instapaper +http://movies.yahoo.com/blogs/movie-talk/cloud-atlas-directors-reveal-more-just-back-story-165430475.html,Cloud Atlas directors reveal more than just back story | Movie Talk - Yahoo! Movies,,,,0,instapaper +http://www.topiama.com/r/334/by-request-i-was-a-stripper-ive-danced-in-shitty,By request - I was a stripper. I've danced in shitty clubs and nice ones too. AMA. (Withproof.),,,,0,instapaper +http://www.nature.com/news/obama-and-romney-tackle-14-top-science-questions-1.11355,Obama and Romney tackle 14 top science questions : Nature News & Comment,,,,0,instapaper +http://laughingsquid.com/red-bull-racings-american-vacation-2-a-high-speed-tour-of-the-new-york-metro-area/,Red Bull Racings American Vacation 2^comma^ A High Speed Tour of the New York Metro Area,,,,0,instapaper +http://www.macdrifter.com/2012/08/glassboard-the-anti-facebook.html,Glassboard: The Anti-Facebook,,,,0,instapaper +http://news.bbc.co.uk/2/hi/health/2345971.stm,BBC NEWS | Health | Brain tumour 'caused paedophilia',,,,0,instapaper +http://www.reddit.com/r/IAmA/comments/z5asn/im_nick_offerman_i_play_ron_swanson_on_parks_and/?utm_source=twitterfeed&utm_medium=twitter,http://www.reddit.com/r/IAmA/comments/z5asn/im_nick_offerman_i_play_ron_swanson_on_parks_and/?utm_source=twitterfeed&utm_medium=twitter,,,,0,instapaper +http://m.rollingstone.com/?redirurl=/politics/news/the-federal-bailout-that-saved-mitt-romney-20120829,Rolling Stone Mobile - Politics - Politics: The Federal Bailout That Saved Mitt Romney,,,,0,instapaper +http://www.reddit.com/r/IAmA/comments/z1c9z/i_am_barack_obama_president_of_the_united_states/,I am Barack Obama^comma^ President of the United States -- AMA : IAmA,,,,0,instapaper +http://obamapacman.com/2010/03/myth-copyright-theft-apple-stole-gui-from-xerox-parc-alto/,Myth: Copyright Theft^comma^ Apple Stole GUI from Xerox PARC Alto | Obama Pacman,,,,0,instapaper +http://joeposnanski.blogspot.com/2012/08/an-ipad-review.html,Joe Blogs: An iPad Review,,,,0,instapaper +http://www.thefoxisblack.com/2012/08/29/the-ventriloquist-a-short-film-starring-kevin-spacey/,The Ventriloquist A short film starring KevinSpacey,,,,0,instapaper +http://www.topiama.com/r/294/iama-17-year-old-boy-who-has-an-extremely-rare,IAMA 17 year old boy who has an extremely rare geneticdisability,,,,0,instapaper +http://chris.onstad.usesthis.com/,ChrisOnstad,,,,0,instapaper +http://www.gabrielweinberg.com/blog/2012/08/takeaways-from-three-years-of-angel-investing.html,Takeaways from three years of angel investing - Gabriel Weinberg's Blog,,,,0,instapaper +http://www.fastcodesign.com/1670637/a-play-by-play-of-the-apple-samsung-trial,A Play-By-Play Of The Apple-Samsung Trial | Co.Design: business + innovation + design,,,,0,instapaper +http://www.nytimes.com/2012/08/26/sunday-review/how-long-do-you-want-to-live.html,How Long Do You Want to Live? - NYTimes.com,,,,0,instapaper +http://www.newyorker.com/reporting/2012/09/03/120903fa_fact_widdicombe?currentPage=all,The Mogul Who Made Justin Bieber : The New Yorker,,,,0,instapaper +http://www.topiama.com/r/279/i-am-an-autistic-artist-with-synesthesia-that,I am an autistic artist with synesthesia that wrote^comma^ illustrated^comma^ and published a book so to bridge the gap between my world and yours. AMA!,,,,0,instapaper +http://www.topiama.com/r/277/i-am-a-nurse-at-a-prison-hospital-ama,I am a nurse at a prison hospital. AMA,,,,0,instapaper +http://www.economist.com/node/21560864,The presidency: So^comma^ Mitt^comma^ what do you really believe? | The Economist,,,,0,instapaper +http://www.core77.com/blog/transportation/making_the_shield_helicarrier_fly_23273.asp,Making the S.H.I.E.L.D. Helicarrier Fly - Core77,,,,0,instapaper +http://www.theonion.com/articles/nation-celebrates-full-week-without-deadly-mass-sh^comma^29293/,Nation Celebrates Full Week Without Deadly MassShooting,,,,0,instapaper +http://news.backyardbrains.com/2012/08/insane-in-the-chromatophores/,Backyard Brains,,,,0,instapaper +http://512pixels.net/downloads/System%20Extension%202012-08.pdf,(Saving...),,,,0,instapaper +http://bygonebureau.com/2012/08/24/american-history-sex/,American HistorySex,,,,0,instapaper +http://www.straightdope.com/columns/read/836/whats-the-story-on-freemasonry,The Straight Dope: What's the story on Freemasonry?,,,,0,instapaper +http://minimalmac.com/post/30014644859/foldingtext-is-a-still-in-development-but-quite,FoldingText is a still in development but quite usable new^comma^um^comma^...,,,,0,instapaper +http://www.buzzfeed.com/catesish/delightfully-grumpy-bulldog-puppy,Delightfully Grumpy Bulldog Puppy,,,,0,instapaper +http://www.buzzfeed.com/samir/normal-guy-pretends-to-be-celebrity-in-times-squar,Normal Guy Pretends To Be Celebrity In Times Square^comma^ Everyone Falls For It,,,,0,instapaper +http://hellforleathermagazine.com/2012/08/cracks-in-the-clockwork-commuting-through-san-francisco/,Cracks in the clockwork^comma^ commuting through San Francisco | Hell for Leather,,,,0,instapaper +http://hypertext.net/2012/08/wordpress-octopress-squarespace, From WordPress to Jekyll/Octopress orSquarespace?,,,,0,instapaper +https://www.simple.com/blog/Simple/announcing-goals/,Announcing Goals | Simple Blog,,,,0,instapaper +http://klim.co.nz/blog/pitch-design-information/,Klim Type Foundry - Pitch Design Information,,,,0,instapaper +http://aws.amazon.com/glacier/,Amazon Glacier,,,,0,instapaper +http://www.kungfugrippe.com/post/29903123779/replacing-human-connection,kung fu grippe LEAKED Official Apple iPhone 5 Promo Video -...,,,,0,instapaper +http://hellforleathermagazine.com/2012/08/brammo-empulse-the-electric-motorcycle-has-finally-arrived/,Brammo Empulse: the electric motorcycle has finally arrived | Hell for Leather,,,,0,instapaper +http://thetechblock.com/flirting-with-ios-after-a-three-years-with-android,Flirting with iOS after three years with Android | The Tech Block,,,,0,instapaper +http://www.informit.com/articles/article.aspx?p=1824790,Languages^comma^ Verbosity^comma^ and Java | | InformIT,,,,0,instapaper +http://www.wired.com/gadgetlab/2012/08/mat-honan-data-recovery/all/,How I Got My Digital Life Back Again After An Epic Hacking | Gadget Lab | Wired.com,,,,0,instapaper +http://www.avclub.com/articles/why-glengarry-glen-ross-alec-baldwin-scene-is-so-u^comma^82782/,Why Glengarry Glen Ross Alec Baldwin scene is so unusual | Film | Scenic Routes | The A.V. Club,,,,0,instapaper +http://parislemon.com/post/29434113808/behold-branch,parislemon - Behold: Branch,,,,0,instapaper +http://www.topiama.com/r/245/by-request-i-ama-polyglot-multilingual-person,[BY REQUEST] I AmA polyglot (multilingual person) from Ireland. I only spoke English when I was 21^comma^ but now I speak 10 languages and can sign ASL. I've given a TEDx talk to inspire adult language learners. AMA,,,,0,instapaper +http://dashes.com/anil/2012/08/stop-publishing-web-pages.html,Stop Publishing WebPages,,,,0,instapaper +http://www.motherjones.com/mojo/2012/07/wacky-presidential-candidates,19 Wacky Presidential Candidates You've Never Heard Of | Mother Jones,,,,0,instapaper +http://www.branch.com/,Branch,,,,0,instapaper +http://daringfireball.net/2012/08/pixel_perfect, PixelPerfect,,,,0,instapaper +http://what-if.xkcd.com/7/,Everybody Out,,,,0,instapaper +http://www.nytimes.com/2012/08/12/fashion/dads-are-taking-over-as-full-time-parents.html?_r=1,Dads Are Taking Over as Full-Time Parents - NYTimes.com,,,,0,instapaper +http://www.newyorker.com/online/blogs/sportingscene/2012/08/david-rudisha-olympics.html,The Kenyan Runner Who Brought Out the Best in the Olympic Games : The New Yorker,,,,0,instapaper +http://www.theatlantic.com/entertainment/False/2012/08/the-glorious-irrelevance-of-modern-pentathlon/260899/,The Glorious Irrelevance of Modern Pentathlon - Edward Helfers - The Atlantic,,,,0,instapaper +http://newsfeed.time.com/2012/03/30/drunk-guy-sings-flawless-rendition-of-bohemian-rhapsody-in-back-of-cop-car/,Watch: Drunk Man Belts Out Queens Bohemian Rhapsody in Back of Cop Car | NewsFeed | TIME.com,,,,0,instapaper +http://www.theatlantic.com/international/print/2012/08/the-land-of-big-groceries-big-god-and-smooth-traffic-what-surprises-first-time-visitors-to-america/260541/,The Land of Big Groceries^comma^ Big God^comma^ and Smooth Traffic: What Surprises First-Time Visitors to America - International - The Atlantic,,,,0,instapaper +http://ianstormtaylor.com/design-tip-never-use-black/,Design Tip: Never Use Black by Ian Storm Taylor,,,,0,instapaper +http://www.stuckincustoms.com/lightroom-presets/,Treys Lightroom Presets An awesome collection of 75+ HDR Lightroom 4 Presets,,,,0,instapaper +http://hints.macworld.com/article.php?story=20120803092156975,Access iCloud files from the Finder - Mac OS X Hints,,,,0,instapaper +http://thenextweb.com/lifehacks/2012/08/08/deep-dive-into-instapaper-how-to-use-it-and-tips-for-power-users/,The ins and outs of Instapaper,,,,0,instapaper +http://www.serverlove.com/,Cloud servers. Scalable cloud server hosting by Serverlove,,,,0,instapaper +http://www.slate.com/blogs/five_ring_circus/2012/08/09/water_polo_wardrobe_malfunction_why_the_new_york_times_was_right_to_focus_on_nudity_in_the_pool_.html,Water polo wardrobe malfunction: Why the New York Times was right to focus on nudity in the pool.,,,,0,instapaper +http://cork.firelet.net/,Cork - Authentication for the Bottle web framework Cork 0.1 documentation,,,,0,instapaper +https://github.com/textmate/textmate,textmate/textmate GitHub,,,,0,instapaper +http://www.topiama.com/r/221/iama-us-diplomat-amaa,IAMA: US Diplomat. AMAA,,,,0,instapaper +http://davidsimon.com/deandre-mccullough-1977-2012/,David Simon | DeAndre McCullough (1977-2012),,,,0,instapaper +http://www.nytimes.com/2012/08/07/business/hospital-chain-internal-reports-found-dubious-cardiac-work.html?_r=1&hp&pagewanted=all,Hospital Chain Inquiry Cited Unnecessary Cardiac Work - NYTimes.com,,,,0,instapaper +http://peanutbuttereggdirt.com/e/2011/05/03/apple-vs-samsung-a-visual-guide-to-apples-ip-claims-hardware-icons-packaging/,Apple vs. Samsung: A Visual Guide to Apples IP Claims: Hardware^comma^ Icons & Packaging | PeanutbutterEGGDirt.com : Technology^comma^ Gadgets & the Business Therein,,,,0,instapaper +http://hellforleathermagazine.com/2012/08/watch-ninjette-do-the-pyrenees/,Watch Ninjette do the Pyrenees | Hell for Leather,,,,0,instapaper +http://www.engadget.com/2012/06/07/mk802-android-4-0-mini-pc-hands-on-impressions/?m=false,MK802 Android 4.0 Mini PC hands-on impressions -- Engadget,,,,0,instapaper +http://www.hulu.com/watch/165094,Hulu - For All Mankind - Watch the full movie now.,,,,0,instapaper +http://www.topiama.com/r/181/i-spent-17-months-in-a-3rd-world-country-horrible,I spent 17 months in a 3rd world country (horrible conditions) jail because of a YouTube video I made. AMA.,,,,0,instapaper +http://minimalmac.com/post/28555293575/size-matters-the-sandisk-cruzer-fit-32gb,Minimal Mac | Size Matters The SanDisk Cruzer Fit 32GB,,,,0,instapaper +http://framework.latimes.com/2012/07/26/2012-olympians/, 2012 Olympians - Framework - Photos and Video - Visual Storytelling from the Los Angeles Times,,,,0,instapaper +http://www.howtogeek.com/119924/build-a-35-media-center-with-raspbmc-and-raspberry-pi/, Build a $35 Media Center with Raspbmc and Raspberry Pi,,,,0,instapaper +http://www.macgasm.net/2011/12/07/apple-odd-stuff-permanent-ink/,Apple Odd Stuff: Permanent Ink | Macgasm,,,,0,instapaper +http://macsparky.com/,MacSparky,,,,0,instapaper +http://longform.org/angelsdemons/,Angels & Demons | Longform,,,,0,instapaper +http://webdiary.com/2011/12/27/btmm/,Remote SSH using Back To My Mac | WebDiary.com,,,,0,instapaper +http://news.discovery.com/space/nixons-contingency-plan-for-apollo-11-120721.html,Nixon's Contingency Plan for a Failed Apollo 11 : Discovery News,,,,0,instapaper +http://www.newyorker.com/reporting/2012/07/02/120702fa_fact_finnegan?mobify=0,Crime^comma^ Drugs^comma^ and Politics in Guadalajara^comma^ Mexico : The New Yorker,,,,0,instapaper +http://www.newyorker.com/online/blogs/culture/2012/07/the-uncannily-accurate-depiction-of-the-meth-trade-in-breaking-bad.html?mobify=0,The Uncannily Accurate Depiction of the Meth Trade in Breaking Bad : The New Yorker,,,,0,instapaper +http://www.newyorker.com/online/blogs/books/2012/07/how-to-use-semicolons.html?mbid=social_retweet,Semicolons; So Tricky : The New Yorker,,,,0,instapaper +http://www.quora.com/Military-Strategy/What-are-the-optimal-siege-tactics-for-taking-Magic-Kingdoms-Cinderella-Castle,Military Strategy: What are the optimal siege tactics for taking Magic Kingdom's Cinderella Castle? - Quora,,,,0,instapaper +http://webdesign.tutsplus.com/articles/typography-articles/a-beginners-guide-to-pairing-fonts/#When:08:53,A Beginners Guide to Pairing Fonts | Webdesigntuts+,,,,0,instapaper +http://notes.torrez.org/2012/07/we-met-on-the-internet.html,"notes on ""we met on the internet""",,,,0,instapaper +http://comediansincarsgettingcoffee.com/,Comedians in Cars Getting Coffee,,,,0,instapaper +http://www.slate.com/articles/life/history/2012/07/the_chickens_and_the_bulls_the_rise_and_incredible_fall_of_a_vicious_extortion_ring_that_preyed_on_prominent_gay_men_in_the_1960s_.single.html,The Chickens and the Bulls: The rise and incredible fall of a vicious extortion ring that preyed on prominent gay men in the 1960s. - Slate Magazine,,,,0,instapaper +http://kottke.org/12/07/the-lego-wire,The Lego Wire,,,,0,instapaper +http://www.independent.co.uk/life-style/health-and-families/features/mind-bending-why-our-memories-are-not-always-our-own-7939049.html,Mind bending: Why our memories are not always our own - Features - Health & Families - The Independent,,,,0,instapaper +http://www.newyorker.com/reporting/2012/07/23/120723fa_fact_bilger?currentPage=all,Brian Shaw^comma^ the Strongest Man in the World : The New Yorker,,,,0,instapaper +http://uphere.ca/node/802,LOOKING BACK: 'Their souls are to be laughed at...' | UpHere.ca,,,,0,instapaper +http://kottke.org/12/07/all-135-space-shuttle-launches-at-once,All 135 Space Shuttle launches at once,,,,0,instapaper +http://www.marco.org/2012/07/04/steve-jobs-the-lost-interview-review,Steve Jobs: The LostInterview,,,,0,instapaper +http://coudal.com/Falses/2012/07/evolution_of_th_4.php,Evolution of the F1Car,,,,0,instapaper +http://blog.iso50.com/28330/iphone-wallpapers-by-marius-roosendaal/,Iphone Wallpapers by Marius Roosendaal ISO50 Blog The Blog of Scott Hansen (Tycho / ISO50),,,,0,instapaper +http://rob.giampietro.usesthis.com/,The Setup / Rob Giampietro,,,,0,instapaper +http://www.npr.org/2012/07/09/156454241/the-life-that-follows-disarming-ieds-in-iraq,'The Life That Follows' Disarming IEDs In Iraq : NPR,,,,0,instapaper +http://www.slate.com/blogs/browbeat/2012/06/28/star_wars_gotye_parody_the_star_wars_that_i_used_to_know_watch_the_video_here_.html?wpisrc=obnetwork,Star Wars Gotye parody The Star Wars That I Used to Know: Watch the video here.,,,,0,instapaper +http://www.thefoxisblack.com/2012/06/29/pogo-releases-a-new-pulp-fiction-based-remix-video-called-lead-breakfast/,Pogo releases a new Pulp Fiction based remix video called Lead Breakfast | The Fox Is Black,,,,0,instapaper +http://www.theverge.com/2011/12/13/2612736/ios-history-iphone-ipad,iOS: A visual history | The Verge,,,,0,instapaper +http://thewirecutter.com/,The Wirecutter,,,,0,instapaper +http://www.theatlantic.com/infocus/2012/07/tattoos-addicted-to-the-needle/100332/,In Focus - Tattoos: Addicted to the Needle - The Atlantic,,,,0,instapaper +http://kottke.org/12/07/man-interviewed-by-12-year-old-self,Man interviewed by 12 year old self,,,,0,instapaper +http://en.m.wikipedia.org/wiki/Yacht_Rock,Yacht Rock - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://www.topiama.com/,The best Reddit IAmA's in a readable format,,,,0,instapaper +http://www.cracked.com/article_19903_9-actors-who-do-exact-same-thing-every-movie-poster.html,9 Actors Who Do the Exact Same Thing on Every Movie Poster | Cracked.com,,,,0,instapaper +http://en.wikipedia.org/wiki/Sun_Myung_Moon,Sun Myung Moon - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://www.dmagazine.com/Home/D_Magazine/2012/July/The_Most_Amazing_Bowling_Story_Ever_Bill_Fong.aspx?page=1,D Magazine : The Most Amazing Bowling Story Ever,,,,0,instapaper +http://hellforleathermagazine.com/2012/06/rideapart-10-the-perfect-vehicle-for-the-city/,RideApart 10 The perfect vehicle for the city | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2011/06/john-mcguinness-is-uncircumcised/,John McGuinness uncut | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2012/06/a-perfect-lap-of-the-tt-with-john-mcguinness/,A perfect lap of the TT with John McGuinness | Hell for Leather,,,,0,instapaper +http://hacks.mozilla.org/2012/02/a-simple-image-gallery-using-only-css-and-the-target-selector/#When:11:27,A simple image gallery using only CSS and the :target selector Mozilla Hacks the Web developer blog,,,,0,instapaper +http://nplusonemag.com/please-rt,n+1: Please RT,,,,0,instapaper +http://massivegreatness.com/,MG Siegler,,,,0,instapaper +http://daringfireball.net/2012/06/surface_between_rock_and_hardware_place, Surface: Between a Rock and a HardwarePlace,,,,0,instapaper +http://openideas.ideon.co/2011/rehabilitate-disruptive-footnotes,Chrome and Safari extension to rehabilitate disruptive footnotes. - Ideon Open Ideas,,,,0,instapaper +http://log.chrisbowler.com/post/1264220846/save-to-pdf,Keyboard Shortcut to 'Save to PDF...' on OSX,,,,0,instapaper +http://use.opendns.com/,Use OpenDNS,,,,0,instapaper +http://superuser.com/questions/169695/what-are-your-favorite-git-aliases,tips - What are your favorite git aliases? - Super User,,,,0,instapaper +http://www.jukie.net/bart/blog/pimping-out-git-log,pimping out git log - Bart's Blog,,,,0,instapaper +http://www.jukie.net/~bart/conf/gitconfig,(Saving...),,,,0,instapaper +http://thegreatdiscontent.com/aaron-draplin,AaronDraplin,,,,0,instapaper +http://www.vanityfair.com/culture/2012/07/lapd-lazurus-murder-mystery-killer,Sherri Rasmussens Murder: Tracing the Shocking Resolution to a 23-Year-Old Cold Case | Culture | Vanity Fair,,,,0,instapaper +http://www.mediocreathlete.com/health-and-wellness/crotchfest-2012-this-sport-is-stupid-and-gross-edition,Crotchfest 2012: This Sport is Stupid and Gross Edition | MediocreAthlete.com,,,,0,instapaper +http://mansgottado.tumblr.com/post/25105458753/featuring-beautiful-cinematography-and-a-number-of,Featuring beautiful cinematography and a number ofcompelling...,,,,0,instapaper +http://shawnblanc.net/2012/06/review-reeder-3-for-iphone/,Review: Reeder 3 for iPhone Shawn Blanc,,,,0,instapaper +http://www.asymco.com/2012/06/14/are-revenues-per-app-decreasing/,Are revenues per app decreasing? | asymco,,,,0,instapaper +http://coudal.com/Falses/2012/06/10_great_tv_spo.php,Coudal Partners 10 Great TV Spots Directed by Anderson and Fincher,,,,0,instapaper +http://blog.iso50.com/27962/tribute-2002tii-3-0-csl/,Tribute: 2002tii + 3.0CSL,,,,0,instapaper +http://prettifyit.com/,Prettify* Nice icons and wallpapers,,,,0,instapaper +http://coudal.com/Falses/2012/06/batgirl_1.php,Batgirl,,,,0,instapaper +http://www.thisiscolossal.com/2012/06/photographer-tadao-cern-releases-hilariousdisturbing-video-of-people-being-blasted-in-the-face-with-wind/,A Hilarious/Disturbing Video of People Being Blasted in the Face withWind,,,,0,instapaper +http://log.scifihifi.com/post/25094818476/getting-final-cut,Getting Final Cut | Buzz Andersen,,,,0,instapaper +http://www.roadsideamerica.com/story/13769,The Minister's Tree House^comma^ Crossville^comma^ Tennessee,,,,0,instapaper +http://blog.pinboard.in/2012/06/recent_bounciness_and_when_it_will_stop/,Recent Bounciness And When It WillStop,,,,0,instapaper +http://chris.ilias.usesthis.com/,An interview with Chris Ilias,,,,0,instapaper +http://www.amazon.com/gp/product/0307279464/ref=as_li_ss_tl?ie=UTF8&tag=andhyd0e-20&linkCode=as2&camp=217145&creative=399369&creativeASIN=0307279464,Amazon.com: A Walk in the Woods: Rediscovering America on the Appalachian Trail (9780307279460): Bill Bryson: Books,,,,0,instapaper +http://www.amazon.com/gp/product/0312330537/ref=as_li_ss_tl?ie=UTF8&tag=andhyd0e-20&linkCode=as2&camp=217145&creative=399369&creativeASIN=0312330537,Amazon.com: Shantaram: A Novel (9780312330538): Gregory David Roberts: Books,,,,0,instapaper +http://www.wired.com/underwire/2012/03/ff_reddit/all/1,How One Response to a Reddit Query Became a Big-Budget Flick | Underwire | Wired.com,,,,0,instapaper +http://hellforleathermagazine.com/2012/06/watch-tt3d-here/,Watch TT3D here | Hell for Leather,,2012-10-16T00:00:00Z,,1,instapaper +http://hellforleathermagazine.com/category/frontlines/,Frontlines | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2008/11/expedition-moab/,Expedition: Moab | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2011/02/shop-chabott-engineering/,Shop: Chabott Engineering | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2012/03/expedition-sierra-nevada/,Expedition: Sierra Nevada | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2011/01/racer-david-roper/,Racer: David Roper | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2010/06/michael-czysz-reaching-the-future/,Michael Czysz: reaching the future | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2011/03/shop-century-motorcycles/,Shop: Century Motorcycles | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2010/05/aprilia-rsv4-factory-vs-njmp-thunderbolt/,Aprilia RSV4 Factory Vs. NJMP Thunderbolt | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2010/08/2010-mv-agusta-f4-vs-monticello-motor-club/,2010 MV Agusta F4 Vs. Monticello Motor Club | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2010/12/racer-don-emde/,Racer: Don Emde | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2010/05/shop-4q-conditioning/,Shop: 4Q Conditioning | Hell for Leather,,,,0,instapaper +http://kottke.org/12/06/ten-bets-youll-never-lose,Ten bets you'll never lose,,,,0,instapaper +http://getfrictionless.com/when-friction-is-fiction/,When Friction is Fiction | Frictionless,,,,0,instapaper +http://www.youtube.com/watch?v=klHDzIIrsjY,Deadly 60 - Goliath Bird Eating Spider - YouTube,,,,0,instapaper +http://photooftheday.hughcrawford.com/,Some Photographs of That Day,,,,0,instapaper +http://www.theverge.com/2012/6/8/3068342/prosper-scamworld-internet-marketing-boiler-room-joe-vitale-mitt-romney,Mitt Romney goes to Scamworld: Prosper^comma^ Inc. and its powerful friends | The Verge,,,,0,instapaper +http://claire.robertson.usesthis.com/,ClaireRobertson,,,,0,instapaper +http://www.youtube.com/watch?v=WB5CawKfE2M,New Wind Turbine FloDesign - YouTube,,,,0,instapaper +http://nowiknow.com/googles-lawn-mowing-goats/,Googles Lawn Mowing Goats Now I Know Falses,,,,0,instapaper +http://www.leancrew.com/all-this/2012/06/marcosoft/,Marcosoft - All this,,,,0,instapaper +http://gawker.com/5914621/the-long-fake-life-of-js-dirr-a-decade+long-internet-cancer-hoax-unravels,The Long^comma^ Fake Life of J.S. Dirr: A Decade-Long Internet Cancer Hoax Unravels,,,,0,instapaper +http://modmyi.com/forums/native-iphone-ipod-touch-app-discussion/806657-photos-video-disappear-camera-roll.html,Photos and video disappear from camera roll,,,,0,instapaper +http://whitehousetapes.net/clips/1964_0809_lbj_haggar/,WhiteHouseTapes.org Transcript+Audio clip,,,,0,instapaper +http://www.wired.com/politics/law/magazine/17-04/ff_diamonds?currentPage=all,The Untold Story of the World's Biggest Diamond Heist,,,,0,instapaper +http://www.slate.com/articles/technology/technology/2011/10/steve_jobs_biography_the_new_book_doesn_t_explain_what_made_the_.single.html,Steve Jobs biography: The new book doesnt explain what made the Apple CEO tick. - Slate Magazine,,,,0,instapaper +http://hellforleathermagazine.com/2012/06/sliding-catalunya-at-1000fps/,Sliding Catalunya at 1^comma^000fps | Hell for Leather,,,,0,instapaper +http://www.thefoxisblack.com/2012/06/04/speed-of-light-a-k-a-the-worlds-tiniest-police-chase-video/,Speed of Light a.k.a. The Worlds Tiniest Police Chase (video) | The Fox Is Black,,,,0,instapaper +http://hellforleathermagazine.com/2012/06/rideapart-8-making-parts-with-roland-sands-design/,RideApart 8: Making parts with Roland Sands Design | Hell for Leather,,,,0,instapaper +http://www.theverge.com/2012/6/5/3062611/palm-webos-hp-inside-story-pre-postmortem,Pre to postmortem: the inside story of the death of Palm and webOS | The Verge,,,,0,instapaper +http://thew0rd.com/2010/07/13/56k-dial-up-modem-ringtone-for-iphone/,56k Dial-up Modem Ringtone For iPhone and Android | What's the w0rd?,,,,0,instapaper +http://www.theatlantic.com/technology/False/2012/06/the-mechanics-and-meaning-of-that-ol-dial-up-modem-sound/257816/,Technology - Alexis Madrigal - The Mechanics and Meaning of That Ol' Dial-Up Modem Sound - The Atlantic,,,,0,instapaper +http://www.esquire.com/print-this/bill-murray-interview-0612?page=all,Print - Bill Murray: The ESQ+A - Esquire,,,,0,instapaper +http://www.simonblog.com/2010/03/29/how-to-fix-cydia-crash-after-iphone-jailbreak/,How To Fix Cydia Crash After iPhone Jailbreak,,,,0,instapaper +http://fallingandlaughing.com/post/24369122708/i-had-a-longish-drive-home-today-after-a-splendid,I had a longish drive home today after a splendid... | Falling and Laughing,,,,0,instapaper +http://hellforleathermagazine.com/2012/06/crashed-2005-r1-sets-new-ring-record/,Crashed 2005 R1 sets new Ring record | Hell for Leather,,,,0,instapaper +http://images.apple.com/iphone/business/docs/iOS_Security_May12.pdf,(Saving...),,,,0,instapaper +http://www.time.com/time/specials/packages/article/0^comma^28804^comma^2094921_2094923_2094924^comma^00.html,Entrepreneurs Who Go It Alone By Choice - Entrepreneurial Insights - TIME,,,,0,instapaper +http://informationarchitects.net/blog/sweep-the-sleaze/,Sweep the Sleaze | Information Architects,,,,0,instapaper +http://io9.com/5912901/a-brief-history-of-four-letter-words,A brief history of four letter words,,,,0,instapaper +http://www.mcsweeneys.net/columns/interviews-with-people-who-have-interesting-or-unusual-jobs,McSweeneys Internet Tendency: Interviews With People Who Have Interesting or Unusual Jobs,,,,0,instapaper +http://www.theclymb.com/brand-event/36357/show-product/56015?f=mi,The Clymb | The Gear You Need. Up to 70% Below Retail.,,,,0,instapaper +http://www.onefoottsunami.com/2012/05/30/im-with-stupid/,One Foot Tsunami: Im With Stupid,,,,0,instapaper +http://www.core77.com/blog/homeware/a_watched_pot_never_boils_but_this_one_stirs_itself_22554.asp,A Watched Pot Never Boils^comma^ But This One Stirs Itself - Core77,,,,0,instapaper +http://www.fastcompany.com/1837966/mustafas-space-drive-an-egyptian-students-quantum-physics-invention,Mustafa's Space Drive: An Egyptian Student's Quantum Physics Invention | Fast Company,,,,0,instapaper +http://nick.typepad.com/blog/2012/05/screw-the-power-users.html,Nick Bradbury: Screw the Power Users,,,,0,instapaper +http://notmuchmail.org/pipermail/notmuch/2010/001690.html,[notmuch] Initial tagging,,,,0,instapaper +http://opinionator.blogs.nytimes.com/2012/05/24/total-eclipse/,There's Something About Arizona - NYTimes.com,,,,0,instapaper +http://www.macworld.com/article/1166965/quickly_share_ios_photos_with_your_mac.html,Quickly share iOS photos with your Mac | Macworld,,,,0,instapaper +instapaper-private://email/bc61cdb6ddc2fe7b6f0a5af6ce56d7b7/,[dan.lewis@gmail.com: Now I Know: Bed Time],,,,0,instapaper +instapaper-private://email/cc82a22a43a549d9833ccc1424c5bcdb/,[moderator@thebestthingthisyear.com: I jumped off a cliff],,,,0,instapaper +http://codeascraft.etsy.com/,Code as Craft,,,,0,instapaper +http://news.cnet.com/8301-32973_3-57440513-296/meet-the-tireless-entrepreneur-who-squatted-at-aol/,Meet the tireless entrepreneur who squatted at AOL,,,,0,instapaper +http://www.physicstoday.org/resource/1/phtoad/v65/i5/p47_s1?bypassSSO=1,A tale of openness and secrecy: The Philadelphia Story | Print Edition - Physics Today,,,,0,instapaper +http://kickingbear.com/blog/Falses/305,kickingbear Blog False Three Things That Should Trouble Apple,,,,0,instapaper +http://tech.fortune.cnn.com/2012/05/24/apple-tim-cook-ceo/,How Tim Cook is changing Apple - Fortune Tech,,,,0,instapaper +http://www.youtube.com/watch?v=-ndly3FCcLA,Fundamental Skills of Heel-and-Toe - YouTube,,,,0,instapaper +http://mutt.blackfish.org.uk/,My first mutt,,,,0,instapaper +http://mark.stosberg.com/Tech/mutt.html,Mark Stosberg's Mutt Fan & Tip Page,,,,0,instapaper +http://www.zeebuck.com/bimmers/tech/rearbrakes.html,2002 Rear Brake Adjustment,,,,0,instapaper +http://kottke.org/12/05/skydiver-lands-safely-without-parachute,Skydiver lands safely without parachute,,,,0,instapaper +http://www.macstories.net/stories/four-years-of-app-store-developers-weigh-in-on-search-discovery-and-curation/,Search^comma^ Discovery^comma^ and Curation in the AppStore,,,,0,instapaper +http://www.telegraph.co.uk/technology/apple/9283706/Jonathan-Ive-simplicity-isnt-simple.html,Jonathan Ive: simplicity isn't simple - Telegraph,,,,0,instapaper +http://www.telegraph.co.uk/technology/apple/9283486/Jonathan-Ive-interview-Apples-design-genius-is-British-to-the-core.html,Jonathan Ive interview: Apple's design genius is British to the core - Telegraph,,,,0,instapaper +http://ngm.nationalgeographic.com/everest/blog/contents,Field Test: On Everest - Dispatches from the Mountain - Pictures^comma^ More From National Geographic Magazine,,,,0,instapaper +http://www.caseymacphoto.com/lightroom-instagram-presets,Adobe Lightroom Instagram Presets | Casey Mac Photo,,,,0,instapaper +http://www.enoughbook.com/the-value-of-email/,The Value of Email | Enough The Book,,,,0,instapaper +https://live.leapmotion.com/about/,About | LEAP Motion,,,,0,instapaper +http://www.subsonic.org/pages/index.jsp,Subsonic Free Music Streamer,,,,0,instapaper +http://www.mymodernmet.com/profiles/blogs/inked-up-self-portraits,Inked Up Self Portraits - My Modern Metropolis,,,,0,instapaper +http://mobile.sbnation.com/ncaa-football/2012/5/14/3018796/college-football-relegation-realignment-american-sports/in/2785643,Relegation: Why College Football Needs To Embrace Cannibalism - SBNation.com,,,,0,instapaper +http://m.jezebel.com/5911504/here-is-gilbert-gottfried-reading-aloud-from-fifty-shades-of-grey,Here Is Gilbert Gottfried Reading Aloud from Fifty Shades of Grey,,,,0,instapaper +http://www.latimes.com/business/technology/la-fi-tn-facebook-trading-20120518^comma^0^comma^6622700.story,Facebook underwriters prop up stock - latimes.com,,,,0,instapaper +http://vimeo.com/41753090,Peter Brings the Shadow to Life on Vimeo,,,,0,instapaper +http://www.gq.com/entertainment/celebrities/201206/justin-bieber-gq-june-2012-interview?printable=true,Justin Bieber - GQ Profile June 2012: Celebrities: GQ,,,,0,instapaper +http://vimeo.com/41869140,The Making of the Leica M9-P Edition Herms Srie Limite Jean-Louis Dumas on Vimeo,,,,0,instapaper +http://www.ben-kay.com/2012/05/aaron-sorkins-commencement-speech-from-three-days-ago/,If This Is A Blog Then What's Christmas? - Aaron Sorkins Commencement speech (from three days ago).,,,,0,instapaper +http://www.ted.com/talks/sheryl_sandberg_why_we_have_too_few_women_leaders.html,Sheryl Sandberg: Why we have too few women leaders | Video on TED.com,,,,0,instapaper +http://www.quora.com/Pixar-Animation-Studios/Did-Pixar-accidentally-delete-Toy-Story-2-during-production/answer/Oren-Jacob,Oren Jacob's answer to Pixar Animation Studios: Did Pixar accidentally delete Toy Story 2 during production? - Quora,,,,0,instapaper +http://www.youtube.com/watch?feature=player_embedded&v=YTVFNZKuN-g,Mike Birbiglia's new short film from This American Life LIVE - YouTube,,,,0,instapaper +http://kottke.org/09/10/the-worlds-best-pancake-recipe,The world's best pancake recipe,,,,0,instapaper +http://www.macbartender.com/,Bartender: Mac Menu Bar ItemControl,,,,0,instapaper +http://nymag.com/print/?/news/features/mark-zuckerberg-2012-5/,The Maturation of the Billionaire Boy-Man,,,,0,instapaper +http://nymag.com/news/features/future-of-facebook-2012-5/,Why Facebook Has Not Already Peaked -- New York Magazine,,,,0,instapaper +http://www.gq.com/news-politics/newsmakers/201205/george-wright-fugitive-capture-story?printable=true&mobify=0,George Wright Fugitive Story - Uncatchable GQ May 2012: Newsmakers: GQ,,,,0,instapaper +http://boris.vorontsov.usesthis.com/,BorisVorontsov,,,,0,instapaper +http://fiftyfootshadows.net/2012/05/07/why-my-ipad-is-not-my-laptop/,Why My iPad Is Not MyLaptop,,,,0,instapaper +http://www.newyorker.com/reporting/2009/10/19/091019fa_fact_gladwell?currentPage=all,Football^comma^ dogfighting^comma^ and brain damage : The New Yorker,,,,0,instapaper +http://imageoptim.com/,ImageOptim make websites and apps load faster (Mac app),,,,0,instapaper +http://www.telegraph.co.uk/technology/9231855/Air-France-Flight-447-Damn-it-were-going-to-crash.html,Air France Flight 447: 'Damn it^comma^ were going to crash - Telegraph,,,,0,instapaper +http://io9.com/5907499/this-is-what-it-looks-like-to-live-off-the-grid-in-the-united-states,"This is what it looks like to live ""off the grid"" in the United States",,,,0,instapaper +http://www.bitcasa.com/,Infinite Storage on Your Desktop @ Bitcasa,,,,0,instapaper +http://mattgemmell.com/2012/05/02/ipad-productivity-apps/,iPad productivityapps,,,,0,instapaper +http://www.bbc.co.uk/news/world-africa-17857239,BBC News - An 86-year-old^comma^ real-life Robinson Crusoe,,,,0,instapaper +http://yourhead.tumblr.com/post/22134222169/why-my-ipad-is-not-my-laptop,isaiahs web log : Why my iPad is NOT my laptop.,,,,0,instapaper +https://www.youtube.com/watch?v=FP3YyJz3HsU,Jon Stewart PWNS Jim Cramer on The Daily Show Face 2 Face Full Episode - YouTube,,,,0,instapaper +http://www.cultofmac.com/163964/this-is-what-true-multitasking-in-ios-6-should-look-like-video/,This Is What True Multitasking in iOS 6 ShouldLookLike,,,,0,instapaper +http://shawnblanc.net/2012/04/ipad-laptop/,Why the iPad Is My New Laptop Shawn Blanc,,,,0,instapaper +http://artofmanliness.com/2010/12/16/nine-writers-carrying-the-torch-for-mens-fiction/,Mens Fiction: 9 Authors You Need to Start Reading Today | The Art of Manliness,,,,0,instapaper +http://www.ludumdare.com/compo/2012/04/26/a-summary-of-a-super-mario-summary/,Ludum Dare Blog False A Summary of A Super Mario Summary,,,,0,instapaper +http://visualsupply.co/vscocam/,VSCO CAM | Visual Supply Co,,,,0,instapaper +http://hellforleathermagazine.com/2012/04/watch-supermoto-at-300fps/,Watch supermoto at 300fps | Hell for Leather,,,,0,instapaper +https://github.com/mathiasbynens/dotfiles,mathiasbynens/dotfiles GitHub,,,,0,instapaper +http://www.blogs.uni-osnabrueck.de/rotapken/2008/12/03/create-screenshots-of-a-web-page-using-python-and-qtwebkit/,Cybso. Blog False Create screenshots of a web page using Python and QtWebKit,,,,0,instapaper +https://github.com/mathiasbynens/dotfiles/blob/master/.aliases,dotfiles/.aliases at master mathiasbynens/dotfiles,,,,0,instapaper +http://www.designboom.com/weblog/cat/8/view/20693/vinyl-record-animations.html,vinyl record animations,,,,0,instapaper +http://www.core77.com/blog/object_culture/for_those_who_dream_of_living_in_abandoned_factories_here_is_your_king_22292.asp,For Those Who Dream of Living in Abandoned Factories^comma^ Here is Your King - Core77,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=116:the-man-who-hacked-hollywood&catid=35:articles&Itemid=54,The Man Who Hacked Hollywood,,,,0,instapaper +http://www.fastcompany.com/magazine/165/steve-jobs-legacy-tapes,Into The Wild: Lost Conversations From Steve Jobs' Best Years | Fast Company,,,,0,instapaper +http://hellforleathermagazine.com/2012/04/rideapart-episode-2-cleveland-cyclewerk/,RideApart episode 2: Cleveland CycleWerks | Hell for Leather,,,,0,instapaper +http://kottke.org/12/04/zero-to-twelve-years-old-in-under-three-minutes,Zero to twelve years old in under three minutes,,,,0,instapaper +http://artofmanliness.com/2010/10/07/skydiving-from-space-part-ii-nick-piantanidas-magnificent-failure/,Skydiving From Space: Nick Piantanida | The Art of Manliness,,,,0,instapaper +http://artofmanliness.com/2010/09/29/skydiving-from-space-part-i-joseph-w-kittingers-long-lonely-leap/,Skydiving From Space: Joseph Kittinger | The Art of Manliness,,,,0,instapaper +http://www.thisiscolossal.com/2012/04/jetman-yvet-rossy-conquers-the-sky-above-the-swiss-alps/,Jetman Yvet Rossy Conquers the Sky Above the Swiss Alps | Colossal,,,,0,instapaper +http://brooksreview.net/2012/04/feathers/,RuffledFeathers,,,,0,instapaper +https://www.youtube.com/watch?v=W9iNMxjxL7k&list=PL8F958E5A33D37788&index=7&feature=plpp_video,SAF - Severed Corpus Callosum.m4v - YouTube,,,,0,instapaper +https://www.youtube.com/watch?v=OrQfvq9RfM0,Girls Season 1: Episode 1 (HBO) - YouTube,,,,0,instapaper +http://waxy.org/2005/11/house_of_cosbys_1/,House of Cosbys^comma^ Mirrored - Waxy.org,,,,0,instapaper +http://patft.uspto.gov/netacgi/nph-Parser?Sect1=PTO2&Sect2=HITOFF&p=1&u=%2Fnetahtml%2FPTO%2Fsearch-bool.html&r=2&f=G&l=50&co1=AND&d=PTXT&s1=7005080&OS=7005080&RS=7005080,United States Patent: 7005080,,,,0,instapaper +http://www.esquire.com/print-this/jon-stewart-profile-1011?page=all,Print - Jon Stewart and the Burden of History - Esquire,,,,0,instapaper +http://mansgottado.tumblr.com/post/6717155786/its-okay-to-be-a-cat-guy-watching-this-brought,(Saving...),,,,0,instapaper +http://mansgottado.tumblr.com/post/20983239837/dogs-gotta-ride-heck-dog-even-mounts-up-and,(Saving...),,,,0,instapaper +http://zackarias.com/for-photographers/gear-gadgets/ummm-maybe-ummm-yes-fuji-x-pro-1-review/,Ummm. Maybe. Ummm. Yes. :: Fuji X-Pro 1 Review Photography By Zack Arias ATL 404-939-2263 studio@zackarias.com,,,,0,instapaper +http://www.swiss-miss.com/2010/06/zapfino.html,swissmiss | Zapfino,,,,0,instapaper +http://cainesarcade.com/,Caine's Arcade | A cardboard arcade made by a 9-year old boy.,,,,0,instapaper +http://geniusmemoirs.com/kindle/,Kindle | Bartending: Memoirs of an Apple Genius,,,,0,instapaper +http://hellforleathermagazine.com/2012/04/a-dirt-bike-race-for-the-common-man/,A dirt bike race for the common man | Hell for Leather,,,,0,instapaper +http://www.windingroad.com/articles/reviews/comparison-2012-mitsubishi-lancer-evolution-x-mr-vs-2012-subaru-impreza-wrx-sti-five-door/,Winding Road | Comparison: 2012 Mitsubishi Lancer Evolution X MR vs. 2012 Subaru Impreza WRX STI Five-Door,,,,0,instapaper +http://www.theverge.com/2012/4/10/2925937/best-stylus-ipad-review,The best stylus for iPad: we review the hits and misses | The Verge,,,,0,instapaper +http://nymag.com/daily/intel/2012/04/facebook-and-instagram-when-your-favorite-app-sells-out.html,Facebook and Instagram: When Your Favorite App Sells Out -- Daily Intel,,,,0,instapaper +http://nick.disabato.usesthis.com/,An interview with Nick Disabato,,,,0,instapaper +https://www.youtube.com/watch?v=PRn1xKPloEE&feature=share,Tuperware^comma^ a Tribute - YouTube,,,,0,instapaper +http://michelle.borkin.usesthis.com/,An interview with Michelle Borkin,,,,0,instapaper +http://www.macworld.com/article/1166254/what_you_need_to_know_about_the_flashback_trojan.html,What you need to know about the Flashback trojan | Macworld,,,,0,instapaper +http://motherjones.com/mojo/2012/04/women-picking-fruit-stock-photos-endorse-al-franken,Woman Picking Fruit in Stock Photo Endorses Al Franken | Mother Jones,,,,0,instapaper +http://www.stephenfry.com/2012/04/03/four-and-half-years-on/single-page/,Four and Half Years On The New Adventures of Stephen Fry,,,,0,instapaper +http://mattgemmell.com/2012/04/06/appsterdam/,Thoughts on Appsterdam - Matt Gemmell,,,,0,instapaper +http://eggfreckles.net/files/how-i-met-john-gruber.html,How I Met John Gruber | Egg Freckles,,,,0,instapaper +https://github.com/etsy/statsd/,etsy/statsd,,,,0,instapaper +http://graphite.wikidot.com/,Graphite - Scalable Realtime Graphing - Graphite,,,,0,instapaper +http://daringfireball.net/2012/04/obviousness, Apples Highest Priority IsObviousness,,,,0,instapaper +http://www.amazon.com/gp/feature.html/ref=amb_link_361567062_6?ie=UTF8&docId=1000778121&pf_rd_m=ATVPDKIKX0DER&pf_rd_s=gateway-center-column&pf_rd_r=15Z5Y8FHWJH2W7H8R4PH&pf_rd_t=101&pf_rd_p=1359392042&pf_rd_i=507846,Amazon Instant Video on Your PlayStation 3,,,,0,instapaper +http://pastie.org/358427,#358427 - Pastie,,,,0,instapaper +http://www.papermill.me/firstweeks/,Papermill,,,,0,instapaper +http://vimeo.com/36820781,stereo skifcha on Vimeo,,,,0,instapaper +http://ole.michelsen.dk/blog/view-source-on-the-ipad-and-iphone/,View source on the iPad and iPhone | Ole Michelsen,,,,0,instapaper +http://waxy.org/2005/03/wordpress_websi/,Wordpress Website's Search Engine Spam - Waxy.org,,,,0,instapaper +http://dashes.com/anil/2004/06/learning-from-e.html,learning from experience - Anil Dash,,,,0,instapaper +http://www.foreignpolicy.com/articles/2012/03/29/the_revenge_of_wen_jiabao?page=full,The Revenge of Wen Jiabao - By John Garnaut | Foreign Policy,,,,0,instapaper +http://www.amaproracing.com/rr/about/index.cfm?class=ds,AMA Pro Racing - Road Racing - About,,,,0,instapaper +http://motomatters.com/analysis/2011/11/22/crt_faq_everything_you_always_wanted_to_.html,CRT FAQ: Everything You Always Wanted To Know About The Claiming Rule Teams^comma^ But Were Afraid To Ask | MotoMatters.com | Kropotkin Thinks,,,,0,instapaper +https://www.macworld.com/article/1166152/macalope_fools_of_2012.html,The Macalope Weekly Special Edition: Fools of the Year | Macworld,,,,0,instapaper +http://hellforleathermagazine.com/2012/04/michael-czysz-on-motogp-its-lost/,Michael Czysz on MotoGP: its lost | Hell for Leather,,,,0,instapaper +http://m.newyorker.com/online/blogs/books/2012/03/hunger-games-and-trayvon-martin.html,The Book Bench: White Until Proven Black: Imagining Race in Hunger Games : The New Yorker,,,,0,instapaper +http://dashes.com/anil/2012/04/readability-instapaper-the-network-and-the-price-we-pay.html,Anil Dash on Readability andInstapaper,,,,0,instapaper +http://www.anandtech.com/show/5688/apple-ipad-2012-review,AnandTech - The Apple iPad Review (2012),,,,0,instapaper +http://shawnblanc.net/2012/03/diary-of-an-ipad-3-owner/,Diary of an iPad (3) Owner Shawn Blanc,,,,0,instapaper +http://www.theatlantic.com/magazine/False/2012/04/the-man-who-broke-atlantic-city/8900/2/?single_page=true,The Man Who Broke Atlantic City - Magazine - The Atlantic,,,,0,instapaper +http://go.bloomberg.com/tech-blog/2012-03-20-now-can-we-start-talking-about-the-real-foxconn/,Now Can We Start Talking About the Real Foxconn? - Bloomberg,,,,0,instapaper +http://www.guardian.co.uk/books/2012/mar/16/escape-north-korea-prison-camp,How one man escaped from a North Korean prison camp | World news | The Guardian,,,,0,instapaper +http://itunes.apple.com/us/app/koder/id439271237?mt=8&ls=1,Koder Code Editor for iPad on the iTunes App Store,,,,0,instapaper +http://wholefooddiary.com/,Whole food articles^comma^ recipes^comma^ and ingredients - The Whole Food Diary,,,,0,instapaper +http://labs.adobe.com/technologies/photoshopcs6/,Adobe Photoshop CS6 Beta | digital image editing software - Adobe Labs,,,,0,instapaper +http://www.kickstarter.com/projects/2112778132/the-clandestine,The Clandestine by Joseph Campo Kickstarter,,,,0,instapaper +https://generalassemb.ly/start/fundamentals-of-entrepreneurship#making-something-people-love,General Assembly Online Classroom,,,,0,instapaper +http://cloudfour.com/how-apple-com-will-serve-retina-images-to-new-ipads/,How Apple.com will serve retina images to new iPads Cloud Four,,,,0,instapaper +http://devcenter.heroku.com/articles/bamboo,About the Badious Bamboo Stack | Heroku Dev Center,,,,0,instapaper +http://devcenter.heroku.com/articles/blitline,Blitline | Heroku Dev Center,,,,0,instapaper +http://devcenter.heroku.com/articles/avoiding-apex-domains-dns-arecords,Avoiding Apex Domains and DNS A-records | Heroku Dev Center,,,,0,instapaper +http://allinthehead.com/retro/361/how-to-make-your-website-fast,How To Make Your Website Fast All in the head,,,,0,instapaper +http://www.macstories.net/stories/comparing-my-favorite-ios-text-editors/,Comparing My Favorite iOS Text Editors,,,,0,instapaper +http://www.thisamericanlife.org/blog/2012/03/retracting-mr-daisey-and-the-apple-factory,"Retracting ""Mr. Daisey and the Apple Factory"" | This American Life",,,,0,instapaper +http://rc3.org/2012/03/16/mike-daisey-sandra-fluke-and-the-importance-of-credibility/,rc3.org - Mike Daisey^comma^ Sandra Fluke^comma^ and the importance of credibility,,,,0,instapaper +http://www.marketplace.org/topics/life/ieconomy/acclaimed-apple-critic-made-details,An acclaimed Apple critic made up the details | Marketplace from American Public Media,,,,0,instapaper +https://duckduckgo.com/?q=zsh+not+displaying+all+characters+putty,zsh not displaying all characters putty at DuckDuckGo,,,,0,instapaper +http://c.learncodethehardway.org/book/,Learn C The Hard Way A Clear & Direct Introduction To Modern C Programming,,,,0,instapaper +http://torrentfreak.com/bittorrent-pirates-go-nuts-after-tv-release-groups-dump-xvid-120303/,The Most Telling Sign that H.264 Is Still Rising inProminence,,,,0,instapaper +http://www.dailykos.com/story/2012/02/19/1066069/-A-brief-guide-to-the-scientific-consensus-on-climate-change,Daily Kos: A brief guide to the scientific consensus on climate change,,,,0,instapaper +http://www.thefader.com/2011/05/25/how-ya-livin-biggie-smalls/?single_paged=1,How Ya Livin Biggie Smalls? The FADER,,,,0,instapaper +http://www.quiethounds.com/,Quiet Hounds,,,,0,instapaper +http://techcrunch.com/2012/03/04/everything-everywhere-all-the-time/,Everything^comma^ Everywhere^comma^ All The Time | TechCrunch,,,,0,instapaper +http://thegreatdiscontent.com/,The Great Discontent (TGD),,,,0,instapaper +https://www.sugarsync.com/,Sugar Sync,,,,0,instapaper +http://www.core77.com/blog/object_culture/the_inventions_of_oscar_lhermitte_spinning_visuals_and_automatic_bookmark_21884.asp,The Inventions of Oscar Lhermitte: Spinning Visuals and Automatic Bookmark - Core77,,,,0,instapaper +http://thenextweb.com/apple/2012/01/24/this-is-how-apples-top-secret-product-development-process-works/,How Apple's Top Secret Product Development Process Works,,,,0,instapaper +http://www.tuaw.com/2012/03/01/retina-display-macs-ipads-and-hidpi-doing-the-math/,Retina display Macs^comma^ iPads^comma^ and HiDPI: Doing the Math | TUAW - The Unofficial Apple Weblog,,,,0,instapaper +http://www.tnr.com/article/politics/101283/cats-internet-memes-science-aesthetics,Perry Stein: Why Do Cats Run The Internet? A Scientific Explanation | The New Republic,,,,0,instapaper +http://www.businessweek.com/printer/articles/10512-how-three-germans-are-cloning-the-web,How Three Germans Are Cloning the Web - Businessweek,,,,0,instapaper +http://blog.sanctum.geek.nz/better-bash-history/,Better Bash history | Arabesque,,,,0,instapaper +http://www.youtube.com/watch?feature=player_embedded&v=j-kbMF1GF2A#!,Cassetteboy vs The News - YouTube,,,,0,instapaper +http://ethanschoonover.com/solarized,Solarized - Ethan Schoonover,,,,0,instapaper +http://softwaremaniacs.org/soft/highlight/en/#When:18:38,highlight.js,,,,0,instapaper +http://abcnews.go.com/watch/nightline/SH5584743/VD55173552/nightline-221-apples-chinese-factories-exclusive,Nightline 2/21: Apple's Chinese Factories: Exclusive Full Episode - Nightline - ABC News,,,,0,instapaper +http://moemartinez.com/portfolio/personal/,Moe Martinez Personal,,,,0,instapaper +http://code.google.com/p/phantomjs/wiki/QuickStart,QuickStart - phantomjs - 5-Minute Guide - headless WebKit with JavaScript API - Google Project Hosting,,,,0,instapaper +http://hrbrt.me/subtle-papers-for-iphone,Subtle Papers for iPhone - hrbrt dot me,,,,0,instapaper +http://www.nytimes.com/2012/02/19/magazine/shopping-habits.html?_r=2&pagewanted=1&hp&pagewanted=all,How Companies Learn Your Secrets - NYTimes.com,,,,0,instapaper +http://www.mcsweeneys.net/articles/what-its-like-being-president-metaphorically-speaking#.Tz5oV9PL6ZE.twitter,McSweeneys Internet Tendency: What Its Like Being President^comma^ Metaphorically Speaking.,,,,0,instapaper +http://online.wsj.com/article/SB10001424052970203315804577209230884246636.html,More Doctors 'Fire' Vaccine Refusers - WSJ.com,,,,0,instapaper +http://www.everythingisaremix.info/everything-is-a-remix-part-4/,Everything is a Remix Part 4 | Everything Is a Remix,,,,0,instapaper +http://goodmenproject.com/featured-content/comic-rob-delaney-on-porn-sobriety-twitter-and-feminism/,Comic Rob Delaney on Porn^comma^ Sobriety^comma^ Twitter^comma^ and Feminism The Good Men Project,,,,0,instapaper +http://www.nytimes.com/2012/01/31/health/views/in-search-of-the-elusive-definition-of-heterosexuality.html?_r=1,In Search of the Elusive Definition of Heterosexuality - NYTimes.com,,,LongForm,0,instapaper +http://daringfireball.net/2012/02/walter_isaacson_steve_jobs, Walter Isaacsons SteveJobs,,,,0,instapaper +http://www.b-list.org/weblog/2012/feb/13/reddit/,reddit takes a new direction,,,,0,instapaper +https://github.com/dorkitude/Alfred-Hacks,dorkitude/Alfred-Hacks - GitHub,,,,0,instapaper +http://chocolatapp.com/,Chocolat Text Editor for Mac,,,,0,instapaper +http://parislemon.com/post/17527312140/content-everywhere-but-not-a-drop-to-drink,parislemon Content Everywhere^comma^ But Not A Drop To Drink,,,,0,instapaper +http://www.newyorker.com/reporting/2008/11/24/081124fa_fact_bilger?currentPage=all,Sam Calagione^comma^ Dogfish Head^comma^ and extreme beer : The New Yorker,,,,0,instapaper +http://www.flickr.com/photos/dboo/sets/72157613094305943/,100 photos. - a set on Flickr,,,,0,instapaper +http://gizmodo.com/5878942,Inside Instagram: How Slowing Its Roll Put the Little Startup in the Fast Lane,,,,0,instapaper +http://mutablecode.com/apps/nerdtool,Nerdtool | MutableCode,,,,0,instapaper +http://hiddentruths.northwestern.edu/,Hidden Truths: Pamela Bannos,,,,0,instapaper +http://gigaom.com/mobile/nokia-ringtone-during-violin-solo-yields-classical-improv/,Nokia ringtone during violin solo yields classical improv Mobile Technology News,,,,0,instapaper +http://www.thisamericanlife.org/radio-Falses/episode/419/petty-tyrant,Petty Tyrant | This American Life,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=83:these-are-definitely-not-scullys-breasts-&catid=35:articles&Itemid=54,These are Definitely Not Scully's Breasts,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=82:the-worlds-most-dangerous-geek-&catid=35:articles&Itemid=54,The World's Most Dangerous Geek,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=76:the-face-of-facebook&catid=35:articles&Itemid=54,The Face of Facebook,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=61:cormac-mccarthys-apocalypse-&catid=35:articles&Itemid=54,Cormac McCarthy's Apocalypse,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=62:like-minds-&catid=35:articles&Itemid=54,Like Minds,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=52:anonymous-vs-cientology&catid=35:articles&Itemid=54,Anonymous vs. Scientology,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=100:when-man-a-machine-merge&catid=35:articles&Itemid=54,When Man & Machine Merge,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=101:drug-sub-culture&catid=35:articles&Itemid=54,Drug-Sub Culture,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=109:the-all-american-bank-heist&catid=35:articles&Itemid=54,The All-American Bank Heist,,,,0,instapaper +http://www.esquire.com/ESQ0201-FEB_Greg_Dark_rev#ixzz1lAOOFipE,The Devil in Greg Dark,,,,0,instapaper +http://thoughtcatalog.com/2011/all-the-sad-young-pretty-girls/,All The Sad Young Pretty Girls Thought Catalog,,,,0,instapaper +http://brainmatter.tumblr.com/post/17207567790/impossible-happens,Brain Matter(s) - Impossible Happens,,,,0,instapaper +http://timeago.yarp.com/,timeago: a jQuery plugin,,,,0,instapaper +http://enyojs.com/,Enyo JavaScript Application Framework,,,,0,instapaper +http://www.queness.com/code-snippet/6495/get-the-latest-twitter-tweet-with-jquery,Get The Latest Twitter Tweet with jQuery | Code Snippets | Queness,,,,0,instapaper +http://www.nealgrosskopf.com/tech/thread.php?pid=34,NealGrosskopf.com l How To Get Delicious Bookmark Total Using JQuery And JSON,,,,0,instapaper +http://512pixels.net/writers-i-read-marco-arment/,Writers I Read: Marco Arment 512 Pixels,,,,0,instapaper +http://strobist.blogspot.com/2012/01/qa-down-phase-one-rabbit-hole.html,Strobist: QA: Down the Phase One Rabbit Hole,,,,0,instapaper +http://zackarias.com/for-photographers/gear-gadgets/why-i-moved-to-medium-format-phase-one-iq140-review/,Why I Moved To Medium Format :: Phase One IQ140 Review Photography By Zack Arias ATL 404-939-2263 studio@zackarias.com,,,,0,instapaper +http://christianv.github.com/jquery-lifestream/me/#When:10:05,Your lifestream - made with jQuery Lifestream,,,,0,instapaper +http://www.brainpickings.org/index.php/2012/02/02/three-primary-colors-ok-go-sesame-street/,Three Primary Colors: OK Go and Sesame Street Explain Basic Color Theory in Stop-Motion | Brain Pickings,,,,0,instapaper +http://brooksreview.net/2012/02/sa-pt-iii/, Smart Alec Review:PartIII,,,,0,instapaper +http://www.aaronschuman.com/sothinterview.html,"""Sleeping by the Mississippi""^comma^ An Interview with Alec Soth",,,,0,instapaper +http://www.esquire.com/print-this/iraq-terrorist-hunter-0311?page=all,Print - The Hunter Becomes the Hunted - Esquire,,,,0,instapaper +http://www.subtraction.com/2012/01/27/rambling-thoughts,Subtraction.com: Rambling Thoughts on Tumblr^comma^ WordPress^comma^ Posterous^comma^ Pinterest and Blogging,,,,0,instapaper +http://www.clusterflock.org/2012/01/von-triers-antichrist.html,Von TriersAntichrist,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=110:the-autistic-hacker&catid=35:articles&Itemid=54,The Autistic Hacker,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=111:murder-by-text&catid=35:articles&Itemid=54,Murder By Text,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=113:the-hacker-is-watching&catid=35:articles&Itemid=54,The Hacker is Watching,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=108:click-and-dagger-inside-wikileaks-leak-factory&catid=35:articles&Itemid=54,Click and Dagger: Inside WikiLeaks' Leak Factory,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=98:kid-rock&catid=35:articles&Itemid=54,Kid Rock,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=65:password-charlie-&catid=35:articles&Itemid=54,Password: Charlie,,,,0,instapaper +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=77:im-not-bobby-fischer&catid=35:articles&Itemid=54,"""I'm Not Bobby Fischer""",,,,0,instapaper +http://www.nytimes.com/2012/01/22/business/apple-america-and-a-squeezed-middle-class.html?_r=1&ref=technology&pagewanted=all,Apple^comma^ America and a Squeezed Middle Class - NYTimes.com,,,,0,instapaper +http://en.wikipedia.org/wiki/Willie_Horton,Willie Horton - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://512pixels.net/next-the-software/,NeXT: The Software 512 Pixels,,,,0,instapaper +http://fragments.turtlemeat.com/pythonwebserver.php,Making a simple web server in Python,,,,0,instapaper +http://kottke.org/12/01/adeles-rolling-in-the-deep-covered-and-covered-and-covered,Adele's Rolling in the Deep^comma^ covered and covered andcovered,,,,0,instapaper +http://thefoxisblack.com/2012/01/19/jaaam-the-fresh-prince-remix-by-pogo/,Jaaam (The Fresh Prince Remix) byPogo,,,,0,instapaper +http://www.kickstarter.com/projects/dmarkus/ferrite-interactive-liquid-sculpture,Ferrite - Interactive Liquid Sculpture by David Markus Kickstarter,,,,0,instapaper +http://www.mcsweeneys.net/sopa,McSweeneys: PROTEST SOPA.,,,,0,instapaper +http://kottke.org/12/01/the-whisky-and-water-trick,The whisky and watertrick,,,,0,instapaper +http://tumblr.seoulbrother.com/post/16064818056/travel-hotel-games-internet-clothes-shopping-accessories,Blackout Coffee superseventies: PamGrier,,,,0,instapaper +http://blog.reddit.com/2012/01/technical-examination-of-sopa-and.html,blog.reddit -- what's new on reddit: A technical examination of SOPA and PROTECT IP,,,,0,instapaper +http://www.nypost.com/p/news/national/the_naked_truth_kJhGO4wAlV9Xl8qvTWrglI,Tiger Woods led astray by Michael Jordan^comma^ Charles Barkley^comma^ ex-lawyer claims; Mistress gives dirty sex details - NYPOST.com,,,,0,instapaper +http://drunkronswanson.com/,Infinite Drunk Ron Swanson,,,,0,instapaper +http://stasis.me/#before,Stasis - Static Sites Made Powerful,,,,0,instapaper +http://www.youtube.com/watch?v=E_TgM0pCDvI,Look Around You: ComputerGames,,,,0,instapaper +http://www.postsecret.com/2012/01/best-of-app_14.html,Best of theApp,,,,0,instapaper +http://www.postsecret.com/2012/01/sunday-secrets_14.html,SundaySecrets,,,,0,instapaper +http://david-smith.org/blog/2012/01/13/instapaper-on-the-kindle/,Instapaper on the Kindle - David Smith,,,,0,instapaper +http://www.haaretz.com/weekend/anglo-file/racing-in-ramallah-1.407053,Racing in Ramallah - Haaretz Daily Newspaper | Israel News,,,,0,instapaper +http://www.thenational.ae/lifestyle/palestines-female-racers-when-i-drive-i-understand-freedom,Palestine's female racers: 'When I drive^comma^ I understand freedom' - The National,,,,0,instapaper +http://gizmodo.com/5875243/fever-dream-of-a-guilt+ridden-gadget-reporter,Fever Dream of a Guilt-Ridden Gadget Reporter,,,,0,instapaper +http://www.theatlantic.com/business/False/2012/01/jack-daniels-secret-the-history-of-the-worlds-most-famous-whiskey/250966/,Jack Daniel's Secret: The History of the World's Most Famous Whiskey - Jim Stengel - Business - The Atlantic,,,,0,instapaper +http://www.thinkgeek.com/stuff/41/moodinq-tattoo.shtml?srp=6,ThinkGeek :: moodINQ - Programmable Tattoo System,,,,0,instapaper +http://www.thisamericanlife.org/radio-Falses/episode/454/mr-daisey-and-the-apple-factory,Mr. Daisey and the Apple Factory | This American Life,,,,0,instapaper +http://www.nytimes.com/2012/01/08/magazine/stephen-colbert.html?_r=2&pagewanted=all,How Many Stephen Colberts Are There? - NYTimes.com,,,,0,instapaper +http://mentalpod.com/Rob-Delaney-podcast,The Mental Illness Happy Hour // Rob Delaney,,,,0,instapaper +https://github.com/sickill/bitpocket,sickill/bitpocket - GitHub,,,,0,instapaper +http://kottke.org/11/11/stephen-colbert-in-conversation-with-neil-degrasse-tyson,Stephen Colbert in conversation with Neil deGrasseTyson,,,,0,instapaper +http://www.tgrayphotography.com/,TwistedFotos' Photos | SmugMug,,,,0,instapaper +http://brettterpstra.com/running-a-website-with-voodoopad-pro/,Running a website with VoodooPad Pro - Brett Terpstra,,,,0,instapaper +http://en.wikipedia.org/wiki/Henry_Lee_Lucas,Henry Lee Lucas - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://52tiger.net/mac-classic-ii-vs-macbook-air-which-boots-faster/,Mac Classic II vs. MacBook Air: which boots faster? | 52 Tiger,,,,0,instapaper +http://yewknee.com/blog/13921/,This Is What Happens When You Give Thousands Of Stickers To Thousands OfKids,,,,0,instapaper +http://shortwaveapp.com/,Shortwave ~ an extensible quick-search and shortcut bookmark,,,,0,instapaper +http://jurgensusa.com/Shop/index.php?cPath=64,JrgensUSA Shop,,,,0,instapaper +http://www.hotgirlsandexplosions.com/,HotGirlsAndExplosions.com,,,,0,instapaper +http://www.timefactors.com/tfstrap.htm,Time Factors Quality Watches On The Net Since 1996,,,,0,instapaper +http://behindcompanies.com/2011/12/a-guide-to-backing-up-pinboard/,A Guide to Backing Up Pinboard - Behind Companies,,,,0,instapaper +http://mrgan.tumblr.com/post/14960361045/limbo,Limbo is on the Mac App Store. Its a brilliantpuzzle...,,,,0,instapaper +http://www.postsecret.com/2011/12/holiday-secrets.html,HolidaySecrets,,,,0,instapaper +http://hellforleathermagazine.com/2011/12/a-very-hell-for-leather-christmas/,A very Hell For Leatherchristmas,,,,0,instapaper +http://www.appleinsider.com/articles/11/12/27/hackers_claim_siri_port_to_iphone_4_avoids_copyright_infringement.html,AppleInsider | Hackers claim Siri port to iPhone 4 avoids copyright infringement,,,,0,instapaper +http://mansgottado.tumblr.com/post/14771784657/merry-christmas-everyone-santa-stunta-aka-jorian,Merry Christmas everyone! Santa stunta^comma^ AKA JorianPonomareff....,,,,0,instapaper +http://itsnobiggie.tumblr.com/,it's no biggie,,,,0,instapaper +http://hellforleathermagazine.com/2011/12/superpole-as-seen-by-a-mechanic/,Superpole as seen by a mechanic | Hell for Leather,,,,0,instapaper +http://www.esquire.com/features/ESQ1202-DEC_SEDARIS,Six To Eight Black Men - Esquire,,,,0,instapaper +http://asimplemanwithasimpledream.tumblr.com/post/14228554168/it-has-come-to-this-a-video-manifesto,A Simple Man With a Simple Dream,,,,0,instapaper +http://www.core77.com/blog/technology/factory_fly-over_zen_21332.asp,Factory Fly-Over Zen - Core77,,,,0,instapaper +http://blog.oleganza.com/post/13630966174/gitbox-is-1-year-old-status-report,Oleg Andreev - Gitbox is 1 year old: status report,,,,0,instapaper +http://www.youtube.com/watch?v=R37zkizucPU,Louis CK honors George Carlin - YouTube,,,,0,instapaper +http://dogs-in-cars.com/,"""Dogs in Cars"" - A Video by Keith Hopkin",,,,0,instapaper +http://www.youtube.com/watch?v=v9qE-qXI11I&feature=player_embedded,The only way to play guitar - YouTube,,,,0,instapaper +http://mikedoylesnap.blogspot.com/,Mike Doyle's Snap,,,,0,instapaper +http://openhighwayreader.tumblr.com/,OpenHighwayReader,,,,0,instapaper +http://www.devastatingexplosions.com/,Devastating Explosions^comma^ at the Touch of a Button,,,,0,instapaper +http://en.wikipedia.org/wiki/Bloom_filter,Bloom filter - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://atmail.org/,AtMail Open: PHP Webmail client - Redefining Open Source Webmail,,,,0,instapaper +http://thekneeslider.com/Falses/2011/11/29/exquisite-little-v12-engine/,Exquisite Little V12 Engine,,,,0,instapaper +http://www.instructables.com/id/Paracord-monkey-fist-guide/,Paracord Monkey Fist,,,,0,instapaper +http://fiftyfootshadows.net/2011/11/21/ari-marcopoulos-camera-bag/comment-page-1/#comment-71993,Ari Marcopoulos Camera Bag,,,,0,instapaper +http://vitals.msnbc.msn.com/_news/2011/11/23/8980582-bottom-line-doc-explains-mysteriously-massive-buttocks,Vitals - Bottom line: Doc explains mysteriously massive buttocks,,,,0,instapaper +http://videojs.com/,HTML5 Video Player | VideoJS,,,,0,instapaper +http://www.reddit.com/r/movies/comments/mkqn7/til_jeff_daniels_played_anna_paquins_father_in/,TIL Jeff Daniels played Anna Paquin's father in Fly Away Home then had sex with her nine years later in The Squid and the Whale : movies,,,,0,instapaper +http://www.interviewmagazine.com/film/keira-knightley-a-dangerous-method/,The Knightley Courageous - Page - Interview Magazine,,,,0,instapaper +http://xkcd.com/980/huge/,xkcd: Money Chart,,,,0,instapaper +http://en.wikipedia.org/wiki/H._H._Holmes,H. H. Holmes - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +https://github.com/jondot/webnull,jondot/webnull - GitHub,,,,0,instapaper +http://boingboing.net/2011/11/14/what-the-vaio-z-says-about-son.html,What the Vaio Z says about Sony's little design problem - Boing Boing,,,,0,instapaper +http://www.theatlanticcities.com/neighborhoods/2011/11/abandoned-disneyland-outskirts-beijing/496/,Creepy^comma^ Abandoned Theme Park on the Outskirts of Beijing - Neighborhoods - The Atlantic Cities,,,,0,instapaper +http://wikileaks.org/wiki/Church_of_Scientology_collected_Operating_Thetan_documents,Church of Scientology collected Operating Thetan documents - WikiLeaks,,,,0,instapaper +http://parislemon.com/post/12781086035/x,parislemon X,,,,0,instapaper +http://thenextweb.com/shareables/2011/11/14/the-worlds-first-catvertising-agency-launches-in-canada/,The world's first Catvertising agency launches,,,,0,instapaper +http://www.thefilterbubble.com/ted-talk,The Filter Bubble,,,,0,instapaper +http://hellforleathermagazine.com/2011/11/go-north-young-man-go-on-a-honda-goldwing/,Go north young man^comma^ go on a Honda Goldwing | Hell for Leather,,,,0,instapaper +http://worrydream.com/ABriefRantOnTheFutureOfInteractionDesign/,A Brief Rant on the Future of Interaction Design,,,,0,instapaper +http://www.clusterflock.org/2011/11/afghanistan-%e2%80%93-touch-down-in-flight.html,Afghanistan touch down in flight | clusterflock,,,,0,instapaper +http://www.theverge.com/2011/11/6/2541783/jawbone-up-review,Jawbone Up fitness band review | The Verge,,,,0,instapaper +http://kottke.org/11/11/dam-breached-reservoir-drained,Dam breached^comma^ reservoir drained,,,,0,instapaper +http://hellforleathermagazine.com/2011/11/watch-royal-enfield-sever-a-grown-man%e2%80%99s-umbilical-cord/,Watch Royal Enfield sever a grown mans umbilical cord | Hell for Leather,,,,0,instapaper +http://www.mikeindustries.com/blog/False/2011/11/stephen-colbert-loses-it-on-air.rivals-another-one-of-my,Stephen Colbert loses it on-air. Rivals another one of my | Mike Industries,,,,0,instapaper +http://www.sportrider.com/tech/146_9408_tech/index.html,Sport Rider Technicalities-Cartridge Forks,,,,0,instapaper +http://kottke.org/11/09/kurt-vonnegut-explains-the-shapes-of-stories,Kurt Vonnegut explains the shapes of stories,,,,0,instapaper +https://en.wikipedia.org/wiki/MacApp,MacApp - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://www.sportrider.com/tech/146_9502_tech/index.html,Sport Rider Technicalities-Damping rod forks and the Race Tech Gold Valve Emulator,,,,0,instapaper +http://events.apple.com.edgesuite.net/10oiuhfvojb23/event/index.html,Apple - Apple Events - Celebrating Steve ,,,,0,instapaper +http://vicemag.tumblr.com/post/8790008246/whom-ive-voted-for-in-every-presidential-election,Vice Magazine | Viceland | VBS,,,,0,instapaper +http://techcrunch.com/2011/10/07/steve-jobs-the-crazy-one/,Heres To The Crazy One | TechCrunch,,,,0,instapaper +http://subjectiveobserver.wordpress.com/2011/10/08/legacy/,Legacy The Powers of Observation,,,,0,instapaper +http://parislemon.com/post/11065619448/apples-fall-from-grace,"parislemon Apple's ""Fall From Grace""",,,,0,instapaper +http://thewirecutter.com/2011/10/steve-jobs-was-always-kind-to-me-or-regrets-of-an-asshole/,Steve Jobs Was Always Kind To Me (Or^comma^ Regrets of An Asshole) | The Wirecutter,,,,0,instapaper +http://allthingsd.com/20111005/the-steve-jobs-i-knew/,The Steve Jobs I Knew - Walt Mossberg - Mossblog - AllThingsD,,,,0,instapaper +http://online.wsj.com/article/SB10001424052702304447804576410753210811910.html,Steve Jobs^comma^ Apple CEO and Co-Founder^comma^ Is Dead - WSJ.com,,,,0,instapaper +http://heatherhomemaker.wordpress.com/2011/10/05/buttermilk-scones/,Buttermilk Scones Heather HomeMaker,,,,0,instapaper +http://vimeo.com/29589320,American Juggalo on Vimeo,,,,0,instapaper +http://vimeo.com/12653029,The Bowler on Vimeo,,,,0,instapaper +http://www.bloomberg.com/news/2011-10-02/koch-brothers-flout-law-getting-richer-with-secret-iran-sales.html,Koch Brothers Flout Law Getting Richer With Secret Iran Sales - Bloomberg,,,,0,instapaper +http://www.guardian.co.uk/lifeandstyle/2011/sep/30/kim-noble-woman-with-100-personalities,Kim Noble: The woman with 100 personalities | Life and style | The Guardian,,,,0,instapaper +http://www.washingtonpost.com/wp-dyn/content/article/2010/05/01/AR2010050100205.html,Big Money: Debunking the myth of the 'sophisticated investor',,,,0,instapaper +http://legacygt.com/forums/showthread.php/drl-disable-10-minutes-2117.html,DRL Disable^comma^ in 10 minutes - Subaru Legacy Forums,,,,0,instapaper +http://vimeo.com/29010929,CATS on Vimeo,,,,0,instapaper +http://www.wemadethis.co.uk/blog/2011/09/paul-finn-on-george-perec/,We Made This Ltd,,,,0,instapaper +http://apod.nasa.gov/apod/image/0901/newrings_cassini_big.jpg,newrings_cassini_big.jpg 2^comma^7661^comma^364 pixels,,,,0,instapaper +http://www.aclu.org/free-speech/you-have-every-right-photograph-cop,You Have Every Right to Photograph That Cop | American Civil Liberties Union,,,,0,instapaper +http://thenextweb.com/apple/2011/09/09/the-best-selling-ipad-app-on-the-app-store-was-created-with-adobe-flash/,The best selling iPad app on the App Store was created with Adobe Flash - TNW Apple,,,,0,instapaper +http://nymag.com/news/features/asian-americans-2011-5/,What Happens to All the Asian-American Overachievers When the Test-Taking Ends? -- New York Magazine,,,,0,instapaper +http://saltandfat.com/post/361814241/tomato-butter-sauce,Salt & Fat^comma^ Tomato-butter sauce,,,,0,instapaper +http://www.bikeexif.com/motorcycle-wallpapers/ray-gordon,Ray Gordon,,,,0,instapaper +http://katherineisawesome.com/2011/08/31/nzfw-people-and-photos-at-the-twenty-seven-names-presentation/#more-8762,NZFW: People and photos at the Twenty-seven Names presentation. katherine is awesome,,,,0,instapaper +http://www.economist.com/blogs/babbage/2011/08/tablet-computers,Tablet computers: Difference Engine: Reality dawns | The Economist,,,,0,instapaper +http://formalize.me/,Formalize CSS - Teach your forms some manners!,,,,0,instapaper +http://youarenotsosmart.com/2011/08/21/the-illusion-of-asymmetric-insight/,The Illusion of Asymmetric Insight You Are Not So Smart,,,,0,instapaper +http://www.therussiansusedapencil.com/post/9419824099/thoughts-on-a-kindle-tablet,Thoughts on a Kindle Tablet - The Russians Used a Pencil,,,,0,instapaper +http://offlineimap.org/,OfflineIMAP home,,,,0,instapaper +http://tmagazine.blogs.nytimes.com/2011/08/25/the-job-jobs-did/,The Job Jobs Did - NYTimes.com,,,,0,instapaper +http://yfrog.com/1gulnz,yfrog Video : http://yfrog.com/1gulnz - Uploaded by daneckman ,,,,0,instapaper +http://sisinmaru.blog17.fc2.com/,,,,,0,instapaper +http://jezebel.com/5823399/ryan-gosling-feeds-his-dog-an-apple-during-late-night-interview,Ryan Gosling Feeds His Dog An Apple During Late Night Interview,,,,0,instapaper +http://vimeo.com/18104656,An open letter to Canon on Vimeo,,,,0,instapaper +http://www.core77.com/blog/business/steve_denning_on_manufacturing_and_why_amazon_cant_make_a_kindle_in_the_usa_20300.asp,"Steve Denning on Manufacturing and ""Why Amazon Can't Make A Kindle In the USA"" - Core77",,,,0,instapaper +http://kottke.org/11/08/the-robbers-cave-experiment,The Robbers Cave Experiment,,,,0,instapaper +http://hellforleathermagazine.com/2011/08/roland-sands-does-185mph-on-a-cruiser/,Roland Sands does 185mph on a cruiser | Hell for Leather,,,,0,instapaper +http://vimeo.com/24718582,Welcome To Planet Earth on Vimeo,,,,0,instapaper +http://rentzsch.tumblr.com/post/9133498042/howto-use-utf-8-throughout-your-web-stack,rentzsch.tumblr.com: HOWTO Use UTF-8 Throughout Your Web Stack,,,,0,instapaper +http://www.wired.com/autopia/2011/08/driving-sucks/,Why the Hell Do You People Still Drive? | Autopia | Wired.com,,,,0,instapaper +http://littlebigdetails.com/post/9122803612/google-url-shortener-after-shortening-a-link,Little Big Details,,,,0,instapaper +http://mplayerx.org/,MPlayerX - The media player on Mac OS X with new eye-candy fashion,,,,0,instapaper +http://radiosilenceapp.com/,Radio Silence | Outbound Firewall for Mac OS X,,,,0,instapaper +http://www.cracked.com/article_19336_6-beloved-characters-that-had-undiagnosed-mental-illnesses.html,6 Beloved Characters That Had Undiagnosed Mental Illnesses | Cracked.com,,,,0,instapaper +http://hellforleathermagazine.com/2011/08/%e2%80%98we-are-a-tough-people%e2%80%99-riding-motorcycles-in-colombia/,We are a tough people riding motorcycles in Colombia | Hell for Leather,,,,0,instapaper +http://www.snagfilms.com/films/title/winnebago_man/,Winnebago Man - Watch the Documentary Film for Free | Watch Free Documentaries Online | SnagFilms,,,,0,instapaper +http://www.scientificamerican.com/article.cfm?id=something-queer-about-that-face,There's Something Queer about That Face: Scientific American,,,,0,instapaper +http://duncandavidson.com/blog/2011/08/x100_afternoon,An Afternoon with the Fuji FinePix X100 - Duncan Davidson,,,,0,instapaper +http://forkbombr.net/old-mac-of-the-month-the-performa-578/,Forkbombr Old Mac of the Month: Performa 578,,,,0,instapaper +http://opinionatedtype.wordpress.com/2011/08/06/long-walk-short-pier-gill-sans/,Long Walk^comma^ Short Pier: Gill Sans Opinionated Type,,,,0,instapaper +http://www.hedislimane.com/diary/day.php?m=8&y=2011&d=2,HEDI SLIMANE DIARY,,,,0,instapaper +http://en.wikipedia.org/wiki/Extropianism,Extropianism - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://legalaffairs.org/issues/January-February-2005/feature_labi_janfeb05.msp,Legal Affairs,,,,0,instapaper +http://www.red-sweater.com/fastscripts/,FastScripts,,,,0,instapaper +http://minimalmac.com/,Minimal Mac,,,,0,instapaper +http://thebbpodcast.com/,The B&B Podcast A Technology Talk Show,,,,0,instapaper +http://allthatinspires.me/,all that inspires me - inspiration and creative sparks. strategy. advertising. marketing. branding. packaging. art. dogs. design. digital. life lessons. photography. + more,,,,0,instapaper +http://vimeo.com/27243869,EAT on Vimeo,,,,0,instapaper +http://blog.iso50.com/25006/nosh-404-process-post/,Nosh 404: Process Post ISO50 Blog The Blog of Scott Hansen (Tycho / ISO50),,,,0,instapaper +http://hellforleathermagazine.com/2011/08/riding-the-triumph-tiger-800-xc-off-road/,Riding the Triumph Tiger 800 XC off-road | Hell for Leather,,,,0,instapaper +http://shawnblanc.net/sweet-mac-setups/,Sweet Mac Setups Shawn Blanc,,,,0,instapaper +http://www.coudal.com/moom/,Coudal Partners The Museum of Online Museums (MoOM),,,,0,instapaper +http://www.youtube.com/watch?v=plBagoWs_fk&feature=youtu.be,Nick Swardson - Drunk Chicks - YouTube,,,,0,instapaper +http://2002twinturbo.com/,Sheer Driving Pleasure,,,,0,instapaper +http://www.nosh.me/404,Nosh - 404: Page Not Found,,,,0,instapaper +http://pieratt.tumblr.com/post/7537191978/dear-graphic-and-web-designers-please-understand-that,Varsity Bookmarking Dear Graphic and Web Designers^comma^ please understand that there are greater opportunities available to you.,,,,0,instapaper +http://pieratt.tumblr.com/post/5450242474/my-job-pt-1-i-have-no-idea-what-im-doing,Varsity Bookmarking My Job Pt.1 I have no idea what Im doing,,,,0,instapaper +http://pieratt.tumblr.com/post/1659818864/my-design-career-is-dead-long-live-my-design-career,Varsity Bookmarking My Design Career is Dead^comma^ Long Live my Design Career,,,,0,instapaper +http://pieratt.tumblr.com/post/977179815/in-praise-of-quitting-your-job,Varsity Bookmarking In Praise of Quitting Your Job,,,,0,instapaper +http://www.we-make-money-not-art.com/Falses/2011/07/ciudad-nazca.php,Ciudad Nazca^comma^ the robot tracing a city in the desert - we make money not art we make money not art: Ciudad Nazca^comma^ the robot tracing a city in the desert ,,,,0,instapaper +http://www.dropbox.com/downloading?os=lnx,Dropbox - Downloading Dropbox - Simplify your life,,,,0,instapaper +http://www.funnyordie.com/videos/8063d74c6c/idiots-with-zoe-saldana-kate-bosworth?rel=player&playlist=310726,Idiots with Zoe Saldana & Kate Bosworth from Zoe Saldana^comma^ Kate Bosworth^comma^ kat coiro^comma^ Janeane Garofalo^comma^ Jason Lewis^comma^ Antonio Scarlata^comma^ dannyjelinek^comma^ Funny Or Die^comma^ Greg Grunberg^comma^ Shauna O'Toole^comma^ and Brian Mulchy,,,,0,instapaper +http://mariehelenesirois.blogspot.com/2011/07/brooke-shaden.html?zx=58cb0547e4377370,Le Zbre bleu: BROOKE SHADEN,,,,0,instapaper +http://www.fontsquirrel.com/fontface/generator,Font Squirrel | Create Your Own @font-face Kits,,,,0,instapaper +http://www.seravia.com/about/328-googlers-facebook-should-poach,Seravia: 328 Googlers Facebook Should Poach,,,,0,instapaper +http://hellforleathermagazine.com/2011/07/a-gyrocam-a-zx-10r-and-the-nurburgring/,A gyrocam^comma^ a ZX-10R and the Nurburgring | Hell for Leather,,,,0,instapaper +https://github.com/dhgamache/Skeleton,dhgamache/Skeleton - GitHub,,,,0,instapaper +http://ejroundtheworld.blogspot.com/2011/06/violated-travelers-lost-faith-difficult.html,Around The World and Back Again: Violated: A travelers lost faith^comma^ a difficult lesson learned,,,,0,instapaper +http://www.hightechdad.com/2011/07/21/how-to-re-download-mac-os-x-lion-create-a-bootable-install-dvd/#hide,How To Re-Download Mac OS X Lion & Create a Bootable Install DVD HighTechDad HighTechDad,,,,0,instapaper +http://mario.fromlifetodeath.com/,509 Bandwidth Limit Exceeded,,,,0,instapaper +http://vimeo.com/26341323,Nosh: Three Dinners on Vimeo,,,,0,instapaper +http://mattgemmell.com/2011/07/22/apps-vs-the-web/,Apps vs the Web Matt Legend Gemmell,,,,0,instapaper +http://www.core77.com/blog/materials/manufacturing_vid_a_sheet_of_steels_journey_from_roll_to_finished_car_20005.asp,Manufacturing Vid: A Sheet of Steel's Journey from Roll to Finished Car - Core77,,,,0,instapaper +http://getmacchiato.com/,Macchiato,,,,0,instapaper +http://www.cultofmac.com/how-the-editor-of-windows-magazine-became-an-apple-fanboy/105882,How the Editor of Windows Magazine Became an Apple Fanboy | Cult of Mac,,,,0,instapaper +http://web.appstorm.net/general/opinion/the-history-of-webkit/,The History of WebKit,,,,0,instapaper +https://helda.helsinki.fi/bitstream/handle/10138/27239/HECER-DP335.pdf,,,,,0,instapaper +http://gus.mueller.usesthis.com/,An interview with Gus Mueller,,,,0,instapaper +http://www.theregister.co.uk/2011/07/21/mac_os_x_lion_security/,Major overhaul makes OS X Lion king of security The Register,,,,0,instapaper +http://5by5.tv/buildanalyze/34,Build and Analyze #34: My Best Dan Benjamin Impression - 5by5,,,,0,instapaper +http://5by5.tv/criticalpath/3,The Critical Path #3: It's Good to Be King - 5by5,,,,0,instapaper +http://arstechnica.com/apple/reviews/2011/07/mac-os-x-10-7.ars/13,Mac OS X 10.7 Lion: the Ars Technica review,,,,0,instapaper +http://creatiplicity.com/2011/episode-six-cameron-moll/,Episode Six Cameron Moll Creatiplicity,,,,0,instapaper +http://www.macrumors.com/2011/07/18/make-an-os-x-lion-boot-disc/,Make An OS X Lion Boot Disc - MacRumors.com,,,,0,instapaper +http://www.mikeindustries.com/blog/False/category/shared,Shared | Mike Industries,,,,0,instapaper +http://www.mikeindustries.com/blog/,Mike Davidson - CEO of Newsvine,,,,0,instapaper +http://wiki.dreamhost.com/index.php/RubyGems,RubyGems - DreamHost,,,,0,instapaper +http://www.edschmalzle.com/2009/06/29/deploying-sinatra-with-passenger-on-dreamhost/,Ed Schmalzle Blog False Deploying Sinatra with Passenger on Dreamhost,,,,0,instapaper +http://railstips.org/blog/Falses/2008/12/15/deploying-sinatra-on-dreamhost-with-passenger/,Deploying Sinatra on Dreamhost With Passenger // RailsTips by John Nunemaker,,,,0,instapaper +http://hughevans.net/2009/02/22/sinatra-on-dreamhost,Sinatra 0.9 on Dreamhost | hughevans.net,,,,0,instapaper +http://mondaybynoon.com/2011/07/12/macbook-air-web-development/,Using a MacBook Air for Web Development - Monday By Noon,,,,0,instapaper +http://www.ftrain.com/woods-plus.html,Woods+ (Ftrain.com),,,,0,instapaper +http://www.getskeleton.com/,Skeleton: Beautiful Boilerplate for Responsive^comma^ Mobile-Friendly Development,,,,0,instapaper +http://stevestreza.com/2011/07/12/women-in-tech/,SteveStreza.com I Don't Know - Thoughts on Women in Tech,,,,0,instapaper +http://internetkhole.blogspot.com/2011/07/after-laughter.html,internet k-hole: AFTER LAUGHTER,,,,0,instapaper +http://vimeo.com/26410231,HBTV: Depth of Speed - The Bond on Vimeo,,,,0,instapaper +http://furbo.org/2011/07/13/the-rise-and-fall-of-the-independent-developer/,furbo.org The Rise and Fall of the Independent Developer,,,,0,instapaper +http://www.theawl.com/2011/06/the-shocking-true-tale-of-the-mad-genius-who-invented-sea-monkeys,The Shocking True Tale Of The Mad Genius Who Invented Sea-Monkeys | The Awl,,,,0,instapaper +http://tightwind.net/2011/07/the-ipad-and-google/,The iPad and Google+ | TightWind,,,,0,instapaper +http://randfishkin.com/blog/113/inflection-points-bravery-vs-foolishness,Inflection Points: Bravery vs. Foolishness Rand's Blog,,,,0,instapaper +http://hellforleathermagazine.com/2011/07/casey-stoner-takes-a-corner-at-1000fps/,Casey Stoner takes a corner at 1^comma^000fps | Hell for Leather,,,,0,instapaper +http://hellforleathermagazine.com/2011/07/how-to-lane-split/,How to lane split | Hell for Leather,,,,0,instapaper +http://2dphotography.ca/blog/2011/07/rube-goldberg/,2D Photography Inc. | Rube Goldberg,,,,0,instapaper +http://marshallk.com/why-ill-never-redirect-my-personal-blog-to-google-plus,Marshall Kirkpatrick^comma^ Technology Journalist Why Ill Never Redirect my Personal Blog to Google Plus,,,,0,instapaper +http://www.avc.com/a_vc/2011/07/the-fred-wilson-school-of-blogging.html,"A VC: The ""Fred Wilson School Of Blogging""",,,,0,instapaper +http://rethrick.com/#waving-goodbye,Rethrick Construction,,,,0,instapaper +http://slacy.com/blog/2011/03/what-larry-page-really-needs-to-do-to-return-google-to-its-startup-roots/,What Larry Page really needs to do to return Google to its startup roots | Slacys Blog,,,,0,instapaper +http://rethrick.com/#google-plus,Rethrick Construction,,,,0,instapaper +http://www.subtraction.com/2011/07/11/does-google-get-design-now,Subtraction.com: Does Google Get Design Now?,,,,0,instapaper +http://shawnblanc.net/2011/07/hp-touchpad-review/,The HP TouchPad 1.0 Shawn Blanc,,,,0,instapaper +http://en.wikipedia.org/wiki/Bernie_Ecclestone,Bernie Ecclestone - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://www.engadget.com/2011/06/28/why-is-european-broadband-faster-and-cheaper-blame-the-governme/,Why is European broadband faster and cheaper? Blame the government -- Engadget,,,,0,instapaper +http://www.geekwire.com/2011/amazons-bezos-innovation,Jeff Bezos on innovation: Amazon willing to be misunderstood for long periods of time - GeekWire,,,,0,instapaper +http://m.rollingstone.com/?redirurl=/politics/news/michele-bachmanns-holy-war-20110622,Rolling Stone Mobile - Politics - Politics: Michele Bachmann's Holy War,,,,0,instapaper +http://www.carlkingcreative.com/10-myths-about-introverts,10 Myths About Introverts || CarlKingCreative.com || Los Angeles^comma^ CA,,,,0,instapaper +http://hellforleathermagazine.com/2011/06/new-york%e2%80%99s-fastest-zx-10r-review/,New Yorks Fastest ZX-10R review | Hell for Leather,,,,0,instapaper +http://smarterbits.org/post/6759653533/7-months-flashless,SmarterBits | 7 Months Flashless,,,,0,instapaper +http://feedafever.com/#account,Fever Red hot. Well read.,,,,0,instapaper +http://www.imjustcreative.co.uk/brandreversioning/,Brand Reversions,,,,0,instapaper +http://www.v1gallery.com/artist/show/3,V1 GALLERY artist,,,,0,instapaper +http://www.peterlangenhahn.com/images/bilder/new/Stadion_8bit_repariert.jpg,Stadion_8bit_repariert.jpg 1200600 pixels,,,,0,instapaper +http://girlonabicycle.blogspot.com/2011/06/victory-sort-of.html,A Girl and Her Bike: Victory (sort of),,,,0,instapaper +http://ordinary-gentlemen.com/blog/2011/06/05/the-role-of-the-prison-guards-union-in-californias-troubled-prison-system/,prison guards union (Links for June 12),,,,0,instapaper +http://www.vanityfair.com/culture/features/2011/04/lami-louis-201104,Tour De Gall | Culture | Vanity Fair,,,,0,instapaper +http://blogs.suntimes.com/scanners/2011/02/networking_the_frames.html,Let's get social: Networking frames - scanners,,,,0,instapaper +http://goop.com/newsletter/125/en/,GOOP Newsletter,,,,0,instapaper +http://lifeandtimes.com/straight-outta-compton,Straight Outta Compton? | Life + Times,,,,0,instapaper +http://www.theawl.com/2011/03/cannibals-seeking-same-a-visit-to-the-online-world-of-flesh-eaters,Cannibals Seeking Same: A Visit To The Online World Of Flesh-Eaters | The Awl,,,,0,instapaper +http://releasecandidateone.com/241:my_month_with_the_nexus_s,My Month With the Nexus S - Release Candidate One,,,,0,instapaper +http://www.superbikeplanet.com/vr1000_obit.htm,Soup :: Obit: Harley-Davidson VR 1000^comma^ August 30 2001,,,,0,instapaper +http://www.quora.com/Superheroes/Given-our-current-technology-and-with-the-proper-training-would-it-be-possible-for-someone-to-become-Batman,Quora Question of the Day,,,,0,instapaper +http://www.time.com/time/magazine/article/0^comma^9171^comma^2074108^comma^00.html,Why Le Mans Series May Be the Most Important Race Circuit in U.S. - TIME,,,,0,instapaper +http://kickingbear.com/blog/Falses/168,kickingbear Blog False Regarding Objective-C & Copland 2010,,,,0,instapaper +http://www.theatlantic.com/magazine/print/2010/10/autism-8217-s-first-child/8227/,Autisms First Child - Magazine - The Atlantic,,,,0,instapaper +http://vimeo.com/19469447,Everything Is A Remix: KILL BILL on Vimeo,,,,0,instapaper +http://mrgan.tumblr.com/post/5795226793/guy-english-on-the-future-of-objective-c,Guy English on the future of Objective-C,,,,0,instapaper +http://www.newyorker.com/talk/comment/2011/05/16/110516taco_talk_remnick,How Osama Bin Laden Changed America,,,,0,instapaper +http://www.bbc.co.uk/news/health-13278255,BBC News - Anatomical clues to human evolution from fish,,,,0,instapaper +http://vimeo.com/18011143,The Saga Of Biorn on Vimeo,,,,0,instapaper +http://languagelog.ldc.upenn.edu/nll/?p=3124,Language Log Recommended reading,,,,0,instapaper +http://mysteryoftheinquity.wordpress.com/2011/05/03/osama-bin-laden-adolf-hitler-both-declared-dead-on-may-1/,Osama Bin Laden^comma^ Adolf Hitler both declared dead on May 1 Mystery of the Iniquity,,,,0,instapaper +http://editorial.autos.msn.com/blogs/autosblogpost.aspx?post=58ed06b6-c4c8-4fa9-abb4-8cece58da141&_nwpt=1,Exhaust Notes - A Blog from MSN Autos - MSN Autos,,,,0,instapaper +http://www.emptyage.com/post/5165827221/on-rejoicing-death,Emptyage On Rejoicing Death,,,,0,instapaper +http://www.penmachine.com/2011/05/the-last-post,Derek K. Millers Last Post,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^0/page^comma^viewtopic/p^comma^831344/sid^comma^738d5eec3a69966212492f32382f37df/,BMW 2002 FAQ - N47 Flip-Flop,,,,0,instapaper +http://www.motorbikestoday.com/reviews/Articles/hon_vfr800.htm,Honda VFR 800 V-TEC,,,,0,instapaper +http://betterelevation.com/2011/04/23/cheap-magic/,UI Designers as Magicians,,,,0,instapaper +http://forums.kingdomofloathing.com/vb/showpost.php?p=1704611&postcount=96,Forums of Loathing - View Single Post - Really Bad Joke Thread,,,,0,instapaper +http://www.43folders.com/2011/04/22/cranking,Cranking,,,,0,instapaper +http://nilaypatel.co/post/4749730618/copyright-law-no-one-understands-it,Nilay Patel Copyright law: no one understands it,,,,0,instapaper +http://thisismynext.com/2011/04/19/apple-sues-samsung-analysis/,Nilay Patel explains Apples suit against Samsung,,,,0,instapaper +http://www.summitracing.com/parts/SUM-G1504/?rtype=10,Summit Racing SUM-G1504 - Summit Racing Breather Tanks - Overview - SummitRacing.com,,,,0,instapaper +http://txt2re.com/,txt2re: headache relief for programmers :: regular expression generator,,,,0,instapaper +http://m.jalopnik.com/5792168/how-a-university-punished-a-female-engineering-student-for-this-bikini-photo,Jalopnik: Obsessed With The Cult Of Cars,,,,0,instapaper +http://longform.org/tag/2011-national-magazine-awards-finalists/,2011 National Magazine Awards Finalists: Profile Writing: Autisms First Child
(John Donvan and Caren Zucker^comma^ The Atlantic)
The long^comma^ happy^comma^ surprising life of the first person diagnosed with autism.
[longform.org],,,,0,instapaper +http://kottke.org/11/04/peter-paul-rubens-the-painting-spy,Peter Paul Rubens^comma^ the painting spy,,,,0,instapaper +http://expletiveinserted.com/2010/12/09/the-only-app-phone/,Expletive Inserted The Only App Phone,,,,0,instapaper +http://www.atimetoget.com/2011/03/never-gets-old-ever.html,Never Gets Old. Ever,,,,0,instapaper +http://hellforleathermagazine.com/2011/03/grasping-the-busas-big-butt/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+HellForLeather+%28Hell+For+Leather%29,Grasping the Busas big butt | Hell for Leather,,,,0,instapaper +http://www.nytimes.com/interactive/2009/09/06/automobiles/20090906-autoego/index.html,Getting Around Town - The New York Times,,,,0,instapaper +http://www.autos-1.com/bmw/1600-alpina-1967.htm,BMW 1600 Alpina 1967 specifications,,,,0,instapaper +http://home.comcast.net/~visionaut/visionaut//A_Cult_Car_files/widget0_markup.html,,,,,0,instapaper +http://www.appleoutsider.com/2011/03/25/rimm/,I Told You RIM Was in Trouble,,,,0,instapaper +http://patrickrhone.com/2011/03/24/whats-in-a-name/,patrickrhone / journal Blog False Whats in a name?,,,,0,instapaper +http://web.mac.com/casseres/Site/Blog/Entries/2011/3/23_Bertrand_Serlet_Leaves_Apple.html,On Working for Bertrand Serlet,,,,0,instapaper +http://www.bbc.co.uk/news/science-environment-12811197,BBC News - Religion may become extinct in nine nations^comma^ study says,,,,0,instapaper +http://vimeo.com/21145700,Untitled on Vimeo,,,,0,instapaper +http://ragb.ag/tagged/data_viz,the ragbag,,,,0,instapaper +https://secure.wikimedia.org/wikipedia/en/wiki/China_Mi%C3%A9ville,China Miville - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://kottke.org/11/03/photography-for-designers,Photography for designers,,,,0,instapaper +http://arstechnica.com/gadgets/reviews/2011/03/motorola-atrix-the-ubuntu-powered-webtop-experience.ars,Hands-on: Motorola Atrix's Ubuntu-powered WebTop experience,,,,0,instapaper +http://highclearing.com/index.php/Falses/2011/03/12/12647,Overt Ops Unqualified Offerings,,,,0,instapaper +http://localhost/politics/2010/08/bob-inglis-tea-party-casualty?page=2,bob-inglis-tea-party-casualty,,,,0,instapaper +http://i.imgur.com/YIEao.gif,YIEao.gif,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^349188/,BMW 2002 FAQ - LOL^comma^ WTF .. (select classics humor),,,,0,instapaper +http://arstechnica.com/gadgets/reviews/2011/03/the-motorola-atrix-4g-jack-of-three-trades-master-of-one.ars/2,(Saving...) (Saving...) Jack of three trades^comma^ master of one: Ars reviews the Motorola Atrix 4G,,,,0,instapaper +http://www.hbci.com/~tskwiot/2002.html,Tim's Megasquirted 1973 BMW 2002,,,,0,instapaper +http://instagram.joshink.com/,Instagram API Playground,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^354281/,BMW 2002 FAQ - FS: Dellorto 40mm Carbs / IE 306 Billet Cam,,,,0,instapaper +http://cgi.ebay.com/ebaymotors/URAL-650-cafe-racer-tracker-Bobber-Saint-Motor-Co-/320662831930,Ural : ural 650 - eBay (item 320662831930 end time Mar-02-11 15:37:30 PST),,,,0,instapaper +http://hellforleathermagazine.com/2010/08/new-yorks-fastest-2/,New York's Fastest | Hell for Leather,,,,0,instapaper +http://jeffbridges.com/true_grit_book/true_grit_book_02.html,JeffBridges.com - True Grit Book,,,,0,instapaper +http://www.leancrew.com/all-this/,And now its all this,,,,0,instapaper +http://www.leancrew.com/all-this/2011/02/iphone-notes-app-comparison/,Comprehensive Comparison of iPhone Notes Apps,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^354075/,BMW 2002 FAQ - What are your hobbies?,,,,0,instapaper +http://kottke.org/10/05/nevermind-baby-shepard-fairey,The Nevermind baby works for the Obama poster guy,,,,0,instapaper +http://mlkshk.com/p/JVT,Ali vs Williams - mlkshk,,,,0,instapaper +http://robhutten.tumblr.com/post/3314490876/fourteen-things-about-rob-delaney,Ransacked Ostrich Nostril - Fourteen Things About Rob Delaney,,,,0,instapaper +http://www.youtube.com/watch?v=Yl0-tU3gELw&feature=player_embedded,YouTube - Stuck _ Nuerburgring 1971 _ BMW 2002 Alpina,,,,0,instapaper +http://www.02again.com/?page_id=24,BMW 2002 Parts BMW 2002tii Parts & MegaSquirt Parts Specialty Store - 2002 Exhaust Manifold 02Again,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^353735/,BMW 2002 FAQ - Damn... my wife just walked in while reading this thread,,,,0,instapaper +http://www.superflex.co.uk/proddetail.php?prod=SF092-0131K,SuperFlex: Advanced polyurethane suspension bushes,,,,0,instapaper +http://www.christanp.com/blog/announcements/new-year-new-look,New Year^comma^ New Look San Luis Obispo Wedding Photographer Christan Parreira,,,,0,instapaper +http://www.finkbuilt.com/blog/megasquirt/,Finkbuilt Blog False DIY Fuel Injection Conversion,,,,0,instapaper +http://www.zeebuck.com/bimmers/tech/Megasquirt/megasquirt.html,Converting to Megasquirt EFI,,,,0,instapaper +http://img137.imageshack.us/img137/3246/201102stmatthewisland.png,201102stmatthewisland.png,,,,0,instapaper +http://allrecipes.com/Recipe/North-Carolina-Style-Pulled-Pork/Detail.aspx,North Carolina-Style Pulled Pork Recipe - Allrecipes.com,,,,0,instapaper +http://dirtyquilt.blogspot.com/2011/02/david-thorne-27b6.html,dirty quilt: david thorne - 27b/6,,,,0,instapaper +http://www.wired.com/gadgetlab/2011/02/iphone-verizon-sucks/,Verizon iPhone Shows You Cant Win: Carriers Hold the Cards (Verizon iPhone Shows You Cant Win: Carriers Hold the Cards),,,,0,instapaper +http://dashes.com/anil/2011/02/reading-is-fundamental.html,Reading is Fundamental,,,,0,instapaper +http://kottke.org/11/02/clapping-music,Clapping music,,,,0,instapaper +http://kottke.org/11/02/the-julie-project,The Julie Project,,,,0,instapaper +http://deuscustoms.tumblr.com/post/3100650504/deus-r-spring-lookbook-nsfw,Deus Customs Deus Spring Lookbook - NSFW,,,,0,instapaper +http://www.slate.com/id/2283870/?from=rss,Americans should be proud of their fine domestic tear gas. - By Allison Silverman - Slate Magazine,,,,0,instapaper +http://singularityhub.com/2011/02/01/whats-the-internet-hilarious-video-of-nbcs-the-today-show-in-1994/,Whats the Internet? Hilarious Video of NBCs The Today Show in 1994 | Singularity Hub,,,,0,instapaper +http://changshanotes.posterous.com/entire-life-in-one-picture,Entire life in one picture - ChangshaNotes,,,,0,instapaper +http://robdelaney.tumblr.com/post/551995198/a-belfast-story,Rob Delaney A Belfast Story,,,,0,instapaper +http://shinyside.net/,Shiny Side Automotive Photography | Automotive Photojournalism^comma^ Automotive Aesthetics,,,,0,instapaper +http://www.zeebuck.com/bimmers/tech/hazardswitchfix/hazardswitchfix.html,,,,,0,instapaper +http://www.chrisstreeter.com/False/2011/01/800/macport-package-update-notifications-via-growl?utm_campaign=twitter&utm_medium=twitter,MacPort Package Update Notifications via Growl | chrisstreeter.com,,,,0,instapaper +http://andrew.plotkin.usesthis.com/,An interview with Andrew Plotkin : The Setup,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^343725/,BMW 2002 FAQ - 30 Day Overhaul.... Gone Haywire!!!,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^339365/,BMW 2002 FAQ - 70 M20 02 Body Shop Documentation,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^350545/,BMW 2002 FAQ - 2000 dollar M20 swap and resto attempt,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^350699/,BMW 2002 FAQ - "Factory Look" aluminum door panels,,,,0,instapaper +http://volvette.wordpress.com/,Volvette's Blog,,,,0,instapaper +http://cgi.ebay.com/ebaymotors/1970-2800-CS-E9-Coupe-Restomod-5-speed-3-liters-/230574418533?pt=US_Cars_Trucks&hash=item35af4e6a65#ht_786wt_1167,BMW - eBay (item 230574418533 end time Jan-20-11 10:27:54 PST),,,,0,instapaper +http://caldwellian.wordpress.com/, liniment & lead,,,,0,instapaper +http://dub.stepza.net/songs/35,Dubstepza Never Good Enough (ft. Collie Buddz & Linda Ortiz) - Major Lazer (The Killabits remix),,,,0,instapaper +http://andrewhy.de/the-tragedy-of-nepal-2011/,The Tragedy of Nepal 2011 | Andrew Hyde,,,,0,instapaper +http://www.2002restoration.blogspot.com/,The Road to Phoenix,,,,0,instapaper +http://tpdsaa.tumblr.com/,Things Real People Don't Say About Advertising,,,,0,instapaper +http://grabaperch.com/,Perch - A really little content management system (CMS),,,,0,instapaper +http://www.borrowlenses.com/downloads/aol.zip,aol.zip,,,,0,instapaper +http://www.wimp.com/classiccar/,Son gives his father a classic car. [VIDEO],,,,0,instapaper +http://www.advrider.com/forums/showthread.php?t=288338,SV650 Wannabe Motard/Adventure Bike - ADVrider,,,,0,instapaper +http://realmacsoftware.com/blog/mac-app-store-sales-figures,Realmac Blog - Mac App Store Sales Figures ,,,,0,instapaper +http://project-schnitzer.blogspot.com/,Project Schnitzer M42,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^352236/,BMW 2002 FAQ - Best Project blogs.,,,,0,instapaper +http://tumblr.seoulbrother.com/post/2638856023/nigger,Nigger - SeoulBrother,,,,0,instapaper +http://www.autoblog.com/2011/01/07/video-carrozzeria-zanasi-is-enzo-ferraris-bodyshop/,Video: Carrozzeria Zanasi is Enzo Ferrari's bodyshop Autoblog,,,,0,instapaper +http://www.engadget.com/2011/01/05/nvidia-announces-project-denver-arm-cpu-for-the-desktop/,NVIDIA announces Project Denver ARM CPU for the desktop -- Engadget,,,,0,instapaper +http://vimeo.com/18275127,Boardwalk Empire VFX Breakdowns of Season 1 on Vimeo,,,,0,instapaper +http://www.darkroastedblend.com/2007/11/rare-photos-of-russian-buran-space.html,"Dark Roasted Blend: Rare Photos of the Russian ""Buran"" Space Program",,,,0,instapaper +http://wordsandwhimsy.tumblr.com/,words and whimsy,,,,0,instapaper +http://counternotions.com/2010/12/28/the-unbearable-inevitability-of-being-android-1995/,Like an Army of 41 Shades of Blue,,,,0,instapaper +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^338579/,BMW 2002 FAQ - Transforming a 2002 into a E36- The build,,,,0,instapaper +https://github.com/rsms/kod,rsms/kod - GitHub,,,,0,instapaper +http://m.youtube.com#/watch?xl=xl_blazer&v=U4oB28ksiIo,watch,,,,0,instapaper +http://m.jalopnik.com/5715881/the-lamborghini-fiura-will-haunt-your-dreams,Jalopnik: Obsessed With The Cult Of Cars,,,,0,instapaper +http://michael.ogawa.usesthis.com/,An interview with Michael Ogawa : The Setup,,,,0,instapaper +http://stclairsoft.com/blog/2010/12/21/replacing-apple-downloads-with-the-mac-app-store/,St. Clair Software Blog Blog False Replacing Apple Downloads with the Mac App Store,,,,0,instapaper +http://blog.dropbox.com/?p=581,The Dropbox Blog Blog False Dropbox hits 1.0!,,,,0,instapaper +http://www.engadget.com/2010/12/20/google-docs-presentation-makes-powerpoint-weep-beg-for-mercy-v/,Google Docs presentation makes PowerPoint weep^comma^ beg for mercy (video) -- Engadget,,,,0,instapaper +http://www.vanityfair.com/hollywood/features/2011/01/quaid-201101?printable=true¤tPage=1,Randy Quaid and his wife Evi are on the run and living out of their Prius in Canada (Randy Quaid has gone nuts),,,,0,instapaper +http://www.forgotten-ny.com/,Forgotten NY ,,,,0,instapaper +http://www.alfredapp.com/,Alfred App,,,,0,instapaper +http://www.youtube.com/watch?v=Kk9oa_PiXAk,YouTube - New Mario Bros. Movie Trailer | The Game Station Exclusive!,,,,0,instapaper +http://www.etsy.com/shop/commoncrowvintage,Common Crow Vintage by commoncrowvintage on Etsy,,,,0,instapaper +http://www.youtube.com/view_play_list?p=95D6FCD7C0ED2C5B,YouTube - Broadcast Yourself,,,,0,instapaper +http://www.amazon.com/exec/obidos/ASIN/0307389936/ref=nosim/0sil8,Sum (Afterlife),,,,0,instapaper +http://ted.leung.usesthis.com/,An interview with Ted Leung : The Setup,,,,0,instapaper +http://m.youtube.com#/watch?desktop_uri=http%3A%2F%2Fwww.youtube.com%2Fwatch%3Fv%3Dm6w0r-ScEG4%26feature%3Dyoutu.be&feature=youtu.be&v=m6w0r-ScEG4&gl=US,watch,,,,0,instapaper +http://craig.hockenberry.usesthis.com/,An interview with Craig Hockenberry : The Setup,,,,0,instapaper +http://www.photographyserved.com/gallery/ANYTHING-BUT-SQUARE/738181,ANYTHING BUT SQUARE on Photography Served,,,,0,instapaper +http://m.youtube.com#/watch?desktop_uri=http%3A%2F%2Fwww.youtube.com%2Fwatch%3Fv%3D4a4MR8oI_B8&v=4a4MR8oI_B8&gl=US,watch,,,,0,instapaper +http://godspeed4506.com/,Godspeed website (Blings/S&S custom),,,,0,instapaper +http://37signals.com/svn/posts/2666-the-story-of-polaroid-inventor-edwin-land-one-of-steve-jobs-biggest-heroes,The story of Polaroid inventor Edwin Land^comma^ one of Steve Jobs' biggest heroes - (37signals),,,,0,instapaper +http://www.20thingsilearned.com/,20 Things I Learned About Browsers and the Web,,,,0,instapaper +http://9eyes.tumblr.com/,Jon Rafman,,,,0,instapaper +http://www.msnbc.msn.com/id/26315908/vp/40141311,,,,,0,instapaper +http://www.businessinsider.com/mac-app-store-2010-11?slop=1#slideshow-start,15 Big^comma^ Important Questions About Apple's Mac App Store,,,,0,instapaper +http://www.washingtonpost.com/wp-dyn/content/graphic/2010/08/11/GR2010081106717.html,Comparing Democratic and Republican tax plans,,,,0,instapaper +http://languagelog.ldc.upenn.edu/nll/?p=2762#more-2762,Language Log Pronouncing it by the book,,,,0,instapaper +http://www.mcsweeneys.net/2010/11/11kraatz.html,McSweeney's Internet Tendency: Google Docs Breaks Up With You.,,,,0,instapaper +http://shinyside.net/2010/11/10/1964-ferrari-250-gt-lusso/,1964 Ferrari 250 GT Lusso | Shiny Side Automotive Photography,,,,0,instapaper +http://www.27bslash6.com/bob.html,bob.html,,,,0,instapaper +http://hellforleathermagazine.com/2010/11/2011-husqvarna-smr449511-a-bmw-g450x-supermoto/,2011 Husqvarna SMR449/511: a BMW G450X supermoto | Hell for Leather,,,,0,instapaper +http://www.youtube.com/watch?v=5hvtOEHKJsI,YouTube - Colleen Thomas on How to Survive Operation Black Swan Invasion That Starts Nov 8th,,,,0,instapaper +http://www.youtube.com/watch?v=dKx4MeBybkc,YouTube - Update on Invasion of American cities by UN Forces and attempts to blow nuclear bombs here,,,,0,instapaper +http://www.youtube.com/watch?v=vJB2Woe5zeQ&feature=player_embedded,YouTube - Ultimatum to Obama and all Hostiles^comma^ Surrender or Die!,,,,0,instapaper +http://www.cnn.com/video/#/video/bestoftv/2010/11/08/exp.nr.audacious.touchdown.cnn,Video - Breaking News Videos from CNN.com,,,,0,instapaper +http://mobile.porsche.com/international/accessoriesandservice/classic/garage/reference/911factoryrestoration/,Revive the Passion - Porsche 911 Factory Restoration - References - Workshop and Services - Dr. Ing. h.c. F. Porsche AG,,,,0,instapaper +http://hnsetups.com/,HN Uses This,,,,0,instapaper +http://m.youtube.com#/watch?desktop_uri=http%3A%2F%2Fwww.youtube.com%2Fwatch%3Fv%3Dq3Y-WRqlggU%26feature%3Dpopt02us02&feature=popt02us02&v=q3Y-WRqlggU&gl=US,watch,,,,0,instapaper +http://www.stumbleupon.com/su/9uvnwx/matadornetwork.com/abroad/20-awesomely-untranslatable-words-from-around-the-world/,20 Awesomely Untranslatable Words from Around the World - StumbleUpon,,,,0,instapaper +http://vimeo.com/16528486,Valentino Rossi talks about the Yamaha M1 from 2004-2009 on Vimeo,,,,0,instapaper +http://illadore.livejournal.com/30674.html,"stole a recipe (""But honestly Monica^comma^ the web is considered public domain and you should be happy we..."")",,,,0,instapaper +http://blog.cocoia.com/2010/updates/,Cocoia Blog Updates!,,,,0,instapaper +http://www.independent.co.uk/news/world/modern-art-was-cia-weapon-1578808.html,Modern art was CIA 'weapon' - World^comma^ News - The Independent,,,,0,instapaper +http://chalk.37signals.com/unsupported,Sorry^comma^ Chalk only works on the iPad.,,,,0,instapaper +http://www.ft.com/cms/s/2/76af3c7a-dbf2-11df-af09-00144feabdc0.html,FT.com / FT Magazine - How Annie got shot,,,,0,instapaper +http://en.wikipedia.org/wiki/Fuel_cell,Fuel cell - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://americanhistory.si.edu/fuelcells/so/sofcmain.htm,Collecting the History of Solid Oxide Fuel Cells,,,,0,instapaper +http://americanhistory.si.edu/fuelcells/pem/pemmain.htm,Collecting the History of Proton Exchange Membrane Fuel Cells,,,,0,instapaper +http://americanhistory.si.edu/fuelcells/phos/pafcmain.htm,Collecting the History of Phosphoric Acid Fuel Cells,,,,0,instapaper +http://americanhistory.si.edu/fuelcells/origins/origins.htm,Fuel Cells: Discovering the Science,,,,0,instapaper +http://americanhistory.si.edu/fuelcells/alk/alkmain.htm,Collecting the History of Alkali Fuel Cells,,,,0,instapaper +http://americanhistory.si.edu/fuelcells/mc/mcfcmain.htm,Collecting the History of Molten Carbonate Fuel Cells,,,,0,instapaper +http://www1.eere.energy.gov/hydrogenandfuelcells/fuelcells/fc_types.html,FCT Fuel Cells: Types of Fuel Cells,,,,0,instapaper +http://atimes.com/atimes/Korea/LJ28Dg01.html,Asia Times Online :: Korea News and Korean Business and Economy^comma^ News,,,,0,instapaper +http://www.geekologie.com/2010/10/im_still_skeptical_time_travel.php,"I'm Still Skeptical: ""Time Traveler"" With Cell Phone Spotted In 1928 Charlie Chaplin Flick - Geekologie",,,,0,instapaper +http://justin.smith.usesthis.com/,An interview with Justin Smith : The Setup,,,,0,instapaper +http://www.youtube.com/watch?v=_Pyn87oJIlg,YouTube - Mt Eden Dubstep - Prodigy : Omen (Bootleg),,,,0,instapaper +http://iwantmyname.com/, (Facelette: On TechCrunch in Three Hours and $0),,,,0,instapaper +http://www.tuaw.com/2010/10/20/app-store-for-mac-highlights-two-major-app-store-flaws/,App Store for Mac highlights two major App Store flaws,,,,0,instapaper +http://laytonduncan.tumblr.com/post/1362769257/the-times-they-are-a-changin,From The Hip The Times They Are a-Changin',,,,0,instapaper +http://furbo.org/2007/07/16/multi-touch-on-the-desktop/,furbo.org Multi-touch on the desktop,,,,0,instapaper +http://sarien.net/,Sarien.net - Instant adventure gaming,,,,0,instapaper +http://floodmagazine.com/2010/10/19/the-new-yorker-or-how-not-to-set-up-a-paywall-part-1/,The New Yorker^comma^ or How Not to Set Up a Paywall^comma^ Part 1 / Flood Magazine,,,,0,instapaper +http://www.zeldman.com/2010/10/17/ipad-as-the-new-flash/,iPad as the new Flash Jeffrey Zeldman Presents The Daily Report,,,,0,instapaper +http://kieran.healy.usesthis.com/,An interview with Kieran Healy : The Setup,,,,0,instapaper +http://en.wikipedia.org/wiki/Very_erotic_very_violent,,,,LongForm,0,instapaper +http://www.cultofmac.com/john-sculley-on-steve-jobs-the-full-interview-transcript/63295,John Sculley On Steve Jobs^comma^ The Full Interview Transcript | Cult of Mac,,,,0,instapaper +http://vimeo.com/m/#/9078364,Vimeo,,,,0,instapaper +http://www.sfgate.com/cgi-bin/article.cgi?f=/c/a/2010/10/07/BAOF1FDMRV.DTL,Overestimate fueled state's landmark diesel law,,,,0,instapaper +http://xkcd.com/802/,xkcd: Online Communities 2,,,,0,instapaper +http://www.ottawacitizen.com/Hunter+Thompson+brutally+honest+Canadian+request/3606508/story.html,a job request (Hunter S. Thompson's unusual job request),,,,0,instapaper +http://www.gq.com/cars-gear/cars/201008/slow-car-movement-jamie-lincoln-kitman-enthusiast-collector,The Most Iconic Slow Cars of All Time (Back from France^comma^ but the jetlag feels like Im recovering...),,,,0,instapaper +http://www.mcsweeneys.net/2010/9/16miller.html,I Am the Orson Welles of PowerPoint (Back from France^comma^ but the jetlag feels like Im recovering...),,,,0,instapaper +http://www.economist.com/blogs/babbage/2010/10/hewlett_packard_names_former_sap_boss_apotheker_ceo,The Lo Way,,,,0,instapaper +http://www.flogs.com/c/MotoGP/186/?partner=motogp,MotoGP - Flogs,,,,0,instapaper +http://www.cnn.com/2010/US/09/29/okeefe.cnn.prank/,Fake pimp from ACORN videos tries to 'punk' CNN correspondent - CNN.com,,,,0,instapaper +http://tweetagewasteland.com/2010/09/the-revolution-will-not-be-tweeted-unless-it-is/,Tweetage Wasteland : The Revolution Will Not Be Tweeted (Unless It Is),,,,0,instapaper +http://speirs.org/blog/2010/9/23/the-ipad-project-how-its-going.html,Fraser Speirs - Blog - The iPad Project: How It'sGoing,,,,0,instapaper +http://arstechnica.com/science/news/2010/09/toddlers-learn-about-entropy-from-messy-bedrooms.ars,Toddlers recognize entropy from messy bedrooms,,,,0,instapaper +http://binarybonsai.com/2010/09/27/chewie-stats/,Lessons of the Chewbacca Incident,,,,0,instapaper +http://binarybonsai.com/2010/09/18/george-lucas-stole-chewbacca-but-its-okay/,George Lucas Stole Chewbacca^comma^ but Its Okay,,,,0,instapaper +http://www.colbertnation.com/the-colbert-report-videos/359744/september-21-2010/eric-schmidt,Eric Schmidt - The Colbert Report - 9/21/10 - Video Clip | Comedy Central,,,,0,instapaper +http://www.dueapp.com/,Due iPhone Reminder App,,,,0,instapaper +http://tech.fortune.cnn.com/2010/09/21/pie-chart-apples-outrageous-share-of-the-mobile-industrys-profits/,Pie Charts Showing Apples Share of the Mobile Industrys Profits,,,,0,instapaper +http://www.telegraph.co.uk/news/uknews/8015180/MI6-used-bodily-fluids-as-invisible-ink.html,MI6 Used Bodily Fluids as Invisible Ink,,,,0,instapaper +http://en.wikipedia.org/wiki/Section_28,Section 28 (My week seen through my Wikipedia browsing history),,,,0,instapaper +http://en.wikipedia.org/wiki/Queen_regnant,Queen regnant (My week seen through my Wikipedia browsing history),,,,0,instapaper +http://en.wikipedia.org/wiki/Kray_twins,Kray twins (My week seen through my Wikipedia browsing history),,,,0,instapaper +http://en.wikipedia.org/wiki/Taman_Shud_Case,Taman Shud case (My week seen through my Wikipedia browsing history),,,,0,instapaper +http://en.wikipedia.org/wiki/Bronze_Age_of_Comic_Books,Bronze Age of comic books (My week seen through my Wikipedia browsing history),,,,0,instapaper +http://en.wikipedia.org/wiki/Barramundi,Barramundi (My week seen through my Wikipedia browsing history),,,,0,instapaper +http://en.wikipedia.org/wiki/List_of_prisoners_of_the_Tower_of_London,List of prisoners of the Tower of London (My week seen through my Wikipedia browsing history),,,,0,instapaper +http://www.nytimes.com/pages/opinion/index.html,Redesigned NYTimes.com Opinion Pages,,,,0,instapaper +http://www.unplggd.com/unplggd/how-to/how-to-convert-an-ipod-hard-drive-to-compact-flash-127584,How to Convert a 5th Gen iPod to Compact Flash (How to Convert a 5th Gen iPod to Compact Flash),,,,0,instapaper +http://expertlabs.org/thinkup.html,ThinkUp (SAY^comma^ Goodbye to Six Apart),,,,0,instapaper +http://www.youtube.com/watch?v=TeFAEKDadCc,YouTube (Video: Scott Speed's Redbull NASCAR taxi earns its fare in Chicago),,,,0,instapaper +http://theoatmeal.com/comics/literally,"What it means when you say ""literally""",,,,0,instapaper +http://lite.floodmagazine.com/post/1141046113/just-like-in-real-life,Just like in real life...,,,,0,instapaper +http://www.mil-millington.pwp.blueyonder.co.uk/things.html,Things my girlfriend and I have argued about,,,,0,instapaper +http://www.youtube.com/watch?v=uhtgsAXmz7U&feature=player_embedded,YouTube - World's Scariest Job,,,,0,instapaper +http://feedproxy.google.com/~r/FloodLite/~3/frpm6PMhbls/1115282622,Using only animated GIFs^comma^ Evan Roth manages to reach new heights...,,,,0,instapaper +http://log.maniacalrage.net/post/1133243557/ego-wallpapers-for-ios-devices-i-released-these,Maniacal Rage,,,,0,instapaper +http://en.wikipedia.org/wiki/List_of_displays_by_pixel_density,List of displays by pixel density - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://totalfinder.binaryage.com/,TotalFinder (TotalFinder),,,,0,instapaper +http://www.cocoatech.com/,Path Finder (TotalFinder),,,,0,instapaper +http://mrgan.tumblr.com/post/1127160219/lost-worlds-fairs,You must check out this completely awesome exploration of...,,,,0,instapaper +http://kochind.com/files/Response%20to%20Recent%20Media%20Attacks.pdf,The Kochs response (The Billionaire Koch Brothers War Against Obama),,,,0,instapaper +http://www.newyorker.com/reporting/2010/08/30/100830fa_fact_mayer?currentPage=all,The Billionaire Koch Brothers War Against Obama,,,,0,instapaper +http://cameronmoll.tumblr.com/post/1126505050/self-employment-12-months-later,Self-Employment^comma^ 12 Months Later / Cameron Moll / Designer^comma^ Speaker^comma^ Author,,,,0,instapaper +http://knifetricks.blogspot.com/2010/04/i-am-detained-by-feds-for-not-answering.html,KNIFE TRICKS: I Am Detained By The Feds For Not Answering Questions,,,,0,instapaper +http://nymag.com/print/?/arts/tv/profiles/68086/,America Is a Joke,,,,0,instapaper +http://gawker.com/5637234/,GCreep: Google Engineer Stalked Teens^comma^ Spied on Chats,,,,0,instapaper +http://techcrunch.com/2010/09/10/bill-of-wrongs/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+Techcrunch+%28TechCrunch%29&utm_content=Google+Reader,TechCrunch Has Breached Your Right To Free Speech? Yeah^comma^ Shut Up (If you havent checked out The Atlantic Wires What...),,,,0,instapaper +http://tom.preston-werner.com/2010/08/23/readme-driven-development.html,Readme Driven Development (A Nike+ Importer for Garmin),,,,0,instapaper +http://tomdoc.org/, (A Nike+ Importer for Garmin),,,,0,instapaper +http://www.newyorker.com/reporting/2007/10/22/071022fa_fact_talbot?currentPage=all,Profiles: Stealing Life : The New Yorker,,,,0,instapaper +http://vimeo.com/14375565,Detroit Lives! (PostSecret: Sunday Secrets),,,,0,instapaper +http://www.businessweek.com/print/magazine/content/10_38/b4195058423479.htm,The Man Who Makes Your iPhone - BusinessWeek,,,,0,instapaper +http://www.vanityfair.com/culture/features/2010/10/sean-parker-201010?currentPage=all,a profile of hacker-turned-billionaire Sean Parker (Meet Sean Parker),,,,0,instapaper +http://www.macworld.com/article/153921/2010/09/6g_ipod_nano.html,Dan Frakes Reviews the New iPod Nano,,,,0,instapaper +http://www.mil-millington.com/,Things My Girlfriend And I Have Argued About,,,,0,instapaper +http://www.huffingtonpost.com/danah-boyd/how-censoring-craigslist-_b_706789.html,Danah Boyd: How Censoring Craigslist Helps Pimps^comma^ Child Traffickers and Other Abusive Scumbags,,,,0,instapaper +http://www.theatlantic.com/magazine/print/2007/07/china-makes-the-world-takes/5987/,China Makes^comma^ The World Takes - Magazine - The Atlantic,,,,0,instapaper +http://devour.com/video/bollywood-awesomeness/,Bollywood Awesomeness on Devour.com,,,,0,instapaper +http://gangrey.com/1151,The Rapist Says He's Sorry.,,,,0,instapaper +http://m.youtube.com#/watch?desktop_uri=http%3A%2F%2Fwww.youtube.com%2Fwatch%3Fv%3DVTvFWQM3kwY%26feature%3Dpopt02us05&feature=popt02us05&v=VTvFWQM3kwY&gl=US&bmb=1,watch,,,,0,instapaper +http://vimeo.com/m/#/12562270,Vimeo,,,,0,instapaper +http://kottke.org/10/09/the-rapist-says-hes-sorry,The Rapist Says He's Sorry,,,,0,instapaper +http://www.blog.matthewhooper.com/how-i-got-to-taiwan/,How Matthew Hooper Got to Taiwan,,,,0,instapaper +http://www.blog.matthewhooper.com/how-i-got-to-taiwan/,(Saving...) How Matthew Hooper Got to Taiwan,,,,0,instapaper +http://www.dailykos.com/storyonly/2010/8/29/897297/-I-got-Obamas-Back-at-Starbucks-this-Morning,Daily Kos: State of the Nation,,,,0,instapaper +http://laytonduncan.tumblr.com/post/1051792095/dont-go-changin,From The Hip Don't go changin',,,,0,instapaper +http://ihateyourhdr.tumblr.com,I Hate Your HDR,,,,0,instapaper +http://theoatmeal.com/,Comics^comma^ Quizzes^comma^ and Stories - The Oatmeal,,,,0,instapaper +http://www.etsy.com/shop/lovestitchedboutique,Love Stitched Boutique by LoveStitchedBoutique on Etsy,,,,0,instapaper +http://content.usatoday.com/communities/driveon/post/2010/08/will-volkswagens-hookup-with-porsche-backfire/1,Will Volkswagen's hookup with Porsche backfire? - Drive On: A conversation about the cars and trucks we drive - USATODAY.com,,,,0,instapaper +http://ausiellofiles.ew.com/2010/08/30/shock-video-aubrey-plaza/,Shock Video: Watch Aubrey Plaza flip me off and shout [expletive]! | Ausiello | EW.com,,,,0,instapaper +http://www.washingtonpost.com/wp-dyn/content/article/2010/08/27/AR2010082704485.html,Roxana Saberi - In Iran^comma^ shackling the Bahai torchbearers,,,,0,instapaper +http://swarmation.com,Swarmation :: The Pixel Formation Game,,,,0,instapaper +http://www.flickr.com/photos/48584253@N05/4941038817/sizes/l/in/photostream/,All available sizes | Farenheit 458 | Flickr - Photo Sharing!,,,,0,instapaper +http://floodlite.tumblr.com/post/1025809764/what-happens-after-you-get-fired-from-an-unpaid,What happens after you get fired from an unpaid internship? Do...,,,,0,instapaper +http://www.slate.com/id/2264478/pagenum/all/,The most isolated man on the planet. - By Monte Reel - Slate Magazine,,,,0,instapaper +http://www.time.com/time/printout/0^comma^8816^comma^2014003^comma^00.html,Mexico: Massacre of Migrants Raises Questions^comma^ Shame -- Printout -- TIME,,,,0,instapaper +http://www.nytimes.com/2010/08/22/magazine/22Adulthood-t.html?_r=2&pagewanted=print,What Is It About 20-Somethings? - NYTimes.com,,,,0,instapaper +http://ministryoftype.co.uk/words/article/guilloches/,Guilloches | The Ministry of Type,,,,0,instapaper +http://www.lamebook.com/,Lamebook Funny Facebook Statuses^comma^ Fails^comma^ LOLs and More The Original,,,,0,instapaper +http://highheelsandgymshoes.blogspot.com/2010/08/video-bloggin.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+HighHeelsAndGymShoes+%28HIGH+HEELS+AND+GYM+SHOES%29&utm_content=Google+Reader,~HIGH HEELS AND GYM SHOES~: video bloggin',,,,0,instapaper +http://www.smashingmagazine.com/2010/08/19/100-free-high-quality-wordpress-themes-for-2010/,100 Free High Quality WordPress Themes: 2010 Edition - Smashing Magazine,,,,0,instapaper +http://realmacsoftware.com/courier/,Courier - Stamp and deliver,,,,0,instapaper +http://azizisbored.tumblr.com/post/1006682910/wow-please-watch-this-the-daily-show-on-fox-news,Aziz is Bored,,,,0,instapaper +http://www.youtube.com/watch?v=n93EevkOjnk&feature=popt02us11,YouTube - BMW M3 E30 V10 S85 in detail by creator and owner + bonusrace vs Switzer SPI750 Porsche 911 Turbo,,,,0,instapaper +http://freakonomics.blogs.nytimes.com/2008/01/09/what-do-real-thugs-think-of-the-wire/,Chicago gang members reviewing The Wire (Yakuza video game reviewed by real Japanese gangsters),,,,0,instapaper +http://www.boingboing.net/2010/08/10/yakuza-3-review.html,to see what they thought of it (Yakuza video game reviewed by real Japanese gangsters),,,,0,instapaper +http://www.uncrate.com/men/gear/office/embassy-pen/,Embassy Pen,,,,0,instapaper +http://www.marginalrevolution.com/marginalrevolution/2010/08/robert-sloss-predicted-the-iphone-in-1910.html,great find (iPhone predicted 100 years ago),,,,0,instapaper +http://github.com/holman/dotfiles, (Dotfiles Are Meant to Be Forked),,,,0,instapaper +http://dotfiles.org/, (Dotfiles Are Meant to Be Forked),,,,0,instapaper +http://www.salon.com/news/feature/2010/08/20/associated_content_google_news_open2010/index.html,Salon: Google News gets gamed by a crappy content farm (links for 2010-08-21),,,,0,instapaper +http://www.youtube.com/watch?v=KDLVCyCm1ck&feature=spotlight,YouTube - Top Secret America,,,,0,instapaper +http://wondermark.com/650/,Wondermark False #650; The Typographical Terror,,,,0,instapaper +http://ilovetypography.com/2010/08/07/where-does-the-alphabet-come-from/,The origins of abc | I love typography^comma^ the typography and fonts blog,,,,0,instapaper +http://www.mcsweeneys.net/2010/8/12hague.html,"McSweeney's Internet Tendency: Our Daughter Isn't a Selfish Brat; Your Son Just Hasn't Read ""Atlas Shrugged"".",,,,0,instapaper +http://www.npr.org/blogs/monkeysee/2010/01/how_degazing_saved_the_big_ban.html,How A Thorough De-Gazing Saved CBS's 'The Big Bang Theory' : Monkey See : NPR,,,,0,instapaper +http://www.buzzfeed.com/spockgiirl/the-princess-bridewith-cats-tfs,The Princess Bride...with Cats [VIDEO],,,,0,instapaper +http://www.lostlaowai.com/blog/expat-stuff/china-expat-rants/weird-things-that-i-got-used-to-in-china-part-i/?utm_source=twitterfeed&utm_medium=twitter,Weird Things That I Got Used to in China^comma^ Part I | Lost Laowai China Blog,,,,0,instapaper +http://www.engadget.com/2010/08/12/apples-rechargeable-aa-batteries-are-rebranded-sanyo-eneloops/,Apple's rechargeable AA batteries are rebranded Sanyo Eneloops? -- Engadget,,,,0,instapaper +http://www.tuaw.com/2010/08/11/engadget-apple-tv-gets-apps-new-name-in-itv/,Engadget: Apple TV gets apps^comma^ new name in iTV,,,,0,instapaper +http://www.esquire.com/features/impossible/price-is-right-perfect-bid-0810,Price Is Right Perfect Bid - How Terry Kniess Beat The Price Is Right - Esquire,,,,0,instapaper +http://gigaom.com/2010/08/09/tech-companies-google-sold-you-out/,Stacey Higginbotham on the Google-Verizon Net Neutrality Plan,,,,0,instapaper +http://chrispiascik.com/tag/all-my-bikes/,drawing all the bikes he's ever owned (The bike is back),,,,0,instapaper +http://www.ranyontheroyals.com/2010/07/abd-el-kader-and-massacre-of-damascus.html,profile of Abd el-Kader (Abd el-Kader),,,,0,instapaper +http://online.wsj.com/article/NA_WSJ_PUB:the_middle_seat.html,flight attendant was one of the many former NYPD officers in jetBlues employ (JetBlue Flight Attendant Pops Open Plane Chute at JFK^comma^ Slides Away - Metropolis - WSJ),,,,0,instapaper +http://blogs.wsj.com/metropolis/2010/08/09/fed-up-flight-attendant-pops-planes-emergency-chute-at-jfk-slides-away/?mod=e2tw,JetBlue Flight Attendant Pops Open Plane Chute at JFK^comma^ Slides Away,,,,0,instapaper +http://motherjones.com/politics/2010/08/bob-inglis-tea-party-casualty,Confessions of a Tea Party Casualty,,,,0,instapaper +http://fromuktouswithlove.blogspot.com/2010/08/postsecret-august-6-2010.html,fromUKtoUSwithlove: POSTSECRET August 6^comma^ 2010,,,,0,instapaper +http://www.wired.co.uk/news/False/2010-06/21/air-conditioning-upgrade?page=all,"Air con upgrade improves efficiency up to 90 percent",,,,0,instapaper +http://flowingdata.com/2010/08/06/back-to-the-future-trilogy-timelines/?utm_source=twitterfeed&utm_medium=twitter, Back to the Future trilogy timelines,,,,0,instapaper +http://www.telegraph.co.uk/news/worldnews/asia/china/7928112/Chairman-Maos-grandson-proclaims-nepotism-was-key-to-promotion.html,Chairman Mao's grandson proclaims nepotism was key to promotion - Telegraph,,,,0,instapaper +http://www.fontshop.com/education/,Education | FontShop,,,,0,instapaper +http://www.appleinsider.com/articles/10/08/04/apples_itunes_cloud_playback_from_mobileme_idisk_gets_noticed.html,Apple's iTunes cloud playback from MobileMe iDisk gets noticed,,,,0,instapaper +http://googlesystem.blogspot.com/2010/08/google-multiple-sign-in-now-available.html,Google Multiple Sign-In (Google Multiple Sign-In),,,,0,instapaper +http://www.nomorefriends.net/3.html,All My Friends Are Dead,,,,0,instapaper +http://www.spiegel.de/international/business/0^comma^1518^comma^709937^comma^00.html,Aldi supermarkets (Links for August 4),,,,0,instapaper +http://daringfireball.net/2010/08/open_urls_in_safari_tabs, Service: Open URLs in Safari Tabs,,,,0,instapaper +http://www.newyorker.com/reporting/2010/08/02/100802fa_fact_gawande?currentPage=all,his most recent piece on modern medicine's difficulty in dealing with patients who are likely to die (Americans don't know how to die),,,,0,instapaper +http://jalopnik.com/277056/se7en-se7en-oh-my-se7en,Se7en^comma^ Se7en^comma^ Oh My Se7en! (A new format to go with new aggregation system. Not that anyone...),,,,0,instapaper +http://tech.fortune.cnn.com/2010/07/29/secrets-of-the-boy-genius/,Secrets of the Boy Genius (A new format to go with new aggregation system. Not that anyone...),,,,0,instapaper +http://cameronmoll.tumblr.com/post/893858574/livereload-safari-extension,LiveReload Safari Extension,,,,0,instapaper +http://chrisglass.com/album/2010/07/13/graceland/,Chris Glasss Photographs of Graceland,,,,0,instapaper +http://carpeaqua.com/2010/08/02/death-to-pull-to-refresh/,Justin Williams on Pull-to-Refresh,,,,0,instapaper +http://www.lensrentals.com/news/2010.03.06/this-lens-is-soft-and-other-facts,"LensRentals.com - ""This lens is soft"" and other FACTS",,,,0,instapaper +http://itunes.apple.com/WebObjects/MZStore.woa/wa/viewRoom?fcId=384922938&id=25204&mt=8,iTunes Store,,,,0,instapaper +http://www.newscientist.com/article/mg20727713.500-morphosaurs-how-shapeshifting-dinosaurs-deceived-us.html,Morph-osaurs: How shape-shifting dinosaurs deceived us - life - 28 July 2010 - New Scientist,,,,0,instapaper +http://agiletesting.blogspot.com/2010/03/automated-deployment-systems-push-vs.html,Agile Testing: Automated deployment systems: push vs. pull,,,,0,instapaper +http://www.diyphotography.net/la-guillotine-camera-aka-the-adidas-camera,La Guillotine Camera^comma^ A.K.A The Adidas Camera | DIYPhotography.net,,,,0,instapaper +http://stewart.smith.usesthis.com/,An interview with Stewart Smith : The Setup,,,,0,instapaper +http://www.funnyordie.com/videos/ed36fa1ab6/between-two-ferns-with-zach-galifianakis-steve-carell,Between Two Ferns with Zach Galifianakis: Steve Carell from Between Two Ferns^comma^ Zach Galifianakis^comma^ Steve Carell^comma^ Comedy Deathray^comma^ and Scott Aukerman - Video,,,,0,instapaper +http://www.npr.org/templates/story/story.php?storyId=128825986,Secret Jails Used To Enforce China's 'Hidden Rules' : NPR,,,,0,instapaper +http://azizisbored.tumblr.com/post/875316123/this-between-two-ferns-with-steve-carrell-is,This Between Two Ferns with Steve Carrell is hysterical.,,,,0,instapaper +http://arstechnica.com/tech-policy/news/2010/07/apple-loses-big-in-drm-ruling-jailbreaks-are-fair-use.ars,runs down (Links for July 28),,,,0,instapaper +http://chipotle.tumblr.com/post/861778478/the-emperors-new-antenna,The Emperors New Antenna,,,,0,instapaper +http://clientsfromhell.net/post/871025962/my-first-phone-conversation-with-a-new-client,"Clients From Hell: My first phone conversation with a new client",,,,0,instapaper +http://www.gq.com/entertainment/celebrities/201008/bill-murray-dan-fierman-gq-interview?currentPage=all,Bill Murray is ready to see you now (The last weeks worth of reads. Yeah^comma^ its a bit...),,,,0,instapaper +http://www.nytimes.com/2010/07/18/opinion/18rich.html?_r=1,The Good News About Mel Gibson (The last weeks worth of reads. Yeah^comma^ its a bit...),,,,0,instapaper +http://anthony-bourdain-blog.travelchannel.com/read/the-original-goodbye-splendor?fbid=XP0rtWQLAGH,The Original (Goodbye Splendor) (The last weeks worth of reads. Yeah^comma^ its a bit...),,,,0,instapaper +http://sports.espn.go.com/espn/page2/story?page=simmons/100722/mailbag2,go to Simmons' site (Comedy MVPs),,,,0,instapaper +http://aht.seriouseats.com/Falses/2010/07/the-burger-lab-how-to-make-an-in-n-out-double-double-animal-style.html,Kenji Lopez-Alt reverse engineers the In-N-Out burger (Make your own In-N-Out Burger at home),,,,0,instapaper +http://www.theatlantic.com/science/False/2010/07/the-varieties-of-religious-experience-how-apple-stays-divine/60271/,Alexis Madrigal has an interesting post about Apple as a religion (Apple as religious experience),,,,0,instapaper +http://craigmod.com/journal/kickstartup/,Kickstartup,,,,0,instapaper +http://www.macworld.com/reviews/product/586738/review/magic_trackpad.html?expand=true?lsrc=go_yankees,Dan Frakes on the Magic Trackpad,,,,0,instapaper +http://thenerdary.net/articles/entry/a_real_web_design_framework,Mark Huot: A Real Web Design Framework,,,,0,instapaper +http://jasonsantamaria.com/articles/a-real-web-design-application/,A Real Web Design Application,,,,0,instapaper +http://www.wired.com/epicenter/2010/07/ipad-owner-are-selfish-elites-critics-are-independent-geeks-says-study/,iPad Owners Are Selfish Elites; Critics Are Independent Geeks^comma^ Says Study | Epicenter| Wired.com,,,,0,instapaper +http://jay-mariotti.fanhouse.com/2010/07/25/lance-armstrong-rides-into-the-darkness-at-the-tour-de-france/?icid=main%7Cmain%7Cdl4%7Clink2%7Chttp://jay-mariotti.fanhouse.com/2010/07/25/lance-armstrong-rides-into-the-darkness-at-the-tour-de-france/,Lance Armstrong Rides Into the Darkness at the Tour de France -- FanHouse,,,,0,instapaper +http://www.ted.com/talks/julian_assange_why_the_world_needs_wikileaks.html,Julian Assange: Why the world needs WikiLeaks | Video on TED.com,,,,0,instapaper +http://www.shanenoir.com/blog/,Blog of Shane Noir Shane Noir's Photography Blog,,,,0,instapaper +http://yvettesbridalformal.com/,Yvette's Wedding Dresses Panama City Florida Yvette's Yvette's,,,,0,instapaper +http://rogerebert.suntimes.com/apps/pbcs.dll/article?AID=/20080921/COMMENTARY/809219997,Creationism: Your questions answered :: rogerebert.com :: News & comment,,,,0,instapaper +http://www.technovia.co.uk/2010/07/turns-out-that-making-an-ipad-killer-isnt-so-easy-after-all.html,arent being produced (Links for July 12),,,,0,instapaper +http://cryptome.org/0001/wikileaks-dump.htm,something fishy (Links for July 12),,,,0,instapaper +http://brickmag.com/current/excerpt1.html,Brick: The Lizard^comma^ the Catacombs^comma^ and the Clock (links for 2010-07-15),,,,0,instapaper +http://www.nerdist.com/2010/07/serenity-now/,Serenity Now,,,,0,instapaper +http://gigaom.com/2010/07/21/fred-wilson-apple-is-evil-and-facebook-is-a-photo-sharing-site/," Fred Wilson: Apple is Evil and Facebook is a Photo-sharing Site ",,,,0,instapaper +http://t4deliriousnygroupe06.files.wordpress.com/2009/05/chris-ware-41.jpg,chris-ware-41.jpg,,,,0,instapaper +http://topics.nytimes.com/top/reference/timestopics/organizations/l/lords_resistance_army/index.html?inline=nyt-org,Lord's Resistance Army News - The New York Times,,,,0,instapaper +http://events.apple.com.edgesuite.net/100716iab73asc/event/index.html,Apple - QuickTime - July 16 Press Conference,,,,0,instapaper +http://seattletimes.nwsource.com/html/thebusinessofgiving/2012363890_paul_allen_signs_billionaire_p.html,The Business of Giving | Paul Allen commits majority of his wealth to philanthropy | Seattle Times Newspaper,,,,0,instapaper +http://awkwardstockphotos.com/,Awkward Stock Photos,,,,0,instapaper +http://mobile.nytimes.com/2010/07/13/world/africa/13hague.xml,13hague.xml,,,,0,instapaper +http://bjango.com/articles/noise/,Noise and textures,,,,0,instapaper +http://www.mcpactions.com/blog/2010/07/13/successes-and-failures-of-a-first-year-photographer/?utm_source=feedburner&utm_medium=twitter&utm_campaign=Feed%3A+mcpactions+%28MCP+Actions+Blog%29,Successes and Failures of a First Year Photographer | MCP Actions Blog - Photography Techniques^comma^ Photoshop Actions^comma^ Tutorials,,,,0,instapaper +http://www.youtube.com/watch?v=b8_2PKsj_0A,Vodafone-McLaren F1 (Video: Jenson Button and Lewis Hamilton hit the road to Silverstone in a VW Bus),,,,0,instapaper +http://www.automobilemag.com/reviews/driven/1007_2011_hyundai_sonata_20t/index.html,First Drive: 2011 Hyundai Sonata 2.0T,,,,0,instapaper +http://jeremyhubert.com/playground/livecss/,Jeremy Huberts Live CSS Editing Extension (Safari Extension: Live CSS Editor),,,,0,instapaper +http://macrabbit.com/cssedit/features/preview/,CSSEdit (Safari Extension: Live CSS Editor),,,,0,instapaper +http://observatory.designobserver.com/entry.html?entry=14238,signs he has purchased from panhandlers (Panhandler signs),,,,0,instapaper +http://www.cultofmac.com/report-apple-adds-second-mac-desktop-supplier/50423,Report: Apple Adds Second Mac Desktop Supplier,,,,0,instapaper +http://cameronmoll.tumblr.com/post/801915420/inc-magazine-how-to-design-and-build-a-mobile-website,Inc. Magazine: How to Design and Build a Mobile Website,,,,0,instapaper +http://kottke.org/10/07/unwrapping-flowers,Unwrapping flowers,,,,0,instapaper +http://www.newyorker.com/reporting/2010/07/12/100712fa_fact_grann?currentPage=all,Peter Paul Biro^comma^ fingerprints^comma^ and a lost Leonardo : The New Yorker,,,,0,instapaper +http://www.austinchronicle.com/gyrobase/Issue/story?oid=oid%3A1050799,Austin at Very High Speed: The who^comma^ what^comma^ where^comma^ when^comma^ and why of Formula One racing Austin News - AustinChronicle.com,,,,0,instapaper +http://www.gq.com/news-politics/big-issues/200810/michael-hastings-newsweek-presidential-campaign?printable=true,Hack: Confessions of a Presidential Campaign Reporter: Big Issues: GQ,,,,0,instapaper +http://codeascraft.etsy.com/2010/07/09/batch-processing-millions-of-images/,Code as Craft Batch Processing Millions and Millions of Images,,,,0,instapaper +http://www.nytimes.com/2010/07/10/books/10twain.html?_r=3&hp=&pagewanted=all,Mark Twains Unexpurgated Autobiography - NYTimes.com,,,,0,instapaper +http://techcrunch.com/2010/07/10/apple-facetime-commercial/,Its As If Apple Has Hired Don Draper,,,,0,instapaper +http://www.ted.com/talks/john_doerr_sees_salvation_and_profit_in_greentech.html,John Doerr sees salvation and profit in greentech | Video on TED.com,,,,0,instapaper +http://arstechnica.com/open-source/reviews/2010/07/android-22-froyo.ars,Ars reviews Android 2.2 on the Nexus One,,,,0,instapaper +http://www.nytimes.com/2010/07/04/automobiles/autoreviews/04WHEEL.html?_r=2&partner=rss&emc=rss,Around the Block - 2010 Porsche 911 Turbo Cabriolet - Another Power Grab by Porsches Engineers - Review - NYTimes.com,,,,0,instapaper +http://www.wired.com/gadgetlab/2010/07/ipad-interface-studies/,Will the iPad Make You Smarter? | Gadget Lab | Wired.com,,,,0,instapaper +http://www.wired.co.uk/wired-magazine/False/2010/08/start/warren-ellis,Warren Ellis: On cannibalism,,,,0,instapaper +http://www.esquire.com/features/sports/the-string-theory-0796,David Foster Wallace The String Theory - David Foster Wallace on Tennis - Esquire,,,,0,instapaper +http://www.themorningnews.org/Falses/personal_essays/in_tennis_love_means_nothing.php,In Tennis^comma^ Love Means Nothing by Nic Brown - The Morning News,,,,0,instapaper +http://www.autoblog.com/2010/07/09/video-autocar-and-top-gear-test-out-the-porsche-911-gt3-r-hybri/#continued,Video: Autocar and Top Gear test out the Porsche 911 GT3 R Hybrid Autoblog,,,,0,instapaper +http://randsinrepose.com/,Rands In Repose,,,,0,instapaper +http://news.bbc.co.uk/2/hi/world/us_and_canada/10564994.stm,BBC News - US and Russia in Vienna spy swap,,,,0,instapaper +http://www.foreignpolicy.com/articles/2010/07/06/the_sheikh_who_got_away?print=yes&hidecomments=yes&page=full,The Sheikh Who Got Away,,,,0,instapaper +http://mrgan.tumblr.com/post/777350648/my-week-seen-through-my-wikipedia-browsing-history,My week seen through my Wikipedia browsing history - Neven Mrgan's tumbl,,,,0,instapaper +http://www.thesun.co.uk/sol/homepage/news/3040698/Nazi-executioner-strolls-in-park.html,Nazi executioner strolls in park | The Sun |News,,,,0,instapaper +http://wondertonic.tumblr.com/post/300760720/your-renegade-ways-have-no-place-in-geek-squad,WONDER-TONIC - Your Renegade Ways Have No Place In Geek Squad,,,,0,instapaper +http://bnreview.barnesandnoble.com/t5/Grin-Tonic/My-Tea-Party-Candidacy/ba-p/2355,My Tea Party Candidacy - The Barnes & Noble Review,,,,0,instapaper +http://www.mcsweeneys.net/2010/1/26lachler.html,"McSweeney's Internet Tendency: A Response By An Aspiring Screenwriter Whose Screenplay Was Turned Down Because It's Exactly Like ""Robocop"".",,,,0,instapaper +http://www.economist.com/node/16432794?story_id=16432794,The evolving blogosphere: An empire gives way | The Economist,,,,0,instapaper +http://www.princeton.edu/main/news/False/S27/52/51O99/index.xml,Princeton University - 2010 Baccalaureate remarks,,,,0,instapaper +http://redmondmag.com/articles/2010/07/01/myth-busting.aspx,How Microsoft Is Busting Its Own 'The Browser Is Part of the OS' Myth -- Redmondmag.com,,,,0,instapaper +http://www.mirror.co.uk/celebs/news/2010/07/05/prince-world-exclusive-interview-peter-willis-goes-inside-the-star-s-secret-world-115875-22382552/,Prince - world exclusive interview: Peter Willis goes inside the star's secret world - mirror.co.uk,,,,0,instapaper +http://www.huffingtonpost.com/2010/07/07/lindsay-lohans-fingernail_n_637469.html?ref=twitter,Lindsay Lohan's Fingernail Painted With 'F**k U',,,,0,instapaper +http://blog.marklamster.com/?p=2179,The story of the emigration of Morris Moel and his family from the Ukraine in the 1910s/20s (On coming to America),,,,0,instapaper +http://www.washingtonpost.com/wp-dyn/content/article/2010/06/18/AR2010061803289.html,contraction in government spending (One case against further stimulus),,,,0,instapaper +http://www.thestranger.com/seattle/gallagher-is-a-paranoid-right-wing-watermelon-smashing-maniac/Content?oid=4357855,Gallagher Is a Paranoid^comma^ Right-Wing^comma^ Watermelon-Smashing Maniac by Lindy West - Theater - The Stranger^comma^ Seattle's Only Newspaper,,,,0,instapaper +http://www.jasonrobertbrown.com/weblog/2010/06/fighting_with_teenagers_a_copy.php,jasonrobertbrown.com - weblog - Falses,,,,0,instapaper +http://gakuranman.com/gunkanjima-ruins-of-a-forbidden-island/,Gunkanjima: Ruins of a Forbidden Island Gakuranman.com,,,,0,instapaper +http://www.apple.com/pr/library/2010/07/02appleletter.html,Letter from Apple Regarding iPhone 4,,,,0,instapaper +http://www.theatlantic.com/magazine/print/2008/11/a-boy-apos-s-life/7059/,The Atlantic :: Magazine :: A Boy's Life,,,,0,instapaper +http://www.newyorker.com/reporting/2009/08/31/090831fa_fact_brill?printable=true,Joel Klein vs. New York City teachers : The New Yorker,,,,0,instapaper +http://www.nytimes.com/2010/06/27/opinion/27kristof.html?src=me&ref=general,Op-Ed Columnist - Death by Gadget in Congo - NYTimes.com,,,,0,instapaper +http://www.apple.com/ipad/velcro/,Apple - iPad - iPad + Velcro,,,,0,instapaper +http://www.nytimes.com/2010/06/27/fashion/27Wong.html?pagewanted=all,The Life of Tobias Wong^comma^ Designer - NYTimes.com,,,,0,instapaper +http://www.vanityfair.com/hollywood/features/2010/07/michael-jackson-thriller-201007?printable=true¤tPage=all,The | Vanity Fair,,,,0,instapaper +http://m.youtube.com/index?desktop_uri=%2F&gl=US#/watch?client=mv-google&v=j8kGBlc34_Y,YouTube - Broadcast Yourself.,,,,0,instapaper +http://blog.iwalt.com/2010/06/targeting-the-iphone-4-retina-display-with-css3-media-queries.html,Targeting the iPhone 4 Retina Display with CSS3 Media Queries - WaltPad,,,,0,instapaper +http://damonlavrinc.com/post/729267233/chris-harris-in-an-fia-spec-historic-911-rally,Chris Harris in an FIA-Spec Historic 911 rally car. The burble...,,,,0,instapaper +http://blog.chasejarvis.com/blog/2010/06/workflow-and-backup-for-photo-video/,Complete Workflow^comma^ Storage & BackUp for Photography + Video | Chase Jarvis Blog,,,,0,instapaper +http://www.alistapart.com/articles/responsive-web-design/,A List Apart: Articles: Responsive Web Design,,,,0,instapaper +http://felttip.tumblr.com/,Felt Tip blog,,,,0,instapaper +http://jalopnik.com/5566934/how-my-dads-cars-changed-my-life,How My Dad's Cars Changed My Life,,,,0,instapaper +http://daringfireball.net/2007/12/fastcompany,Daring Fireball: Yet Another in the Ongoing Series Wherein I Examine a Piece of Supposedly Serious Apple Analysis From a Major Media Outlet and Dissect Its Inaccuracies^comma^ Fabrications^comma^ and Exaggerations Point-by-Point^comma^ Despite the Fact That No Matter How Egregious the Inaccuracies / Fabrications / Exaggerations^comma^ Such Pieces Inevitably Lead to Accusations That I'm Some Sort of Knee-Jerk Shill Who Rails Against Anything 'Anti-Apple' Simply for the Sake of Defending Apple^comma^ and if I Love Apple So Much Why Don't I Just Marry Them?,,,,0,instapaper +http://www.sfgate.com/cgi-bin/article.cgi?f=%2Fc%2Fa%2F2010%2F06%2F13%2FMNSK1DSMNR.DTL,Creativity thrives in Pixar's animated workplace,,,,0,instapaper +http://daringfireball.net/2010/06/whats_fair,Daring Fireball: I'll Tell You What's Fair,,,,0,instapaper +http://yourmonkeycalled.com/post/185927647/book-titles-if-they-were-written-today,your monkey called,,,,0,instapaper +http://www.mcsweeneys.net/links/lists/27lacher.html,McSweeney's Internet Tendency: Great Literature Retitled To Boost Website Traffic.,,,,0,instapaper +http://www.mcsweeneys.net/links/monologues/15comicsans.html,Timothy McSweeney's Internet Tendency: I'm Comic Sans^comma^ Asshole.,,,,0,instapaper +http://www.theatlantic.com/science/False/2010/06/i-was-wrong-about-the-ipad/58061/,I Was Wrong About the iPad - Science and Tech - The Atlantic,,,,0,instapaper +http://www.nytimes.com/2010/06/14/world/africa/14somalia.html?hp=&pagewanted=all,Children Carry Guns for a U.S. Ally^comma^ Somalia - NYTimes.com,,,,0,instapaper +http://www.wired.com/wired/False/4.02/jobs_pr.html,Steve Jobs: The Next Insanely Great Thing [longform.org],,,,0,instapaper +http://www.poynter.org/content/content_view.asp?id=46148,The Liberation of Tam Minh Pham [longform.org],,,LongForm,0,instapaper +http://www.newyorker.com/False/2003/03/10/030310fa_fact2?currentPage=all,Lost in the Jihad [longform.org],,,LongForm,0,instapaper +http://www.harpers.org/False/2010/06/hbc-90007190,Rules for Drone Wars [longform.org],,,LongForm,0,instapaper +http://jalopnik.com/5563003/video-34-chinese-car-accidents,VIDEO: 34 Low-Speed Chinese Car Accidents [Car Crashes],,,,0,instapaper +http://jalopnik.com/5562964/utv-hits-pikes-peak-for-race-to-the-sun,UTV Hits Pikes Peak For Race To The Sun,,,,0,instapaper +http://homepage.mac.com/drewthaler/jsblacklist/,Drew Thalers JavaScript Blacklist Safari Extension,,,,0,instapaper +http://www.buzzfeed.com/eduardoleon/dont-turn-around-alejandro-lady-gaga-vs-ace-ga9,Don't Turn Around^comma^ Alejandro [VIDEO],,,,0,instapaper +http://www.vanityfair.com/magazine/False/1984/03/dunne198403?printable=true,Justice,,,LongForm,0,instapaper +http://www.atlantamagazine.com/june2010/flustory.aspx,The Golden Boy and the Invisible Army,,,LongForm,0,instapaper +http://www.nytimes.com/1988/11/20/magazine/the-rumpled-anarchy-of-bill-murray.html?scp=20&sq=%22Timothy%20White&st=cse&pagewanted=print,The Rumpled Anarchy of Bill Murray,,,LongForm,0,instapaper +http://dumbdumb.com/video/1937344/prom-date,DumbDumb,,,,0,instapaper +http://hypedpsyche.tumblr.com/,http://hypedpsyche.tumblr.com/,,,,0,instapaper +http://www.alistapart.com/articles/fonts-at-the-crossing/,A List Apart: Articles: Web Fonts at the Crossing,,,,0,instapaper +http://safariextensions.tumblr.com/,Safari Extensions,,,,0,instapaper +http://techcrunch.com/2010/06/08/an-android-users-take-on-yesterdays-iphone-news/,An Android Users Take on Yesterdays iPhone News,,,,0,instapaper +http://www.wired.com/threatlevel/2010/06/leak/,U.S. Intelligence Analyst Arrested in Wikileaks Video Probe | Threat Level | Wired.com,,,,0,instapaper +http://www.subtraction.com/2010/06/08/better-screen-same-typography,Subtraction.com: Better Screen^comma^ Same Typography,,,,0,instapaper +http://www.wired.co.uk/wired-magazine/False/2010/07/features/behind-foursquare-and-gowalla-the-great-check-in-battle?page=all,Behind Foursquare and Gowalla: The great check-in battle,,,,0,instapaper +http://news.bbc.co.uk/2/hi/americas/8727647.stm,BBC News - China defends internet censorship,,,,0,instapaper +http://www.mobilecrunch.com/wp-content/uploads/2010/06/DSC_0230.jpg,DSC_0230.jpg,,,,0,instapaper +http://jalopnik.com/5556703//gallery/,Ten US Military Aircraft That Never Quite Made It,,,,0,instapaper +http://www.vanityfair.com/politics/features/2007/03/dollard200703?printable=true,Pat Dollard's War on Hollywood | Politics | Vanity Fair,,,,0,instapaper +http://www.newyorker.com/reporting/2010/06/07/100607fa_fact_khatchadourian?printable=true,WikiLeaks and Julian Paul Assange : The New Yorker,,,,0,instapaper +http://www.insideline.com/porsche/911/2010/2010-porsche-997-vs-1994-porsche-993.html,2010 Porsche 997 vs. 1994 Porsche 993,,,,0,instapaper +http://blogs.suntimes.com/ebert/2010/06/how_would_i_feel_if.html,How do they get to be that way? - Roger Ebert's Journal,,,,0,instapaper +http://www.caranddriver.com/reviews/car/False/mercedes-benz_300sl-Falsed_road_test,Mercedes-Benz 300SL - Falsed Road Test - Auto Reviews - Car and Driver,,,,0,instapaper +http://isparade.jp/197770,IS Parade,,,,0,instapaper +http://www.airspacemag.com/video/Go-For-Launch.html,Go For Launch! Video | Air & Space Magazine,,,,0,instapaper +http://www.wesh.com/news/23716131/detail.html,Facebook Reunites Mom With Kidnapped Kids - Orlando News Story - WESH Orlando,,,,0,instapaper +http://releasecandidateone.com/221:a_services_menu_for_iphone,A Services Menu for iPhone - Release Candidate One,,,,0,instapaper +http://www.rdio.com/,Rdio,,,,0,instapaper +http://www.independent.co.uk/news/world/asia/everest-team-forced-to-leave-sick-british-climber-to-die-1988979.html,"Everest team forced to leave sick British climber to die - Asia^comma^ World - The Independent",,,,0,instapaper +http://www.slate.com/id/2255105/pagenum/all/,The Three Christs of Ypsilanti: What happens when three men who identify as Jesus are forced to live together? - By Vaughan Bell - Slate Magazine,,,,0,instapaper +http://jalopnik.com/5553707//gallery/,Ten Cars That Killed Mercury,,,,0,instapaper +http://www.huffingtonpost.com/tim-siedell/a-review-of-emsex-and-the_b_593554.html,A Review of Sex and the City 2 by Someone Who Doesnt Know Anything About It,,,,0,instapaper +http://www.monocle.com/sections/business/Web-Articles/The-Impossible-Project/,Nice Report From Monocle on The Impossible Project,,,,0,instapaper +http://gizmodo.com/5547380/what-dyson-does-with-all-those-unsold-bladeless-fans?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+gizmodo%2Ffull+%28Gizmodo%29,What Dyson Does With All Those Unsold Bladeless Fans [Dyson],,,,0,instapaper +http://m.gizmodo.com/5552614/the-robot-uprising-against-autism,The New Face of Autism Therapy | Popular Science,,,,0,instapaper +http://www.flickr.com/photos/chrisstreeter/sets/72157623743906924/,Venezuela - a set on Flickr,,,,0,instapaper +http://www.lightstalking.com/dof/,"Free Downloadable Guide: A Photographer's Guide to Depthof Field",,,,0,instapaper +http://daringfireball.net/linked/2010/06/01/duncan-wired,Daring Fireball Linked List: Deconstruction of the Wired iPad App,,,,0,instapaper +http://howtodestroyangels.com,HOW TO DESTROY ANGELS,,,,0,instapaper +http://damonlavrinc.com/post/650811853/unsurprisingly-the-ipad-edition-of-wired-was-a,damonlavrinc Unsurprisingly^comma^ the iPad edition of Wired was a...,,,,0,instapaper +http://en.wikipedia.org/wiki/Immaculate_Conception,Immaculate Conception - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://jalopnik.com/5551040/,Why Old Cars Suck,,,,0,instapaper +http://yfrog.com/2colej,2colej,,,,0,instapaper +http://www.boston.com/ae/celebrity/more_names/blog/2010/05/where_am_i_the_crowd.html,Ann Curry speaks at Wheaton College...but which one? - The Names Blog - Boston.com,,,,0,instapaper +http://laytonduncan.tumblr.com/post/635187733/facebook-vs-facebook-users,From The Hip Facebook vs. Facebook Users,,,,0,instapaper +http://www.esquire.com/print-this/ESQ1099-OCT_NOLTE-4,Nick Nolte: Malibu’s Mad Scientist [longform.org],,,LongForm,0,instapaper +http://www.esquire.com/features/the-restless-man/last-penal-colony-0500,The Last Penal Colony [longform.org],,,LongForm,0,instapaper +http://www.wired.com/politics/law/magazine/15-09/ff_internetlies?currentPage=all,An IM Infatuation [longform.org],,,LongForm,0,instapaper +http://www.vanityfair.com/culture/features/2007/11/pearlman200711?printable=true,Mad About the Boys [longform.org],,,LongForm,0,instapaper +http://www.miaminewtimes.com/content/printVersion/2270696,The biggest identity theft case ever [longform.org],,,LongForm,0,instapaper +http://www.newyorker.com/reporting/2009/09/07/090907fa_fact_grann?currentPage=all,Trial By Fire [longform.org],,,LongForm,0,instapaper +http://www.esquire.com/features/ESQ0903-SEP_FALLINGMAN,The Falling Man [longform.org],,,LongForm,0,instapaper +http://www.washingtoncitypaper.com/articles/1641/letters-from-an-arsonist/full,Letters From an Arsonist,,,LongForm,0,instapaper +http://www.nytimes.com/2010/05/23/magazine/23Larsson-t.html?ref=magazine&pagewanted=print,The Afterlife of Stieg Larsson,,,LongForm,0,instapaper +http://blogs.telegraph.co.uk/culture/tomchivers/100008226/mmr-autism-scare-so-farewell-then-dr-andrew-wakefield/,MMR autism scare: so^comma^ farewell then^comma^ Dr Andrew Wakefield,,,LongForm,0,instapaper +http://www.slate.com/id/2094646/,Slate Magazine,,,,0,instapaper +http://www.radosh.net/False/000061.html,Less Inflamatory Headline Here | Radosh.net,,,,0,instapaper +http://www.nytimes.com/2004/01/25/magazine/25SEXTRAFFIC.html?pagewanted=all,The Girls Next Door - Sidebar - NYTimes.com,,,LongForm,0,instapaper +http://www.studiousbison.com/leo/aziz-interview,Studious Bison,,,LongForm,0,instapaper +http://thijsjacobs.com/post/614783566/open-source-webfont-loader,Open Source Webfont Loader,,,,0,instapaper +http://code.google.com/webfonts/preview,Font Preview - Google Font Directory,,,,0,instapaper +http://www.theatlantic.com/magazine/print/2010/06/the-enemy-within/8098/,The Enemy Within [longform.org],,,LongForm,0,instapaper +http://www.gq.com/news-politics/big-issues/200907/wisconsin-high-school-sex-scandal-online-facebook?printable=true¤tPage=all,Sextortion at Eisenhower High [longform.org],,,LongForm,0,instapaper +http://ngm.nationalgeographic.com/print/2007/11/memory/foer-text,Remember This [longform.org],,,LongForm,0,instapaper +http://cnnsi.printthis.clickability.com/pt/cpt?action=cpt&title=The+champ+and+his+followers+were+the+greatest+show+on+-+04.25.88+-+SI+Vault&expire=&urlID=407977287&fb=Y&url=http://sportsillustrated.cnn.com/vault/article/magazine/MAG1067248/index.htm&partnerID=289881,The Champ and His Entourage [longform.org],,,LongForm,0,instapaper +http://www.huffingtonpost.com/2010/05/17/5-superpowers-we-all-had-_n_578856.html,5 Superpowers We All Had As Babies (According to Science),,,,0,instapaper +http://gizmodo.com/5537766/roosevelt-island-where-trash-is-collected-at-60mph?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+gizmodo%2Ffull+%28Gizmodo%29,Roosevelt Island^comma^ Where Trash Is Collected At 60MPH [Tubes],,,,0,instapaper +http://jalopnik.com/5537095/the-cars-of-the-playboy-playmates,The Cars of the Playboy Playmates [Exclusive],,,,0,instapaper +http://valleywag.gawker.com/5537310/watch-conan-obriens-illegal-jay-leno-impression,Watch Conan O'Brien's Illegal Jay Leno Impression [Google],,,,0,instapaper +http://arstechnica.com/gaming/guides/2010/05/with-1-million-raised-humble-bundle-games-go-open-source.ars?utm_source=rss&utm_medium=rss&utm_campaign=rss,With >$1 million raised^comma^ Humble Bundle games go open source,,,,0,instapaper +http://gizmodo.com/5537053/nasa-finds-outer-space-65-feet-underwater?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+gizmodo%2Ffull+%28Gizmodo%29,NASA Finds Outer Space 65 Feet Underwater [Nasa],,,,0,instapaper +http://arstechnica.com/gaming/news/2010/05/how-removing-ps3-linux-hurts-the-air-force.ars?utm_source=rss&utm_medium=rss&utm_campaign=rss,Air Force may suffer collateral damage from PS3 firmware update,,,LongForm,0,instapaper +http://www.zefrank.com/chillout/,chillout song :: zefrank.com,,,,0,instapaper +http://gawker.com/5539717/,Steve Jobs Offers World 'Freedom From Porn' - Apple - Gawker,,,,0,instapaper +http://news.bbc.co.uk/2/hi/technology/8684110.stm,BBC News - Google admits wi-fi data collection blunder,,,,0,instapaper +http://www.theatlantic.com/magazine/False/2010/06/the-enemy-within/8098/,The Enemy Within - Magazine - The Atlantic,,,LongForm,0,instapaper +http://joel.johnson.usesthis.com/,An interview with Joel Johnson : The Setup,,,,0,instapaper +http://kottke.org/10/05/the-other-iphone-network,The other iPhone network,,,,0,instapaper +http://jsnell.intertext.com/post/599003155/great-moments-in-journalism,Brian Lams Email to Steve Jobs Regarding Gizmodos Stolen iPhone Prototype,,,,0,instapaper +http://www.thedailyshow.com/watch/wed-may-12-2010/back-in-black---glenn-beck-s-nazi-tourette-s,Video: Back in Black - Glenn Beck's Nazi Tourette's | The Daily Show | Comedy Central,,,,0,instapaper +http://i.imgur.com/aUS5f.jpg,aUS5f.jpg,,,,0,instapaper +http://thijsjacobs.com/post/593918709/heroku-and-toto,Deploy a Blog in 5 Minutes with Toto and Heroku,,,,0,instapaper +http://www.newyorker.com/reporting/2010/05/17/100517fa_fact_ioffe?currentPage=all,Andrey Ternovskiys Web site^comma^ Chatroulette : The New Yorker,,,LongForm,0,instapaper +http://www.newyorker.com/reporting/2008/12/15/081215fa_fact_samuels,A Reporter at Large: Atomic John : The New Yorker,,,LongForm,0,instapaper +http://www.caranddriver.com/reviews/car/False/ferrari_f50-road_test,Ferrari F50 - Road Test - Auto Reviews - Car and Driver,,,LongForm,0,instapaper +http://www.wired.com/gadgetlab/2010/05/5-suggestions-apple/,5 Things Apple Must Do to Look Less Evil | Gadget Lab | Wired.com,,,,0,instapaper +http://www.caranddriver.com/features/10q2/z_meets_wall_we_investigate_why_the_nismo_z_s_brakes_failed_at_lightning_lap-feature,Z Meets Wall: We Investigate Why the NISMO Z's Brakes Failed at Lightning Lap - Feature - Auto Reviews - Car and Driver,,,,0,instapaper +http://www.nytimes.com/2010/04/25/magazine/25allen-t.html,Politico's Mike Allen^comma^ the Man the White House Wakes Up To - NYTimes.com,,,LongForm,0,instapaper +http://feeds.gawker.com/~r/gizmodo/full/~3/zMPoK_ZW1GY/omni+focus-camera-sees-everything-perfectly,Omni-Focus Camera Sees Everything Perfectly [Research],,,,0,instapaper +http://damonlavrinc.com/post/579815356,SFO to Frankfurt to Munich to a few other places. Heres a...,,,,0,instapaper +http://disneyparks.disney.go.com/blog/2010/05/mickey-mouse-testing-one-two-three-testing/,Mickey Mouse: Testing One^comma^ Two^comma^ Three Testing. Disney Parks Blog,,,,0,instapaper +http://www.w3.org/TR/css3-grid/,CSS Grid Positioning Module Level3,,,,0,instapaper +http://www.exquisitetweets.com/tweets?ids=13031002283.13032980959.13090363860.13090720669.13090747143.13091031807.13091231807.13091325835.13094164197.13094261355.13094326988.13094617071.13095015896.13095170856.13095254263.13095304769.13095460167.13097165783.13097223950,Exquisite tweets from @joehewitt^comma^ @cwilso^comma^ @michaelvillar,,,,0,instapaper +http://www.tbray.org/ongoing/When/201x/2010/05/05/HTML5-and-the-Web,ongoing by Tim Bray HTML5 and the Web,,,,0,instapaper +http://www.telegraph.co.uk/news/worldnews/africaandindianocean/tanzania/7687951/Seven-new-albino-killings-in-Tanzania-and-Burundi.html,Seven new albino killings in Tanzania and Burundi - Telegraph,,,,0,instapaper +http://chucksblog.emc.com/chucks_blog/2010/05/what-ipads-did-to-my-family.html,What iPads Did To My Family - Chuck's Blog,,,,0,instapaper +http://www.torontosun.com/entertainment/celebrities/2010/04/30/13774051.html,Shatners singing a happy tune | Celebrities | Entertainment | Toronto Sun,,,,0,instapaper +http://benward.me/blog/understand-the-web,Understand The Web Ben Ward,,,,0,instapaper +http://www.nashvillescene.com/gyrobase/once-a-wife-and-mother-in-a-deceptively-perfect-home-gaile-owens-is-now-the-first-woman-sentenced-to-die-in-tennessee-in-nearly-200-years/Content?oid=1507829&mode=print,No Angel^comma^ No Devil,,,,0,instapaper +http://www.rollingstone.com/news/story/29787673/the_boy_who_heard_too_much/print,The Boy Who Heard Too Much,,,LongForm,0,instapaper +http://www.nytimes.com/2010/05/02/magazine/02jones-t.html?src=smt3&pagewanted=print,What Makes Marion Jones Run?,,,,0,instapaper +http://www.esquire.com/print-this/predator0907,Tonight on Dateline This Man Will Die,,,,0,instapaper +http://www.cultofmac.com/ella-fitzgerald-sings-happy-birthday-to-steve-recollections/40460,Ella Fitzgerald Sings Happy Birthday to Steve [Recollections] | Cult of Mac,,,,0,instapaper +http://www.cultofmac.com/steve-brings-tina-to-the-macworld-dinner-party-recollections/40455,Steve Brings Tina to the Macworld Dinner Party [Recollections] | Cult of Mac,,,,0,instapaper +http://www.cultofmac.com/the-fat-mac-saves-the-day-recollections/40447,The Fat Mac Saves the Day [Recollections] | Cult of Mac,,,,0,instapaper +http://www.cultofmac.com/the-macintosh-speaks-for-itself-literally/40440,The Macintosh Speaks For Itself (Literally) | Cult of Mac,,,,0,instapaper +http://www.cultofmac.com/steve-thumbs-his-nose-at-the-apple-ii-recollections/40434,Steve Thumbs his Nose at the Apple II [Recollections] | Cult of Mac,,,,0,instapaper +http://www.cultofmac.com/steve-is-fcking-great-recollections/40429,Steve is F*cking Great! [Recollections] | Cult of Mac,,,,0,instapaper +http://www.cultofmac.com/andrew-fluegalman-urges-apple-to-delay-the-macs-introduction-recollections/39102,Andrew Fluegalman Urges Apple to Delay the Macs Introduction [Recollections] | Cult of Mac,,,,0,instapaper +http://www.mikeindustries.com/blog/False/2010/05/a-good-problem-to-have,A good problem to have | Mike Industries,,,,0,instapaper +http://jalopnik.com/5530169/how-detroits-aircraft-production-dream-crashed-and-burned,How Detroit's Aircraft Production Dream Crashed and Burned - Planelopnik - Jalopnik,,,,0,instapaper +http://feeds.gawker.com/~r/jalopnik/full/~3/IY4lRHgsxso/the-green-rally-challenge-corvette-vs-fusion-hybrid,The GREEN Rally Challenge: Corvette Vs Fusion Hybrid [I Feel Gassy],,,,0,instapaper +http://feeds.gawker.com/~r/jalopnik/full/~3/rpZo8F_8cMg/better-rx+7-burnouts-with-the-help-of-a-block-of-wood-lemons-line-lock,Better RX-7 Burnouts^comma^ With The Help of a Block of Wood: LeMons Line Lock! [24 Hours Of Lemons],,,,0,instapaper +http://jalopnik.com/5475672/how-to-do-a-burnout-without-blowing-up-your-clutch,How To Do A Burnout Without Blowing Up Your Clutch - Burnouts - Jalopnik,,,,0,instapaper +http://j.mp/aQ0uDt,Angela Bonavoglia: Cardinal Levada Blames Celibacy for Clergy Sex Abuse,,,,0,instapaper +http://bit.ly/bvmAXl,Cars.com's $25^comma^000 Family Sedan Shootout - KickingTires,,,,0,instapaper +http://j.mp/babUsl,eject : Birth (vagina vagina vagina),,,,0,instapaper +http://mrgan.tumblr.com/post/566744395,Eerie,,,,0,instapaper +http://i.imgur.com/TDmNr.jpg,TDmNr.jpg,,,,0,instapaper +http://www.markbernstein.org/Apr10/PlatformControl.html,Mark Bernstein: Platform Control,,,,0,instapaper +http://joshbollen.tumblr.com/post/563927476/my-first-post-is-going-to-be-the-cutest-kid-in-the,Josh Bollen - My first post is going to be the cutest kid in the...,,,,0,instapaper +http://consumerist.com/2010/04/tape-lapse-24-hours-inside-a-walmart.html,Time Lapse: 24 Hours Inside A Walmart,,,,0,instapaper +http://gizmodo.com/5526780/author-disguises-experiment-as-ridiculously-addictive-game,Author Disguises Experiment As Ridiculously Addictive Game - Bursts - Gizmodo,,,,0,instapaper +http://autobirdblog.com/industry-news/friday-escapism-grynch-my-volvo/,Friday Escapism: Grynch My Volvo,,,,0,instapaper +http://www.campaignmonitor.com/blog/post/3107/css3-support-in-email-clients/,Which email clients support CSS3? - Blog - Campaign Monitor,,,,0,instapaper +http://kottke.org/10/04/salami-sorting-robot,Salami sorting robot,,,,0,instapaper +http://www.antipope.org/charlie/blog-static/2010/04/why-steve-jobs-hates-flash.html,The real reason why Steve Jobs hates Flash - Charlie's Diary,,,,0,instapaper +http://48hrmag.com/,48 Hour Magazine,,,,0,instapaper +http://blogs.cars.com/kickingtires/2010/04/more-details-on-2011-cadillac-cts-coupe.html,2011 Cadillac CTS Coupe on the Streets of Chicago - KickingTires,,,,0,instapaper +http://entertainment.timesonline.co.uk/tol/arts_and_entertainment/the_tls/tls_selections/literature_and_criticism/article7103578.ece,Contested Will by James Shapiro reviewed by Charles Nicholl - TLS,,,,0,instapaper +http://s3.amazonaws.com/data.tumblr.com/tumblr_l1o8qvDQtv1qbizvao1_1280.jpg?AWSAccessKeyId=0RYTHV9YYQ4W5Q3HQMG2&Expires=1272734617&Signature=n1kb0Jm1dCeGgmyqN82FchSycME%3D,tumblr_l1o8qvDQtv1qbizvao1_1280.jpg 1024768 pixels,,,,0,instapaper +http://j.mp/bflWs2,Ozma Links,,,,0,instapaper +http://axian.tumblr.com/post/560040213,Axian,,,,0,instapaper +http://tcrn.ch/9G00ut, Hewlett-Packard To Kill Windows 7 Tablet Project ,,,,0,instapaper +http://bit.ly/9wPTpJ," YouTube - Apple WWDC 2002-The Death Of Mac OS 9 ",,,,0,instapaper +http://m.youtube.com#/watch?desktop_uri=%2Fwatch%3Fv%3DLg9qnWg9kak%26feature%3Dplayer_embedded&feature=player_embedded&v=Lg9qnWg9kak&gl=US,watch,,,,0,instapaper +http://www.cultofmac.com/pat-mcgovern-meets-with-steve-the-deal-is-done-recollections/40397,Pat McGovern Meets with Steve^comma^ the Deal is Done [Recollections] | Cult of Mac,,,,0,instapaper +http://www.campaignmonitor.com/blog/post/3116/what-you-can-learn-from-panics-email-marketing/,What you can learn from Panic's approach to email marketing - Blog - Campaign Monitor,,,,0,instapaper +http://www.red-sweater.com/blog/1225/elements-of-twitter-style,Red Sweater Blog Elements Of Twitter Style,,,,0,instapaper +http://jalopnik.com/5521131/video-driving-the-f1+inspired-caparo-t1-on-the-road,VIDEO: Driving The F1-Inspired Caparo T1 On The Road - Caparo T1 - Jalopnik,,,,0,instapaper +http://www.automobilemag.com/reviews/editors_notebook/1004_2010_mazda_rx8_r3/index.html,2010 Mazda RX-8 R3 - Mazda Sport Coupe Review - Automobile Magazine,,,,0,instapaper +http://j.mp/ahNGf6, An inch closer to the end of privacy (thanks Facebook!) Scobleizer,,,,0,instapaper +http://www.apple.com/pr/library/2010/04/28wwdc.html,Apple Worldwide Developers Conference Kicks Off June 7 in San Francisco,,,,0,instapaper +http://longform.org/page/2/,Longform.org - Part 2,,,,0,instapaper +http://www.esquire.com/print-this/christian-longo-0110,Convincing a Murderer Not to Die [longform.org],,,LongForm,0,instapaper +http://www.wired.com/wired/False/3.06/xanadu_pr.html,The Curse of Xanadu [longform.org],,,LongForm,0,instapaper +http://www.details.com/culture-trends/news-and-politics/200909/the-worlds-greatest-con-man-helg-sgarbi?printable=true,The World’s Greatest Con Man [longform.org],,,LongForm,0,instapaper +http://www.theatlantic.com/magazine/print/2006/04/double-blind/4710/,Double Blind [longform.org],,,LongForm,0,instapaper +http://www.newyorker.com/False/2006/04/24/060424fa_fact6?currentPage=all,The Snakehead [longform.org],,,,0,instapaper +http://www.washingtonmonthly.com/features/2008/0805.carey.html,Too Weird for The Wire - Kevin Carey,,,,0,instapaper +http://cheerfulsw.com/2010/dont-listen-to-le-corbusieror-jakob-nielsen/,Dont listen to Le Corbusieror Jakob Nielsen : Cheerful,,,,0,instapaper +http://www.freedom-to-tinker.com/blog/paul/gizmodo-warrant-searching-journalists-terabyte-age,The Gizmodo Warrant: Searching Journalists in the Terabyte Age | Freedom to Tinker,,,,0,instapaper +http://s3.amazonaws.com/data.tumblr.com/tumblr_l1h0fgmmUp1qbzu6jo1_1280.jpg?AWSAccessKeyId=0RYTHV9YYQ4W5Q3HQMG2&Expires=1272402511&Signature=HsofDySScToFchDBKkD9tpsFhtw%3D,tumblr_l1h0fgmmUp1qbzu6jo1_1280.jpg 983655 pixels,,,,0,instapaper +http://staff.tumblr.com/post/536864688/customize-your-mobile-themes,"dowding: What Id really like is to be able to... | Tumblr Staff",,,,0,instapaper +http://tumblr.com/xll8zrvcq,damonlavrinc Quick write-up on the Targa California. Maybe Ill...,,,,0,instapaper +http://j.mp/aU70Hr,Lost iPhone prototype spurs police probe | Apple - CNET News,,,,0,instapaper +http://bit.ly/9ea0sj, New to NOOK: Version 1.3 Available Now! - Barnes & Noble Book Clubs,,,,0,instapaper +http://su.pr/1g0esG,Hotel clat Review - Taipei^comma^ Taiwan,,,,0,instapaper +http://bit.ly/177XpS,List of common misconceptions - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://jalopnik.com/5521921/,Wife Hacks Husband's Car Forum Account^comma^ Divorces Him With It - Forums - Jalopnik,,,,0,instapaper +http://www.cultofmac.com/we-met-with-the-real-steve-jobs-close-encounters-with-steve-jobs/39058,We Met With The REAL Steve Jobs [Recollections],,,,0,instapaper +http://www.useit.com/papers/anti-mac.html,The Anti-Mac User Interface (Don Gentner and Jakob Nielsen),,,,0,instapaper +http://live.5by5.tv/,5by5 Live,,,,0,instapaper +http://m.youtube.com#/watch?desktop_uri=%2Fwatch%3Fv%3DK9y6MYDSAww%26feature%3Dplayer_embedded&feature=player_embedded&v=K9y6MYDSAww&gl=US,watch,,,,0,instapaper +http://twitterrific.com/ipad/history,Twitterrific: Making Twitter Extra Terrific,,,,0,instapaper +http://bit.ly/azDuH5, Leica V-Lux 20 Digital Camera | Camera News & Reviews,,,,0,instapaper +http://moviecitynews.com/columnists/voynar/2010/100416.html,MCN: Voynaristic: Why Kick-Ass Isn't Reprehensible^comma^ Morally or Otherwise,,,,0,instapaper +http://feeds.gawker.com/~r/gizmodo/full/~3/2VOB3fy1iUs/77-sensationally-staged-scenes,77 Sensationally Staged Scenes [Photography],,,,0,instapaper +http://kldivergence.blogspot.com/2010/04/other-day-someone-thanks-dick-posted-my.html,KL Divergence: The Chinese birth calendar is total bunk,,,,0,instapaper +http://feeds.gawker.com/~r/jalopnik/full/~3/KLvTysqMiFg/the-pulchritude-of-girls-and-cars,The Pulchritude Of Girls And Cars [Car Porn],,,,0,instapaper +http://kottke.org/10/04/beautifully-banal,Beautifully Banal,,,,0,instapaper +http://bit.ly/cyvGJO,Killer Quakes on Rise With Cities on Fault Lines: Roger Bilham - Bloomberg.com,,,,0,instapaper +http://kellyoxford.tumblr.com/post/526453271/fergie-olver-forcing-kids-to-kiss-him-do-you,eject,,,,0,instapaper +http://en.wikipedia.org/wiki/Jack_the_ripper,Jack the Ripper - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://www.loper-os.org/?p=132,Loper OS Non-Apples Mistake,,,,0,instapaper +http://www.slate.com/id/2250993/,Welcome to our velvet prison^comma^ say the boys and girls from Apple. - By Jack Shafer - Slate Magazine,,,,0,instapaper +http://feeds.gawker.com/~r/gizmodo/full/~3/ARaQACZ8yUk/photoshops-new-content+aware-fill-has-its-limitations,Photoshop's New Content-Aware Fill Has Its Limitations [Photoshop],,,,0,instapaper +http://consumerist.com/2010/04/att-also-claims-to-cover-more-countries-than-exist.html,AT&T Also Claims To Cover More Countries Than Exist,,,,0,instapaper +http://feeds.gawker.com/~r/jalopnik/full/~3/BbTi9k1LmpM/man-rides-exploding-airbag-indoors-internet-laughs,Man Rides Exploding Airbag Indoors^comma^ Internet Laughs [LOLCars],,,,0,instapaper +http://music.todaysbigthing.com/2009/11/03,What English Sounds Like to Foreigners is Today's BIG Thing in Music - NOV 03^comma^ 2009,,,,0,instapaper +http://layertennis.com/,Coudal Partners' Layer Tennis Presented by Adobe Creative Suite | Tennis HQ,,,,0,instapaper +http://kottke.org/10/04/pluto-related-hate-mail-from-children,Pluto-related hate mail from children,,,,0,instapaper +http://daringfireball.net/2004/08/parlay,Daring Fireball: The Art of the Parlay^comma^ Or: How I Learned to Stop Worrying About Platform Licensing and Market Share,,,,0,instapaper +http://www.macworld.com/article/150539/2010/04/apple_world.html,Apple against the world | Phones | Mac Word | Macworld,,,,0,instapaper +http://goodbyemadamebutterfly.com/purchase/,Goodbye Madame Butterfly Purchasing Details,,,,0,instapaper +http://bit.ly/aoQGAu,Yfrog - screenshot20100409at347 - Uploaded by nevenmrgan,,,,0,instapaper +http://www.southparkstudios.com/episodes/267112,South Park Episode Player - You Have 0 Friends,,,,0,instapaper +http://www.dailytech.com/Sinful+Missing+Human+Evolutionary+Ancestor+Discovered+in+Africa/article18093.htm,"DailyTech - ""Sinful"" Missing Human Evolutionary Ancestor Discovered in Africa",,,,0,instapaper +http://nymag.com/arts/popmusic/features/65127/,How Lady Gaga Became the World's Biggest Pop Star -- New York Magazine,,,,0,instapaper +http://www.automobilemag.com/reviews/driven/1004_triumph_dolomite_sprint_vs_bmw_2002tii/index.html,Triumph Dolomite Sprint vs BMW 2002tii - Classic Sports Car Comparison - Automobile Magazine,,,,0,instapaper +http://en.m.wikipedia.org/wiki/John_Fitch_(racing_driver)?wasRedirected=true,John Fitch (racing driver),,,,0,instapaper +http://thijsjacobs.com/post/490352736/ipad-user-agent-string,From Technical Note TN2262 - found it! The magical...,,,,0,instapaper +http://tinyurl.com/ya83vd5,"Ford to Continue U.S. Ranger Production ""Indefinitely"" (April Fools!) - PickupTrucks.com News",,,,0,instapaper +http://tinyurl.com/ya3j32y,In Honor Of Design: Twitterpated!,,,,0,instapaper +http://www.chrisstreeter.com/False/2010/03/465/chavez-country,Chavez Country | chrisstreeter.com,,,,0,instapaper +http://j.mp/bm35CX,The Lady Eve :: rogerebert.com :: Great Movies,,,,0,instapaper +http://bit.ly/cINdJb,2011 Mercedes-Benz E-Class Wagon Resurrects the Rumble Seat - KickingTires,,,,0,instapaper +http://gizmodo.com/5505358/the-ricky-gervais-show-takes-on-sex-robots?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+gizmodo%2Ffull+%28Gizmodo%29,The Ricky Gervais Show Takes on Sex Robots - The ricky gervais show - Gizmodo,,,,0,instapaper +http://video.adultswim.com/tim-and-eric-awesome-show-great-job/crows.html,Adult Swim Video : Tim and Eric Awesome Show Great Job! : Crows,,,,0,instapaper +http://www.theregister.co.uk/2010/03/26/devil_dog/,Chattanooga devil dog eats cop cruiser The Register,,,,0,instapaper +http://azizisbored.tumblr.com/post/482871336/watch-this-parks-and-rec-deleted-scene-more-of,Aziz is Bored,,,,0,instapaper +http://www.youtube.com/watch?v=DexI-EvRtYQ,"YouTube - Alison Haislip & Chris Hardwick on ""Acting Up""",,,,0,instapaper +http://www.mentalfloss.com/blogs/Falses/51211,NYCs Isle of the Dead,,,,0,instapaper +http://brainstormtech.blogs.fortune.cnn.com/2010/03/27/newsweek-hates-then-loves-the-ipad/,Newsweek hates^comma^ then loves^comma^ the iPad - Apple 2.0 - Fortune Brainstorm Tech,,,,0,instapaper +http://www.nytimes.com/2010/03/28/opinion/28rich.html,Op-Ed Columnist - The Rage Is Not About Health Care - NYTimes.com,,,,0,instapaper +http://www.scoutshonour.com/digital/,Digital: A Love Story,,,,0,instapaper +http://www.youtube.com/watch?v=sbsUsXVyKBw,YouTube - 80's After School Special dancefight,,,,0,instapaper +http://ff.im/-ias4I,"The amazing ""Seed Cathedral"" too much symbolism^comma^ not enough practicality? | ChinaHush",,,,0,instapaper +http://afx.cc/frog,Eat A Frog Every Morning!,,,,0,instapaper +http://trentwalton.com/2010/03/24/css3-background-clip-text/,CSS3 Background-Clip: Text Trent Walton,,,,0,instapaper +http://www.cs.princeton.edu/gfx/pubs/Barnes_2009_PAR/index.php,PatchMatch: A Randomized Correspondence Algorithm for Structural Image Editing,,,,0,instapaper +http://goo.gl/fb/l5c1, Redesigning Randomwire | randomwire.com,,,,0,instapaper +http://www.chessbase.com/newsdetail.asp?newsid=6187,ChessBase.com - Chess News - Magnus Carlsen on his chess career,,,,0,instapaper +http://tpm.ly/9W7T91,Could SCOTUS Be The Death Panel For Health-Care Reform? | TPMMuckraker,,,,0,instapaper +http://m.flickr.com/#/photos/alandavisphoto/4457348221/,Welcome to Flickr!,,,,0,instapaper +http://bit.ly/dcm7Nz,BorrowLenses Lens Cloth,,,,0,instapaper +http://tinyurl.com/y8llyx7,Plays : Powers Waterworks,,,,0,instapaper +http://daringfireball.net/2010/03/gif_h264_patents,Daring Fireball: GIF^comma^ H.264^comma^ and Patents,,,,0,instapaper +http://www.mountainlight.com/filters/filtersmain.html,main,,,,0,instapaper +http://nyti.ms/ah9hvN,SXSW: Glow-fi Draws the Biggest Crowds - ArtsBeat Blog - NYTimes.com,,,,0,instapaper +http://gawker.com/5497193/,Exclusive: How Google's Eric Schmidt Lost His Mistress^comma^ His Partner and Steve Jobs - Eric Schmidt - Gawker,,,,0,instapaper +http://www.bbcwildlifemagazine.com/masterclasses.asp,BBC Wildlife Magazine,,,,0,instapaper +http://www.newyorker.com/talk/financial/2010/03/29/100329ta_talk_surowiecki,Apple : The New Yorker,,,,0,instapaper +http://tweetagewasteland.com/,Tweetage Wasteland - Confessions of an Internet Superhero,,,,0,instapaper +http://gizmodo.com/5495230/night-of-the-gun-remembering-only-what-we-can-stand-to-remember,Night of the Gun: Remembering Only What We Can Stand To Remember - Memory forever - Gizmodo,,,,0,instapaper +http://jalopnik.com/5497042/,How A $500 Craigslist Car Beat $400K Rally Racers - Rallying - Jalopnik,,,,0,instapaper +http://tinyurl.com/yg7t8xe,pica + pixel: Photographer: Jeff Bridges,,,,0,instapaper +http://tr.im/SPST,XENIX -- Microsoft Short-lived Love Affair with Unix,,,,0,instapaper +http://bit.ly/dv2GBN,Tea Party Protests: 'Ni**er^comma^' 'Fa**ot' Shouted At Members Of Congress,,,,0,instapaper +http://is.gd/aS0aw,RConversation: Chinese netizens' open letter to the Chinese Government and Google,,,,0,instapaper +http://tinyurl.com/yh7wwms,The Ford Super Duty is Even More Super in Iceland - PickupTrucks.com News,,,,0,instapaper +http://bit.ly/a8dvlY,Palm: this is your survival guide -- Engadget,,,,0,instapaper +http://bit.ly/9q9LNu,Last.fm the Blog But does it scrobble?,,,,0,instapaper +http://www.straightdope.com/columns/read/2928/are-some-dogs-racist,The Straight Dope: Are some dogs racist?,,,,0,instapaper +http://www.foreignpolicy.com/articles/2010/03/05/photo_essay_the_real_hurt_locker,Taking another look inside the giant suits. | Foreign Policy,,,,0,instapaper +http://www.foreignpolicy.com/articles/2010/02/22/the_shooting_war,The Shooting War: Images from the World's Most Acclaimed Conflict Photographers | Foreign Policy,,,,0,instapaper +http://www.boston.com/bostonglobe/ideas/articles/2010/02/28/warning_your_reality_is_out_of_date/,Warning: Your reality is out of date - The Boston Globe,,,,0,instapaper +http://jalopnik.com/5494837/,Did Challenger SRT8 Auction Expose eBay Reserve Pricing Error? - Dodge Challenger - Jalopnik,,,,0,instapaper +http://alex.dojotoolkit.org/2010/03/view-source-follow-up/,View-Source Follow-Up | Infrequently Noted,,,,0,instapaper +http://www.foreignpolicy.com/articles/2010/03/12/the_history_of_the_honey_trap?page=full,The History of the Honey Trap By Phillip Knightley | Foreign Policy,,,,0,instapaper +http://www.flickr.com/photos/38261591@N06/,Flickr: sevencardan's Photostream,,,,0,instapaper +http://www.flickr.com/groups/758804@N21/,Flickr: NPRO - National Photographers' Rights Organization,,,,0,instapaper +http://blog.makezine.com/False/2010/03/two_sisters_collaborate_on_the_thre.html,Make: Online : Two sisters collaborate on The Three Girls,,,,0,instapaper +http://www.handmadebicycleshow.com/2010/02/2010-shimano-nahbs-award-winners/,2010 Shimano NAHBS Award Winners|NAHBS 2010,,,,0,instapaper +http://bit.ly/36AevV,"Oops^comma^ they weren't logs after all: The moment a crocodile was killed after taking a foolish shortcut across a herd of hippos | Mail Online",,,,0,instapaper +http://is.gd/aMCaK," China defends detention of lead poisoning victims who sought medical help | Environment | The Guardian",,,,0,instapaper +http://cli.gs/MnWvS,An Illustrated History Of Mid-Engined Corvette Concepts | The Truth About Cars,,,,0,instapaper +http://cli.gs/QT11v,The Art Of Alfa Romeo | The Truth About Cars,,,,0,instapaper +http://ping.fm/a7Hrh,David Turnley Photography Workshops,,,,0,instapaper +http://www.newyorker.com/reporting/2010/03/08/100308fa_fact_denby?currentPage=all,The movies of Clint Eastwood : The New Yorker,,,,0,instapaper +http://www.sfgate.com/cgi-bin/blogs/techchron/detail?entry_id=59334&tsp=1,The Technology Chronicles : Yelp slapped by more legal challenges,,,,0,instapaper +http://bit.ly/bSztp1,Dog Subdued After Attacking Four Cars - KickingTires,,,,0,instapaper +http://bit.ly/97elGQ," YouTube - Dogs rescued at 9000 feet by Jackson Hole Ski Patrol ",,,,0,instapaper +http://bit.ly/serafinowhatnow,HOT CHIP: I Feel Better Peter Serafinowicz,,,,0,instapaper +http://darwinwiggett.wordpress.com/2009/11/11/the-canon-7d/,The Canon EOS 7D Review Darwin Wiggett,,,,0,instapaper +http://arstechnica.com/web/news/2010/03/image-hosting-is-the-kind.ars?utm_source=rss&utm_medium=rss&utm_campaign=rss,Image hosting on the cheap: a look at three free services,,,,0,instapaper +http://arstechnica.com/gaming/news/2010/03/day-one-content-mass-effect-2s-casey-hudson-explains.ars?utm_source=rss&utm_medium=rss&utm_campaign=rss,Day one content: Bioware explains why it's sometimes legit,,,,0,instapaper +http://www.alistapart.com/articles/ebookstandards/,A List Apart: Articles: Web Standards for E-books,,,,0,instapaper +http://tinyurl.com/yjz5h4b,Navistar Defense to Retrofit 1^comma^222 MRAPs with DXM Independent Suspension - MarketWatch,,,,0,instapaper +http://bit.ly/V9koD,"Slideshow: Hilarious Wedding Photo Contest Winners - DivineCaroline",,,,0,instapaper +http://www.wimp.com/manathlete/,40 Yard Dash: Average Man vs. Athlete. [VIDEO],,,,0,instapaper +http://37signals.com/svn/posts/2209-karl-roves-book-vs-rework-what-the-american-people-need-to-know,Karl Rove's book vs. REWORK - what the American People need to know - (37signals),,,,0,instapaper +http://vimeo.com/7166047,OK Go - WTF? on Vimeo,,,,0,instapaper +http://bit.ly/9x8dvW,Is it true I should not let the tank go below halfway on my BMW 335d^comma^ or it will clog my fuel filter over time? - Ask.cars.com,,,,0,instapaper +http://www.telegraph.co.uk/motoring/columnists/jamesmay/7429624/Joysticks-will-never-replace-steering-wheels.html,Joysticks will never replace steering wheels - Telegraph,,,,0,instapaper +http://www.zeldman.com/,Jeffrey Zeldman Presents The Daily Report,,,,0,instapaper +http://philipbloom.co.uk/2010/03/15/24p/,New 5DmkII firmware here finally! New Skywalker Ranch short and Music Video shot native 24p | Philip Bloom,,,,0,instapaper +http://www.marwencol.com/,Marwencol - Home,,,,0,instapaper +http://arstechnica.com/open-source/news/2010/03/canonicals-new-coo-gets-religion-on-linux-desktop.ars?utm_source=rss&utm_medium=rss&utm_campaign=rss,Canonical's new COO gets religion on Linux desktop,,,,0,instapaper +http://www.randsinrepose.com/Falses/2008/11/25/dumbing_down_the_cloud.html,Rands In Repose: Dumbing Down the Cloud,,,,0,instapaper +http://bit.ly/a4lA3B,Half Acre Animals - a set on Flickr,,,,0,instapaper +http://bit.ly/akgfWr,Hemmings Auto Blogs Blog False Hemmings Find of the Day Dodge Power Wagon,,,,0,instapaper +http://tinyurl.com/yevuste," YouTube - Chat Roulette Funny Piano Improv #1 ",,,,0,instapaper +http://ff.im/-hAI6o,Pretty interpreter makes the news,,,,0,instapaper +http://shar.es/mo9FO,The Future of Media Blog False Will brand sponsorship bring back music videos?,,,,0,instapaper +http://www.collegehumor.com/video:1930567,Jesus^comma^ Man - CollegeHumor video,,,,0,instapaper +http://www.randomwire.com/techno-fascism/comment-page-1#comment-41308,Techno-fascism? | randomwire.com,,,,0,instapaper +http://bit.ly/ddmjTO,ddmjTO,,,,0,instapaper +http://bit.ly/e6F47,Photography Newsletter | Light Stalking,,,,0,instapaper +http://jalopnik.com/5491101/did-bankrupt-runaway-prius-driver-fake-unintended-acceleration,"Did Bankrupt Runaway Prius Driver Fake ""Unintended Acceleration?"" - Toyota Recall - Jalopnik",,,,0,instapaper +http://wtfjs.com/,wtfjs,,,,0,instapaper +http://www.jamesbondmm.co.uk/posters,James Bond multimedia | James Bond posters,,,,0,instapaper +http://basicinstructions.net/basic-instructions/2010/3/14/how-to-use-the-various-shades-and-styles-of-sarcasm.html,How to Use the Various Shades and Styles of Sarcasm,,,,0,instapaper +http://jalopnik.com/5493549/,Anyone Else See A Pattern Here? - Toyota Recall - Jalopnik,,,,0,instapaper +http://bit.ly/aQwUJx,The Anti-Toyota Commercial Ford Wishes It Had The Balls To Run - Toyota Recall - Jalopnik,,,,0,instapaper +http://www.invadenewzealand.com/,Invade New Zealand,,,,0,instapaper +http://www.challies.com/technology/ipad-the-greatest-disappointment-in-human-history,iPad: The Greatest Disappointment in Human History | Challies Dot Com,,,,0,instapaper +http://bit.ly/96y7mg,China News: China Leaves Underage Gymnast in the Cold | China Digital Times (CDT),,,,0,instapaper +http://bit.ly/cbEZcJ,63 ragtop bug mazda rotary(project),,,,0,instapaper +http://bit.ly/aYtEbr,"Video: 12"" diesel stacks. God Bless America Autoblog",,,,0,instapaper +http://blog.sfmoe.com/2010/miss-panic/,blog SFMoe Blog False Miss Panic,,,,0,instapaper +http://sfg.ly/aKUkYV,City Brights: Harmon Leon : Why are bicyclists the biggest pretentious jerks in SF?,,,,0,instapaper +http://www.google.com/profiles/me/editprofile?edit=as,Create your profile,,,,0,instapaper +http://bit.ly/bE6vJ4,"A Photographer Is ""Banned"" for Taking Pictures on Church Street | Seven Days",,,,0,instapaper +http://jalopnik.com/5491850/,2012 Ford Police Interceptor: The Crown Vic's Robocop Replacement - Ford Police Interceptor - Jalopnik,,,,0,instapaper +http://blog.jeffnewsom.com,The Definitive Collection of Rad - Voltron of Awesomeness,,,,0,instapaper +http://en.wikipedia.org/wiki/Only_Revolutions,Only Revolutions - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://technologizer.com/2010/03/08/the-secret-origin-of-windows/2/,The Secret Origin of Windows,,,,0,instapaper +http://rentzsch.tumblr.com/post/437273247/no-other-distribution-authorized-under-this-agreement,rentzsch.tumblr.com: No Other Distribution Authorized Under this Agreement,,,,0,instapaper +http://colosseotype.com/,Colosseo Letterpress Poster: Reimagining the Roman Coliseum with type,,,,0,instapaper +http://technologizer.com/2010/03/08/the-secret-origin-of-windows/,The Secret Origin of Windows,,,,0,instapaper +http://www.iphonejd.com/iphone_jd/2010/03/blue-marble.html,Blue Marble - iPhone J.D.,,,,0,instapaper +http://fireland.tumblr.com/post/436229498/danger-xing,Danger / Xing | Fireland,,,,0,instapaper +http://www.newyorker.com/online/blogs/books/2010/03/whats-in-the-david-foster-wallace-False.html,What : The New Yorker,,,,0,instapaper +http://www.thebigmoney.com/slideshow/faces-behind-famous-hands,The Faces Behind the Famous Hands | The Big Money,,,,0,instapaper +http://nymag.com/daily/entertainment/2010/02/esquire_covers.html,George Lois Tells the Stories Behind His Twelve Favorite Classic Esquire Covers -- Vulture,,,,0,instapaper +http://arstechnica.com/web/news/2010/03/google-apps-becomes-a-platform-gets-its-own-app-store.ars?utm_source=rss&utm_medium=rss&utm_campaign=rss,Google Apps becomes a platform^comma^ gets its own app store,,,,0,instapaper +http://arstechnica.com/microsoft/news/2010/03/why-new-hard-disks-might-not-be-much-fun-for-xp-users.ars?utm_source=rss&utm_medium=rss&utm_campaign=rss,Why new hard disks might not be much fun for XP users,,,,0,instapaper +http://www.leanblog.org/2010/03/pharmacist-jail-interview-what-good-does-blame-do/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+LeanBlog+%28LeanBlog.org%29&utm_content=Google+Reader,A Pharmacists Jail Cell Interview What Good Does Blame Do? Lean Blog,,,,0,instapaper +http://www.marco.org/244246945,Marco.org - I dont even know what to say about Merlins post....,,,,0,instapaper +http://killavskarma.tumblr.com/post/437175021,me.versus.karma - The sculpture SLFAR (Sun Voyager) by the artist...,,,,0,instapaper +http://en.wikipedia.org/wiki/Tuvan_throat_singing,Tuvan throat singing - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://feptopp.com/lee/leeclarke.html,FEPTOPP - The General Eagle (Lee Clarke) Case,,,,0,instapaper +http://en.wikipedia.org/wiki/Henrietta_Lacks,Henrietta Lacks - Wikipedia^comma^ the free encyclopedia,,,,0,instapaper +http://westcoastchoppers.com/2010-jaguar-xkr-gets-some-ink/, 2010 Jaguar XKR gets some ink West Coast Choppers,,,,0,instapaper +http://twitpic.com/17rc6j,THIS is happening today. on Twitpic,,,,0,instapaper +http://bit.ly/dq3gGs,MetaLab: Re:DESIGN - Musings on design^comma^ business & the ampersand,,,,0,instapaper +http://www.engadget.com/2010/03/10/martin-jetpack-priced-at-86-000-mere-mortals-will-soon-be-able/,Martin Jetpack priced at $86^comma^000^comma^ mere mortals will soon be able to buy one too -- Engadget,,,,0,instapaper +http://www.engadget.com/2010/03/10/motion-sim-4dof-racing-simulator-will-take-your-retirement-fund/,Motion-Sim 4DOF racing simulator will take your retirement fund for the ride of its life (video) -- Engadget,,,,0,instapaper +http://vimeo.com/9748378,Tokyo/Glow on Vimeo,,,,0,instapaper +http://www.youtube.com/watch?v=YJsH7hmdmnE," YouTube - Cinnabun Kisses Jesse James ",,,,0,instapaper +http://shar.es/mbbK4,RIP: The novel - Laura Miller - Salon.com,,,,0,instapaper +http://icio.us/dwx3m4,dwx3m4,,,,0,instapaper +http://bit.ly/clixO2," YouTube - Hutts and Recreation (Parks & Rec Opening Parody) ",,,,0,instapaper +http://consumerist.com/2010/03/etrade-sued-over-talking-baby-commercial.html,Lindsay Lohan Sues E*Trade Over Talking Baby Commercial,,,,0,instapaper +http://www.ted.com/talks/robert_full_on_engineering_and_evolution.html,Robert Full on engineering and evolution | Video on TED.com,,,,0,instapaper +http://www.ted.com/talks/janine_benyus_biomimicry_in_action.html,Janine Benyus: Biomimicry in action | Video on TED.com,,,,0,instapaper +http://bit.ly/7egqAN," YouTube - my name is potato - RITA PAVONE - ",,,,0,instapaper +http://bit.ly/9h9vHp,MythBusters' Adam Savage: My Lifelong Pursuit of the Perfect Blade Runner Gun - DIY - Gizmodo,,,,0,instapaper +http://bit.ly/a9bg0l,5 reasons why your company should be distributed toni.org,,,,0,instapaper +http://goo.gl/fb/zO6K,"Things That Interest Me - Creating a ""Word Cloud"" of Your Interests",,,,0,instapaper +http://ff.im/-hbxfj,Kirainet.com - A geek in Japan Tokyos rail network grows like slime mold,,,,0,instapaper +http://craigmod.com/journal/ipad_and_books/,Books in the Age of the iPad Craig Mod,,,,0,instapaper +http://feeds.gawker.com/~r/jalopnik/full/~3/SKc60kcTup8/engine-einstein-drops-monster-cummins-into-ford-f+150-bed,Engine Einstein Drops Monster Cummins Into Ford F-150 Bed [Engine Swaps],,,,0,instapaper +http://ff.im/-hbnHg,Must-read China news by Danwei: March 7^comma^ 2010 - March 13^comma^ 2010 Falses,,,,0,instapaper +http://feeds.gawker.com/~r/gizmodo/full/~3/gIuKPO0Og1Q/qa-ok-gos-lead-singer-tells-us-secrets-of-the-bands-geeky-videos,Q&A: OK Go's Lead Singer Tells Us Secrets of the Band's Geeky Videos [Interviews],,,,0,instapaper +http://www.garagetv.be/video-galerij/buzzing_bees/De_kortfilm_der_logo_s.aspx,Garage TV - De kortfilm der logo's | video filmpjes | kortfilm^comma^ film^comma^ marketing,,,,0,instapaper +http://www.barzart.net/,Barz Art - Video,,,,0,instapaper +http://bit.ly/bz1FGf,bz1FGf,,,,0,instapaper +http://bit.ly/cIwOte,Why Apple can't control its Chinese factories - Telegraph,,,,0,instapaper +http://www.robgalbraith.com/bins/multi_page.asp?cid=7-10041-10146&sr=hotnews,Rob Galbraith DPI: Revamped MacBook Pro line delivers top-notch display quality,,,,0,instapaper +http://speedliting.com/,Speedliting - Speedlighting - Learn Flash Photography - Canon Speedlites - Nikon Speedlights - Off Camera Flash - Speedliters Intensive - Syl Arena,,,,0,instapaper +http://photocritic.org/prime-lens/, Prime lenses^comma^ and why you need one :: Photocritic photography blog,,,,0,instapaper +http://ff.im/-gUxe9,Account Suspended,,,,0,instapaper +http://www.flickr.com/photos/langhorns/4401336637/in/pool-729570@N23,Roadside Delights on Flickr - Photo Sharing!,,,,0,instapaper +http://bit.ly/bvUWI4,Finding Your Perfect Photography Niche | Light Stalking,,,,0,instapaper +http://blogs.suntimes.com/ebert/2010/02/roger_eberts_last_words_cont.html,Roger Ebert's Last Words^comma^ con't. - Roger Ebert's Journal,,,,0,instapaper +http://blogs.suntimes.com/ebert/2009/02/i_remember_gene.html,Remembering Gene - Roger Ebert's Journal,,,,0,instapaper +http://www.vanityfair.com/culture/features/2010/02/exile-201002?printable=true,Lost Exile,,,,0,instapaper +http://jalopnik.com/5484195/,This Is A Porsche 911 Being Dropped From A Crane - Porsche 911 - Jalopnik,,,,0,instapaper +http://gizmodo.com/5274594/ultimate-lock-picker-cracks-medeco-high-security-deadbolts-in-minutes,Ultimate Lock Picker Cracks Medeco High Security Deadbolts In Minutes - lock picking - Gizmodo,,,,0,instapaper +http://bit.ly/d0CnAh,7 Things Photographers Should Never Do | Light Stalking,,,,0,instapaper +http://westcoastchoppers.com/psst-well-let-you-in-on-a-little-secret/, Cleanliness is Next to Godliness West Coast Choppers,,,,0,instapaper +http://feeds.gawker.com/~r/gizmodo/full/~3/EFsgThWXT6Y/the-sound-of-olympic-gold-isnt-so-different-from-olympic-14th-place,The Sound of Olympic Gold Isn't So Different From Olympic 14th Place [Data],,,,0,instapaper +http://feeds.gawker.com/~r/gizmodo/full/~3/tUKjXLz-BZw/hotel-locks-defeated-by-piece-of-wire-secured-by-towel,Hotel Locks Defeated by Piece of Wire^comma^ Secured by Towel [Security],,,,0,instapaper +http://feeds.gawker.com/~r/jalopnik/full/~3/2r6Uac372TM/heres-what-overhead-cams-look-like-at-14200-rpm,Here's What Overhead Cams Look Like At 14^comma^200 RPM [Engine Porn],,,,0,instapaper +http://bit.ly/dcTgpt,Do You Come with the Car?: Photo etiquette,,,,0,instapaper +http://www.nerdist.com/2010/03/ok-go-best-best-best-video-ever-made/,OK GO! BEST BEST BEST Video EVER,,,,0,instapaper +http://oobject.com/home/lists/12-superhero-debuts-in-comic-books/44262/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+Oobject+%28Oobject+-++objects+that+make+you+go+ooh%21%29&utm_content=Google+Reader,12 Superhero Debuts In Comic Books | oobject - Daily User Ranked Lists,,,,0,instapaper +http://www.tuaw.com/2010/02/28/my-on-again-off-again-apple-relationship/,My on-again^comma^ off-again Apple relationship,,,,0,instapaper +http://m.guardian.co.uk/?id=102202&story=http://www.guardian.co.uk/world/2010/feb/28/liu-xia-china-dissident-xiaobo,http://m.guardian.co.uk/?id=102202&story=http://www.guardian.co.uk/world/2010/feb/28/liu-xia-china-dissident-xiaobo,,,,0,instapaper +http://m.flickr.com/photos/puzzlemaster/2374050980/,Welcome to Flickr!,,,,0,instapaper +http://jalopnik.com/5478280/,Man Trades In $1.6 Million Bugatti Veyron For Corvette ZR1^comma^ Doesn't Look Back - Bugatti Veyron - Jalopnik,,,,0,instapaper +http://bit.ly/cx5VhP,Man Trades In $1.6 Million Bugatti Veyron For Corvette ZR1^comma^ Doesn't Look Back - Bugatti Veyron - Jalopnik,,,,0,instapaper +http://www.wired.com/gadgetlab/2010/02/steve-jobs/,Steve Jobs 6 Sneakiest Statements | Gadget Lab | Wired.com,,,,0,instapaper +http://www.wired.com/autopia/2010/02/take-that-chevy-volt-cal-poly-car-gets-27523-mpg/,Take That^comma^ Chevy Volt! Cal Poly Car Gets 2^comma^752 MPG | Autopia | Wired.com,,,,0,instapaper +http://content.photojojo.com/tutorials/create-your-own-panorama-planets/,How to Create Your Own Planets Using Your Panoramas Photojojo,,,,0,instapaper +http://www.nerdist.com/2010/02/house-explained-sort-of/,House Explained! Sort Of.,,,,0,instapaper +http://www.mentalfloss.com/blogs/Falses/47554,The Late Movies: Celebrities Reciting the Alphabet on Sesame Street,,,,0,instapaper +http://www.bunniestudios.com/blog/?p=918,On MicroSD Problems bunnie's blog,,,,0,instapaper +http://www.nbcolympics.com/video/assetid=9d9ff0ef-ee6e-47f4-a6a8-0ce20fb539cb.html,Video | Stephen Colbert with Bob Costas | NBC Olympics,,,,0,instapaper +http://www.voeveo.com/member/sleeptalkinman/works,All works by SleepTalkinMan on voeveo,,,,0,instapaper +http://52weeksofux.com/,52 Weeks of UX,,,,0,instapaper +http://gyikember.tumblr.com/,Gyk-Ember!,,,,0,instapaper +http://www.esquire.com/print-this/roger-ebert-0310,Print Roger Ebert: The Essential Man,,,,0,instapaper +http://www.wimp.com/babymoose/,Baby moose in sprinkler. [VIDEO],,,,0,instapaper +http://r1rk9np7bpcsfoeekl0khkd2juj27q3o.a.friendconnect.gmodules.com/ps/ifr?container=friendconnect&mid=0&nocache=0&view=profile&parent=http%3A%2F%2Fvanhattenphotography.blogspot.com%2F&url=http%3A%2F%2Fwww.google.com%2Ffriendconnect%2Fgadgets%2Fmembers.xml&communityId=00114735894576004337&caller=http%3A%2F%2Fvanhattenphotography.blogspot.com%2F2009%2F09%2Fcambodias-hidden-temple.html&rpctoken=1537181095&locale=en,http://r1rk9np7bpcsfoeekl0khkd2juj27q3o.a.friendconnect.gmodules.com/ps/ifr?container=friendconnect&mid=0&nocache=0&view=profile&parent=http%3A%2F%2Fvanhattenphotography.blogspot.com%2F&url=http%3A%2F%2Fwww.google.com%2Ffriendconnect%2Fgadgets%2Fmembers.xml&communityId=00114735894576004337&caller=http%3A%2F%2Fvanhattenphotography.blogspot.com%2F2009%2F09%2Fcambodias-hidden-temple.html&rpctoken=1537181095&locale=en,,,,0,instapaper +http://hipsterpuppies.tumblr.com/, hipster puppies,,,,0,instapaper +http://www.nytimes.com/2010/02/15/education/15medschools.html,After Years of Quiet^comma^ Expecting a Boom in U.S. Medical Schools - NYTimes.com,,,,0,instapaper +http://www.youtube.com/watch?v=6br_PG7Nzsc,YouTube - Tiago della Vega - Guinness World Record 2008 - The world's fastest guitar player,,,,0,instapaper +http://m.jalopnik.com/site?sid=jalopnikip&pid=JuicerHub&targetUrl=http%3A%2F%2Fjalopnik.com%2F5472036%2F%3Fop%3Dpost%26refId%3D5472036,Jalopnik,,,,0,instapaper +http://english.caing.com/2010-02-10/100117245.html,How Manufacturing's Mockingbird Sings_English_Caixin,,,,0,instapaper +http://www.coolinfographics.com/blog/2010/1/22/what-causes-jet-lag-infographic.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+CoolInfographics+(Cool+Infographics),Cool Infographics - Cool Infographics - What Causes Jet Lag?(Infographic),,,,0,instapaper +http://www.chinadaily.com.cn/opinion/2010-02/10/content_9454498.htm,Is Western press a pawn or truly free?,,,,0,instapaper +http://www.appleinsider.com/articles/10/02/12/ibm_plans_lotus_for_apple_ipad_e_reader_eye_strain_explored.html,IBM plans Lotus for Apple iPad^comma^ e-reader eye strain explored,,,,0,instapaper +http://www.automobilemag.com/features/news/1002_2011_volkswagen_touareg,First Look: 2011 Volkswagen Touareg,,,,0,instapaper +http://money.cnn.com/galleries/2010/autos/1002/gallery.porsche_gt3_hybrid/index.html,Porsche reveals 911 Hybrid - The time is right (1) - CNNMoney.com,,,,0,instapaper +http://www.youtube.com/watch?v=b9XAC-BvUyo,YouTube - Shonky and the SoundRacer V8,,,,0,instapaper +http://www.coolinfographics.com/blog/2010/1/22/what-causes-jet-lag-infographic.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+CoolInfographics+%28Cool+Infographics%29,Cool Infographics - Cool Infographics - What Causes Jet Lag?(Infographic),,,,0,instapaper +http://reviews.photographyreview.com/blog/aperture-3-an-overview/, Aperture 3 An Overview,,,,0,instapaper +http://www.ted.com/talks/hans_rosling_shows_the_best_stats_you_ve_ever_seen.html,Hans Rosling shows the best stats you've ever seen | Video on TED.com,,,,0,instapaper +http://mobile.france24.com//en/20100210-chinese-rent-dates-appease-parents,20100210-chinese-rent-dates-appease-parents,,,,0,instapaper +http://google.com/gwt/n?u=http%3A%2F%2Fwww.france24.com%2Fen%2F20100210-chinese-rent-dates-appease-parents,France24 - Chinese rent dates to appease parents,,,,0,instapaper +http://petewarden.typepad.com/searchbrowser/2010/02/how-to-split-up-the-us.html,PeteSearch: How to split up the US,,,,0,instapaper +http://gizmodo.com/5466750/the-full-movie-theater-iphone-stand?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+gizmodo%2Ffull+%28Gizmodo%29,The Full Movie Theater iPhone Stand - Stand - Gizmodo,,,,0,instapaper +http://arstechnica.com/tech-policy/news/2010/02/wireless-carriers-want-crackdown-on-cell-phone-boosters.ars?utm_source=rss&utm_medium=rss&utm_campaign=rss,Wireless carriers want crackdown on cell phone boosters,,,,0,instapaper +http://www.thewindypixel.com/?p=3200, Europa The Windy Pixel,,,,0,instapaper +http://www.mcsweeneys.net/realmcsweeney.html,McSweeney's Internet Tendency: The Real Timothy McSweeney.,,,,0,instapaper +http://www.latimes.com/news/nationworld/nation/la-sci-vegetative4-2010feb04^comma^0^comma^4078396.story,Brains of vegetative patients show life - latimes.com,,,,0,instapaper +http://vimeo.com/2809991,Star Wars: Retold (by someone who hasn't seen it) on Vimeo,,,,0,instapaper +http://www.appleinsider.com/articles/10/02/08/inside_apples_ipad_vga_video_output.html,Inside Apple's iPad: VGA video output,,,,0,instapaper +http://google.com/gwt/n?u=http%3A%2F%2Fsofaleggera.com%2F,Sofaleggera,,,,0,instapaper +http://google.com/gwt/n?u=http%3A%2F%2Fbit.ly%2FbQHVQ6,Sketchpad - Online Paint/Drawing application,,,,0,instapaper +http://blloyd.smugmug.com/photos/132280975_GSQYp-O-2.jpg,132280975_GSQYp-O-2.jpg (JPEG Image^comma^ 20000x1969 pixels) - Scaled (6%),,,,0,instapaper +http://www.savoysoftware.com/liquidscale/,Liquid Scale - Content Aware Image Resizing,,,,0,instapaper +http://phiffer.org/writing/the-second-post/,The second post phiffer.org,,,,0,instapaper +http://arstechnica.com/apple/news/2010/01/tablet-makers-rethinking-things-in-wake-of-ipads-low-price.ars,Tablet makers rethinking things in wake of iPad's $499 price,,,,0,instapaper +http://www.macrumors.com/2010/02/06/intrinsity-formerly-exponential-technology-now-speeding-up-arm-cpus/,Intrinsity (Formerly Exponential Technology) Now Speeding Up ARM CPUs,,,,0,instapaper +http://www.False.org/stream/usimportdutiesun00morguoft/usimportdutiesun00morguoft_djvu.txt,"Full text of ""U.S. import duties^comma^ under existing laws and decisions^comma^ and digest of the tariff laws^comma^ August 1^comma^ 1872; with an appendix containing tables of foreign moneys^comma^ weights and measures ... and other important regulations of the customs""",,,,0,instapaper +http://google.com/gwt/n?u=http%3A%2F%2Fafx.cc%2Fcrq,Best Use of Mac Genie Effect. EVER.,,,,0,instapaper +http://google.com/gwt/n?u=http%3A%2F%2Fff.im%2F-fv5O7,swissmiss | Evolution of Type Taste,,,,0,instapaper +http://www.zam.fme.vutbr.cz/~druck/Eclipse/Ecl2009e/0-info.htm,Total Solar Eclipse 2009^comma^ Enewetak,,,,0,instapaper +http://www.businessinsider.com/henry-blodget-gmail-a-symbol-of-everything-that-is-wrong-with-google-and-the-reason-microsoft-is-still-winning-in-the-enterprise-2010-2,Gmail: A Symbol Of Everything That Is Wrong With Google--And The Reason Apple Is A Far More Beloved Consumer Company,,,,0,pinboard +http://money.cnn.com/galleries/2010/news/1001/gallery.americas_biggest_ripoffs/index.html,America's Biggest Rip-offs - Text messages - 6^comma^500% markup (1) - CNNMoney.com,,,,0,pinboard +http://www.appleinsider.com/articles/10/02/05/sling_media_says_it_didnt_change_iphone_slingplayer_to_appease_att.html,Sling Media says it didn't change iPhone SlingPlayer to appease AT&T,,,,0,pinboard +http://www.straightdope.com/columns/read/2921/could-you-be-frozen-solid-then-broken-into-a-million-pieces,The Straight Dope: Could you be frozen solid^comma^ then broken into a million pieces?,,,,0,pinboard +http://discovermagazine.com/2010/mar/02-the-real-rules-for-time-travelers/,The Real Rules for Time Travelers | Cosmology | DISCOVER Magazine,,,,0,pinboard +http://www.hankboughtabus.com/,Hank Bought A Bus | Sometimes the best plan is to not have one,A cool story of a student who bought a school bus and turned it into an RV / Cabin / Tiny House as his masters in architecture final project. ,2014-10-08T18:30:36Z,bus schoolbus RV inspiration tinyhouse via:mattfarrow,0,pinboard +http://www.youtube.com/watch?v=FcfnCdnvjSw,Regular Car Reviews: 1986 Toyota 4Runner - YouTube,Regular Car Reviews: 1986 Toyota 4Runner via Instapaper http://www.youtube.com/watch?v=FcfnCdnvjSw,2014-10-07T15:29:29Z,IFTTT Instapaper,0,pinboard +http://www.youtube.com/watch?v=kUfNrB1Dy54,2009 STI Spun rod bearing rebuild timelapse - YouTube,2009 STI Spun rod bearing rebuild timelapse via Instapaper http://www.youtube.com/watch?v=kUfNrB1Dy54,2014-10-01T17:48:00Z,IFTTT Instapaper,0,pinboard +http://www.fastcolabs.com/3026698/inside-duckduckgo-googles-tiniest-fiercest-competitor,Inside DuckDuckGo^comma^ Google's Tiniest^comma^ Fiercest Competitor Co.Labs code + community,Inside DuckDuckGo^comma^ Google's Tiniest^comma^ Fiercest Competitor via Instapaper http://www.fastcolabs.com/3026698/inside-duckduckgo-googles-tiniest-fiercest-competitor,2014-09-30T02:17:16Z,IFTTT Instapaper,0,pinboard +http://www.roadrunnersinternationale.com/roadrunner_blog/?p=188,Bill Weaver Mach 3+ Blackbird Breakup | Roadrunners of Groom Lake,Bill Weaver Mach 3+ Blackbird Breakup | Roadrunners of Groom Lake via Instapaper http://www.roadrunnersinternationale.com/roadrunner_blog/?p=188,2014-09-30T01:54:08Z,IFTTT Instapaper,0,pinboard +http://www.kegconnection.com/,Kegconnection,A good site for buying kegerator assembly kits.,2014-09-22T15:43:35Z,kegerator beer diy,0,pinboard +http://www.fastcolabs.com/3035463/how-matts-machine-works,How Matt's Machine Works Co.Labs code + community,An interesting look into the corporate structure of Automattic / Wordpress.org / Wordpress.com / The Wordpress Foundation. Especially their lack of management structure except for the benevolent dictator Matt Mullenweg (http://ma.tt),2014-09-15T17:48:24Z,wordpress business strategy corporate structure work mattmullenweg,0,pinboard +http://www.believermag.com/issues/201105/?read=article_jamison,The Believer - The Immortal Horizon,The amazing story of what may be the hardest foot race in existence^comma^ the Barkley Marathon,2014-08-18T22:03:49Z,article longform barkleymarathon running ultrarunning ultramarathon race,0,pinboard +http://www.wired.com/2014/08/edward-snowden/,Edward Snowden: The Untold Story | Threat Level | WIRED,Edward Snowden: The Untold Story | Threat Level | WIRED via Instapaper http://www.wired.com/2014/08/edward-snowden/,2014-08-17T19:05:24Z,IFTTT Instapaper,0,pinboard +http://patft.uspto.gov/netacgi/nph-Parser?Sect2=PTO1&Sect2=HITOFF&p=1&u=/netahtml/PTO/search-bool.html&r=1&f=G&l=50&d=PALL&RefSrch=yes&Query=PN/8549882,United States Patent: 8549882,Patent for Pre-processing techniques to produce complex edges using a glass slumping process (8^comma^549^comma^882),2014-07-30T17:18:20Z,patent apple,0,pinboard +http://patft.uspto.gov/netacgi/nph-Parser?Sect2=PTO1&Sect2=HITOFF&p=1&u=/netahtml/PTO/search-bool.html&r=1&f=G&l=50&d=PALL&RefSrch=yes&Query=PN/8336334,United States Patent: 8336334,Patent for Glass alignment for high temperature processes (8^comma^336^comma^334),2014-07-30T17:17:42Z,patent apple,0,pinboard +http://patft.uspto.gov/netacgi/nph-Parser?Sect2=PTO1&Sect2=HITOFF&p=1&u=/netahtml/PTO/search-bool.html&r=1&f=G&l=50&d=PALL&RefSrch=yes&Query=PN/8526705,United States Patent: 8526705,Patent for Driven scanning alignment for complex shapes (8^comma^526^comma^705),2014-07-30T17:17:09Z,patent apple,0,pinboard +http://deadspin.com/my-injury-file-how-i-shot-smoked-and-screwed-my-way-1482106392,My Injury File: How I Shot^comma^ Smoked^comma^ And Screwed My Way Through The NFL,My Injury File: How I Shot^comma^ Smoked^comma^ And Screwed My Way Through The NFL via Instapaper http://deadspin.com/my-injury-file-how-i-shot-smoked-and-screwed-my-way-1482106392,2014-07-25T02:30:05Z,IFTTT Instapaper,0,pinboard +http://www.ifsja.org/forums/vb/showthread.php?t=136257,T176 Disassembly and Rebuild Pic Heavy - International Full Size Jeep Association,A detailed photo set of rebuilding a T176 transmission.,2014-07-12T20:22:27Z,T176 jeep transmission DIY howto,0,pinboard +http://narrative.ly/extra-time-in-brazil/brazils-secret-history-southern-hospitality/,Brazils Secret History of Southern Hospitality | Narratively | Human stories^comma^ boldly told.,The amazing story of the Brazilian descendants of Confederate emigres.,2014-07-09T20:40:36Z,americana brazil history emigre confederate civilwar,0,pinboard +http://what-if.xkcd.com/96/,$2 Undecillion Lawsuit,$2 Undecillion Lawsuit via Instapaper http://what-if.xkcd.com/96/,2014-07-07T16:22:26Z,IFTTT Instapaper,0,pinboard +http://what-if.xkcd.com/97/,Burning Pollen,Burning Pollen via Instapaper http://what-if.xkcd.com/97/,2014-07-07T16:10:27Z,IFTTT Instapaper,0,pinboard +http://www.quadratecforum.com/showthread.php?t=107135,Transmission Stabilizer Stud - Quadratec Jeep Forum,Images of the transmission stabilizer mount installation,2014-06-26T14:46:19Z,jeep cj7,0,pinboard +https://huckberry.com/journal/posts/how-to-skivvy-roll,How to Skivvy Roll | Huckberry,Perfected by the Marines^comma^ the Skivvy Roll or Grunt Roll is one of the most efficient packing techniques that we have ever seen. Combining all of our essentials (socks^comma^ shirt^comma^ and briefs) into a compact^comma^ bag ready^comma^ burrito of gear - its a simple^comma^ yet ingenious approach that makes filling up your bug out bag or packing for your next camping trip that much easier.,2014-06-24T17:46:07Z,packing tips marines,0,pinboard +http://nymag.com/news/features/cancer-peter-bach-2014-5/,Cancer Doctor Peter Bach on Losing His Wife to Cancer -- New York Magazine,An exceptionally well written essay by a doctor describing his wife's descent into cancer. Also^comma^ extraordinarily depressing,2014-05-07T20:33:00Z,cancer health medicine essay death,0,pinboard +http://home.sprynet.com/~dale02/ignmods.htm,Ignition (Some Mods),Nutter ECM ignition bypass information,2014-05-01T15:23:47Z,nutterbypass jeep cj7 smog emissions,0,pinboard +http://www.cabl.com/jeep/fuel_injection.htm,Fuel Injection,Documentation surrounding installing megasquirt and a GM TBI unit from a 4.3 V6. ,2014-04-30T19:51:46Z,jeep cj7 tbi efi megasquirt,0,pinboard +http://robteix.com/2012/11/rolling-out-your-own-fusion-drive-with-the-recovery-partition/,Rolling out your own Fusion Drive with the recovery partition by robteix dot com,A clear instruction for creating your own fusion drive and managing to include a working recovery partition.,2014-04-22T14:42:22Z,apple DIY fusiondrive osx,0,pinboard +http://patrickrhone.com/2013/04/22/the-dash-plus-system/,The Dash/Plus System,History Dash/Plus is a metadata markup system I created for paper based notes to mark the status of action items on a todo list. It quickly evolved to be equally well versed at marking up meeting,2013-11-06T22:13:03Z,via:michaelfox,0,pinboard +http://www.believermag.com/issues/201310/?read=article_ghansah,The Believer - If He Hollers Let Him Go - by Rachel Kaadzi Ghansah,An interesting explanation of the rise and fall of Dave Chapelle,2013-10-04T22:35:26Z,davechapelle biography thebeliever fame,0,pinboard +http://www.theatlantic.com/technology/False/2013/07/chuck-e-cheeses-silicon-valley-startup-the-origins-of-the-best-pizza-chain-ever/277869/,Chuck E. Cheese's^comma^ Silicon Valley Startup: The Origins of the Best Pizza Chain Ever - Alexis C. Madrigal - The Atlantic,The fascinating story of the genesis of Chuck E Cheese^comma^ and how it spawned out of Nolan Bushnell's Atari.,2013-07-22T18:52:10Z,chuckecheese atari nolanbushnell startup history,0,pinboard +http://petapixel.com/2013/07/01/the-big-fat-list-of-documentaries-about-photography/,The Big Fat List of Documentaries About Photography,Just as the title says... a big list of documentaries about photography,2013-07-03T01:52:38Z,documentary list photography,0,pinboard +https://fbcdn-sphotos-b-a.akamaihd.net/hphotos-ak-ash3/944439_10151407027931735_522403139_n.jpg,Lady Justice and the Statue of Liberty,great cartoon of lady justice and the Statue of Liberty embracing after the DOMA was ruled unconstitutional,2013-06-28T06:04:01Z,doma supremecourt unconstitutional statueofliberty ladyjustice gayrights,0,pinboard +http://shapeof.com/Falses/2013/4/we_need_a_standard_layered_image_format.html,We Need A Standard Layered ImageFormat,"A great article explaining Acorn's image format based on SQLite and the advantages that he pursues. The closing line is correct: ""It's 2013. Wouldn't it be awesome if you could hand off a single layered file format to multiple image editors^comma^ and it would just work?""",2013-05-02T17:51:08Z,gusmueller flyingmeat acorn fileformats PSD sqlite sql format code images image,0,pinboard +http://kottke.org/13/04/gif-of-yu-darvishs-consistent-delivery,GIF of Yu Darvish's consistent delivery,A great GIF showing how hard it must be to be a batter in the MLB^comma^ the pitcher's form does not change appreciably^comma^ but the ball goes in dramatically different final locations.,2013-04-25T18:30:05Z,MLB baseball drewshappard yudarvish gif,0,pinboard +http://zackarias.com/for-photographers/gear-gadgets/fuji-x100s-review-a-camera-walks-into-a-bar/,Fuji x100s Review :: A Camera Walks Into A Bar Photography By Zack Arias ATL 404-939-2263 studio@zackarias.com,An amazing review of the Fuji X100S. Very clever writing and some good example shots. This camera seriously tempted me away from interchangeable lenses.,2013-04-23T14:03:25Z,fuji x100s photography camera review,0,pinboard +http://apple.stackexchange.com/questions/72576/how-can-i-create-a-new-recovery-partition-on-external-disk,mountain lion - How can I create a new Recovery Partition on EXTERNAL disk? - Ask Different,How to clone the internal recovery partition to an external drive. This was an important step in making my home made fusion drive in my macbook pro.,2013-03-14T22:38:13Z,osx tutorial mountainlion fusiondrive apple,0,pinboard +http://blog.rwky.net/2012/02/chroot-ssh-using-openssh.html,Rwky Blog: chroot SSH using OpenSSH ChrootDirectory with Ubuntu/Debian,Tutorial for creating bootstrapped chroots for ssh users.,2013-03-14T16:54:50Z,linux ubuntu tutorial security,0,pinboard +https://vimeo.com/56433514,Malaria on Vimeo,"A very interesting ""comic book"" as a film. Worth a watch.",2013-01-22T14:42:09Z,comicbook film art inspiration,0,pinboard +http://uhelios.com/downloads/,uhelios - Downloads - Downloads,A neat little tool that allows you to change the icon of your carrier without jailbreaking. Guess who has a bat-phone now?,2013-01-03T23:34:14Z,apple iphone carrier,0,pinboard +http://www.newyorker.com/reporting/2013/01/07/130107fa_fact_green?currentPage=all,Adam Green: The Spectacular Thefts of Apollo Robbins^comma^ Pickpocket : The New Yorker,A great read about the pickpocketing act of a Vegas performer,2013-01-02T16:58:26Z,newyorker apollorobbins pickpocket lasvegas magician,0,pinboard +http://www.nytimes.com/2012/12/23/magazine/jerry-seinfeld-intends-to-die-standing-up.html?_r=2&pagewanted=all&,Jerry Seinfeld Intends to Die Standing Up - NYTimes.com,An interesting profile of Jerry Seinfeld. It's especially interesting to hear the differences in technique and strategy between him and Louis CK.,2012-12-21T19:41:20Z,louisck jerryseinfeld newyorktimes biography,0,pinboard +http://mobile.theverge.com/2012/12/4/3726440/tweets-of-rage-free-speech-on-the-internet,Tweets of rage: does free speech on the internet actually exist? | The Verge,A fascinating article discussing the state of the internet with regards to free speech.,2012-12-05T03:23:33Z,freespeech constitution nilaypatel theverge rights firstamendment,0,pinboard +http://huffpostcomedy.tumblr.com/post/15185215140/bill-murray-on-gilda-radner-gilda-got-married,HUFFPOST COMEDY,Bill Murray remembers the last time he saw Gilda Radner. I love a good story like this.,2012-11-30T15:39:29Z,SNL gildaradner billmurray comedy,0,pinboard +http://www.lettersofnote.com/2011/06/may-i-suggest-that-mr-bond-be-armed.html,Letters of Note: May I suggest that Mr. Bond be armed with a revolver?,A letter about how James Bond came to be equipped with a Walther PPK and how Q came to be named Major Boothroyd.,2012-11-29T15:13:52Z,film ianfleming jamesbond q,0,pinboard +http://www.thisiscolossal.com/2012/11/cloned-video-animations-by-erdal-inci/,Cloned Video Animations by Erdal Inci | Colossal,Awesome GIFs of cloned motions. Mesmerizing.,2012-11-27T20:49:49Z,animation GIF video colossal,0,pinboard +http://www.nytimes.com/2012/11/26/opinion/buffett-a-minimum-tax-for-the-wealthy.html,A Minimum Tax for the Wealthy - NYTimes.com,Warren Buffet's reasonable take on simple taxes for high income earners to get the government back on track.,2012-11-27T20:40:14Z,economics politics barackobama grovernorquist warrenbuffet,0,pinboard +http://simplicitybliss.com/blog/2012/11/multiple-open-with-entries-in-mac-os-x-finder,Removing Double 'Open With' Entries in Mac OS X Finder SimplicityBliss,"For quite a while I have been battling with multiple entries of the same application in the 'Open With' (right click/context) menu in Mountain Lion. The screenshot illustrates the issue with a double-entry of Numbers as an alternative application to open Excel files.Querying my as ever knowledgable followers on Twitter^comma^ I have been swiftly informed that the issue sits with LaunchServices which need to be rebuild with the following Terminal command",2012-11-27T05:12:48Z,mac osx howto,0,pinboard +http://www.appleoutsider.com/2012/10/30/regimechange/,Apple Outsider Regime Change,A very interesting read on the management shakeup at Apple and what it means for the new structure of the company. This rings true for me. The separation of teams by product needed to be tweaked a bit so it was more collaborative,2012-10-30T16:44:45Z,apple management business timcook scottforstall jonyive,0,pinboard +http://www.thisiscolossal.com/2012/08/recent-colored-thread-installations-by-gabriel-dawe/,Colored Thread Installations by GabrielDawe,Awesome installations of raw color using bundles of colored thread.,2012-08-29T20:18:09Z,art inspiration colossal,0,pinboard +http://www.motomucci.com/2012/08/daily-inspiration-fuel-gauge.html,Moto-Mucci: DAILY INSPIRATION: Fuel Gauge,A very cool clear motorcycle gas tank,2012-08-29T20:16:20Z,inspiration glass motorcycles,0,pinboard +https://twitter.com/danfrakes/statuses/239453665319088130,Cant Say It Better Than This,"@danfrakes: ""When the iPhone debuted^comma^ it was widely criticized for having no buttons/keys. Now people think the iPhones design is obvious.""",2012-08-26T16:41:55Z,twitter danfrakes daringfireball iphone samsung patent tradedress lawsuit,0,pinboard +http://thewirecutter.com/,The Wirecutter,A great tech review website with clear recommendations by product categories.,2012-07-17T00:37:41Z,tech reviews recommendations brianlam,0,pinboard +http://pastebin.com/q0hTkwFh,David House Grand Jury Notes - Pastebin.com,An amazing transcript of one man's grand jury testimony during the Bradley Manning investigation. He has some serious stones.,2012-07-16T14:59:55Z,law constitution wikileaks bradleymanning davidhouse,0,pinboard +http://www.minimallyminimal.com/journal/2012/7/3/the-next-microsoft.html,The NextMicrosoft - journal - minimally minimal,A wonderful branding alternative for microsoft.,2012-07-13T20:36:25Z,microsoft design logo inspiration,0,pinboard +http://www.cultofmac.com/172046/why-your-next-iphone-should-be-prepaid-chart/,Why Your Next iPhone Should Be Prepaid | Cult of Mac,"The 2 year cost advantage of getting a pre-paid iPhone...Something to consider.",2012-06-08T21:51:38Z,prepaid iphone cricket sprint virginmobile att verizon apple,0,pinboard +http://www.zeebuck.com/bimmers/tech/rearbrakes.html,2002 Rear Brake Adjustment,Instructions for adjusting the drums on a BMW 2002.,2012-06-03T04:28:47Z,bmw 2002 lucy cars automotive repair,0,pinboard +http://www.ericvalli.com/index.php?/stories/off-the-grid/,Off the Grid : Eric Valli,amazing photos of people living off the grid. I would love to know more of their stories.,2012-05-17T01:54:29Z,photography offthegrid ericvalli,0,pinboard +http://yanpritzker.com/2011/12/16/learn-to-speak-vim-verbs-nouns-and-modifiers/,Learn to speak vim - verbs^comma^ nouns^comma^ and modifiers!,An interesting way to look at the commands in VIM^comma^ certainly not something that I'm good with and something I need to work on.,2012-05-16T20:58:13Z,vim programming editor,0,pinboard +http://nowiknow.com/wagah-dance/,Wagah Dance Now I Know Falses,a choreographed dance of contempt at the border between Pakistan and Indian in the city of Wagah. ,2012-05-08T14:23:47Z,danlewis pakistan india border,0,pinboard +https://www.youtube.com/watch?v=PRn1xKPloEE&feature=share,Tupperware^comma^ a Tribute - YouTube,A stirring tribute to tupperware by Jalal Haddad,2012-04-23T18:50:12Z,jalalhaddad tupperware humor video,0,pinboard +https://waynehale.wordpress.com/2012/04/18/how-we-nearly-lost-discovery/,How We Nearly Lost Discovery | Wayne Hale's Blog,A very interesting story of how we nearly lost the space shuttle Discovery on it's first flight after the Columbia disaster. ,2012-04-23T18:32:34Z,space spaceshuttle columbia discovery nasa engineering disaster,0,pinboard +http://twolivesleft.com/misc/the-case-of-the-coffee-smart-cover/,The Case of the Coffee Smart Cover | Two Lives Left,"""Simeon"" at Two Lifes Left bought a tan leather smart cover so that it would eventually get that weathered look that only leather can achieve. To accelerate the process he deliberately stained his with careful application of espresso and coffee grounds.I bought a tan leather smart cover for the same reasons.",2012-04-09T15:40:48Z,diy smartcover ipad leather coffee,0,pinboard +http://hellforleathermagazine.com/2012/04/michael-czysz-on-motogp-its-lost/,Michael Czysz on MotoGP: its lost | Hell for Leather,Michael Czysz ruminates on what he would change to make MotoGP and WSB cohesive racing series with clear progression for young or low budget teams to the upper echelons. I think there are lots of good points in here.,2012-04-02T21:52:19Z,racing motorcycles michaelczysz motoczysz ama motogp wsb,0,pinboard +https://www.redhat.com/Falses/fedora-list/2009-February/msg02437.html,Re: Moving GPG Keys Between Computers,A clear and easy way to move GPG keys between two computers,2012-03-28T20:36:46Z,gpg encryption keys cryptography,0,pinboard +http://stabyourself.net/mari0/,Stabyourself.net - Mari0,Two genre defining games from completely different eras: Nintendo's Super Mario Bros. and Valve's Portal. These two games managed to give Platformers and First-Person Puzzle Games a solid place in the video game world. But what if Nintendo teamed up with Valve and recreated the famous Mario game with Portal gun mechanics?,2012-03-13T05:37:58Z,games mario portal nintendo valve,0,pinboard +http://tether.com/iphone/,Tether your iPhone | Tether,A service that allows you to tether your iPhone to use the 3G connection without paying for the official tethering service.,2012-03-10T00:17:30Z,iphone tether howto,0,pinboard +http://minimalmac.com/post/18189678921/tv-is-broken,Minimal Mac | TV Is Broken,The story of the introduction of a 4 year old to TV after not having been exposed to it before. Someday this story will seem weird to all of us. ,2012-03-01T16:46:35Z,media television minimalmac cable,0,pinboard +http://pinboard.in/talks/biz.pdf,The Business of Bookmarking,A great explanation of the differences in running a bookmarking business rather than the common models in the silicon valley. ,2012-02-27T17:16:52Z,business web pinboard delicious bookmarking,0,pinboard +http://www.retronaut.co/2012/01/sci-fi-convention-los-angeles-1980/,Sci-fi Convention^comma^ Los Angeles^comma^ 1980 | Retronaut,,2012-02-22T01:45:15Z,,0,pinboard +http://online.wsj.com/article/SB10001424052970203315804577209230884246636.html,More Doctors 'Fire' Vaccine Refusers - WSJ.com,Interesting story about doctors refusing to treat families who have refused vaccinations for their children.,2012-02-16T19:13:21Z,vaccination medicine doctors autism,0,pinboard +http://www.newyorker.com/reporting/2008/11/24/081124fa_fact_bilger?currentPage=all,Sam Calagione^comma^ Dogfish Head^comma^ and extreme beer : The New Yorker,A great profile of Sam Calagione^comma^ owner of Dogfish Head and promoter of craft brewing.,2012-02-14T16:16:25Z,beer homebrew craftbrew samcalagione dogfish,0,pinboard +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=61:cormac-mccarthys-apocalypse-&catid=35:articles&Itemid=54,Cormac McCarthy's Apocalypse,An article describing Cormac McCarthy's involvement in the Santa Fe Institute and his appreciation for the science of the end of times.,2012-02-09T23:15:04Z,apocalypse theroad cormacmcarthy santafeinstitute sfi,0,pinboard +http://thoughtcatalog.com/2012/jupiter/,Everything That I Know About Jupiter Thought Catalog,A quick summary of everything the author knows about Jupiter.,2012-02-08T16:51:48Z,humor jupitor astronomy,0,pinboard +http://www.gq.com/news-politics/newsmakers/201203/terry-thompson-ohio-zoo-massacre-chris-heath-gq-february-2012?printable=true,Terry Thompson and the Zanesville Ohio Zoo Massacre: Newsmakers: GQ,A crazy story of a man's suicide involving the sudden release of ~50 exotic pets that he owned.,2012-02-08T01:42:51Z,suicide gq pets,0,pinboard +http://brainmatter.tumblr.com/post/17207567790/impossible-happens,Brain Matter(s) - Impossible Happens,"A nice summary of a couple lessons to take from Steve Jobs. When his back was against the wall and he had to save the company he had just returned to he called ""the enemy""^comma^ Bill Gates to arrange a deal. Always look at the bigger picture.",2012-02-07T21:42:45Z,billgates stevejobs apple inspiration,0,pinboard +http://www.gordyscamerastraps.com/wrist-tripod/index.htm,gordy's camera straps,Cool handmade leather wrist straps,2012-02-02T22:12:03Z,camera strap,0,pinboard +http://www.robservatory.com/?p=46,Robservatory Blog False A useless analysis of OS X release dates,A release history of every dot update to OS X since the public betas.,2012-02-02T05:45:28Z,apple history mac osx,0,pinboard +http://www.underconsideration.com/brandnew/Falses/in_brief_5-year-old_analyzes_logos.php,In Brief: 5-year-old Analyzes Logos - Brand New,A wonderful insight into logos as seen by a 5 year old girl.,2012-02-01T01:47:49Z,logo design,0,pinboard +http://blog.photoshelter.com/2012/01/rant-i-love-photography/,Rant: I Love Photography PhotoShelter Blog,A beautiful 'rant' about why one photographer loves photography.,2012-01-31T21:53:23Z,photography,0,pinboard +http://murkavenue.tumblr.com/post/16553509655/i-found-ice-cubes-good-day,MURK AVENUE^comma^ I FOUND ICE CUBES 'GOOD DAY',"One man investigated the lyrics to determine the exact date of Ice Cube's ""Good Day""",2012-01-30T04:43:16Z,rap music lyrics icecube,0,pinboard +http://www.appleoutsider.com/2012/01/26/hollywood/,Apple Outsider Hollywood Still Hates You,Matt Drance's entirely astute opinion of why movie piracy is up. The studios don't realize that to eliminate piracy they should make it easier to buy it legally. I would certainly pay to get access to a la carte movies and TV shows if it weren't so hard.,2012-01-29T06:22:12Z,copyright hollywood movies tv streaming netflix mattdrance appleoutsider,0,pinboard +http://74.220.215.94/~davidkus/index.php?option=com_content&view=article&id=102:the-boy-who-heard-too-much&catid=35:articles&Itemid=54,The Boy Who Heard Too Much,The story of a blind teenager with exceptional hearing who used social engineering and knowledge of telecommunications systems to harass his enemies.,2012-01-26T22:35:08Z,phone telecommunications socialengineering phreaking,0,pinboard +http://thefoxisblack.com/2012/01/19/jaaam-the-fresh-prince-remix-by-pogo/,The Fox Is Black Jaaam (The Fresh Prince Remix) by Pogo,A lovely remix of fresh prince clips by Pogo.,2012-01-26T18:43:44Z,foxisblack freshprince willsmith remix pogo,0,pinboard +http://drunkronswanson.com/,Infinite Drunk Ron Swanson,The best site on the internet.,2012-01-26T17:47:20Z,funny awesome humor ronswanson parksandrec tv,0,pinboard +http://www.swiss-miss.com/2012/01/mondrian-sandwich.html,swissmiss | Mondrian Sandwich,Possibly the most artistic ham sandwich I've ever seen.,2012-01-18T19:10:27Z,mondrian art sandwich,0,pinboard +http://www.whimseybox.com/how-it-works,How It Works | Whimseybox,An idea for Julia's birthday?,2012-01-17T16:50:37Z,julia,0,pinboard +http://www.thisiscolossal.com/2012/01/a-geometric-paper-torso-with-removable-organs/,Geometric Paper Torso with Removable Organs | Colossal,Australian architect and paper artist Horst Kiechle recently constructed this geometric paper torso complete with modular organs including lungs^comma^ intestines^comma^ kidneys^comma^ pancreas^comma^ stomach and more. The piece was made for the Science Lab of the International School Nadi^comma^ Fiji. You should also check out some of his archisculptures. (via my modern met),2012-01-13T19:38:08Z,model paper craft organs body,0,pinboard +http://www.nytimes.com/2012/01/08/magazine/stephen-colbert.html?_r=4&pagewanted=all,How Many Stephen Colberts Are There? - NYTimes.com,Interesting details of Stephen Colbert's efforts to demonstrate the realities of Super PACs and 501(4)c groups interspersed with some biographical information as well.,2012-01-10T00:10:02Z,stephencolbert politics biography fundraising superpac PAC,0,pinboard +http://matt.might.net/articles/phd-school-in-pictures/,The illustrated guide to a Ph.D.,A wonderful illustrated guide to what it really means to get a Ph.D.,2012-01-06T18:01:50Z,academia education illustration visualization phd doctorate,0,pinboard +http://www.thisiscolossal.com/2012/01/miniature-liquid-worlds-by-markus-reugels/,Miniature Liquid Worlds by Markus Reugels | Colossal,Fantastic images of water droplets in front of satellite images creating tiny worlds. ,2012-01-05T22:59:12Z,photography world water droplets,0,pinboard +http://www.regretsy.com/2012/01/03/from-the-mailbag-27/,PayPal orders customer to destroy violin to settle dispute.,"In a dispute over the veracity of the label on a violin that was sold using PayPal^comma^ PayPal required the customer to destroy the violin in order to destroy the ""counterfeit"" materials.",2012-01-04T19:18:29Z,paypal dispute counterfeit violin,0,pinboard +http://behindcompanies.com/2011/12/a-guide-to-backing-up-pinboard/,A Guide to Backing Up Pinboard - Behind Companies,"A quick guide on how to back up your pinboard account to a server using curl and crontab.It also uses ifttt and dropbox to pull the file locally^comma^ but I'm just planning on leaving it on the server and using logrotate to cycle a few copies.",2011-12-29T21:59:32Z,backup howto pinboard curl cron,0,pinboard +http://www.esquire.com/features/ESQ1202-DEC_SEDARIS,Six To Eight Black Men - Esquire,"The story of Swarte Piet^comma^ Santa's little black-faced Dutch slave/helper.`A Dutch parent has a decidedly hairier story to relate^comma^ telling his children^comma^ ""Listen^comma^ you might want to pack a few of your things together before you go to bed. The former bishop from Turkey will be coming along with six to eight black men. They might put some candy in your shoes^comma^ they might stuff you in a sack and take you to Spain^comma^ or they might just pretend to kick you. We don't know for sure^comma^ but we want you to be prepared.""`",2011-12-17T00:26:25Z,slavery blackface dutch customs culture swartepiet santa christmas,0,pinboard +http://www.npr.org/blogs/krulwich/2011/11/29/142910393/the-library-phantom-returns,The Library Phantom Returns! : Krulwich Wonders... : NPR,An anonymous sculptor placed a series of ten art pieces crafted from books into various libraries around Edinburgh^comma^ Scotland before leaving a poem announcing her retirement.,2011-12-05T18:05:37Z,sculpture art books edinburgh scotland anonymous npr,0,pinboard +http://molinellidesign.com/2011/05/08/crashed-ferrari-table/,Crashed Ferrari Table | Charly Molinelli,What else would you do with a wrecked Ferrari?,2011-11-23T20:22:02Z,ferrari automobiles coffeetable furniture design,0,pinboard +http://www.core77.com/ultimategiftguide/,Core77's End of Year/End of Days Gift Guide 2011: 77 Must Haves for Hard Times,Great^comma^ random gift ideas.,2011-11-22T01:39:07Z,,0,pinboard +http://bygonebureau.com/2011/11/11/americas-first-serial-killer/,The Valley: Americas First Serial Killer The Bygone Bureau,An interesting story of a man who may have been America's first serial killer: A peasant who witnessed the murder of six men during the US's invasion of Mexico heard a call from the Virgin of Guadalupe to remove the hearts of 600 white men,2011-11-21T18:11:31Z,serialkiller history war,0,pinboard +http://www.businessweek.com/printer/magazine/apples-supplychain-secret-hoard-lasers-11032011.html,Apple's Supply-Chain Secret? Hoard Lasers - BusinessWeek,A look into the way that Apple wields its supply chain as a strategic weapon.,2011-11-04T18:28:34Z,apple timcook supplychain,0,pinboard +http://kottke.org/11/10/michael-winslow-gets-the-led-out,Michael Winslow gets the Led out,"""There is a sense amongst my generation that Michael Winslow's best performing days are behind him. (You'll remember Winslow as Officer Sound Effects from Police Academy.) After all^comma^ we live in the age of the beatboxing flautist. You might change your tune after watching Winslow do Zeppelin's Whole Lotta Love. The first 28 seconds are like^comma^ oh^comma^ I've heard this before yawn zzzzzzzzzz WHOA^comma^ WHERE THE HELL DID THAT GUITAR NOISE COME FROM??!""",2011-11-01T15:44:04Z,beatboxing ledzepplin michaelwinslow policeacademy,0,pinboard +http://www.nytimes.com/2011/10/30/opinion/mona-simpsons-eulogy-for-steve-jobs.html?_r=1&pagewanted=all&smid=fb-share,A Sisters Eulogy for Steve Jobs - NYTimes.com,Mona Simpson's eulogy at Steve Jobs's funeral.,2011-10-31T23:36:13Z,funeral apple stevejobs monasimpson eulogy,0,pinboard +http://www.wired.com/autopia/2011/08/driving-sucks/,Why the Hell Do You People Still Drive? | Autopia | Wired.com,,2011-10-27T03:28:25Z,,0,pinboard +http://youarenotsosmart.com/2011/08/21/the-illusion-of-asymmetric-insight/,The Illusion of Asymmetric Insight You Are Not So Smart,A fascinating article about the Robber's Cave experiment and what that shows about asymmetric insight (parallels are drawn to Lord of the Flies).,2011-10-26T05:00:32Z,asymmetricinsight psychology robberscave sociology,0,pinboard +http://legacygt.com/forums/showthread.php/drl-disable-10-minutes-2117.html,DRL Disable^comma^ in 10 minutes - Subaru Legacy Forums,How to disable daytime running lights on a Subaru Legacy.,2011-10-05T04:07:57Z,subaru outback legacy daphne drl,0,pinboard +http://www.wired.com/magazine/2011/09/ff_chickensaurus/all/1,How to Hatch a Dinosaur | Magazine,A paleontologist with a MacArthur Genius Grant and no college degree is trying to reverse the process of evolution and bring out the hidden dinosaur characteristics of the common chicken.,2011-10-01T00:18:06Z,dinosaur chicken evolution genetics dna,0,pinboard +http://balloonhat.com/,the varieties of the BALLOON HAT experience,A series of shots of people that you would not expect to be wearing a balloon hat.,2011-09-22T20:43:51Z,funny images balloon,0,pinboard +http://www.rollingstone.com/culture/news/an-american-drug-lord-in-acapulco-20110825?print=true,An American Drug Lord in Acapulco | Rolling Stone Culture,The story of a boy from Texas and his rise to the upper echelons of the Mexican drug cartels. ,2011-09-13T21:32:06Z,drugs mexico crime america,0,pinboard +http://vimeo.com/28700284,"Jeff Tweedy recites ""My Humps"" on Vimeo",,2011-09-08T07:04:25Z,,0,pinboard +http://soulwire.co.uk/experiments/recursion-toy/,Soulwire Experiments in Code,Massively recursive algorithm with cool adjustable parameters. Creates crazy looking organic renderings.,2011-08-31T20:49:02Z,art code javascript,0,pinboard +http://www.flickr.com/photos/deadhorse/5218907223/,Huffencooper holiday card 2010 | Flickr - Photo Sharing!,Awesome holiday card design based on the names of Santa's Reindeer.,2011-08-24T21:30:45Z,design holiday rudolph,0,pinboard +http://shankman.com/the-best-customer-service-story-ever-told-starring-mortons-steakhouse/,The Greatest Customer Service Story Ever Told^comma^ Starring Mortons Steakhouse|Peter Shankman,A man jokes that he wants Mortons to deliver him a steak to the airport when he lands after his flight. Mortons actually delivers. A very amusing story of spectacular customer service and how they ensured they have a customer for life.,2011-08-19T18:44:14Z,food twitter mortons customerservice,0,pinboard +http://mlkshk.com/p/69H1,best wedding pictures ever... scroll down - mlkshk,Awesome wedding pictures.,2011-08-19T18:28:36Z,wedding photography humor,0,pinboard +http://www.instapaper.com/go/194338675/text,Legal Affairs,A horrifying story of abuse within the Amish communities of Pennsylvania and Ohio.,2011-08-10T05:09:41Z,amish abuse sexuality,0,pinboard +http://vimeo.com/27346422,"Lossa Engineering's short film ""Solus"" on Vimeo","A short film by Ricki Bedenbaugh for Lossa Engineering^comma^ ""Solus"". Lossa Engineering built Yamaha SR500^comma^ also featured on Cafe Racer TV season 1.",2011-08-08T03:58:25Z,sr500 yamaha solus lossaengineering caferacer motorcycles,0,pinboard +http://shawnblanc.net/2011/08/macbook-air-review/,Guts and Glory: A Review of the MacBook Air Shawn Blanc,"""A few years from now^comma^ I believe well look back and say the 12-inch PowerBook was the best laptop we ever owned until our MacBook Airs. The MacBook Air is the new 12-inch PowerBook the new blend of power and portability that also invokes a fondness that few Macs in the lineup can.""",2011-08-03T20:42:48Z,macbookair review shawnblanc,0,pinboard +http://www.avc.com/a_vc/2011/07/the-fred-wilson-school-of-blogging.html,"A VC: The ""Fred Wilson School Of Blogging""",Fred Wilson's thoughts regarding how to create a long term and valuable internet presence. I believe in many of these tenants^comma^ but I struggle with the division of the short form from the long term. I think a single presence works better^comma^ and unifies the location. I had no idea that Fred Wilson has a Tumblr^comma^ yet I subscribe to his blog.,2011-08-02T20:30:57Z,blogging fredwilson identity socialmedia,0,pinboard +http://ejroundtheworld.blogspot.com/2011/06/violated-travelers-lost-faith-difficult.html,Around The World and Back Again: Violated: A travelers lost faith^comma^ a difficult lesson learned,A horrible story of one person's experience with AirBNB and the traveler that destroyed^comma^ vandalized^comma^ and stole her property in her absence.,2011-08-02T17:03:29Z,crime travel airbnb,0,pinboard +http://www.fontsquirrel.com/fontface/generator,Font Squirrel | Create Your Own @font-face Kits,Generates zip files with everything you need (including code) to implement @font-face on your site.,2011-08-02T16:53:19Z,css fonts typography webdev,0,pinboard +http://cl.ly/8xom,ic31.jpg,iCloud has the cutest error messages ever. ,2011-08-02T02:15:53Z,,0,pinboard +http://jonwhipple.com/blog/2011/07/29/improving-the-scrolling-experience-in-lion/,Improving the Scrolling Experience in Lion | Jettison Canopy,A proposal to fix the inability to determine if there is material outside the current view when using Lion with the default of the scroll bars being disabled,2011-08-01T19:18:25Z,lion osx scrollbars ui ux design,0,pinboard +http://thebhj.com/journal/2011/7/27/13.html,- B. HOCKEY J. - 13,A very cool message from a father to a son on his thirteenth birthday.,2011-07-29T15:42:34Z,inspiration parenting writing adolescence,0,pinboard +http://blog.iso50.com/24845/discoverys-visual-eulogy/,Discovery: A Visual Eulogy ISO50 Blog The Blog of Scott Hansen (Tycho / ISO50),I've never seen photos of a shuttle like this. It's interesting to see the textures and the almost paper mch look that it has. In a world of plastic models of the shuttle^comma^ it's good to be reminded of the age in which it was designed and the exotic materials it required. ,2011-07-26T18:25:25Z,Shuttle space eulogy NASA photography,0,pinboard +http://katiehollandlewis.com/201_days.html,Katie Lewis,Beautiful art installations based on carefully charting bodily phenomena then removing any description of the phenomena or graphing axes,2011-07-26T17:01:49Z,art science charting infographic,0,pinboard +http://www.wemadethis.co.uk/blog/2011/07/cattle-brand/,We Made This Ltd,An interesting detailing of cattle brands that has some tidbits about lettering and type that I didn't know cattle brands had.,2011-07-26T16:52:16Z,cattle brands americana typography lettering,0,pinboard +http://twitpic.com/5vrikk,@jnack you can't unsee it! on Twitpic,@jnack you can't unsee it! ,2011-07-25T18:45:04Z,,0,pinboard +http://news.yahoo.com/mystery-prisoner-utah-jail-authorities-stumped-195453847.html,Mystery prisoner has Utah jail authorities stumped - Yahoo! News,A prisoner in Utah refuses to give up his identity preventing Police from charging or releasing him. ,2011-07-25T18:43:50Z,,0,pinboard +http://www.subtraction.com/2011/07/25/the-wayback-machine-for-apps,Subtraction.com: The Wayback Machine for Apps,The Wayback Machine for apps. Wouldnt it be cool in a few years to see how apps have evolved along with their platforms? ,2011-07-25T18:11:54Z,,0,pinboard +http://instagr.am/p/IbapC/,Instagram,Attention Dogs ,2011-07-24T19:06:22Z,,0,pinboard +http://www.macrumors.com/2011/07/18/make-an-os-x-lion-boot-disc/,Make An OS X Lion Boot Disc - MacRumors.com,How to make a Lion boot disc from the App Store download so that clean installs can be done.,2011-07-22T06:10:24Z,apple howto mac osx lion appstore,0,pinboard +http://www.wtfnoway.com/,A visualization of US Debt in 100 dollar bills,A cool visualization of the US debt. ,2011-07-21T23:44:10Z,,0,pinboard +http://instagr.am/p/IEZDC/,Instagram,Dishtowels are the best toy. ,2011-07-20T04:17:24Z,,0,pinboard +http://amd.im/yFj9,amd.im,"Lost in translation: ""Woman friendly door""... ",2011-07-17T22:48:26Z,,0,pinboard +http://www.someprints.com/Spots-Prints-Posters/mona-lisa-remix-print-by-graphic-nothing.html,Mona Lisa Remix by Graphic Nothing @ Some Prints,Mona Lisa Remix ,2011-07-15T20:54:51Z,,0,pinboard +http://railstips.org/blog/Falses/2008/12/15/deploying-sinatra-on-dreamhost-with-passenger/,Deploying Sinatra on Dreamhost With Passenger // RailsTips by John Nunemaker,Hosting sinatra apps on Dreamhost is possible.,2011-07-14T17:50:17Z,ruby sinatra dreamhost webdev webhosting,0,pinboard +http://www.reddit.com/r/AskReddit/comments/gzkn7/reddit_what_is_the_drunkest_photo_ever_taken_of/,Reddit^comma^ what is the drunkest photo ever taken of you? : AskReddit,The drunkest photo ever taken.,2011-07-14T17:27:21Z,photos funny humor,0,pinboard +http://charliepark.org/slopegraphs/,Edward Tuftes Slopegraphs,An interesting^comma^ succinct^comma^ and under utilized way to present data.,2011-07-13T17:53:12Z,visualization design infographic chart,0,pinboard +http://www.mcsweeneys.net/articles/sweet-opportunity-in-the-state-of-denmark#.ThTMPYKdjak.twitter,McSweeneys Internet Tendency: Sweet Opportunity in the State of Denmark!,If a scammer wrote me this^comma^ I just might hand over all my money. ,2011-07-06T22:25:07Z,,0,pinboard +http://twitpic.com/5m75ce,Twitpic - Share photos and videos on Twitter,One of my favorite Apple Store details: manufacturing custom^comma^ integrated power+security/alarm cables. So clean. So Jobs. ,2011-07-06T21:03:26Z,,0,pinboard +http://iconmotosports.net/2011/07/rear-brake-lines/,Fact or Fluke? | LIMITER,Does rear brake line routing correspond with dyno curves? @Iconmotosports investigates ,2011-07-06T01:16:00Z,,0,pinboard +http://yfrog.com/h3kq5rp,yfrog Photo : http://yfrog.com/h3kq5rp Shared by darrenrovell,Awesome 4th of July cake - ,2011-07-04T23:27:21Z,,0,pinboard +http://instagr.am/p/G9rzQ/,Instagram,iPad point of sale. ,2011-07-04T19:53:56Z,,0,pinboard +http://instagr.am/p/G9rGe/,Instagram,A pretty mess. ,2011-07-04T19:51:09Z,,0,pinboard +http://www.theatlantic.com/magazine/print/2010/10/autism-8217-s-first-child/8227/,Autisms First Child - Magazine - The Atlantic,The story of the life of the first person diagnosed with Autism^comma^ and his surprising (to me) success at leading an independent and enriching life.,2011-06-28T21:55:36Z,autism medicine psychology,0,pinboard +http://www.rollingstone.com/politics/news/michele-bachmanns-holy-war-20110622,Michele Bachmann's Holy War | Rolling Stone Politics,A synopsis of Michele Bachmann's rise to fame and fortune as a crazy person.,2011-06-27T21:34:45Z,politics religion usa michelebachmann teaparty republican,0,pinboard +http://waxy.org/2011/06/kind_of_screwed/,Kind ofScrewed,An interesting story of one artist's pixel art rendering of a famous Miles Davis album cover for the cover of his chip tune tribute to Kind of Blue and the copyright lawsuit that followed.,2011-06-25T04:36:24Z,copyright design lawsuit chiptune tribute fairuse pixelart,0,pinboard +http://brooksreview.net/2011/05/macs-cars/?,Thinking About Macs as Cars and Trying to Figure Out What the Hell You Should Buy The Brooks Review,"An interesting look at the mac lineup and how it compares to modes of transportation. It seems pretty close^comma^ the ipad : motorcycle analogy is fairly good^comma^ but I'm not sure how I feel about the 13"" MacBook Air and MacBook Pro analogies.",2011-06-23T15:32:40Z,macbook macbookair macbookpro apple analogy automotive,0,pinboard +http://www.vanityfair.com/culture/features/2011/04/lami-louis-201104,Tour De Gall | Culture | Vanity Fair,A great review of a famous Parisian restaurant,2011-06-19T16:45:45Z,restaurant review humor,0,pinboard +http://alanvanroemburg.tumblr.com/post/6550997276/apple-icloud-icon-golden-ratio-alan-van-roemburg,Some Clouds Have a Golden Lining,A graphic that shows the use of the golden ratio in Apple's iCloud logo. Its the details that make it great. ,2011-06-16T22:29:07Z,apple design details goldenratio,0,pinboard +http://waxy.org/2011/06/playable_archaeology_an_interview_with_the_telehacks_anonymous_creator/,Playable Archaeology: An Interview with Telehack's Anonymous Creator - Waxy.org,An interview with the creator of a simulated internet based around the actual internet of the late eighties called Telehack.,2011-06-16T14:59:25Z,games hacking history internet interview,0,pinboard +http://thisismynext.com/2011/06/09/google-voice-skype-imessage-and-the-death-of-the-phone-number/,iMessage^comma^ Skype^comma^ Google Voice^comma^ and the death of the phone number | This is my next...,Which company will be the one to eliminate the phone number from our lexicon?,2011-06-10T04:49:52Z,microsoft apple skype google phone number technology prediction,0,pinboard +http://www.reddit.com/r/AskReddit/comments/gibxk/i_like_big_butts_and_i_cannot_lie_but_is_there/,I like big butts and I cannot lie^comma^ but is there some evolutionary reason as to why? : AskReddit,A fantastic discussion of the possible evolutionary reasons for large butts being sexually attractive.,2011-06-10T03:57:15Z,funny humor evolution butts,0,pinboard +http://www.superbikeplanet.com/vr1000_obit.htm,Soup :: Obit: Harley-Davidson VR 1000^comma^ August 30 2001,The history of Harley's shot at truly competing in racing.,2011-06-10T03:56:30Z,racing harley motorsports motorcycles,0,pinboard +http://www.quora.com/Superheroes/Given-our-current-technology-and-with-the-proper-training-would-it-be-possible-for-someone-to-become-Batman,Given our current technology and with the proper training^comma^ would it be possible for someone to become Batman?,A wonderful and elaborate Quora discussion of the possibility of someone actually becoming a batman like vigilante,2011-06-10T03:56:26Z,batman comic quora technology,0,pinboard +http://changshanotes.posterous.com/entire-life-in-one-picture,Entire life in one picture - ChangshaNotes,A series of photos of Chinese families with all of their possessions stacked outside their homes.,2011-06-10T03:53:03Z,photography essay possessions china,0,pinboard +http://img137.imageshack.us/img137/3246/201102stmatthewisland.png,St Matthew Island,An interesting comic that recalls the story of the population explosion and collapse of the reindeer of St. Matthew Island. The ending is a bit heavy handed for my taste^comma^ but the overall content is interesting.,2011-06-10T03:48:11Z,comic image tragedy reindeer ecosystem ecology,0,pinboard +http://holykaw.alltop.com/school-superintendent-requests-school-be-turn,School superintendent requests school be turned into prison - Holy Kaw!,A well reasoned plea from a school superintendent to provide for students at least as well as prisoners.,2011-06-02T15:21:40Z,economics education prison funding budget government,0,pinboard +http://booksprung.com/hack-lets-you-add-custom-screensavers-to-kindle-2,How to add custom screensavers to Kindle 2^comma^ Kindle 3 and DX,Instructions for hacking the kindle to use custom screensavers.,2011-05-17T15:56:19Z,kindle hack screensaver,0,pinboard +http://patrickrhone.com/2011/03/24/whats-in-a-name/,patrickrhone / journal Blog False Whats in a name?,An interesting post about the choice that one man made upon becoming an adult to change his last name and how he feels about the names that define us.,2011-05-16T23:57:54Z,name define personality history genealogy,0,pinboard +http://www.slate.com/id/2283870/?from=rss,Americans should be proud of their fine domestic tear gas. - By Allison Silverman - Slate Magazine,An amusing satire regarding the proud use of American made tear gas canisters during the protests in Egypt.,2011-05-15T15:25:36Z,satire humor outsourcing,0,pinboard +http://forums.kingdomofloathing.com/vb/showpost.php?p=1704611&postcount=96,Forums of Loathing - View Single Post - Really Bad Joke Thread,The longest joke setup that has ever been.,2011-05-11T18:32:41Z,funny joke setup nate snake lever,0,pinboard +http://www.penmachine.com/2011/05/the-last-post,The last post - Penmachine - Derek K. Miller,An interesting post in which Derek K. Miller effective writes his own eulogy. The post was written before he passed and posted to his blog by one of his family members. A bit depressing^comma^ but a great read.,2011-05-11T18:06:10Z,cancer death eulogy inspiration life,0,pinboard +http://www.bukisa.com/articles/265078_how-to-really-enable-dvd-drive-sharing-on-a-non-air-macbook,How To Really Enable Dvd Drive Sharing on a Non-Air Macbook,Instructions to enable Remote Disc sharing on a non-MacBook Air.,2011-05-10T16:13:48Z,remote disc sharing macbookair macbook pro howto,0,pinboard +http://support.apple.com/kb/DL113,DVD or CD Sharing Setup Update for Mac,The updater that allows you to use remote disc with any mac.,2011-05-10T16:12:59Z,mac remote disc ODD macbook macbookpro macbookair,0,pinboard +http://www.emptyage.com/post/5165827221/on-rejoicing-death,Emptyage On Rejoicing Death,A very interesting article on what it means to the author to rejoice in the death of Osama Bin Laden. It's not a celebration of murder^comma^ but a celebration of what the elimination of that man means to the world.,2011-05-05T17:13:51Z,osama death murder bin laden osamabinladen,0,pinboard +http://editorial.autos.msn.com/blogs/autosblogpost.aspx?post=58ed06b6-c4c8-4fa9-abb4-8cece58da141&_nwpt=1,And This Is Why You Buy a Lamborghini.,A very amusing article on the experience of tracking a Lamborghini.,2011-05-05T15:28:56Z,,0,pinboard +http://thisismynext.com/2011/04/19/apple-sues-samsung-analysis/,Nilay Patel explains Apples suit against Samsung,A great^comma^ plain English explanation of exactly what Apple is suing Samsung over.,2011-04-23T15:00:53Z,apple Samsung iOS copyright patent touchwiz,0,pinboard +http://m.motherjones.com/politics/2011/03/denial-science-chris-mooney,The Science of Why We Dont Believe Science,a fascinating explanation of why people have a hard time changing their views despite being presented with overwhelming evidence against it.,2011-04-19T04:35:42Z,,0,pinboard +http://yfrog.com/h73c8ksj,yfrog Photo : http://yfrog.com/h73c8ksj Shared by fontbureau,"""This text and the one beside it are equal"" ",2011-04-18T18:15:30Z,,0,pinboard +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^318038/start^comma^17,BMW 2002 FAQ - 1975 Verona Sunroof 2002 by Eurotrash,Bumper tuck instructions.,2011-04-06T16:18:04Z,,0,pinboard +http://www.reddit.com/r/motorcycles/comments/g5sgn/capturing_the_essence_of_riding/,I know when Im alive,A great post describing the sensation of riding a motorcycle in words that I could have never come up with^comma^ but agree with completely.,2011-03-24T05:43:10Z,motorcycles,0,pinboard +http://www.newyorker.com/reporting/2007/10/22/071022fa_fact_talbot?currentPage=all,Profiles: Stealing Life : The New Yorker,An interesting piece about the career of David Simon^comma^ creator of The Corner^comma^ Homicide^comma^ and The Wire,2011-03-20T23:45:58Z,thewire davidsimon homicide thecorner Baltimore tv movies writing,0,pinboard +http://cdespinosa.posterous.com/0x22,Employee No. 8,an amusing recollection of seniority at apple from the lomgest continually employed person there on their 34 year anniversary.,2011-03-19T02:41:02Z,apple business seniority mikeespinosa stevejobs,0,pinboard +http://ilovetypography.com/2010/08/07/where-does-the-alphabet-come-from/,The origins of abc | I love typography^comma^ the typography and fonts blog,A very interesting article relaying some of the history of the written alphabet^comma^ the reversal of trends as various things went into vogue had a long lasting impact that I certainly did not expect.,2011-03-12T16:49:26Z,alphabet history writing blog article typography letterforms typeface,0,pinboard +http://robhutten.tumblr.com/post/3314490876/fourteen-things-about-rob-delaney,Ransacked Ostrich Nostril - Fourteen Things About Rob Delaney,A funny collection of @robdelaney's funniest tweets,2011-03-01T04:49:24Z,twitter tweets favorite funny humor robdelaney @robdelaney rob delaney,0,pinboard +http://www.paintscratch.com/,PaintScratch Touch Up Paint^comma^ Spray Cans^comma^ Paint Pen,An apparently great site that will sell kits to spray paint panels with color matched Sahara paint. Definitely something to try. ,2011-02-28T20:25:10Z,cars bmw lucy 2002 paint sahara,0,pinboard +http://www.dagsites.com/2002colors.htm,BMW 2002 Colors,A neat little 2002 color simulator with all the old 02 colors on it. ,2011-02-28T20:20:05Z,BMW 2002 lucy paint color sahara,0,pinboard +http://www.autoguide.com/gallery/gallery.php/v/main/auto-shows/2011-geneva-auto-show/subaru/boxersportscar/Subaru+Sports+Car+Boxer+Architecture+12.JPG.html,Picture: Other - Subaru Sports Car Boxer Architecture 12.JPG,So the Subaru rear-wheel-drive sports car will incorporate Subaru's signature Symmetrical AWD system?It's on print :\ ,2011-02-28T15:33:37Z,,0,pinboard +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^57/page^comma^viewtopic/t^comma^208833/start^comma^3/,BMW 2002 FAQ - anyone have a blowup of front strut assembly?,A graphic of the proper strut assembly order.,2011-02-23T14:54:52Z,strut bmw 2002 assembly order graphic lucy suspension,0,pinboard +http://www.slate.com/id/2284721/,Watson Jeopardy! computer: Ken Jennings describes what it's like to play against a machine. - By Ken Jennings - Slate Magazine,An amusing explanation of what it's like to play Jeopardy against a computer designed to defeat you.,2011-02-20T17:01:32Z,amusing humor slate kenjennings jeopardy watson IBM computers artificialintelligence AI,0,pinboard +http://www.finkbuilt.com/blog/megasquirt/,Finkbuilt Blog False DIY Fuel Injection Conversion,Fink's blog on megasquirting a 2002. He has a beautiful setup. I want to follow this to the letter.,2011-02-10T17:24:52Z,megasquirt bmw 2002 lucy automotive efi cars,0,pinboard +http://www.bmw2002faq.com/component/option^comma^com_forum/Itemid^comma^50/page^comma^viewtopic/t^comma^277401/,BMW 2002 FAQ - Megasquirt using 318i intake. (parts list mostly),A nice parts list for installing megasquirt on a 2002 with an M10.,2011-02-10T16:09:46Z,megasquirt efi 2002 bmw cars automotive lucy,0,pinboard +http://theinvisibl.com/2011/01/24/iphonemail/,How the iPhone mail app decides when to show you new mail | The Invisible,A wonderful example of how Apple has designed the iPhone to be the most wonderful device on the planet.,2011-01-26T03:53:18Z,apple design ios iphone mail,0,pinboard +http://home.roadrunner.com/~pchamaa/kamei_repro_spoiler.htm,Kamei Repro Spoiler,Reproduction Kamei front spoiler for the 2002. I will buy one of these someday. ,2011-01-03T01:47:51Z,bmw 2002 cars spoiler parts lucy,0,pinboard +http://www.facebook.com/note.php?note_id=469716398919&id=9445547199,Gorgeous Map of the Facebook World,spectacular rendering of the proximity of facebook friendships,2010-12-24T04:21:30Z,facebook frienships distance travel image rendering statistics visualization,0,pinboard +http://silentbobspeaks.com/?p=401,My Boring Ass Life Witness the birth of the SMonologue!,an awesome piece of advice from Kevin Smith on the non-secret of his success. ,2010-12-24T03:52:26Z,kevinsmith kevin smith mallrats clerks success advice selfcentered,0,pinboard +http://blogs.wsj.com/speakeasy/2010/12/19/a-holiday-message-from-ricky-gervais-why-im-an-atheist/,A Holiday Message From Ricky Gervais: Why Im an Atheist,A very refreshing explanation by Ricky Gervais of why he chooses to be an atheist and why that makes him no less good. ,2010-12-20T05:57:44Z,morality religion faith christianity atheism,0,pinboard +http://notes.torrez.org/2010/12/learn-to-program-in-24-hours.html,"notes on ""how to clone delicious in 48 hours""",A quick write-up on how difficult it is to clone a service such as del.icio.us.,2010-12-20T01:31:45Z,design programming webdev blog article development delicious yahoo services security,0,pinboard +http://www.etsy.com/shop/commoncrowvintage,Common Crow Vintage by commoncrowvintage on Etsy,"An Etsy vintage clothing store that features a model named ""Monroe"" that I happen to know",2010-12-16T01:34:01Z,monroe kyle model vintage clothing etsy,0,pinboard +http://www.onefoottsunami.com/2010/12/06/giants-pandas-are-poorly-designed/,Giant Pandas Are Poorly Designed,A funny anaylsis of some scientific findings regarding the efforts to breed giant pandas.,2010-12-09T01:39:58Z,panda survival extinction breeding husbandry animals design wildlife,0,pinboard +http://venomousporridge.com/post/1702937963,"""Every one of us does things that would be inexplicable to a stranger^comma^ hence the saying^comma^...""",An interesting and astute comment regarding the TSA's tendency to use bigotry as a screening methodology.,2010-12-07T04:25:35Z,screening tsa security waronterror travel pornoscanner backscatter scanner,0,pinboard +http://noblasters.com/post/1650102322/my-tsa-encounter,My TSA Encounter,One man's successful story of how he avoided being backscattered or patted down upon re-entering the United States from an international flight.,2010-11-23T14:31:52Z,security TSA backscatter pat down bodyscanner xray constitution constitutional rights travel terrorism waronterror,0,pinboard +http://chronicle.com/article/article-content/125329/,The Shadow Scholar - The Chronicle Review - The Chronicle of Higher Education,An interesting expose into the life of a ghost writer. A writer for hire who composes essays for incompetent undergrad and graduate students.,2010-11-15T02:13:22Z,article academia cheating college education essay essays interesting jobs writing academic plagiarism teaching,0,pinboard +http://www.independent.co.uk/news/world/modern-art-was-cia-weapon-1578808.html,Modern art was CIA 'weapon' - World^comma^ News - The Independent,An interesting article by The Independent that describes the ways in which the CIA covertly funded the American Modern Art movement as a propaganda tactic to espouse the artistic and intellectual freedoms of the US as opposed to the overt propagandizing of the art of the Soviet Union.,2010-11-09T22:23:21Z,america art article culture government history interesting politics reference russia war abstract cia coldwar communism propaganda usa,0,pinboard +http://vimeo.com/16528486,Valentino Rossi talks about the Yamaha M1 from 2004-2009 on Vimeo,Valentino Rossi recounts the history of the M1 under his ridership from 2004-2010 when he moved to Ducati.,2010-11-09T18:10:29Z,videos vimeo yamaha motogp motorcycles racing sports valentino rossi valentinorossi MZR M1,0,pinboard +http://markjrebilas.com/blog/?p=10225,When a 200mph Parachute meets a Camera the Camera Loses Mark J. Rebilas Blog,A short post on the aftermath of a parachute brake on a top fuel dragster catching a photographer's remote camera.,2010-11-09T17:48:52Z,accident racing automotive camera crash equipment gear photography dragracing topfuel parachute racecar nikon d700 400mm,0,pinboard +http://www.youtube.com/watch?v=rZVPabxm8CI&feature=player_embedded,YouTube - Lexus' Hiromu Naruse Tribute Video,A tribute to Toyota's late test driver who helped shape every iconic Toyota since the 50s.,2010-11-05T20:41:46Z,cars toyota inspiration lexus sportscars automotive automobiles tribute obituary hiromunaruse,0,pinboard +http://emcarroll.com/comics/faceallred/01.html,Face All Red,,2010-11-05T01:47:31Z,art awesome comic cool design death halloween web twitter story portfolio painting inspiration illustration creepy horror illustrator scary stories webcomic comics webcomics,0,pinboard +http://venomousporridge.com/post/948423233/tip-keep-old-versions-of-ios-apps-from-being-deleted,venomous porridge - Tip: Keep old versions of iOS apps from being deleted,A creative Hazel rule to keep old versions of iOS apps from being deleted.,2010-11-04T17:32:44Z,iphone ipad ios apps hazel rules trash delete rescue,0,pinboard +http://hyperboleandahalf.blogspot.com/2010/10/god-of-cake.html,Hyperbole and a Half: The God of Cake,A girl recounts her conquest of her Grandfather's birthday as the God of Cake.,2010-11-04T02:36:48Z,art awesome blog comic food comics humor funny images kids parenting story cake cute hilarious hyperboleandahalf kid lol,0,pinboard +http://codykrieger.com/gfxCardStatus/,gfxCardStatus: menu bar gpu status monitor for os x / cody krieger - mobile^comma^ desktop & web developer,,2010-11-03T03:58:02Z,apple application computers download graphic graphics hardware mac macbook macbookpro macosx opensource osx software tool tools utilities video freeware gfx gpu nvidia switch utility,0,pinboard +http://www.youtube.com/watch?v=SrXj4CMC2yk,YouTube - Snack and Drink,,2010-10-31T05:28:45Z,animation art documentary movie short video youtube autism drawing rotoscope,0,pinboard +http://duncandavidson.com/blog/2010/10/iso,Making Fast ISO Decisions in the Field / Duncan Davidson,A good post mortem on an an image and why the photographer shot at high iso on a bright^comma^ sunny day. Definitely something I need to remember as I usually tend to shoot at ISO100 or nothing in the sun. I should really put more effort into considering ISO as a variable even outdoors.,2010-10-29T18:14:42Z,photography iso aperture photo blog postmortem image photographer duncandavidson,0,pinboard +http://feedproxy.google.com/~r/holman/~3/H4HpGSyH4gM/facelette-on-techcrunch-in-three-hours-and-zero-dollars,Facelette: On TechCrunch in Three Hours and $0,A developer's look back at what happened when a toy he made went viral. most interestingly^comma^ its a commentary on startup culture and what it means to make something with a business potential in mind and what it means to make a toy.,2010-10-22T00:09:41Z,chatroulette facetime techcrunch startup business development viral,0,pinboard +http://nymag.com/print/?/arts/tv/profiles/68086/,America Is a Joke,An interview with Jon Stewart by Chris Smith in the New Yorker.,2010-10-15T23:01:43Z,comedy interview journalism politics profile satire thedailyshow media jonstewart dailyshow,0,pinboard +http://www.mcsweeneys.net/2010/9/16miller.html,McSweeney's Internet Tendency: I Am the Orson Welles of PowerPoint.,Awesome (as always for McSweeney's) article on one man's view of his powerpoint abilities.,2010-10-15T22:59:59Z,design funny humor internet powerpoint office cinema mcsweeneys,0,pinboard +http://www.ottawacitizen.com/Hunter+Thompson+brutally+honest+Canadian+request/3606508/story.html,Hunter S. Thompson's brutally honest Canadian job request,An awesome letter written by Hunter S Thompson to the new editor of the Vancouver Sun asking for a job.,2010-10-15T22:51:51Z,application cover letter coverletter funny humor journalism hunter huntersthompson job letters thompson writing,0,pinboard +http://www.wired.com/wiredscience/2010/10/physics-of-angry-birds/,The Physics of Angry Birds | Wired Science| Wired.com,Hilarious study of the physics of an iPhone game^comma^ Angry Birds^comma^ and if it complies to simplified newtonian physics,2010-10-15T02:59:10Z,game games iphone physics science gamedesign birds angrybirds angry gravity newtonian,0,pinboard +http://github.com/cloudhead/toto/wiki/syntax-highlighting,Syntax highlighting - toto - GitHub,Tutorial for enabling syntax highlighting in toto. Useful for andr3w.net,2010-10-12T14:23:38Z,code highlighting ruby rack coderay codehighlighter gem rubygems andr3w,0,pinboard +http://catalogliving.net/,Catalog Living,"A very amusing tumblelog of photos from catalogs and a quick story recounting a story of an imaginary couple^comma^ ""Gary and Elaine"" that explains the photo.",2010-10-11T21:57:57Z,awesome blog comedy design fun funny humor photos catalog daily,0,pinboard +http://www.vimeo.com/15091562,Homemade Spacecraft on Vimeo,"Wonderful video of the ""Brooklyn Space Program"". A successful attempt at sending a camera to space on a weather balloon by a parent and a couple of kids.",2010-10-05T04:39:22Z,astronomy inspiration interesting awesome camera science space diy earth experiment video spacecraft homemade gps balloon kids videos,0,pinboard +http://blog.danilocampos.com/2010/10/04/the-importance-of-giving-a-damn/,The Importance of Giving a Damn | Danilo Campos.blog,Great (albeit short) post on the importance of caring about what you're doing and your customers and those that work for you. Also introduced me to hipmunk.com^comma^ seems to be the best travel site on the internet,2010-10-05T04:25:47Z,caring business management leadership strategy marketing priorities prioritization,0,pinboard +http://www.impalaclub.com/naisso/magmoss.htm,Magnuson-Moss Act,A summary of the legal basis for a company not being able to void your warranty for aftermarket modifications unless they can show that the modification is responsible for the failure.,2010-10-04T13:01:07Z,magnum moss magnummoss automotive cars automobile motorcycles warranty dealer legal statute law,0,pinboard +http://www.businessweek.com/magazine/content/10_38/b4195058423479.htm,The Man Who Makes Your iPhone - BusinessWeek,An interesting profile of Terry Gou^comma^ the Founder^comma^ CEO^comma^ and majority share holder of Foxconn / Hon Hai Precision / all the other companies in the group.,2010-09-25T11:58:17Z,biography terry gou terrygou foxconn honhai apple manufacturing businessweek business china hardware globalization interview iphone,0,pinboard +http://tuxtweaks.com/2009/06/share-folders-linux-host-linux-virtual-machine-virtualbox/,Share Folders Between a Linux Host and Linux Virtual Machine on VirtualBox | Tux Tweaks,,2010-09-24T22:59:57Z,folder howto share virtualbox mount fstab tutorial,0,pinboard +http://theoatmeal.com/comics/literally,"What it means when you say ""literally"" - The Oatmeal","A funny ""The Oatmeal"" comic about the meaning of the word Literally. Ends with the Gayroller.",2010-09-23T13:41:48Z,funny grammar humor internet language literally oatmeal comic,0,pinboard +http://mrgan.tumblr.com/post/1165524460,Mr. Frogger,A very amusing life story hypothetical of Mr. Frogger from the video game,2010-09-22T23:37:10Z,amusing funny humor frogger video gamea videogames,0,pinboard +http://behindthecurtain.us/2010/06/12/my-first-week-with-the-iphone/,My First Week with the iPhoneBehind the Curtain | Behind the Curtain,An iPhone review^comma^ one week in. Would be standard fare except that this review is written by a blind person.,2010-09-20T09:38:56Z,blog apple design inspiration iphone technology voiceover mobile colour blind accessibility,0,pinboard +http://www.mil-millington.pwp.blueyonder.co.uk/things.html,Things my girlfriend and I have argued about,A catalog of arguments that a couple have had over the last several years.,2010-09-20T09:04:55Z,amusing articles journalism humour blog life personal dating culture funny fun gender writing humor argument blogs rant girlfriend relationships women,0,pinboard +http://wondertonic.tumblr.com/post/359035921/gentrification-ruined-simcity,WONDER-TONIC - Gentrification Ruined SimCity,"An amusing article about the perennial hipster claim that gentrification ""ruins"" certain regions of a city.",2010-09-20T03:49:15Z,humor funny fun article gentrification city hipster games urban simcity wondertonic computers,0,pinboard +http://www.mcsweeneys.net/2010/4/22lacher.html,McSweeney's Internet Tendency: The Only Thing That Can Stop This Asteroid is Your Liberal Arts Degree. FAQ,An amusing jab at the capabilities of liberal arts graduates in the event of an impending earth-asteroid collision.,2010-09-20T03:33:32Z,article college education fun funny humor liberal mcsweeneys science writing academia arts degree liberalarts mcsweeney's parody satire,0,pinboard +http://www.mcsweeneys.net/2010/2/25lacher.html,McSweeney's Internet Tendency: A Message of Apology from the Commander of Undersea EnviroDome 25-B.,An amusing piece from McSweeney's. An apology letter from the commander of an undersea facility in which the commander describes his lapses in judgement that led to the colony being overrun by intelligent eels.,2010-09-20T03:32:28Z,humor funny sea eels mcsweenys story apology,0,pinboard +http://www.vanityfair.com/politics/features/2007/03/dollard200703?printable=true,Pat Dollard's War on Hollywood | Politics | Vanity Fair,Pat Dollard went to Iraq and is now on a penchant to become a conservative voice in documentary media. This article gives a lot of insight into one man's slide into chaos dealing with the terrors that he saw overseas.,2010-09-20T03:27:48Z,dollard pat patdollard war hollywood liberalism conservatism liberal conservative republican democrat waronterror iraq iraqwar movies documentary article vanity fair vanityfair,0,pinboard +http://www.rollingstone.com/news/story/31896381/from_the_Falses_a_revealing_interview_with_steve_jobs/print,From the Falses: A Revealing Interview With Steve Jobs : Rolling Stone,An interesting interview with Steve Jobs by Rolling Stone. Shows his mindset at the time and is a bit predictive of the future we are now in.,2010-09-20T03:23:06Z,steve jobs stevejobs apple rolling stone rollingstone interview biography foreboding revealing,0,pinboard +http://www.newyorker.com/reporting/2010/08/02/100802fa_fact_gawande?currentPage=all,Hospice medical care for dying patients : The New Yorker,A depressing yet fascinating article on the way that patients in America approach death^comma^ and how a revised look at end-of-life care could lead to longer life spans^comma^ lower costs^comma^ and better quality of life towards the end.,2010-09-20T03:03:13Z,doctors aging article culture death economics health psychology politics philosophy newyorker life interesting society cancer dying family healthcare hospice medicine,0,pinboard +http://blog.frankchimero.com/post/1059696119/there-is-a-horse-in-the-apple-store,Frank Chimero - There is a Horse in the Apple Store,An amusing story of Frank Chimero's sighting of a tiny pony in an Apple Store.,2010-09-18T04:05:07Z,apple funny frankchimero horse pony humor humour technology tinypony,0,pinboard +http://www.diyphotography.net/la-guillotine-camera-aka-the-adidas-camera,La Guillotine Camera^comma^ A.K.A The Adidas Camera | DIYPhotography.net,Awesome how to for creating a custom wide anyle^comma^ three exposure^comma^ action sequence^comma^ 120 film camera from cardboard^comma^ meniscus lenses from disposable cameras^comma^ paint^comma^ and patience.,2010-09-18T01:38:00Z,120 inspiration blog camera photo photography cool diy film hack howto tutorial projects pinhole want action camaras cardboard,0,pinboard +http://jamesreubenknowles.com/disable-spindump-71,Improve Mac OS X performance under load by disabling spindump.,A quick howto to disable the spindump crash logger on OSX. Greatly improves the hang after the crash of an app.,2010-09-17T03:18:52Z,apple crash disable hack itunes leopard load mac macosx osx performance tips launchctl spindump,0,pinboard +http://cameronmoll.tumblr.com/post/1126505050,Self-Employment^comma^ 12 Months Later,An interesting introspection into an entrepreneur and designer's first year of self-employment.,2010-09-16T14:43:30Z,essay article blog employment selfemployment introspection retrospective business tips grading,0,pinboard +http://www.phoboslab.org/biolab/,Biolab Disaster,"Wonderful platform shooter example done entirely in html5 and JS.

Great music^comma^ entertaining gamplay^comma^ and completely usable.

Flash can suck on that.",2010-09-14T12:26:05Z,game development html5 javascript platform web gaming games canvas flash webdev example,0,pinboard +http://taggalaxy.de/,Tag Galaxy,extraordinarily beautiful flickr tag explorer. highly recommended. uses an interesting planetary ui scheme to allow you to combine related tags and drill down into more specific photos.,2010-09-14T09:23:18Z,3d animation inspiration tools interface visualization tags photo art cool design flash flickr fun image images search pictures photos photography tag tagging gallery galaxy aggregator web2.0 mashup,0,pinboard +http://feeds.dashes.com/~r/AnilDash/~3/caFQV2EM7qg/the-facebook-reckoning-1.html,The Facebook Reckoning,an interesting post by anil dash that puts the concerns about privacy on the modern web in plain English. a good read for anyone who stands on either side of the privacy debate. I find that my views match Anil's quite closely.,2010-09-13T23:24:19Z,privacy facebook mark zuckerberg markzuckerberg anil dash anildash profile debate identity control sharing,0,pinboard +http://www.nytimes.com/interactive/2010/09/04/weekinreview/20100905_gilbertson.html,A Taste of Home in Foil Packets and Powder - Interactive Graphic - NYTimes.com,"A Taste of Home in Foil Packets and Powder By ASHLEY GILBERTSON
Troops from nearly 50 lands dine on combat meals in Afghanistan each reminding them of where theyd rather be. Related Article",2010-09-12T23:19:42Z,comparison culture food home international nytimes photo photography world war afghanistan army military mre rations soldiers,0,pinboard +http://www.humbug.in/2010/host-custom-gems-with-dreamhost-your-own-gem-server/,Host Custom Gems with Dreamhost Your Own Gem Server | Humbug,Instructions for how to host gems on a personal webserver and use that source to install them on Heroku. Great for if you want to fork an existing gem and can't figure out how to get it on Heroku^comma^ like me.,2010-09-12T13:53:02Z,heroku gem ruby web development webdev rails gems rubygems hosting server,0,pinboard +http://www.vanityfair.com/culture/features/2010/10/sean-parker-201010?currentPage=all,With a Little Help From His Friends | Culture | Vanity Fair,A biography of Sean Parker^comma^ co founder of Napster^comma^ Founding President of Facebook and internet entrepreneur extraordinaire.,2010-09-11T08:40:13Z,seanparker article business socialmedia technology entrepreneurs vanityfair entrepreneurship facebook napster startup,0,pinboard +http://www.ictcamera.com/,ICT Camera,camera repair service in mountain view^comma^ could be a source for CLA of the Mamiya,2010-09-08T18:31:10Z,mamiya photography repair photo camera CLA service shop mountainview business,0,pinboard +http://www.newyorker.com/reporting/2009/08/31/090831fa_fact_brill?printable=true,Joel Klein vs. New York City teachers : The New Yorker,An expos of Joel Klein's battle with the New York public school system and its heavily entrenched unions. Especially the rubber rooms that allow teachers to not work and remain on payroll.,2010-09-08T05:05:58Z,article economics teachers newyorker education performance politics joelklein public schools publicschools investigation journalism rubber room,0,pinboard +http://www.theatlantic.com/magazine/print/2008/11/a-boy-apos-s-life/7059/,A Boy's Life - Magazine - The Atlantic,The story of a boy who was raised as a girl after her parents gave up and had no other ideas for how to deal with his gender identity issues.,2010-09-08T05:04:18Z,sociology article articles children culture parenting gay philosophy transgender sexuality religion homosexuality gender faith,0,pinboard +http://www.themorningnews.org/Falses/personal_essays/in_tennis_love_means_nothing.php,In Tennis^comma^ Love Means Nothing by Nic Brown - The Morning News,,2010-09-08T05:03:16Z,fun psychology sports tennis practice athletics story themorningnews nicbrown challenge,0,pinboard +http://www.esquire.com/features/sports/the-string-theory-0796,David Foster Wallace The String Theory - David Foster Wallace on Tennis - Esquire,,2010-09-08T05:02:44Z,article articles essays sports life story writing davidfosterwallace journalism performance tennis,0,pinboard +http://www.nytimes.com/2010/07/10/books/10twain.html?_r=3&hp=&pagewanted=all,Mark Twains Unexpurgated Autobiography - NYTimes.com,,2010-09-08T05:01:38Z,twain marktwain mark author biography expurgated unexpurgated autobiography final wishes will death,0,pinboard +http://observatory.designobserver.com/entry.html?entry=14238,Hard Times: Observatory: Design Observer,A story about one man's collection of signs of homeless people and other pan handlers that he has bought over the years.,2010-09-08T05:01:12Z,article photos sign city design typography diy urban images marketing message money signs poverty persuasion homeless,0,pinboard +http://www.nytimes.com/2010/08/22/magazine/22Adulthood-t.html,What Is It About 20-Somethings? - NYTimes.com,A fascinating article on a new phase of life we are seeing in first world post-adolescents^comma^ a sort of 'emerging adulthood'.,2010-09-08T04:59:55Z,aging article generation life articles psychology children culture sociology development fun future adulthood demographics career education nytimes society youth,0,pinboard +http://wondermark.com/650/,Wondermark False #650; The Typographical Terror,,2010-09-08T04:58:28Z,comics font fonts humor funny typography comic papyrus comicsans,0,pinboard +http://kottke.org/10/09/how-a-watch-works,How a watch works,A classic 1943 video of how a wind up mechanical watch works.,2010-09-08T04:55:36Z,time video watch howto tutorial explanation old,0,pinboard +http://www.mcsweeneys.net/2010/8/12hague.html,"McSweeney's Internet Tendency: Our Daughter Isn't a Selfish Brat; Your Son Just Hasn't Read ""Atlas Shrugged"".",Awesome short story on a parent's education of their child in objectivism and her refusal to share.,2010-09-07T18:31:55Z,books funny humour humor aynrand children libertarianism mcsweeneys objectivism philosophy parenting internet politics writing,0,pinboard +http://www.ms-studio.com/FontSales/anonymouspro.html,Anonymous Pro,great^comma^ open^comma^ free fixed width programming or terminal font.,2010-08-31T16:41:23Z,font programming tools typeface typography anonymous anonymouspro coding fixed-width monospace webdesign fonts free,0,pinboard +http://venomousporridge.com/post/1038237838/ill-save-you-some-time,venomous porridge - Ill save you some time,"""Look^comma^ TV executives. I get that youre not prepared for online distribution. I get that. I mean^comma^ the Internet just got sprung on all of us a month ago its not like its been around for forty years^comma^ in peoples homes for almost two decades^comma^ and capable of streaming high-quality video to mass audiences since^comma^ I dont know^comma^ 2006. And I realize you have nothing to worry about^comma^ since there are no reports of hundreds of thousands of people dropping their cable subscriptions like rabid hamsters or anything.""

Fantastic article about the shortcomings of internet on TV^comma^ specifically Hulu's ""Plus"" offering.",2010-08-31T04:15:05Z,hulu tv internet business cable television,0,pinboard +http://aht.seriouseats.com/Falses/2010/07/the-burger-lab-how-to-make-an-in-n-out-double-double-animal-style.html,The Burger Lab: The Ins-n-Outs of an In-N-Out Double-Double^comma^ Animal-Style | A Hamburger Today,,2010-08-27T01:48:46Z,american cooking culture recipe beef burger hamburger fastfood in-n-out innout food recipes burgers,0,pinboard +http://bjango.com/articles/noise/,Noise and textures,noise and textures for buttons and other interface elements,2010-08-27T01:30:08Z,art design graphic howto interface photoshop reference tips tutorial tutorials ui webdesign button buttons effects noise texture textures,0,pinboard +http://www.lettersofnote.com/2010/08/tiger-oil-memos.html,Letters of Note: The Tiger Oil Memos,hilarious memos written by the owner/CEO of an oil business in the 1970s,2010-08-19T21:25:21Z,management letter humour business boss memo oil funny tigeroil CEO,0,pinboard +http://venomousporridge.com/post/909651311,Regarding Apples patent filing and Where To^comma^ Marco makes...,interesting article about the legitimacy of Apple's use of non-apple app imagery in their patent applications,2010-08-07T08:03:36Z,apple patent softwarepatent application plagairism ethics,0,pinboard +http://squashed.tumblr.com/post/905359881/the-proposition-8-ruling-in-simple-language,Squashed: The Proposition 8 Ruling (in simple language),a great article explaining the lower court ruling on propsition 8^comma^ what will happen next upon appeal^comma^ and what the appeals process could mean for the same sex marriage battles across the nation.,2010-08-05T22:55:25Z,gay homosexual legal appeals marriage ruling supremecourt circuitcourt,0,pinboard +http://venomousporridge.com/post/871410691/bradley-and-bethany,"venomous porridge - MOM! BETHANY WONT LET ME PLAY DOODLE JUMP!...",fantastic short story based on an actual iphone app review,2010-07-29T05:41:32Z,fiction humor iphone apple review appstore,0,pinboard +http://www.telegraph.co.uk/news/newstopics/howaboutthat/2069467/Wayward-Alzheimers-patients-foiled-by-fake-bus-stop.html,Wayward Alzheimer's patients foiled by fake bus stop - Telegraph,"A german elderly care home uses a fake bus stop (donated my the local transportation agency) to trap alzheimer's patients that are trying to escape the care facility and head to their old homes.

The facility allows them to stand out there for a short while until they've either forgotten about wanting to leave or are willing to be invited in for tea and coffee while waiting for the bus.",2010-07-22T23:33:10Z,humor psychology science bus city elderly health memory alzheimers disease aging,0,pinboard +http://www.flickr.com/photos/heritagefutures/4259105256/,Koni-Omega 35mm Film Loading for sprocket hole photography | Flickr - Photo Sharing!,how to load 35mm into a koni-omega 120 / 220 film camera for awesome sprocket hole photography,2010-07-17T08:23:03Z,film camera 120,0,pinboard +http://en.wikipedia.org/wiki/UVB-76,UVB-76 - Wikipedia^comma^ the free encyclopedia,UVB-76 is the callsign of a shortwave radio station that usually broadcasts on the frequency 4625 kHz (AM suppressed lower sideband). It is known among radio listeners by the nickname The Buzzer. It features a short^comma^ monotonous buzz tone (helpinfo)^comma^ repeating at a rate of approximately 25 tones per minute^comma^ for 24 hours per day. The station has been observed since around 1982.[1] On rare occasions^comma^ the buzzer signal is interrupted and a voice transmission in Russian takes place. Only three to four such events have been noted. Despite much speculation^comma^ the actual purpose of this station remains unknown.,2010-07-09T08:15:07Z,shortwave spies radio russia code encoded uvb,0,pinboard +http://www.marco.org/769340032,Great since day one,an interesting comparison of the android and iPhone efforts. very favorable of apple with an apparently salient comparison of desktop linux to android.,2010-07-05T15:59:57Z,android linux iphone hardware software development product,0,pinboard +http://www.core77.com/blog/object_culture/core77_speaks_with_jonathan_ive_on_the_design_of_the_iphone_4_material_matters_16817.asp,Core77 speaks with Jonathan Ive on the design of the iPhone 4: Material Matters - Core77,Interesting article that really brings to light what I'm doing for Apple and how it enables the beautiful products that we produce.,2010-06-30T18:42:56Z,apple article design development interview iphone materials process core77 industrial industrialdesign iphone4 jonathan_ive hardware jonyive ive jony,0,pinboard +http://www.folklore.org/StoryView.py?project=Macintosh&story=Busy_Being_Born.txt&topic=User+Interface&showcomments=1,Folklore.org: Macintosh Stories: Busy Being Born,a photographic history of the development of the Lisa interface... the first GUI based computer.,2010-06-24T07:47:07Z,apple article design history interesting mac interface macintosh gui ui lisa,0,pinboard +http://powazek.com/posts/2489,Derek Powazek - They Dont Complain and They Die Quietly,Wonderful post about the therapeutic effects of gardening on one man and his father.,2010-06-24T05:01:53Z,gardening plants life article introspective quiet blogging garden,0,pinboard +http://www.mcsweeneys.net/links/monologues/15comicsans.html,Timothy McSweeney's Internet Tendency: I'm Comic Sans^comma^ Asshole.,Awesome essay written from the perspective of Comic Sans.,2010-06-21T07:38:56Z,article awesome blog comedy design font fonts typography type comic-sans comicsans font_ fonts_ helvetica humour,0,pinboard +http://johndlowell22.blogspot.com/,johndlowell22,a photographer in crimea took a photo of the son at the same time^comma^ every ten days for an entire year. clearly showing the analemma of the sun.,2010-06-18T23:38:19Z,astronomy blog cycle earth sun time analemma photography photos science solar,0,pinboard +http://photojojo.com/store/awesomeness/white-balance-lens-cap,The White Balance Lens Cap at The Photojojo Store,,2010-06-08T23:47:17Z,wishlist photography accessory lighting photo equipment whitebalance,0,pinboard +http://en.wikipedia.org/wiki/List_of_misconceptions,List of common misconceptions - Wikipedia^comma^ the free encyclopedia,Awesome list of misconceptions and the reality of the situation. There were definitely some misconceptions that I held that were on this list,2010-06-06T04:48:01Z,misconception mistaken funny humor wikipedia facts,0,pinboard +http://www.newyorker.com/False/2006/04/24/060424fa_fact6?currentPage=all,A Reporter at Large: The Snakehead : The New Yorker,A story of a leading 'Snakehead' that trafficked hundreds of people from China into the US.,2010-06-06T04:47:10Z,china snakehead people trafficking humantrafficking smuggling,0,pinboard +http://www.washingtonmonthly.com/features/2008/0805.carey.html,Too Weird for The Wire - Kevin Carey,A story of a group of baltimore gang members that started to use a defense that was pioneered by white supremacists,2010-06-06T04:46:16Z,whitesupremacist racism crime race baltimore conspiracy defense justice law,0,pinboard +http://www.antipope.org/charlie/blog-static/2010/04/why-steve-jobs-hates-flash.html,The real reason why Steve Jobs hates Flash - Charlie's Diary,a discussion of the adobe flash / apple debate and reasons that steve jobs may have something against flash,2010-06-06T04:44:40Z,steve jobs stevejobs apple adobe flash strategy iphone sdk,0,pinboard +http://www.markbernstein.org/Apr10/PlatformControl.html,Mark Bernstein: Platform Control,a description of apple's reasoning for disliking flash and the changing of the 3.3.1 iphone SDK regulations,2010-06-06T04:43:43Z,iphone flash apple regulations software adobe control platform,0,pinboard +http://online.wsj.com/article/SB10001424052748704025304575285000265955016.html?KEYWORDS=dilbert,Dilbert's Scott Adams on Betting on the Bad Guys in Investing - WSJ.com,hilarious article describing scott adams' suggestion that you invest in companies you hate^comma^ BP and Apple are specifically mentioned,2010-06-06T04:41:42Z,bp apple humor investing money scottadams dilbert,0,pinboard +http://www.cultofmac.com/before-jailbreaking-extract-iphones-shsh-blobs-using-umbrella-how-to/41561,Before Jailbreaking^comma^ Extract iPhones SHSH Blobs Using Umbrella [How To] | Cult of Mac,A utility for saving the SHSH files when you jailbreak an iPhone.,2010-05-05T16:23:04Z,iphone jailbreak shsh apple,0,pinboard +http://rickwebb.tumblr.com/post/556400952/the-never-call-there-are-some-people-who-love-to,rickwebb's tumblrmajig (The Never Call: There are some people who love to...),"""There are some people who love to text so much that the phone part of their cell phone has become completely obsolete.....""

I am one of those people. But let me explain something to you. The telephone was an aberation in human development. It was a 70 year or so period where for some reason humans decided it was socially acceptable to ring a loud bell in someone elses life and they were expected to come running^comma^ like dogs. This was the equivalent of thinking it was okay to walk into someones living room and start shouting. it was never okay. Its less okay now. Telephone calls are rude. They are interruptive. Technology has solved this brief aberration in human behavior. We have a thing now called THE TEXT MESSAGE. It is magical^comma^ non-intrusive^comma^ optional^comma^ and^comma^ just like human speech originally was meant to be^comma^ is turn based and two way. You talk. I talk next. Then you talk. And we do it when its convenient for both of us.",2010-04-29T00:38:23Z,cell phone cellphone etiquette quote text messaging textmessaging sms,0,pinboard +http://householdname.typepad.com/my_weblog/2009/01/photographys-longest-exposure.html,Photography's Longest Exposure - household name : : : blog,a photographer took a 6 month long exposure of the sun's path between the summer and winter solstice,2010-04-27T22:00:33Z,photography pinhole camera sun astronomy exposure,0,pinboard +http://www.automobilemag.com/reviews/driven/1004_triumph_dolomite_sprint_vs_bmw_2002tii/index.html,Triumph Dolomite Sprint vs BMW 2002tii - Classic Sports Car Comparison - Automobile Magazine,A classic triumph is deemed a better car than a 2002 tii.,2010-04-16T05:32:11Z,Triumph dolomite sprint BMW 2002 tii 2002tii cars automobile magazine review,0,pinboard +http://craigmod.com/journal/ipad_and_books/,Books in the Age of the iPad Craig Mod,In printed books^comma^ the two-page spread was our canvas. It's easy to think similarly about the iPad. Let's not. The canvas of the iPad must be considered in a way that acknowledge the physical boundaries of the device^comma^ while also embracing the effective limitlessness of space just beyond those edges.,2010-04-14T05:21:43Z,Apple iPad content design books framework display ebook kindle nook,0,pinboard +http://www.newyorker.com/talk/financial/2010/03/29/100329ta_talk_surowiecki,Apples iPad^comma^ General Motors^comma^ and the shrinking middle of the consumer market : The New Yorker,The new yorker's take on Apple's strategy with the pricing of the iPad and trying to hit a higher end of the market than most of its competitors (specifically asus).,2010-04-13T23:11:33Z,Apple iPad newyorker strategy business luxury asus net book market,0,pinboard +http://nymag.com/arts/books/features/65210/,How a Book Publisher Failed to Get J.D. Salinger's Final Book 'Hapworth 16^comma^ 1924' Into Print -- New York Magazine,a fascinating story of how Saligner's last published work almost was published by a small virginia agency and how it all went wrong,2010-04-09T22:25:26Z,amazon article salinger jdsalinger books printing licensing recluse,0,pinboard +http://db.tidbits.com/article/11152,TidBITS iPhone iPad iPod: Why the iPad Is a Blank Slate^comma^ and Why That's Important,"an interesting review on the iPad and how the fact that it only presents a single app at a time is the true key to the ""iPad experience""",2010-04-07T22:46:23Z,apple ipad design reference tablet analysis technology trends review,0,pinboard +http://posterous.amdavidson.com/moving-again-14,Moving Again...,"In a fit of frustration^comma^ I have moved my site back to Tumblr.
I'm going to keep my posterous site living at posterous.amdavidson.com^comma^ but for new content you should head to the slightly restyled and ...",2010-04-01T10:05:09Z,,0,pinboard +http://www.foreignpolicy.com/articles/2010/03/12/the_history_of_the_honey_trap?page=full,The History of the Honey Trap By Phillip Knightley | Foreign Policy,"An interesting article on 5 stories where honeytraps were used in an attempt to gain information ( in some cases unsuccessfully ) about opposing sides.

The mossad kidnapping is particularly interesting.",2010-03-18T23:16:11Z,politics history security intelligence sex war spy espionage honeytrap,0,pinboard +http://www.boston.com/bostonglobe/ideas/articles/2010/02/28/warning_your_reality_is_out_of_date/,Warning: Your reality is out of date - The Boston Globe,"An interesting article about a class of facts the author terms ""mesofacts"" or facts that change slowly over time^comma^ such that you may quote them for years and eventually find yourself wildly inaccurate.",2010-03-18T23:05:44Z,science information knowledge learning mesofacts facts reality article culture,0,pinboard +http://www.newyorker.com/online/blogs/fingerpainting/,Finger Painting : The New Yorker,awesome finger paintings done on an iPhone using the Brushes application,2010-03-18T00:38:21Z,iphone art magazine animation inspiration video newyorker finger painting fingerpainting apps appstore apple jorge colombo jorgecolombo,0,pinboard +http://harnly.net/software/letterbox/,aaron.harnly.net letterbox,A plugin that enables 3 pane view for Apple's Mail.app,2010-03-17T13:53:01Z,mac mail email osx plugin software apple mailapp mail.app customization,0,pinboard +http://www.telegraph.co.uk/motoring/columnists/jamesmay/7429624/Joysticks-will-never-replace-steering-wheels.html,Joysticks will never replace steering wheels - Telegraph,James May explains why humans' poor motion abilities will never allow people to replace the controls in a car with digital zero-feedback controls.,2010-03-17T01:44:39Z,handling cars automotive driving james may top gear topgear jamesmay controls feedback,0,pinboard +http://overlawyered.com/2010/03/toyota-acceleration-why-im-skeptical/,Toyota acceleration: why Im skeptical,A breakdown of the average age of Toyota drivers who have died in unintended acceleration incidents.,2010-03-16T00:07:56Z,toyota unintended acceleration age statistics safety nhtsa cars automotive,0,pinboard +http://www.iphonejd.com/iphone_jd/2010/03/blue-marble.html,Blue Marble - iPhone J.D.,The story behind the Blue Marble photograph and the Blue Marble 2002 version that is included as the default iPhone wallpaper.,2010-03-12T02:35:33Z,space iphone apple wallpaper image photograph photo,0,pinboard +http://www.apple-history.com/?page=gallery&model=mbp_17_early_09&sort=date&performa=off&order=ASC&compareModels[]=mbp_17_early_09&compareModels[]=pg3sfirewire&compare=Compare,apple-history.com :: Compare :: MacBook Pro (17-inch^comma^ Early 2009) :: PowerBook G3 (FireWire),my progression from my first mac (7/2004) to my current one (as of 3/2010),2010-03-11T02:23:47Z,mac apple powerbook macbook macbookpro comparison computers,0,pinboard +http://www.kirainet.com/english/tokyos-rail-network-grows-like-slime-mold/,Kirainet.com - A geek in Japan Tokyos rail network grows like slime mold,Awesome study of the way that slime mold generated a mesh between oat flakes laid out as major landmarks in the Tokyo metropolitan area^comma^ and how the mesh resembles Tokyo's heavily engineered rail system.,2010-03-09T21:24:47Z,slime mold biomimcry tokyo japan rail network science biomimesis,0,pinboard +http://amdavidson.com/black-horse-swill,Black Horse Swill,Naomi and I took a nice trip down to San Luis Obispo this weekend for our engagement photos and took some time to visit all of our old spots. I took this shot of Naomi on our first morning there as s ...,2010-03-08T23:14:53Z,naomi potd sanluisobispo,0,pinboard +http://northtemple.com/2010/02/01/on-ipads-grandmas-and-gam,northtemple - On iPads^comma^ Grandmas and Game-changing,The views of three members of the general public^comma^ specifically *not* the technophiles^comma^ on the iPad.,2010-03-08T05:47:33Z,ipad apple technology future iphone computing computers,0,pinboard +http://www.esquire.com/features/roger-ebert-0310,Roger Ebert Cancer Battle - Roger Ebert Interview - Esquire,A fantastic portrait of Roger Ebert and his life after having a large portion of his jaw remove and subsequently losing his ability to speak^comma^ eat^comma^ and drink suddenly taken from him.,2010-03-04T01:44:22Z,film ebert movies interview rogerebert article biography portrait,0,pinboard +http://www.guardian.co.uk/world/2010/feb/28/liu-xia-china-dissident-xiaobo,My dear husband Liu Xiaobo^comma^ the writer China has put behind bars | World news | The Observer,the story of a dissident that received an 11 year sentence for decrying china's single party political system.,2010-03-04T01:16:14Z,guardian china liu xiaobo dissident freedomofspeech freedom politics humanrights human rights,0,pinboard +http://www.newyorker.com/reporting/2007/04/16/070416fa_fact_colapinto?printable=true,A Reporter at Large: The Interpreter : The New Yorker,A fascinating article on the universality of language and the possibility that Chomsky's universal grammar theories may not apply to all languages.,2010-01-11T10:09:45Z,article amazon tribal language linguistics anthropology culture chomsky grammar brazil indigenous people humanity universality,0,pinboard +http://lifehacker.com/314574/turn-thunderbird-into-the-ultimate-gmail-imap-client,Turn Thunderbird into the Ultimate Gmail IMAP Client - Downloads - Lifehacker,,2010-01-06T06:49:00Z,,0,pinboard +http://arstechnica.com/gadgets/news/2010/01/googles-big-news-today-was-not-a-phone-but-a-url.ars?utm_source=rss&utm_medium=rss&utm_campaign=rss,Google's biggest announcement was not a phone^comma^ but a URL,,2010-01-06T05:39:21Z,,0,pinboard +http://wakemate.com/,WakeMate,WakeMate sleep analyzer with iphone tie-in.,2010-01-03T04:44:25Z,sleep wakemate cycle clock alarm iphone accessory REM,0,pinboard +http://gizmodo.com/5435954/the-true-odds-of-airborne-terror-chart?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+gizmodo%2Ffull+%28Gizmodo%29,The True Odds of Airborne Terror Chart - Odds of Airborne Attacks - Gizmodo,,2009-12-30T04:24:55Z,infographic statistics airline flying terrorism terrorist attack chances odds death lightning,0,pinboard +http://gizmodo.com/5435954/the-true-odds-of-airborne-terror-chart?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+gizmodo%2Ffull+(Gizmodo),The True Odds of Airborne Terror Chart - Odds of Airborne Attacks - Gizmodo,,2009-12-30T04:24:55Z,pinboard infographic statistics airline flying terrorism terrorist attack chances odds death lightning,0,pinboard +http://gizmodo.com/5422776/so-just-where-does-all-that-iphone-money-go?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+gizmodo%2Ffull+(Gizmodo)&utm_content=Google+Reader,So Just Where Does All That iPhone Money Go? - Apple - Gizmodo,,2009-12-12T10:21:29Z,pinboard iphone apple revenue business att,0,pinboard +http://gizmodo.com/5422776/so-just-where-does-all-that-iphone-money-go?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+gizmodo%2Ffull+%28Gizmodo%29&utm_content=Google+Reader,So Just Where Does All That iPhone Money Go? - Apple - Gizmodo,,2009-12-12T10:21:29Z,iphone apple revenue business att,0,pinboard +http://www.rfa.org/english/news/china/lawyerdetained-11302009170103.html,Lawyer Detained Over Twitter,,2009-12-01T02:12:59Z,lawyer detained china chinese great firewall gfw censorship social networking twitter professor college pinboard,0,pinboard +http://se7enmagazine.com/culture/57-global/750-light-graffiti-cars.html,Se7en Magazine - Light Graffiti Cars,,2009-11-23T22:26:18Z,autos automotive automobile cars se7en light painting photography photoshop pinboard,0,pinboard +http://www.guardian.co.uk/lifeandstyle/2007/jul/28/weekend.jonronson,Jon Ronson on telling his son the worst swearword in the world | Life and style | The Guardian,a father tells his son the worst swearword in the world^comma^ only to feel extremely guilty about it,2009-11-18T16:22:05Z,jon ronson guardian swearword curse word humor pinboard,0,pinboard +http://www.mapal.us/calculators/milling/CalculatorMilling.htm,MAPAL Milling Calculator,CNC Milling Calculator,2009-11-09T08:00:57Z,CNC mill endmill calculator webapp tool machining chip load tooth pinboard,0,pinboard +http://www.carbibles.com/suspension_bible.html,Car Bibles : The Car Suspension Bible page 1 of 2,,2009-11-07T02:23:33Z,,0,pinboard +http://dustincurtis.com/you_should_follow_me_on_twitter.html,You should follow me on Twitter | Dustin Curtis,An interesting article about the way that phrasing affected the click through percentage on Dustin Curtis's link to twitter,2009-11-04T11:28:06Z,click through force phrasing diction experiment dustin curtis blog twitter user interface experience psychology sociology pinboard,0,pinboard +http://testroete.com/index.php?location=head,Papercraft Self Portrait - Art Portfolio for Eric Testroete,"Awesome giant paper head costume. An homage to ""Big Head Mode"" in classic video games",2009-11-04T11:06:30Z,big head mode costume diy project video game halloween modeling pinboard,0,pinboard +http://www.etsy.com/view_listing.php?listing_id=29722960,Custom Fingerprint wedding band ring by fabuluster on Etsy,,2009-11-04T05:09:18Z,,0,pinboard +http://blogs.cars.com/kickingtires/2009/11/plugins-the-electric-grid-and-you.html,Plug-ins^comma^ the Electric Grid and You - KickingTires,If you ask GM or other car brands^comma^ PHEV cars are the wave of the near future. It is interesting to read what power companies think of what will happen to the grid should they take off.,2009-11-03T03:07:12Z,cars automobiles automotive electrical hybrid plug-in power grid infrastructure technology pinboard,0,pinboard +http://www.artbypeterj.com/portfolio/content/camera_project/home.php,The medium format camera project,Incredible build log of a man making a medium format (120 film) camera out of largely legos and cardboard. ,2009-11-02T23:52:22Z,camera build howto maker projects diy photography hackaday makezine tutorial log pinboard,0,pinboard +http://www.sfgate.com/cgi-bin/article.cgi?f=/c/a/2009/10/28/MNBN1ABKB8.DTL,Did Schwarzenegger drop 4-letter bomb in veto?,Schwarzenegger terminated the state congress with a hidden message created by the first characters in each line of the second and third paragraphs of his letter regarding a veto.,2009-11-01T08:59:58Z,schwarzenegger governor congress letter insult obscenity terminator hidden message pinboard,0,pinboard +http://www.boston.com/bigpicture/2009/10/launch_of_the_ares_ix.html,Launch of the Ares I-X - The Big Picture - Boston.com,spectacular photos of the lead up to and launch of the Ares I rocket.,2009-10-31T09:30:33Z,nasa space ares 1-x 1 rocket launch photos photography rocketdyne pinboard,0,pinboard +http://learn.genetics.utah.edu/content/begin/cells/scale/,Cell Size and Scale - University of Utah,A cool interactive graphic that shows you the relative size of stuff from the size of a coffee bean down to a carbon atom.,2009-10-31T06:18:28Z,animation awesome science infographic visualization size scale nanometer metric dimensions picometer pinboard,0,pinboard +http://www.colourlovers.com/palette/1002652/yesterday_said_it,COLOURlovers :: Palette / yesterday said it,photogriffy's color palette,2009-10-29T07:38:49Z,photogriffy color palette,0,pinboard +http://gizmodo.com/5391712/net-neutrality-worst-case,Net Neutrality Worst Case - - Gizmodo,Amusing graphic showing what cable providers could/would do if net neutrality laws are not enacted.,2009-10-29T03:31:19Z,graphic infographic net neutrality exaggeration hyperbole humor gizmodo amusing ISP cable FCC pinboard,0,pinboard +http://www.spectator.co.uk/print/arts-and-culture/all/5402013/does-anyone-like-3d.thtml,Does anyone like 3-D? - Spectator,"""For a director who takes himself seriously^comma^ to add 3-D would be like a novelist choosing a distracting typeface. The only encouraging aspect of this marketing outrage is that eventually well have more cinemas with better projection. But it still leaves a bitter taste in the throat.""",2009-10-27T04:43:43Z,3d movies pixar dreamworks animation cinema roger ebert critic projection theater pinboard,0,pinboard +http://secretenemyhideout.com/post/223847155/average-internet-speeds-and-costs-around-the-world,Internet Speeds and Costs Around the World - Secret Enemy Hideout,An interesting infographic about the state of American broadband.,2009-10-27T04:28:21Z,america broadband internet penetration cost information ranking infographic japan speed bandwidth pinboard,0,pinboard +http://www.energytribune.com/articles.cfm?aid=2469,Energy Tribune- Understanding E = mc2,Interesting explanation of green energy's limitations as it relates to Einstein's famous E = mc2 equation. ,2009-10-26T13:53:45Z,einstein green energy nuclear article hydroelectricity dam sierra club wind windmill solar wave surge power generation plant pinboard,0,pinboard +http://www.marco.org/222434049,Marco.org - The more I think and learn about the curious...,"A standalone monitor with the new iMacs panel would be perfectly reasonably priced at about $1500. From Dell. Apples only charging $200 more than that for theirs^comma^ and theres an entire high-end computer stuck to the back of it.",2009-10-26T09:28:42Z,apple imac 27 pricing cost profit margin k23 monitor screen ips panel lg pinboard,0,pinboard +http://www.fastcompany.com/blog/cliff-kuang/design-innovation/infographic-day-its-small-world-afterall,Infographic of the Day: It's a Small World^comma^ Afterall | Fast Company,,2009-10-26T09:18:34Z,infographic graphical representation travel time urban center infrastructure world globalization shipping people population remote distant pinboard,0,pinboard +http://arstechnica.com/microsoft/reviews/2009/10/windows-7-the-review.ars,Hasta la Vista^comma^ baby: Ars reviews Windows 7 - Ars Technica,,2009-10-26T07:24:44Z,windows 7 seven version vista xp microsoft operating system computer review pinboard,0,pinboard +http://devwhy.blogspot.com/2009/10/loss-of-zfs.html,/dev/why!?!: The loss of ZFS,an interesting article on the use (or more accurately non-use) of ZFS in Apple and other desktop systems.,2009-10-26T04:10:28Z,apple zfs file systems fs engineering computer science technology windows osx hfs hfs+ fat pinboard,0,pinboard +http://jalopnik.com/5387977/prius-vw-crush-tesla-in-green-car-violence,Prius^comma^ VW Crush Tesla In Green Car Violence - Jalopnik,,2009-10-23T02:28:14Z,funny automotive jalopnik toyota prius vw tuareg tesla roadster accident crash blog amusing pinboard,0,pinboard +http://articles.slicehost.com/2008/11/28/ubuntu-intrepid-setup-page-1,Slicehost Articles: Ubuntu Intrepid setup - page 1,,2009-10-22T13:45:13Z,hosting linux server configuration ubuntu intrepid settings slice slicehost rackspace mosso cloud,0,pinboard +http://lebowitz.net/hotel-door-hangers-collected-b-1,hotel door hangers collected by my grandfather - Michael Lebowitz,"A fascinating collection of ""Do not disturb"" signs from a man's lifetime of travel. Very interesting to see.",2009-10-22T11:55:10Z,photography collection collector lifetime do not disturb sign theme translation travel languages design inspiration pinboard,0,pinboard +http://macosxtips.co.uk/index_files/terminal-commands-for-hidden-settings-in-snow-leopard.html,Top 15 Terminal Commands for Hidden Settings in Snow Leopard | Mac OS X Tips,Some cool settings that you can enable with the terminal that REALLY should be the default.,2009-10-21T03:24:07Z,mac osx snow leopard terminal tips tutorial howto dock stacks settings hidden command line quick look pinboard,0,pinboard +http://zachholman.com/post/217204301/positioning-apple,Positioning Apple - holman runs the voodoo down,interesting article on the way apple manages expectations.,2009-10-20T08:01:23Z,apple iphone nano itunes genius features expectations bullshit blog pinboard,0,pinboard +http://www.howtoforge.com/vsftpd_mysql_debian_etch,Virtual Hosting With vsftpd And MySQL On Debian Etch | HowtoForge - Linux Howtos and Tutorials,,2009-10-19T05:51:56Z,ftp server debian ubuntu vsftp vsftpd hosting howtoforge tutorial instructions etch vps,0,pinboard +http://www.instructables.com/id/iSteadii-20-Image-Stabilizing-Unit/,iSteadii 2.0 - Image Stabilizing Unit,,2009-10-18T12:08:29Z,photography DIY projects stabilization howto tutorial IS VR camera accessory pinboard,0,pinboard +http://www.washingtonpost.com/wp-dyn/content/article/2007/04/04/AR2007040401721.html,Pearls Before Breakfast - washingtonpost.com,An older story about a Washington Post stunt where a famed violinist played a $3.5M violin in the L'Enfant metro station in DC and almost no one noticed.,2009-10-10T02:30:31Z,violin joshua bell washington post metro subway commute stunt stradivarius music concert classical bach pinboard,0,pinboard +http://chromeography.com/,Chromeography,Wonderful website based on Flickr images of (mostly chrome) logos affixed to autos^comma^ appliances^comma^ and other goods.,2009-10-06T21:34:35Z,photo blog chrome chromeography logo photography typographica appliances cars autos automobile camera flickr pinboard,0,pinboard +http://www.boston.com/bigpicture/2009/10/china_celebrates_60_years.html,China celebrates 60 years - The Big Picture - Boston.com,Very interesting images from the Golden Week celebrations for China's 60th week anniversary.,2009-10-02T04:02:26Z,photos china beijing parade golden week anniversary celebration dinner photography boston big picture pinboard,0,pinboard +http://photo-utopia.blogspot.com/2007/11/colour-images-from-b-film.html,Photo Utopia: Colour Images from B&W Film,Very cool way to create a color image using black and white film and a set of red green and blue filters.,2009-10-01T21:14:26Z,photography film color black white B&W developer manual howto tutorial panchromatic filter photoshop scan,0,pinboard +http://www.stereoviews.com/instantaneous.html,Rare Important Instantaneous Photograph,Interesting story about the development of fast exposure film and a demo done using a mule and some dynamite,2009-09-30T15:29:47Z,mule donkey cruelty dynamite explosion photography film history article photo scientific american charles bennett,0,pinboard +http://strobist.blogspot.com/2009/09/world-debut-hypernova-music-vid-shot.html,Strobist: World Debut: Hypernova Music Vid^comma^ Shot with Flash at 10 FPS,Music video shot entirely with a Canon 1DmkIII DSLR and Profoto Pro-8a studio strobes.,2009-09-17T00:08:55Z,music video stop motion camera photography canon 1d 1dmkIII mkIII mark 3 Profoto Pro-8a strobe strobist lighting studio Sinners Hypernova Iranian crunch,0,pinboard +http://dcortesi.com/2009/07/16/for-wil-wheaton/,Backup your last 3200 tweets using cURL For Wil Wheaton,Instructions for how to use cURL to back up your last 3200 tweets from twitter... vastly more tweets than I have twittered at this point.,2009-09-16T23:58:14Z,cURL gnu utilities command line api twitter tweet backup solution instructions howto tutorials,0,pinboard +http://gizmodo.com/5356421/this-is-how-total-destruction-on-earth-looks-from-space,This Is How Total Destruction On Earth Looks from Space - Sarychev Peak - Gizmodo,Astronauts onboard the International Space Station took a few spectacular photos and some video of the Sarychev Peak volcano as it exploded in a 5-mile high plume of ash and gas.,2009-09-16T23:47:20Z,astronauts kosmonauts space spaceman spacemen international station iss photo photography video eruption russia sarychev peak volcano natural disaster ash gas earth,0,pinboard +http://www.grandprix.com/ns/ns21798.html,F1 News > Nelson Piquet's FIA statement revealed,Nelson Piquet's FIA statement revealed to show that he deliberately crashed his car under orders from Flavio Briatore during the 2008 Singapore Grand Prix.,2009-09-16T23:45:00Z,nelson angelo piquet jr junior flavio briatore fernando alonso pay symonds felipe vargas crash accident racing team orders race formula 1 formula1 f1 FIA statement revealed deliberate scam cheating cheat cheater,0,pinboard +http://library.linode.com/web-applications/movable-type/,Setting up a Movable Type Website - Linode Library,guide to installing Movable Type on a Debian server,2009-09-15T19:30:22Z,blogging blog system administration debian software linux sysadmin webdev hosting linode howto tutorials instructions,0,pinboard +http://www.ransomriggs.com/,Ransom Riggs - Home,Very creative works of film photography and essays. ,2009-09-14T20:13:51Z,photography photographs photo video art short films essays portfolio inspiration,0,pinboard +http://9thport.net/Falses/340,building passenger with macports in os x leopard 9thport,good information if you're using macports apache and trying to install passenger.,2009-09-10T05:56:56Z,rubyonrails rails ruby apache passenger mod_rails server webdev development tips tutorials howto,0,pinboard +http://www.ontakingpictures.com/2009/08/why-i-shoot-raw.html,Why I shoot RAW - OnTakingPictures,A good example of why people should use the RAW mode on their camera instead of in camera jpeg compression.,2009-09-10T04:54:36Z,raw photography photoshop image dynamic range highlight recovery shadow pictures,0,pinboard +http://hackaday.com/2009/09/08/poor-exhausted-littledog/,Poor exhausted littledog - Hack a Day,Very interesting video of DARPA's littledog and an amusing analysis by the guys at hackaday. ,2009-09-09T13:35:02Z,little dog darpa robot study motion analysis invention balance tired big bigdog littledog hackaday,0,pinboard +http://keith-knipling.com/?p=7,Extracting Icons from Mac OS X Applications at keith-knipling.com,How to extract icons from applications and folders and save them to image files using OS X standard utilities,2009-09-09T08:51:55Z,extract icons image files applications folder osx utilities howto blog tutorial,0,pinboard +http://jalopnik.com/5131750/citroen-2cv-jump-makes-subaru-hoons-look-earthbound,Citron 2CV Jump Makes Subaru Hoons Look Earthbound! - Citroen - Jalopnik,,2009-09-09T03:58:20Z,citroen Citron 2cv jump automobile car motorsports racing auto jalopnik blog dune sand hoon hoonage subaru tuareg trail desert,0,pinboard +http://www.gregbenedict.com/2009/08/29/fixing-ruby-gems-mysql-and-passenger-phusion-on-snow-leopard-10-6/,Fixing Ruby Gems^comma^ MySQL and Passenger Phusion on Snow Leopard 10.6 | Greg Benedict,Install all the requires stuff for snow leopard.,2009-09-03T02:01:45Z,howto tips apple osx mac apache rails rubyonrails snow gem leopard ruby snowleopard mysql passenger fix imagemagick install installation,0,pinboard +http://www.twistedmac.com/index.php?option=com_content&view=article&id=239&Itemid=189, TwistedMac - Mac OS X Over The Years,A look back at each verson of Mac OS X since its release as a public beta in Fall 2000.,2009-08-31T21:34:35Z,design apple mac osx history macosx pictures operatingsystem interface screenshots software cheetah puma jaguar leopard snow beta public operating system,0,pinboard +http://www.tech-dive-academy.com/journey.html,A Journey To 308 Metres - The Deepest Open Circuit Scuba Dive Ever,incredible story about a solo scuba dive to 1000ft^comma^ John Bennet's world record open circuit dive.,2009-08-28T17:19:34Z,scuba nitrox diving world record dive open circuit john bennet story phillipines decompression sickness oxygen poisoning bends HPNS,0,pinboard +http://jalopnik.com/5336869/why-bonneville-is-important,Why Bonneville Is Important - bonneville speed week - Jalopnik,A good explanation of why events like Bonneville are still important in a modern world.,2009-08-25T19:18:10Z,cars bonneville speed motor gearhead enthusiast land record blog post story dream hope automobile race car racecar,0,pinboard +http://cow.mooh.org/2009/07/plungercam-2-cheaper-and-more.html,captin nod: Plungercam 2: cheaper and more predictable :),DIY tilt-shift lens instructions... Must do this.,2009-08-21T18:59:57Z,howto photography tutorial camera inspiration photos diy tiltshift projects hack lens lenses ideas cheap shift tilt tilt-shift make bronica medium format ebay adapter canon eos,0,pinboard +http://mashable.com/2009/08/17/twitter-100/,If Twitter Consisted of 100 People [Gorgeous Graphics],Amusing article imagining the twitter community if it only had 100 people in it. Stats are pretty interesting.,2009-08-17T16:39:18Z,web2.0 reference twitter graphics visualization internet graphic trends statistics socialmedia stats infographics marketing mashable twitterstats blog graph conceptualization people discussion,0,pinboard +http://jordanrunning.com/2009/08/instapaper-send-to-button-for-google-reader/,Jordan Running Blog False Instapaper Send To button for Google Reader,"How to use Google Reader's now ""Send To"" button to send an article from Reader to Instapaper to read later.",2009-08-14T18:32:53Z,google api howto tutorial blog instapaper reader read later,0,pinboard +http://blog.actslike.com/2009/08/10/the-art-of-leadership-a-ford-story/,AdMelee >> The Art Of Leadership A Ford Story,Amazing story about the lengths that Ford went to to make one vocal customer a Ford convert... Alan Mullaly^comma^ CEO of Ford^comma^ makes an appearance.,2009-08-11T23:31:57Z,Ford cars Audi Volkswagen autos automobile buying purchasing CEO business leadership story blog alan mullaly scott monty twitter edge phone call above and beyond,0,pinboard +http://www.yooouuutuuube.com/v/?rows=18&cols=18&id=pAwR6w2TgxY&startZoom=1,Alice in Wonderland Remix -- YooouuuTuuube.com,An interesting Alice in Wonderland song that works very well with the YooouuuTuuube site.,2009-08-06T00:10:30Z,design video funny webdesign fun music youtube art remix inspiration trippy alice cool animation aliceinwonderland awesome wonderland yooouuutuuube flash cut scene electronica,0,pinboard +http://www.guardian.co.uk/lifeandstyle/wordofmouth/2009/jul/24/kfc-secret-recipe-revealed,The Word of Mouth KFC challenge | Life and style | guardian.co.uk,Reverse engineering KFC. Fried chicken recipes that I need to try out.,2009-08-03T12:30:31Z,fried cooking recipe chicken kfc food recipes blog article secret colonel sanders meat dinner reverse engineering ingredients MSG monosodium glutamate,0,pinboard +http://photocritic.org/self-portraits/,Self-Portrait Friday :: Photocritic photography blog,An amusing blog post that has some decent (if not a bit obvious) guidelines for self portrait taking.,2009-08-03T11:50:10Z,howto tips photography article self-portrait self portrait flickr examples photo camera taking pictures,0,pinboard +http://thecarsource.com/shelby/cobra/daytona/daytona_coupe.shtml,COBRA DAYTONA COUPE By Dennis Begley,"Good summary of the history of the Shelby Daytona Coupes. The quote by Peter Brock^comma^ designer of the coupe^comma^ sums it up nicely: ""The Daytona Cobra Coupes were the last of the Specials^comma^ a watershed point in race car design. From 1965 onward^comma^ race car technology followed the lead set by the Broadley/Ford GT40^comma^ cars engineered on paper and built with the most technologically advanced materials available. Never again would there be a successful design distilled only from the cumulative experience of a team's race mechanics^comma^ who literally envisioned cars on the shop floor and built them as they proceeded^comma^ The Daytona coupes were the end of an era.""",2009-07-29T00:45:45Z,shelby daytona coupe auto automobile dan gurney carroll peter brock cobra le mans racing race touring car GT GTO Ferrari fia,0,pinboard +http://www.whosampled.com/,WhoSampled - Discover and Discuss Music Samples and Cover Songs,Cool website that tries to False all the sampled music it can find^comma^ and lets you play the music side by side to listen to the samples.,2009-07-28T09:10:44Z,web2.0 video reference fun music search internet youtube resource samples sampling database remix sample audio history record year recording artist musician,0,pinboard +http://ingersoll.com/news/Mongoose/Mongoose_V1-081212.mov,http://ingersoll.com/news/Mongoose/Mongoose_V1-081212.mov,Really cool fiber layup technology. Lays individual bands of tape in various directions... Complex patterns^comma^ complex shapes.,2009-07-24T19:05:25Z,carbon fiber layup tape placement cut patter materials manufacturing process science technology,0,pinboard +http://www.stuff.co.nz/national/2667215/190-000-withdrawn-in-20-bills/,$190^comma^000 withdrawn in $20 bills - national | Stuff.co.nz,Man withdraws a ton of money in small bills to spite a bank that wouldn't give him a loan. Awesome.,2009-07-24T01:40:47Z,bank loan bills withdraw savings home new zealand,0,pinboard +http://greyscalegorilla.com/blog/2009/07/08/iphone-3gs-camera-review-ummm-its-great/,How Good is the New iPhone 3GS Camera - Ummm^comma^ Its Really Great! | greyscalegorilla/blog,Really cool info^comma^ especially that the tap-to-focus also is a spot metering feature. Definitely makes me want to upgrade from my 3G.,2009-07-21T22:18:39Z,photography apple iphone photo 3gs 3g 2g camera phone cameraphone low light back backlit tutorial focus shake it thegorilla gorilla greyscalegorilla,0,pinboard +http://fourfifthsdesign.com/2009/07/20/human-eye-camera/,Human Eye Camera FOUR FIFTHS DESIGN,An interesting concept: What would it look like if our eye could output RAW images? The author stitches photos using knowledge of our eye's optics to demonstrate... Would be really fun to do a series using a GigaPan or something like that^comma^ but it would be easier if my eye just output DNG files.,2009-07-21T18:17:01Z,design technology camera lens focal length theoretical prototype stitching perspective neural processing photo photography eye optic optical,0,pinboard +http://www.vanityfair.com/politics/features/2009/07/palin-speech-edit-200907?currentPage=1,Palin's Resignation: The Edited Version | vanityfair.com,"A funny look at Sarah Palin's resignation speech after passing through Vanity Fair's fact checking^comma^ editing^comma^ and copy departments. Quite a ""colorful result""",2009-07-21T17:30:32Z,funny humor internet politics editing writing copywriting palin sarahpalin language editor copy fact check checking vanity fair magazine article twitter,0,pinboard +http://gizmodo.com/5318966/the-cloud-project-would-theoretically-make-ice-cream-fall-like-snow,The Cloud Project Would Theoretically Make Ice Cream Fall Like Snow - Cloud project - Gizmodo,"""The whole thing is purely conceptual for now; it involves certain bacteria and ice nucleation and a lot of other science-y sounding words and phrases I don't understand. What I do understand is the phrase 'It will snow ice cream^comma^' and what I wish I didn't understand is 'The technology is a long ways off.'""",2009-07-21T17:05:44Z,gizmodo ice cream rain nucleation flavor snow precipitation technology truck seeding clouds liquid nitrogen condensation spray cloud project van,0,pinboard +http://www.shotaddict.com/tips/article_Tips+You+Are+Looking+For+Studio+Lighting+Techniques.html,Tips You Are Looking For Studio Lighting Techniques,Interesting article about the various ways studio lighting is setup for photo shoots,2009-07-21T16:37:23Z,photography howto photographer tips lighting studio portrait shot addict article key light fill,0,pinboard +http://hongkong.edushi.com/Default.aspx?L=en,map for hong kong^comma^map of hong kong city^comma^e map of hong kong^comma^3D map for hong kong^comma^public transportation map^comma^public transportation map_Edushi,A very cool isometric-ish cartoony map of Hong Kong. Incredibly detailed^comma^ but almost seems SimCity-ish with the colors and textures.,2009-07-13T19:39:31Z,design reference visualization travel google art fun maps hongkong map 3d architecture interactive illustration isometric,0,pinboard +http://lefsetz.com/wordpress/index.php/Falses/2009/07/01/from-moby-2/,Lefsetz Letter Blog False From Moby,Moby's best selling track has been free for the last two months and is still free... Interesting.,2009-07-10T17:33:58Z,free track moby music RIAA sales itunes purchases lefsetz best selling,0,pinboard +http://web-kreation.com/index.php/html-css/add-file-type-icons-next-to-your-links-with-css/,Web-kreation - Add File Type Icons next to your links with CSS,Add icons to the end of links to indicate external links or file type. Uses CSS expressions which may be bad for page load times.,2009-06-29T18:25:43Z,webdev design howto tutorial tips css web development tutorials tricks icons programming links webdesign link icon file type filetype files,0,pinboard +http://www.electronixandmore.com/project/propclock/index.html,Propeller Clock,A cool DIY persistence of vision clock.... Might have to make one of these for my desk.,2009-06-22T07:57:42Z,hacking electronics clock diy led projects pov persistence vision project fun propeller,0,pinboard +http://sports.espn.go.com/rpm/racing/f1/news/story?id=4270761&campaign=rss&source=twitter&ex_cid=Twitter_espn_4270761,F1 teams announce breakaway series after failure to resolve budget-cap dispute - ESPN,Most of the major Formula 1 teams are announcing that they will be leaving F1 to start their own series should Ecclestone and Mosley continue to force unreasonable regulations on them.,2009-06-19T01:03:24Z,formula1 f1 racing fota fia mosely ecclestone world championship Brawn GP Ferrari Renault McLaren Toyota BMW Sauber Red Bull Toro Rosso,0,pinboard +http://danmeth.com/post/124593834/futuristicmovietimeline,DAN METH - Futuristic Movie Timeline #6 InA Series Of...,An amusing timeline of when a bunch of futuristic movies are supposed to occur.,2009-06-16T21:40:44Z,movie cinema future movies fun scifi timeline utopia distopia accuracy,0,pinboard +http://www.amazon.com/review/R2X2TB3S4O5I60/ref=cm_cr_pr_viewpnt#R2X2TB3S4O5I60,Amazon.com: Ari Brouillette's review of The Secret,"A preview of the review ""At age 36^comma^ I found myself in a medium security prison serving 3-5 years for destruction of government property and public intoxication. This was stiff punishment for drunkenly defecating in a mailbox but as the judge pointed out^comma^ this was my third conviction for the exact same crime. I obviously had an alcohol problem and a deep and intense disrespect for the postal system...""",2009-06-12T21:35:27Z,funny humor review books amazon comedy secret self help prison joke rhoda byrne,0,pinboard +http://www.thesmokinggun.com/False/years/2009/0612092monster1.html,Barrel Monster Bust - June 12^comma^ 2009,Man steals construction barrels to make a sculpture that was probably more effective at slowing traffic through the construction site,2009-06-12T18:19:50Z,art street north carolina NC state construction barrel cone statue sculpture,0,pinboard +http://www.kremalicious.com/2008/06/ubuntu-as-mac-file-server-and-time-machine-volume/,HowTo: Make Ubuntu A Perfect Mac File Server And Time Machine Volume [Update6] Blog kremalicious.com Matthias Kretschmann | Photography & Design,Use your ubuntu machine as an AFP server. Also has instructions for setting up Time Machine on your Mac to support it.,2009-06-11T23:41:13Z,howto tutorial ubuntu mac apple linux time osx tips machine timemachine networking afp netatalk server backup macosx,0,pinboard +http://jalopnik.com/5286563/1964-nissan-figaro-for-11900,Jalopnik - 1964 Nissan Figaro for $11^comma^900! - Nissan Figaro,"This page is good if only for this quote: ""Originally JDM-only^comma^ and with a production run of 20^comma^000^comma^ the Nissan Figaro became a celebrity status symbol in Britain in the early 90s. There^comma^ like in Japan^comma^ the cars have the steering wheel on the right side^comma^ which forces the passenger to do all the work^comma^ while letting the driver relax with nothing to do but rummage in the glovebox and fiddle with the radio knobs.""",2009-06-11T17:20:26Z,jalopnik cars nissan Figaro crack pipe nice price jdm right hand drive,0,pinboard +http://jalopnik.com/5165782/how-to-become-a-formula-one-driver-in-one-day,Jalopnik - How To Become a Formula One Driver in One Day - Racing News,A very cool series of videos of one journalists adventure preparing to drive a Renault F1 car.,2009-06-09T16:07:07Z,car racing formula1 renault jalopnik cars video,0,pinboard +http://consumerguideauto.howstuffworks.com/gran-torino.htm,An Unlikely Movie Star: 1972 Ford Gran Torino,"""Clearly^comma^ the makers of Gran Torino didn't just happen upon this car... they chose it very carefully for its symbolic value. Both Walt and his car are products of another time--they don't make 'em like that anymore. A '72 Gran Torino represents the last gasp of the glory days when old-school Detroit reigned supreme... Walt Kowalski's glory days. Today^comma^ it's a nigh-forgotten relic^comma^ a symbol of an America that no longer exists... just like Walt. It's Walt's personal shrine^comma^ a symbol of his idealized memory of the way things used to be. But in the cold light of history^comma^ with all sentimentality stripped away^comma^ maybe the ""good ol' days"" weren't so unfailingly great after all. In the end^comma^ Walt's Gran Torino shows us that the American dream isn't what it used to be^comma^ and that's not necessarily a bad thing. A pitch-perfect job of automotive casting^comma^ I'd say.""",2009-06-05T17:23:00Z,ford gran torino car cast movie clint eastwood muscle cinema,0,pinboard +http://gizmodo.com/5275702/a-brief-note-about-beavers-testicles,Gizmodo - A Brief Note About Beavers' Testicles - Apple Dictionary,"""a seventeenth-century antidote to idiocy was to rub the forehead with beaver testicles"".... If you have a Mac open the dictionary app^comma^ and look up idiocy in the thesaurus.... Hilarity ensues.",2009-06-03T01:54:38Z,funny humor gizmodo beaver testicles thesaurus mac osx apple dictionary easter egg easteregg,0,pinboard +http://www.pinkbike.com/v/73658,kvidafv.swf (application/x-shockwave-flash Object),Awesome video of Aptos dirt jumping.,2009-06-02T23:33:47Z,video bmx dirtjump dirt jump mtb mountain biking cycling tricks,0,pinboard +http://www.michaelianblack.net/blog/2009/04/a-death-in-the-family-.html#more,Michael Ian Black: A Death in the Family,"A funny musing on the death of Michael Ian Black's son's hamster ""Nibbles"".",2009-06-02T18:56:13Z,funny humor blog hamster death,0,pinboard +http://www.michaelianblack.net/blog/2009/05/if-i-ever-create-a-doomsday-machine-id-like-it-to-have-the-following-features.html,Michael Ian Black: If I Ever Create a Doomsday Machine^comma^ Id Like it to Have the Following Features:,"""This would be the ultimate Doomsday Machine mind-fuck. Give the Doomsday Machine an awareness of self and a desire for self-actualization. The machine would know it exists^comma^ but would also know that to fulfill its potential it will have to destroy everything^comma^ including itself""....... Great quote from Michael Ian Black",2009-05-25T00:42:14Z,comedian doomsday blog artificial intellegence self-actualization self,0,pinboard +http://www.slate.com/id/2218825/,What makes so academic laboratories such dangerous places to work? - By Beryl Lieff Benderly - Slate Magazine,"a columnist for the peer-reviewed journal Chemical Health and Safety wrote that he'd come to the ""disheartening conclusion that most academic laboratories are unsafe venues for work or study.""..... interesting stuff... especially that i'm so familiar with some who are so familiar with chem labs.",2009-05-24T10:21:27Z,chemistry laboratory lab safety college university death,0,pinboard +http://sethgodin.typepad.com/seths_blog/2009/05/luxury-vs-premium.html,Luxury vs. premium,Cool article on luxury vs premium. Doesn't reference Microsoft's recent ad campaigns indicating that apple is a luxury brand^comma^ but its definitely interesting with those ads in mind.,2009-05-24T02:40:56Z,luxury premium goods apple microsoft,0,pinboard +http://dzineblog.com/article/resources,Dzine Blog|False|Resources,Good site for lots of free resources for stock imagery.,2009-05-07T17:38:20Z,photoshop css design free graphics download vector psd resource,0,pinboard +http://www.wired.com/techbiz/it/magazine/16-04/bz_apple?currentPage=5,How Apple Got Everything Right By Doing Everything Wrong,Funny (to me) article on the rise of apple with some insight into life at apple.,2009-05-05T17:12:42Z,process apple mac design technology management wired jobs steve opacity transparency secrecy,0,pinboard +http://www.typenow.net/themed.htm,TypeNow.net Themed Fonts Download Free Movie and Music Fonts,Cool fonts from movies and bands... might be good for making quickie homage images or something.,2009-05-04T23:32:07Z,tools typography design free font webdesign graphics download fonts,0,pinboard +http://orderedlist.com/articles/structural-tags-in-html5,Structural Tags in HTML5 // Ordered List // We Make The Web Beautifully Simple,Structural tags are going to be awesome... one of my complaints since really learning HTML.,2009-05-04T20:35:18Z,tutorial webdev development markup web html webdesign html5 standards structural tags,0,pinboard +http://www.smashingmagazine.com/2009/05/04/download-gallery-a-free-wordpress-theme/,"Download ""Gallery"": A Free WordPress Theme | Freebies | Smashing Magazine",Been meaning to do my own theme for sweetcron... like the looks of this^comma^ I'll probably end up using it for inspiration.,2009-05-04T20:13:15Z,wordpress design blog sweetcron lifestream free theme template,0,pinboard +http://www.tiltshiftphotography.net/photoshop-tutorial.php,Tilt-Shift Photography Photoshop Tutorial | Miniature Faking | TiltShiftPhotography.net,Easy to do faux-tilt-shift tutorial in Photoshop... Might be neat to try... Tried it before one time^comma^ with similar steps^comma^ but it certainly did not come out as good.,2009-05-04T17:59:14Z,tutorial photography photo howto photoshop tips design photos tiltshift tutorials,0,pinboard +http://www.flickr.com/explore/panda,Flickr: Panda,,2009-05-04T05:23:10Z,photography photo web design flickr funny humor panda photos weird rainbow wtf,0,pinboard +http://photoshopdisasters.blogspot.com/2008/06/zoo-shadow-of-doubt.html,PhotoshopDisasters: Zoo: A Shadow Of A Doubt,A pretty awesome photoshop oversight.,2009-05-03T16:24:02Z,photography photoshop shadow funny humor fat,0,pinboard +http://en.wikipedia.org/wiki/Project_Orion_(nuclear_propulsion),Project Orion (nuclear propulsion) - Wikipedia^comma^ the free encyclopedia,Awesome information on a very cool^comma^ but scrapped^comma^ propulsion idea from the 50s.,2009-05-01T21:13:24Z,science nuclear wikipeida physics orion propulsion space travel nasa,0,pinboard +http://dryicons.com/,DryIcons.com | Free Vector Graphics | page 5 of 87,a few nice resources for free icons and vector graphics... might be a good resource for doing something up quickly.,2009-05-01T20:47:36Z,free vectory graphics download images source stock icons,0,pinboard +http://www.webdesignerwall.com/tutorials/maximize-the-use-of-hover/,Maximize the Use of Hover,Cool uses of :hover to do some interesting and convenient things.,2009-05-01T15:12:54Z,howto webdev web2.0 tips web css design webdesign hover inspiration,0,pinboard +http://hyperleggera.com/2009/04/concorso2007/,Hyperleggera An Event Horizon of the Automotive Variety,An awesome article on the Concorso dEleganza Villa dEste 2007... I wish I could see a sight like that.,2009-04-30T23:18:22Z,cars vintage ferrari article scaglietti historic show concorso italy,0,pinboard +http://www.greenmtngeek.com/2008/06/disabling-extension-compatibility-checking-in-firefox-30/,Disabling Extension Compatibility Checking in Firefox 3.0 | GMG,How do disable the check for add-on compatibility when running a firefox beta... might cause instability^comma^ but if that was a big issue^comma^ you wouldn't be using a beta^comma^ right?,2009-04-29T23:58:54Z,howto security plugins firefox disable addons compatibility beta check,0,pinboard +http://blog.erdener.org/Falses/001138.php,"blah^comma^ and other stuff: Disable ""Front Row"" keyboard shortcut",how to disable the STUPID front row keyboard shortcut in mac os x.,2009-04-29T22:48:24Z,apple howto osx mac tips front row keyboard shortcut disable,0,pinboard +http://www.smashingmagazine.com/2009/04/27/the-mystery-of-css-sprites-techniques-tools-and-tutorials/,The Mystery Of CSS Sprites: Techniques^comma^ Tools And Tutorials | CSS | Smashing Magazine,Cool tutorial for reducing the amount of requests in loading a site^comma^ could also reduce image sizes with clever compression....,2009-04-29T04:43:09Z,tools tutorial web2.0 development html css design sprites webdesign graphic tip,0,pinboard +http://musicmachinery.com/2009/04/27/moot-wins-time-inc-loses/,moot wins^comma^ Time Inc. loses Music Machinery,"A team of pranksters found a way to control the Time top 100 influential people list... I guess this demonstrates that they are in-fact ""influential""...",2009-04-28T19:14:42Z,web captcha recaptcha security time 4chan anonymous hack hacking internet xss crosssitescripting,0,pinboard +http://orderedlist.com/articles/clearing-floats-the-fne-method,Clearing Floats: The FnE Method // Ordered List // We Make The Web Beautifully Simple,A nice little tutorial on how to manage floats and overflow better... I often have a problem with this^comma^ but should look into Float Nearly Everything (FnE),2009-04-28T18:50:06Z,tutorial howto webdev development tips html css design browser float FloatNearlyEverything FnE ordered list orderedlist,0,pinboard +http://bighugelabs.com/flickr/scout.php,Scout: Find your photographs in Flickr's Explore,"A cool tool to find any of your photos that have made Flickr's ""Explore"".",2009-04-28T16:32:46Z,tools search photography photo web flickr api explore scout bighugelabs interestingness,0,pinboard +http://spamassassin.apache.org/gtube/,SpamAssassin: The GTUBE,"A useful string for testing SpamAssassin based spam filtering... It's a ""must-have"" for anyone setting up their own email server.",2009-04-27T05:08:18Z,spam spamassassin antispam test email mail smtp gtube generictestforunsolicitedbulkemail ham,0,pinboard +http://news.pickuptrucks.com/2009/04/mce-5-variable-compression-gas-engine.html,MCE-5s Variable Compression Gas Engine Promises Power and Efficiency - PickupTrucks.com News,Interesting article on variable compression motors from a french company... Claims are outlandish^comma^ but the idea (varying cylinder compression) makes sense... Might even enable HCCI engines that have been in development for decades.,2009-04-24T18:01:39Z,cars compression science ICE internalcombustion engine piston crankshaft head automotive automobile technology HCCI,0,pinboard +http://webfonts.info/wiki/index.php?title=%40font-face_browser_support,@font-face browser support - Webfonts.info,embedded font browser support.... to be used with the utmost care for user readability^comma^ of course^comma^ except on myspace...,2009-04-23T18:04:39Z,webdev web2.0 web html css typography css3 browser support font typeface firefox safari opera,0,pinboard +http://locomotivation.com/blog/2008/07/23/simple-ruby-on-rails-full-text-search-using-xapian.html,Simple Ruby on Rails Full Text Search Using Xapian - Locomotivation^comma^ the technology blog from Squeejee,good tutorial for integrating xapian search into your rails app^comma^ as I have on AMDavidson.com,2009-04-22T23:17:24Z,search amdavidson.com development rails reference programming plugin rubyonrails xapian ruby fulltext plugins,0,pinboard +http://nfg.2y.net/games/ntsc/visual.shtm,NTSC Video - Whassit all mean anyway?,awesome article on image compression and our ability to see blue.,2009-04-22T01:43:40Z,photography video TV links design vision color compression image science,0,pinboard +http://github.com/ambethia/recaptcha/tree/master,ambethia's recaptcha at master - GitHub,,2009-04-21T20:57:53Z,captcha plugin recaptcha security rubyonrails rails tools gem amdavidson.com,0,pinboard +http://code.google.com/p/sweetcron/wiki/Themes,Themes - sweetcron - How to create your own theme for Sweetcron - Google Code,,2009-04-21T15:25:48Z,howto blog sweetcron lifestream theme documentation amdavidson.me,0,pinboard +http://www.sweetcron.com/,Sweetcron - The Automated Lifestream Blog Software,interesting option for setting up your own tumblelog... probably will be integrated into AMDavidson.com fairly soon.,2009-04-17T01:05:50Z,twitter webdev website lifeblog stream blog flickr sweetcron lifestream opensource free,0,pinboard +http://www.uncrate.com/men/style/watches/tsovet-limited-edition-at76-watch/,TSOVET Limited Edition AT76 Watch | Uncrate,an awesome vintage styled tool watch.,2009-04-15T23:25:18Z,wishlist watch tool vintage tsovet want,0,pinboard +http://ghaint.no-ip.org/~k2/debian/mbp-usb.html,Debian Mac-USB,install debian on a usb drive for a MBP.... This will work... Debian rocks.... Repeat Mantra,2009-04-15T10:13:35Z,howto mac linux debian usb boot rEFIt macbook pro,0,pinboard +http://www.nytimes.com/1996/06/30/magazine/recycling-is-garbage.html?sec=&spon=&partner=permalink&exprod=permalink&pagewanted=1,Recycling Is Garbage - The New York Times,Recycling may not be the cure all end all that some think it is. Interesting article from the NYT^comma^ but a bit old... I wonder if any of it would be changed were it to be rewritten for today's technology.,2009-04-15T06:45:44Z,times new york trash garbage recycling value benefit,0,pinboard +http://www.maxdesign.com.au/presentation/external/,Max Design - Simple^comma^ accessible external links,designing visited links to give them a little more flair than making them just purple... I want to implement the dimming approach on my websites.,2009-04-15T05:47:00Z,tutorial howto webdev web html css links visited,0,pinboard +http://www.aisleone.net/2009/design/8-ways-to-improve-your-typography/,8 Simple Ways to Improve Typography InYourDesigns Blog False AisleOne,notes of things to check to ensure good typography design for my sites.,2009-04-15T05:22:23Z,tutorial tips reference web html css typography design,0,pinboard +http://webdesign.maratz.com/lab/visited_links_styling/,The ways to style visited links,Inspiration for the visited links on my websites.,2009-04-15T00:57:44Z,tutorial webdev web html css links visited style typography,0,pinboard +http://photojojo.com/store/awesomeness/seat-belt-camera-straps,Seat Belt Camera Straps at the Photojojo Store!,,2009-04-15T00:47:46Z,photography photo camera wishlist strap neckstrap seat belt,0,pinboard +http://en.wikipedia.org/wiki/Textile_(markup_language),Textile (markup language) - Wikipedia^comma^ the free encyclopedia,,2009-04-14T15:10:19Z,tools webdev development textile markup reference web html programming text,0,pinboard +http://andr3w.net/,andr3w.net,,2009-04-14T11:15:03Z,webdev website web2.0 personal amdavidson rails wordpress tips notes,0,pinboard +http://twitterfall.com/,Twitterfall,awesome twitter site displaying realtime results from search terms.,2009-03-10T13:20:10Z,twitter visualization tools twittertools search twitterfall trends,0,pinboard +http://www.pixpeep.com/musings/technique/crossprocessing_in_aperture.html,Xpro in Aperture,Cross Processing in Aperture tutorial.,2009-03-08T06:18:07Z,tutorial aperture crossprocess cross process cross-processing xpro apple photography photo,0,pinboard +http://www.layersmagazine.com/curvy-cross-processing.html,Curvy Cross Processing (Photoshop),Cross Processing Tutorial for Photoshop.,2009-03-08T06:14:19Z,howto photography photoshop crossprocessing tutorial photo cross process,0,pinboard +http://www.usa.canon.com/dlc/controller?act=GetArticleAct&articleID=2326,Canon Digital Learning Center - Sample EOS 5D Mark II Video: Reverie,Awesome video shot entirely with canon 5d mkII,2009-02-28T23:09:59Z,canon 5d mkII video hd movie photography camera reverie photographer vincent laforet,0,pinboard +http://www.youtube.com/watch?v=QsmiIeAkE-o&eurl=http%3A%2F%2Fautobeatvideo.blogspot.com%2F2007%2F04%2Fv8-engine-block-machined-from-solid.html,YouTube - V8 Engine Block Machined From Solid,,2007-04-20T06:29:49Z,SAE randomstuff,0,pinboard +http://qa.telestream.net/errorcodes.html,Error Codes,,2007-04-13T04:10:42Z,work,0,pinboard +http://www.cdxetextbook.com/,CDX eTextbook free online automotive textbook and encyclopedia,,2007-04-12T16:44:11Z,SAE randomstuff cars,0,pinboard +http://uneasysilence.com/False/2007/04/10206/,Mixed Computing: Stop Thumbs.db and .DS_Store files from Polluting Network Shares,,2007-04-06T19:56:59Z,osx windows howto,0,pinboard +http://httpd.apache.org/docs/2.0/mod/mod_rewrite.html,mod_rewrite - Apache HTTP Server,,2007-04-05T23:10:01Z,apache webdev website amdavidson.com,0,pinboard +http://calpoly.facebook.com/home.php?,Facebook,,2007-04-05T23:01:21Z,web2.0 dailyread,0,pinboard +http://ubuntuguide.org/wiki/Ubuntu_Edgy#Samba_Server,Samba,,2007-04-05T22:54:27Z,ubuntu,0,pinboard +http://ubuntuforums.org/showthread.php?t=325388,Installing mx5000tools for Logitech MX5000 - Ubuntu Forums,,2007-04-05T22:54:27Z,ubuntu MythTV,0,pinboard +https://help.ubuntu.com/community/MythTV_mythtvsetup,Frontend,,2007-04-05T22:54:25Z,ubuntu MythTV,0,pinboard +https://help.ubuntu.com/community/Install_IVTV_Edgy,Hauppage Setup,,2007-04-05T22:54:24Z,ubuntu MythTV,0,pinboard +https://help.ubuntu.com/community/MythTV_Edgy_hardware,ATi Setup,,2007-04-05T22:54:24Z,MythTV ubuntu,0,pinboard +http://www.ciac.org/ciac/techbull/CIACTech02-003.shtml,Blocking Office Mac check,,2007-04-05T22:54:21Z,laptop osx ipfw,0,pinboard +http://www.macosxhints.com/article.php?story=20031225124417353,Create ISO from CD,,2007-04-05T22:54:19Z,osx,0,pinboard +http://streamingmedia.com/article.asp?id=9456,Streamingmedia.com: Tutorial: Using Windows Media Registry Keys,,2007-04-05T22:54:15Z,video work,0,pinboard +http://www.howtoforge.com/dvd_images_of_ubuntu_repositories,Building DVD Images Of Ubuntu Repositories | HowtoForge - Linux Howtos and Tutorials,,2007-04-05T22:54:06Z,Ubuntu,0,pinboard +http://www.youtube.com/watch?v=2xHDf-Okarg,YouTube - Baja Flip,,2007-04-05T22:54:05Z,youtube web2.0,0,pinboard +http://www.opensourcemac.org/page2.php,Open Source Mac - Free^comma^ Open-Source software for OS X,,2007-03-02T17:05:06Z,NerdyStuff Mac,0,pinboard +http://wiki.cchtml.com/index.php/Ubuntu_Edgy_Installation_Guide,Video Card Install,,2007-03-02T17:05:06Z,MythTV ubuntu,0,pinboard +http://svn.mythtv.org/trac/browser/branches/release-0-20-fixes/mythtv/libs/libmythtv/videoout_xv.cpp#L3448,ATI_PROPRIETARY_DRIVER hack,,2007-03-02T17:05:06Z,MythTV,0,pinboard +http://www.fatwallet.com/c/18/,FatWallet Forums - Hot Deals,,2007-03-02T17:05:06Z,firefox:bookmarks deals,0,pinboard +http://www.workingwith.me.uk/articles/scripting/mod_rewrite,mod_rewrite^comma^ a beginner's guide (with examples),,2007-03-02T17:05:06Z,mod_rewrite,0,pinboard +http://darwinports.opendarwin.org/docs/ch01s04.html,Using DarwinPorts,,2007-03-02T17:05:06Z,NerdyStuff mac,0,pinboard +http://pandora.com/,Pandora,,2007-03-02T17:05:06Z,music,0,pinboard +http://muffinresearch.co.uk/Falses/2006/08/13/running-ubuntu-under-parallels-desktop-for-mac/,Running Ubuntu under Parallels Desktop for Mac | Muffin Research Labs by Stuart Colville,,2007-03-02T17:05:06Z,NerdyStuff ubuntu,0,pinboard +http://ioctl.org/jan/test/regexp.htm?target=*SPAM* 10/5,STBRN.jan: Test- Regular expressions,,2007-03-02T17:05:06Z,NerdyStuff,0,pinboard +http://nanoweb.si.kz/manual/mod_rewrite.html,http://nanoweb.si.kz/manual/mod_rewrite.html,,2007-03-02T17:05:06Z,mod_rewrite htaccess,0,pinboard +https://help.ubuntu.com/community/BluetoothSetup,BluetoothSetup - Community Ubuntu Documentation,,2007-03-02T17:05:06Z,MythTV bluetooth,0,pinboard +http://www.trdparts4u.com/,TRD Parts 4 U,,2007-03-02T17:05:06Z,AutoParts toyota,0,pinboard +http://www.sitepoint.com/article/guide-url-rewriting/2,mod_rewrite: A Beginner's Guide to URL Rewriting [Apache,,2007-03-02T17:05:06Z,mod_rewrite,0,pinboard +https://help.ubuntu.com/community/MythTV_Edgy_Backend_Frontend_Desktop,MythTV Setup,,2007-03-02T17:05:06Z,MythTV,0,pinboard +http://httpd.apache.org/docs-2.0/mod/mod_rewrite.html,documentation for mod_rewrite,,2007-03-02T17:05:06Z,mod_rewrite apache,0,pinboard +http://epguides.com/Office_US/,The Office (US) (a Titles and Air Dates Guide),,2007-03-02T17:05:06Z,TV,0,pinboard \ No newline at end of file diff --git a/csv_import.py b/csv_import.py new file mode 100755 index 0000000..1cd7710 --- /dev/null +++ b/csv_import.py @@ -0,0 +1,83 @@ +#!/usr/bin/env python3 + +import os, re +from flask.ext.mongoengine import MongoEngine +import datetime +import base64 + +from bookie import * + +app.config["MONGODB_DB"] = "bookie" +db = MongoEngine(app) + +file = open('bookmarks.csv') + +date_marker = datetime.datetime.now() +count = 0 + +Bookmark.objects.all().delete() +Tag.objects.all().delete() +ArchivedText.objects.all().delete() +ArchivedImage.objects.all().delete() + +### +# Fixed field order: +# URL, TITLE, NOTE, DATE, TAGS, UNREAD, SOURCE +### +# Notes on processing assumptions: +# UNREAD field is 1/0 integer compare +# Escape commas with ^comma^ in raw fields before CSV export +# Watch for NEWLINE/CRLF issues +# All tags converted to lowercase, tag duplication prevented +# Date importing assumes that bookmarks are in chronological order and will continue to \ +# ... use the last recorded date until it finds a new date + +for line in file.readlines(): + b = Bookmark() + [URL, TITLE, NOTE, DATE, TAGS, UNREAD, SOURCE] = line.split(",") + filtered_url = URL.replace('^comma^',',') + if Bookmark.objects(url=filtered_url).count() == 0: + print("URL: " + URL) + b.url = filtered_url + else: + print("Duplicate URL: " + URL) + continue + print("Title: " + TITLE) + b.title = TITLE.replace('^comma^',',')[:255] + print("Note: " + NOTE) + b.note = NOTE.replace('^comma^',',') + if DATE != "": + b.created_at = datetime.datetime(*map(int, re.split('[^\d]', DATE)[:-1])) + if b.created_at < date_marker: + date_marker = b.created_at + else: + b.created_at = date_marker + + print("Date: " + b.created_at.strftime("%Y/%m/%d")) + print("Tags: " + TAGS) + if TAGS != "": + tag_list = [] + for rawtag in TAGS.split(" "): + filtered = rawtag.replace('^comma^',',').lower()[:25] + t = Tag.objects.get_or_create(name=filtered)[0].save() + tag_list.append(t) + b.tags=tag_list + + if int(UNREAD) > 0: + b.unread = True + print("Unread: True") + print(UNREAD) + else: + b.unread=False + print("Unread: False") + print(UNREAD) + + b.archived_text_needed = True + b.archived_image_needed = True + b.deleted = False + b.short = b.get_short() + b.factor = b.get_factor() + b.save() + + count += 1 + print(count) diff --git a/html_parse.py b/html_parse.py new file mode 100644 index 0000000..df395c9 --- /dev/null +++ b/html_parse.py @@ -0,0 +1,94 @@ +from bs4 import BeautifulSoup as BS +from urllib.parse import urljoin + +from bookie import app + +def html_parse(raw_html,url,paragraphs=True): + strip_tags = False + soup = BS(raw_html) + for t in soup(["script","style","nav","header","aside","select","form", \ + "link","meta","svg"]): + t.decompose() + for [tag, attr] in kill_list(): + for t in soup.findAll(tag, attr): + t.decompose() + if soup.find("div", attrs={"class":"story-text"}): + app.logger.debug('Text import from
') + text = soup.find("div", attrs={"class":"story-text"}) + elif soup.find("div", attrs={"id":"article"}): + print('Text import from
') + text = soup.find("div", attrs={"id":"article"}) + elif soup.find("div", attrs={"id":"articleBody"}): + print('Text import from
') + text = soup.find("div", attrs={"id":"articleBody"}) + elif soup.find("div", attrs={"class":"articleBody"}): + print('Text import from
') + text = soup.find("div", attrs={"class":"articleBody"}) + elif soup.find("div", attrs={"class":"post"}): + print('Text import from
') + text = soup.find("div", attrs={"class":"post"}) + elif soup.find("div", attrs={"class":"post-content"}): + print('Text import from
') + text = soup.find("div", attrs={"class":"post-content"}) + elif soup.find("div", attrs={"class":"article-content"}): + print('Text import from
') + text = soup.find("div", attrs={"class":"article-content"}) + elif soup.find("div", attrs={"class":"story-content"}): + print('Text import from
') + text = soup.find("div", attrs={"class":"story-content"}) + elif soup.find("div", attrs={"class":"content"}): + print('Text import from
') + text = soup.find("div", attrs={"class":"content"}) + elif soup.find("article"): + print('Text import from from
') + text = soup.find("article") + elif soup.find("div", attrs={"id":"page"}): + print('Text import from
') + text = soup.find("div", attrs={"id":"page"}) + else: + text = soup("body")[0] + strip_tags = True + + if paragraphs == True: + for t in text('img'): + t['style'] = "max-width:600px;max-height:600px;" + try: + t['src'] = urljoin(url, t['src']) + except: + pass + for t in text("div"): + del(t['class']) + del(t['style']) + for t in text("iframe"): + del(t['height']) + del(t['width']) + t['style'] = "max-width:600px;max-height:600px;margin:0em auto;display:block;" + + if strip_tags == True: + lines = (line.strip() for line in text.get_text().splitlines()) + chunks = (phrase.strip() for line in lines for phrase in line.split(" ")) + output = '

'+'

'.join(chunk for chunk in chunks if chunk) + '

' + else: + lines = (line.strip() for line in text.prettify().splitlines()) + chunks = (phrase.strip() for line in lines for phrase in line.split(" ")) + output = '\n'.join(chunk for chunk in chunks if chunk) + else: + lines = (line.strip() for line in text.get_text().splitlines()) + chunks = (phrase.strip() for line in lines for phrase in line.split(" ")) + output = '\n'.join(chunk for chunk in chunks if chunk) + + return output + +def kill_list(): + kill_list = [] + kill_list.append(["div", {"id": "comments"}]) + kill_list.append(["div", {"class": "video"}]) + kill_list.append(["div", {"class": "m-linkset"}]) + kill_list.append(["div", {"class": "m-feature__intro"}]) + kill_list.append(["div", {"class": "m-share-buttons"}]) + kill_list.append(["p", {"class": "m-entry__byline"}]) + kill_list.append(["div", {"class": "social"}]) + kill_list.append(["div", {"id": "follow-bar"}]) + kill_list.append(["section", {"class": "m-rail-component"}]) + + return kill_list \ No newline at end of file diff --git a/json_import.py b/json_import.py new file mode 100755 index 0000000..48e4918 --- /dev/null +++ b/json_import.py @@ -0,0 +1,26 @@ +#!/usr/bin/env python3 + +import os, re +from flask.ext.mongoengine import MongoEngine +import datetime +import base64 + +from bookie import * + +app.config["MONGODB_DB"] = "bookie" +db = MongoEngine(app) + + +### +# File name is hard coded +### +file = open('bookmarks.json') + +### +# Kill everything in the db +### +# Bookmark.objects.all().delete() +# Tag.objects.all().delete() +# ArchivedText.objects.all().delete() +# ArchivedImage.objects.all().delete() + diff --git a/manage.py b/manage.py new file mode 100644 index 0000000..013bae1 --- /dev/null +++ b/manage.py @@ -0,0 +1,18 @@ +# Set the path +import os, sys +sys.path.append(os.path.abspath(os.path.join(os.path.dirname(__file__), '..'))) + +from flask.ext.script import Manager, Server +from bookie import app + +manager = Manager(app) + +# Turn on debugger by default and reloader +manager.add_command("runserver", Server( + use_debugger = True, + use_reloader = True, + host = '0.0.0.0') +) + +if __name__ == "__main__": + manager.run() \ No newline at end of file diff --git a/requirements.txt b/requirements.txt new file mode 100644 index 0000000..77ce923 --- /dev/null +++ b/requirements.txt @@ -0,0 +1,64 @@ +Flask-Script==2.0.5 +Flask-WTF==0.10.2 +Jinja2==2.7.3 +MarkupSafe==0.23 +Twisted==13.2.0 +WTForms==2.0.1 +Werkzeug==0.9.6 +altgraph==0.10.2 +bdist-mpkg==0.5.0 +bonjour-py==0.3 +gunicorn==19.1.0 +itsdangerous==0.24 +macholib==1.5.1 +matplotlib==1.3.1 +modulegraph==0.10.4 +mongoengine==0.8.7 +numpy==1.8.0rc1 +py2app==0.7.3 +pyOpenSSL==0.13.1 +pymongo==2.7.2 +pyobjc-core==2.5.1 +pyobjc-framework-Accounts==2.5.1 +pyobjc-framework-AddressBook==2.5.1 +pyobjc-framework-AppleScriptKit==2.5.1 +pyobjc-framework-AppleScriptObjC==2.5.1 +pyobjc-framework-Automator==2.5.1 +pyobjc-framework-CFNetwork==2.5.1 +pyobjc-framework-Cocoa==2.5.1 +pyobjc-framework-Collaboration==2.5.1 +pyobjc-framework-CoreData==2.5.1 +pyobjc-framework-CoreLocation==2.5.1 +pyobjc-framework-CoreText==2.5.1 +pyobjc-framework-DictionaryServices==2.5.1 +pyobjc-framework-EventKit==2.5.1 +pyobjc-framework-ExceptionHandling==2.5.1 +pyobjc-framework-FSEvents==2.5.1 +pyobjc-framework-InputMethodKit==2.5.1 +pyobjc-framework-InstallerPlugins==2.5.1 +pyobjc-framework-InstantMessage==2.5.1 +pyobjc-framework-LatentSemanticMapping==2.5.1 +pyobjc-framework-LaunchServices==2.5.1 +pyobjc-framework-Message==2.5.1 +pyobjc-framework-OpenDirectory==2.5.1 +pyobjc-framework-PreferencePanes==2.5.1 +pyobjc-framework-PubSub==2.5.1 +pyobjc-framework-QTKit==2.5.1 +pyobjc-framework-Quartz==2.5.1 +pyobjc-framework-ScreenSaver==2.5.1 +pyobjc-framework-ScriptingBridge==2.5.1 +pyobjc-framework-SearchKit==2.5.1 +pyobjc-framework-ServiceManagement==2.5.1 +pyobjc-framework-Social==2.5.1 +pyobjc-framework-SyncServices==2.5.1 +pyobjc-framework-SystemConfiguration==2.5.1 +pyobjc-framework-WebKit==2.5.1 +pyparsing==2.0.1 +python-dateutil==1.5 +pytz==2013.7 +scipy==0.13.0b1 +six==1.4.1 +virtualenv==1.11.6 +wsgiref==0.1.2 +xattr==0.6.4 +zope.interface==4.1.1 diff --git a/run_jobs.py b/run_jobs.py new file mode 100755 index 0000000..4bc4d90 --- /dev/null +++ b/run_jobs.py @@ -0,0 +1,27 @@ +#!/usr/bin/env python3 + +import os, re +from flask.ext.mongoengine import MongoEngine +import datetime +import base64 + +from bookie import * + +app.config["MONGODB_DB"] = "bookie" +db = MongoEngine(app) + +for b in Bookmark.objects(archived_text_needed = True): + print("Archiving text for " + b.short) + try: + update_archived_text(b) + print("Text archived.") + except: + print("Text archive failed.") + +for b in Bookmark.objects(archived_image_needed = True): + print("Archiving image for " + b.short) + try: + update_archived_image(b) + print("image archived.") + except: + print("image archive failed.") diff --git a/static/archive/.gitignore b/static/archive/.gitignore new file mode 100644 index 0000000..5e7d273 --- /dev/null +++ b/static/archive/.gitignore @@ -0,0 +1,4 @@ +# Ignore everything in this directory +* +# Except this file +!.gitignore diff --git a/static/images/logo.png b/static/images/logo.png new file mode 100644 index 0000000..911ffbe Binary files /dev/null and b/static/images/logo.png differ diff --git a/static/site.css b/static/site.css new file mode 100644 index 0000000..36cbd19 --- /dev/null +++ b/static/site.css @@ -0,0 +1,99 @@ +/* Site CSS File */ + +body { + font-family:Helvetica, Helvetica-Neue, Arial, sans-serif; + font-size: 14pt; +} + +div.wrapper{ + width:750px; + margin:0em auto; +} + +div.header { + text-align: center; +} + +div.image_embed { + text-align:center; + margin: 0em auto; +} + +div.image_caption { + text-align:center; + margin: 0em auto; + max-width: 700px; +} + +div.form { + margin: 0em auto; + text-align:center; +} + +div.form input.text { + border: 1px #000 solid; + width: 350px; +} + +div.form input.button { + font-size: 13pt; +} + +div.form textarea { + border: 1px #000 solid; + width: 350px; + height: 100px; +} + +div.list { + margin: 0em auto; +} + +div.text { + +} + +div.text p { + margin-bottom: 10px; +} + +img.image_embed { + max-width: 600px; + max-height: 600px; +} + +ul.bookmarks { + list-style-type: none; +} + +li.bookmark { + border-top: 1px #999 solid; + border-left: 1px #999 solid; + padding-left: 25px; + word-wrap: break-word; +} + +p.date { + font-size: 0.7em; +} + +p.menu { + font-size: 0.7em; +} + +p.tags { + font-size: 0.7em; +} + +div.nav { + width: 100%; + text-align: center; +} + +ul.nav { + list-style-type: none; +} + +ul.nav li { + display: inline; +} diff --git a/static/uploads/.gitignore b/static/uploads/.gitignore new file mode 100644 index 0000000..5e7d273 --- /dev/null +++ b/static/uploads/.gitignore @@ -0,0 +1,4 @@ +# Ignore everything in this directory +* +# Except this file +!.gitignore diff --git a/templates/detail.html b/templates/detail.html new file mode 100644 index 0000000..1522e37 --- /dev/null +++ b/templates/detail.html @@ -0,0 +1,12 @@ +{% extends "layout.html" %} +{% block title %} | {{b.short}} Details{% endblock %} +{% block body %} +

Title: {{b.title}}

+

Short: {{b.short}}

+

URL: {{b.url}}

+

Note: {{b.note}}

+

Tags: {% for t in b.tags %}{{t}}, {% endfor %} +

Created At {{b.created_at}}

+

Hits: {{b.hits}}

+

Factor: {{b.factor}}

+{% endblock %} \ No newline at end of file diff --git a/templates/form.html b/templates/form.html new file mode 100644 index 0000000..bdf61ca --- /dev/null +++ b/templates/form.html @@ -0,0 +1,39 @@ +{% extends "layout.html" %} +{% block title %} | New Bookmark{% endblock %} +{% block body %} +
+

Add/Update Bookmark

+ {% if action == "/edit" %} + {{b.short}} info + {% endif %} +
+


+

+


+

+


+

+

+

+

+

+

+

+

+

+ + +
+ +


+

+

+ +
+ +


+

+

+
+
+{% endblock %} \ No newline at end of file diff --git a/templates/image.html b/templates/image.html new file mode 100644 index 0000000..5f9c6b4 --- /dev/null +++ b/templates/image.html @@ -0,0 +1,11 @@ +{% extends "layout.html" %} +{% block title %} | {{b.title}}{% endblock %} +{% block body %} +
+ Image for {{b.short}} +
+
+

{{b.title}}

+

{{b.note}} +

+{% endblock %} \ No newline at end of file diff --git a/templates/index.html b/templates/index.html new file mode 100644 index 0000000..475d92b --- /dev/null +++ b/templates/index.html @@ -0,0 +1,13 @@ + + + + amd.im + + +
+
+ +
+
+ + \ No newline at end of file diff --git a/templates/layout.html b/templates/layout.html new file mode 100644 index 0000000..b7ee5b6 --- /dev/null +++ b/templates/layout.html @@ -0,0 +1,24 @@ + + + + amd.im{% block title %}{% endblock %} + + {% block includes %}{% endblock %} + + +
+
+ +
+ + {% block body %}{% endblock %} +
+ + \ No newline at end of file diff --git a/templates/list.html b/templates/list.html new file mode 100644 index 0000000..dd96866 --- /dev/null +++ b/templates/list.html @@ -0,0 +1,49 @@ +{% extends "layout.html" %} +{% block title %} | Bookmark List{% endblock %} +{% block body %} +
+
    + {% for b in blist %} +
  • +

    {{b.title}}

    +

    {{b.created_at.strftime('%Y-%m-%d')}}

    + +

    {{b.note}}

    + {% if b.tags %} +

    Tags: + {% for t in b.tags %} + {{t}} + {% endfor %}

    + {% endif %} + +
  • + {% endfor %} +
+
+{% endblock %} \ No newline at end of file diff --git a/templates/security/login_user.html b/templates/security/login_user.html new file mode 100644 index 0000000..41cd2bf --- /dev/null +++ b/templates/security/login_user.html @@ -0,0 +1,16 @@ +{% extends "layout.html" %} +{% block title %} | Login {% endblock %} +{% block body %} +
+ {% from "security/_macros.html" import render_field_with_errors, render_field %} + {% include "security/_messages.html" %} +
+ {{ login_user_form.hidden_tag() }} + {{ render_field_with_errors(login_user_form.email) }} + {{ render_field_with_errors(login_user_form.password) }} + {{ render_field_with_errors(login_user_form.remember) }} + {{ render_field(login_user_form.next) }} + {{ render_field(login_user_form.submit) }} +
+
+{% endblock %} \ No newline at end of file diff --git a/templates/text.html b/templates/text.html new file mode 100644 index 0000000..db58741 --- /dev/null +++ b/templates/text.html @@ -0,0 +1,32 @@ +{% extends "layout.html" %} +{% block title %} | {{b.title}} Text View{% endblock %} +{% block body %} +

{{b.title}}

+

{{b.created_at.strftime('%Y-%m-%d')}}

+ +
+ + {{text|safe}} +
+
+
+

Other versions of this text:

+ +
+ +{% endblock %} \ No newline at end of file