├── index.js ├── Makefile ├── .gitignore ├── .npmignore ├── .travis.yml ├── History.md ├── benchmark ├── benchmark.js ├── benchmark.php └── data │ └── text.js ├── package.json ├── LICENSE ├── test ├── ISO639.test.js ├── LanguageDetect.test.js └── Parser.test.js ├── index.d.ts ├── README.md ├── data └── unicode_blocks.json └── lib ├── ISO639.js ├── LanguageDetect.js └── Parser.js /index.js: -------------------------------------------------------------------------------- 1 | module.exports = require('./lib/LanguageDetect'); -------------------------------------------------------------------------------- /Makefile: -------------------------------------------------------------------------------- 1 | test: 2 | nodeunit ./test/*.js 3 | 4 | .PHONY: test -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | phptest 2 | node_modules 3 | .cupboard 4 | .idea 5 | package-lock.json 6 | -------------------------------------------------------------------------------- /.npmignore: -------------------------------------------------------------------------------- 1 | benchmark 2 | node_modules 3 | tests 4 | .gitignore 5 | .travis.yml 6 | History.md 7 | -------------------------------------------------------------------------------- /.travis.yml: -------------------------------------------------------------------------------- 1 | sudo: false 2 | 3 | language: node_js 4 | 5 | node_js: 6 | - "node" 7 | 8 | cache: 9 | directories: 10 | - node_modules 11 | 12 | install: 13 | - npm i -g npm@latest 14 | - npm install 15 | -------------------------------------------------------------------------------- /History.md: -------------------------------------------------------------------------------- 1 | 1.1.0 / 2013-03-06 2 | ================== 3 | * Improve benchmark tests 4 | * Work right without php.js 5 | * Unify JS code style 6 | * Add more unicode languages for tests 7 | * Remove .coffee files & clean tests files 8 | 9 | 1.0.0 / 2013-03-01 10 | ================== 11 | * Fixed unicode support 12 | 13 | 0.1 / 2011-07-18 14 | ================== 15 | * Initial commit -------------------------------------------------------------------------------- /benchmark/benchmark.js: -------------------------------------------------------------------------------- 1 | var data = JSON.parse(require('fs').readFileSync('./data/text.js', 'utf-8')); 2 | var LanguageDetect = require('../index'); 3 | 4 | var l = new LanguageDetect(); 5 | 6 | var ok = 0; 7 | 8 | var start = Date.now(); 9 | for (var i in data) { 10 | var text = data[i]; 11 | var r = l.detect(text.text); 12 | if (!r.length) continue; 13 | 14 | if (r[0][1] > 0.2) { 15 | ok++; 16 | } 17 | } 18 | var end = Date.now(); 19 | 20 | var time = Math.round((end-start))/1000; 21 | 22 | console.log(data.length + " items processed in " + time + " secs (" + ok + " with a score > 0.2)"); 23 | -------------------------------------------------------------------------------- /benchmark/benchmark.php: -------------------------------------------------------------------------------- 1 | detect($a[$i]->text); 16 | 17 | $k = array_keys($r); 18 | if($r[$k[0]] > 0.2){ 19 | $ok++; 20 | } 21 | } 22 | $end = microtime(true); 23 | $time = round($end-$start, 3); 24 | 25 | echo "$iM items processed in {$time} secs ($ok with a score > 0.2)\n"; 26 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "languagedetect", 3 | "description": "Nodejs language detection library using n-gram", 4 | "types": "index.d.ts", 5 | "keywords": [ 6 | "n-gram", 7 | "language", 8 | "language detection" 9 | ], 10 | "version": "2.0.0", 11 | "homepage": "http://blog.fgribreau.com/2011/07/week-end-project-nodejs-language.html", 12 | "author": "Francois-Guillaume Ribreau (http://fgribreau.com)", 13 | "contributors": [ 14 | "Ruslan Zavackiy (http://zavackiy.com)" 15 | ], 16 | "main": "index", 17 | "repository": "git://github.com/FGRibreau/node-language-detect.git", 18 | "licenses": [ 19 | { 20 | "type": "BSD", 21 | "url": "http://github.com/FGRibreau/node-language-detect/blob/master/LICENSE" 22 | } 23 | ], 24 | "scripts": { 25 | "test": "nodeunit test/*.test.js" 26 | }, 27 | "devDependencies": { 28 | "nodeunit": ">= 0.5.1" 29 | }, 30 | "engines": { 31 | "node": ">= 0.4.8" 32 | } 33 | } 34 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Copyright (c) 2013, Francois-Guillaume Ribreau , Ruslan Zavackiy 2 | 3 | Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: 4 | 5 | The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. 6 | 7 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. 8 | -------------------------------------------------------------------------------- /test/ISO639.test.js: -------------------------------------------------------------------------------- 1 | require('nodeunit'); 2 | 3 | var ISO639 = require('../lib/ISO639.js'); 4 | 5 | exports.getCode2 = function (t) { 6 | t.equal(ISO639.getCode2('English'), 'en'); 7 | t.equal(ISO639.getCode2('Russian'), 'ru'); 8 | t.equal(ISO639.getCode2('dANiSH'), 'da'); 9 | t.equal(ISO639.getCode2('unknown'), null); 10 | 11 | return t.done(); 12 | }; 13 | 14 | exports.getCode3 = function (t) { 15 | t.equal(ISO639.getCode3('English'), 'eng'); 16 | t.equal(ISO639.getCode3('Russian'), 'rus'); 17 | t.equal(ISO639.getCode3('dANiSH'), 'dan'); 18 | t.equal(ISO639.getCode3('unknown'), null); 19 | 20 | return t.done(); 21 | }; 22 | 23 | exports.getName2 = function (t) { 24 | t.equal(ISO639.getName2('en'), 'english'); 25 | t.equal(ISO639.getName2('ru'), 'russian'); 26 | t.equal(ISO639.getName2('da'), 'danish'); 27 | t.equal(ISO639.getName2(null), null); 28 | 29 | return t.done(); 30 | }; 31 | 32 | exports.getName3 = function (t) { 33 | t.equal(ISO639.getName3('eng'), 'english'); 34 | t.equal(ISO639.getName3('rus'), 'russian'); 35 | t.equal(ISO639.getName3('dan'), 'danish'); 36 | t.equal(ISO639.getName3(null), null); 37 | 38 | return t.done(); 39 | }; -------------------------------------------------------------------------------- /index.d.ts: -------------------------------------------------------------------------------- 1 | declare module 'languagedetect' { 2 | type Probabilities = [ string, number ]; 3 | 4 | /** 5 | * LanguageDetect is a port of the PEAR::Text_LanguageDetect that can 6 | * identify human languages from text samples and return confidence 7 | * scores for each. 8 | */ 9 | class LanguageDetect { 10 | /** 11 | * No parameters required 12 | */ 13 | constructor(); 14 | 15 | /** 16 | * Detects the closeness of a sample of text to the known languages 17 | * 18 | * @param sample The text to run the detection 19 | * @param limit Max number of matches 20 | * @example 21 | * detect('This is a test'); 22 | * @returns All sorted matches language with its matching score 23 | */ 24 | detect(sample: string, limit?: number): Probabilities[]; 25 | 26 | /** 27 | * List of detectable languages 28 | * 29 | * @example 30 | * getLanguages(); 31 | * @returns All supported languages 32 | */ 33 | getLanguages(): string[]; 34 | 35 | /** 36 | * Number of languages that the lib can detect 37 | * 38 | * @example 39 | * getLanguageCount(); 40 | * @returns How many languages are supported 41 | */ 42 | getLanguageCount(): number; 43 | 44 | /** 45 | * Set the language format to be used in the results 46 | * 47 | * Supported types are 'iso2' and 'iso3'. Any other 48 | * value will result in the full language name being 49 | * used (default). 50 | * 51 | * @example 52 | * setLanguageType('iso2'); 53 | * @param languageType 54 | */ 55 | setLanguageType(languageType: string): void; 56 | } 57 | 58 | export = LanguageDetect; 59 | } 60 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Node Language Detect 2 | [![Travis (.org)](https://img.shields.io/travis/FGRibreau/node-language-detect)](http://travis-ci.org/FGRibreau/node-language-detect) 3 | [![David](https://img.shields.io/david/FGRibreau/node-language-detect)](https://david-dm.org/FGRibreau/node-language-detect) 4 | [![npm](https://img.shields.io/npm/v/languagedetect)](https://www.npmjs.com/package/languagedetect) 5 | [![npm](https://img.shields.io/npm/dw/languagedetect)](https://www.npmjs.com/package/languagedetect) 6 | [![node](https://img.shields.io/node/v/languagedetect)](https://www.npmjs.com/package/languagedetect) 7 | [![npm bundle size](https://img.shields.io/bundlephobia/minzip/languagedetect)](https://www.npmjs.com/package/languagedetect) 8 | [![Get help on Codementor](https://img.shields.io/badge/codementor-get%20help-blue.svg)](https://www.codementor.io/francois-guillaume-ribreau?utm_source=github&utm_medium=button&utm_term=francois-guillaume-ribreau&utm_campaign=github) 9 | [![Twitter Follow](https://img.shields.io/twitter/follow/FGRibreau?style=social)](https://twitter.com/FGRibreau) [![Slack](https://img.shields.io/badge/Slack-Join%20our%20tech%20community-17202A?logo=slack)](https://join.slack.com/t/fgribreau/shared_invite/zt-edpjwt2t-Zh39mDUMNQ0QOr9qOj~jrg) 10 | 11 | ![npm](https://nodei.co/npm/languagedetect.png) 12 | 13 | `LanguageDetect` is a port of the [PEAR::Text_LanguageDetect](http://pear.php.net/package/Text_LanguageDetect) for [node.js](http://nodejs.org). 14 | 15 | LanguageDetect can identify 52 human languages from text samples and return confidence scores for each. 16 | 17 | ### Installation 18 | This package can be installed via [npm](http://npmjs.org/) as follows 19 | ```shell 20 | npm install languagedetect --save 21 | ``` 22 | ### Example 23 | ```javascript 24 | const LanguageDetect = require('languagedetect'); 25 | const lngDetector = new LanguageDetect(); 26 | 27 | // OR 28 | // const lngDetector = new (require('languagedetect')); 29 | 30 | console.log(lngDetector.detect('This is a test.')); 31 | 32 | /* 33 | [ [ 'english', 0.5969230769230769 ], 34 | [ 'hungarian', 0.407948717948718 ], 35 | [ 'latin', 0.39205128205128204 ], 36 | [ 'french', 0.367948717948718 ], 37 | [ 'portuguese', 0.3669230769230769 ], 38 | [ 'estonian', 0.3507692307692307 ], 39 | [ 'latvian', 0.2615384615384615 ], 40 | [ 'spanish', 0.2597435897435898 ], 41 | [ 'slovak', 0.25051282051282053 ], 42 | [ 'dutch', 0.2482051282051282 ], 43 | [ 'lithuanian', 0.2466666666666667 ], 44 | ... ] 45 | */ 46 | 47 | // Only get the first 2 results 48 | console.log(lngDetector.detect('This is a test.', 2)); 49 | 50 | /* 51 | [ [ 'english', 0.5969230769230769 ], [ 'hungarian', 0.407948717948718 ] ] 52 | */ 53 | ``` 54 | 55 | ### API 56 | * `detect(sample, limit)` Detects the closeness of a sample of text to the known languages 57 | * `getLanguages()` Returns the list of detectable languages 58 | * `getLanguageCount()` Returns the number of languages that the lib can detect 59 | * `setLanguageType(format)` Sets the language format to be used. Suported values: 60 | * `iso2`, resulting in two letter language format 61 | * `iso3`, resulting in three letter language format 62 | * Any other value results in the full language name 63 | ### Benchmark 64 | * `node.js` 1000 items processed in 1.277 secs (482 with a score > 0.2) 65 | * `PHP` 1000 items processed in 4.835 secs (535 with a score > 0.2) 66 | 67 | ### Credits 68 | Nicholas Pisarro for his work on [PEAR::Text_LanguageDetect](http://pear.php.net/package/Text_LanguageDetect) 69 | 70 | ### License 71 | Copyright (c) 2013, Francois-Guillaume Ribreau , Ruslan Zavackiy 72 | 73 | Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: 74 | 75 | The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. 76 | 77 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. 78 | -------------------------------------------------------------------------------- /data/unicode_blocks.json: -------------------------------------------------------------------------------- 1 | [["0x0000","0x007F","Basic Latin"],["0x0080","0x00FF","Latin-1 Supplement"],["0x0100","0x017F","Latin Extended-A"],["0x0180","0x024F","Latin Extended-B"],["0x0250","0x02AF","IPA Extensions"],["0x02B0","0x02FF","Spacing Modifier Letters"],["0x0300","0x036F","Combining Diacritical Marks"],["0x0370","0x03FF","Greek and Coptic"],["0x0400","0x04FF","Cyrillic"],["0x0500","0x052F","Cyrillic Supplement"],["0x0530","0x058F","Armenian"],["0x0590","0x05FF","Hebrew"],["0x0600","0x06FF","Arabic"],["0x0700","0x074F","Syriac"],["0x0750","0x077F","Arabic Supplement"],["0x0780","0x07BF","Thaana"],["0x0900","0x097F","Devanagari"],["0x0980","0x09FF","Bengali"],["0x0A00","0x0A7F","Gurmukhi"],["0x0A80","0x0AFF","Gujarati"],["0x0B00","0x0B7F","Oriya"],["0x0B80","0x0BFF","Tamil"],["0x0C00","0x0C7F","Telugu"],["0x0C80","0x0CFF","Kannada"],["0x0D00","0x0D7F","Malayalam"],["0x0D80","0x0DFF","Sinhala"],["0x0E00","0x0E7F","Thai"],["0x0E80","0x0EFF","Lao"],["0x0F00","0x0FFF","Tibetan"],["0x1000","0x109F","Myanmar"],["0x10A0","0x10FF","Georgian"],["0x1100","0x11FF","Hangul Jamo"],["0x1200","0x137F","Ethiopic"],["0x1380","0x139F","Ethiopic Supplement"],["0x13A0","0x13FF","Cherokee"],["0x1400","0x167F","Unified Canadian Aboriginal Syllabics"],["0x1680","0x169F","Ogham"],["0x16A0","0x16FF","Runic"],["0x1700","0x171F","Tagalog"],["0x1720","0x173F","Hanunoo"],["0x1740","0x175F","Buhid"],["0x1760","0x177F","Tagbanwa"],["0x1780","0x17FF","Khmer"],["0x1800","0x18AF","Mongolian"],["0x1900","0x194F","Limbu"],["0x1950","0x197F","Tai Le"],["0x1980","0x19DF","New Tai Lue"],["0x19E0","0x19FF","Khmer Symbols"],["0x1A00","0x1A1F","Buginese"],["0x1D00","0x1D7F","Phonetic Extensions"],["0x1D80","0x1DBF","Phonetic Extensions Supplement"],["0x1DC0","0x1DFF","Combining Diacritical Marks Supplement"],["0x1E00","0x1EFF","Latin Extended Additional"],["0x1F00","0x1FFF","Greek Extended"],["0x2000","0x206F","General Punctuation"],["0x2070","0x209F","Superscripts and Subscripts"],["0x20A0","0x20CF","Currency Symbols"],["0x20D0","0x20FF","Combining Diacritical Marks for Symbols"],["0x2100","0x214F","Letterlike Symbols"],["0x2150","0x218F","Number Forms"],["0x2190","0x21FF","Arrows"],["0x2200","0x22FF","Mathematical Operators"],["0x2300","0x23FF","Miscellaneous Technical"],["0x2400","0x243F","Control Pictures"],["0x2440","0x245F","Optical Character Recognition"],["0x2460","0x24FF","Enclosed Alphanumerics"],["0x2500","0x257F","Box Drawing"],["0x2580","0x259F","Block Elements"],["0x25A0","0x25FF","Geometric Shapes"],["0x2600","0x26FF","Miscellaneous Symbols"],["0x2700","0x27BF","Dingbats"],["0x27C0","0x27EF","Miscellaneous Mathematical Symbols-A"],["0x27F0","0x27FF","Supplemental Arrows-A"],["0x2800","0x28FF","Braille Patterns"],["0x2900","0x297F","Supplemental Arrows-B"],["0x2980","0x29FF","Miscellaneous Mathematical Symbols-B"],["0x2A00","0x2AFF","Supplemental Mathematical Operators"],["0x2B00","0x2BFF","Miscellaneous Symbols and Arrows"],["0x2C00","0x2C5F","Glagolitic"],["0x2C80","0x2CFF","Coptic"],["0x2D00","0x2D2F","Georgian Supplement"],["0x2D30","0x2D7F","Tifinagh"],["0x2D80","0x2DDF","Ethiopic Extended"],["0x2E00","0x2E7F","Supplemental Punctuation"],["0x2E80","0x2EFF","CJK Radicals Supplement"],["0x2F00","0x2FDF","Kangxi Radicals"],["0x2FF0","0x2FFF","Ideographic Description Characters"],["0x3000","0x303F","CJK Symbols and Punctuation"],["0x3040","0x309F","Hiragana"],["0x30A0","0x30FF","Katakana"],["0x3100","0x312F","Bopomofo"],["0x3130","0x318F","Hangul Compatibility Jamo"],["0x3190","0x319F","Kanbun"],["0x31A0","0x31BF","Bopomofo Extended"],["0x31C0","0x31EF","CJK Strokes"],["0x31F0","0x31FF","Katakana Phonetic Extensions"],["0x3200","0x32FF","Enclosed CJK Letters and Months"],["0x3300","0x33FF","CJK Compatibility"],["0x3400","0x4DBF","CJK Unified Ideographs Extension A"],["0x4DC0","0x4DFF","Yijing Hexagram Symbols"],["0x4E00","0x9FFF","CJK Unified Ideographs"],["0xA000","0xA48F","Yi Syllables"],["0xA490","0xA4CF","Yi Radicals"],["0xA700","0xA71F","Modifier Tone Letters"],["0xA800","0xA82F","Syloti Nagri"],["0xAC00","0xD7AF","Hangul Syllables"],["0xD800","0xDB7F","High Surrogates"],["0xDB80","0xDBFF","High Private Use Surrogates"],["0xDC00","0xDFFF","Low Surrogates"],["0xE000","0xF8FF","Private Use Area"],["0xF900","0xFAFF","CJK Compatibility Ideographs"],["0xFB00","0xFB4F","Alphabetic Presentation Forms"],["0xFB50","0xFDFF","Arabic Presentation Forms-A"],["0xFE00","0xFE0F","Variation Selectors"],["0xFE10","0xFE1F","Vertical Forms"],["0xFE20","0xFE2F","Combining Half Marks"],["0xFE30","0xFE4F","CJK Compatibility Forms"],["0xFE50","0xFE6F","Small Form Variants"],["0xFE70","0xFEFF","Arabic Presentation Forms-B"],["0xFF00","0xFFEF","Halfwidth and Fullwidth Forms"],["0xFFF0","0xFFFF","Specials"],["0x10000","0x1007F","Linear B Syllabary"],["0x10080","0x100FF","Linear B Ideograms"],["0x10100","0x1013F","Aegean Numbers"],["0x10140","0x1018F","Ancient Greek Numbers"],["0x10300","0x1032F","Old Italic"],["0x10330","0x1034F","Gothic"],["0x10380","0x1039F","Ugaritic"],["0x103A0","0x103DF","Old Persian"],["0x10400","0x1044F","Deseret"],["0x10450","0x1047F","Shavian"],["0x10480","0x104AF","Osmanya"],["0x10800","0x1083F","Cypriot Syllabary"],["0x10A00","0x10A5F","Kharoshthi"],["0x1D000","0x1D0FF","Byzantine Musical Symbols"],["0x1D100","0x1D1FF","Musical Symbols"],["0x1D200","0x1D24F","Ancient Greek Musical Notation"],["0x1D300","0x1D35F","Tai Xuan Jing Symbols"],["0x1D400","0x1D7FF","Mathematical Alphanumeric Symbols"],["0x20000","0x2A6DF","CJK Unified Ideographs Extension B"],["0x2F800","0x2FA1F","CJK Compatibility Ideographs Supplement"],["0xE0000","0xE007F","Tags"],["0xE0100","0xE01EF","Variation Selectors Supplement"],["0xF0000","0xFFFFF","Supplementary Private Use Area-A"],["0x100000","0x10FFFF","Supplementary Private Use Area-B"]] -------------------------------------------------------------------------------- /lib/ISO639.js: -------------------------------------------------------------------------------- 1 | var Languages = module.exports = { 2 | getCode2:function (lang) { 3 | return Languages.nameToCode2[String(lang).toLowerCase()] || null; 4 | }, 5 | 6 | getCode3: function(lang) { 7 | return Languages.nameToCode3[String(lang).toLowerCase()] || null; 8 | }, 9 | 10 | getName2: function(code) { 11 | return Languages.code2ToName[String(code).toLowerCase()] || null; 12 | }, 13 | 14 | getName3: function(code) { 15 | return Languages.code3ToName[String(code).toLowerCase()] || null; 16 | }, 17 | 18 | nameToCode2:{ 19 | 'albanian':'sq', 20 | 'arabic':'ar', 21 | 'azeri':'az', 22 | 'bengali':'bn', 23 | 'bulgarian':'bg', 24 | 'cebuano':null, 25 | 'croatian':'hr', 26 | 'czech':'cs', 27 | 'danish':'da', 28 | 'dutch':'nl', 29 | 'english':'en', 30 | 'estonian':'et', 31 | 'farsi':'fa', 32 | 'finnish':'fi', 33 | 'french':'fr', 34 | 'german':'de', 35 | 'hausa':'ha', 36 | 'hawaiian':null, 37 | 'hindi':'hi', 38 | 'hungarian':'hu', 39 | 'icelandic':'is', 40 | 'indonesian':'id', 41 | 'italian':'it', 42 | 'kazakh':'kk', 43 | 'kyrgyz':'ky', 44 | 'latin':'la', 45 | 'latvian':'lv', 46 | 'lithuanian':'lt', 47 | 'macedonian':'mk', 48 | 'mongolian':'mn', 49 | 'nepali':'ne', 50 | 'norwegian':'no', 51 | 'pashto':'ps', 52 | 'pidgin':null, 53 | 'polish':'pl', 54 | 'portuguese':'pt', 55 | 'romanian':'ro', 56 | 'russian':'ru', 57 | 'serbian':'sr', 58 | 'slovak':'sk', 59 | 'slovene':'sl', 60 | 'somali':'so', 61 | 'spanish':'es', 62 | 'swahili':'sw', 63 | 'swedish':'sv', 64 | 'tagalog':'tl', 65 | 'turkish':'tr', 66 | 'ukrainian':'uk', 67 | 'urdu':'ur', 68 | 'uzbek':'uz', 69 | 'vietnamese':'vi', 70 | 'welsh':'cy' 71 | }, 72 | 73 | nameToCode3:{ 74 | 'albanian':'sqi', 75 | 'arabic':'ara', 76 | 'azeri':'aze', 77 | 'bengali':'ben', 78 | 'bulgarian':'bul', 79 | 'cebuano':'ceb', 80 | 'croatian':'hrv', 81 | 'czech':'ces', 82 | 'danish':'dan', 83 | 'dutch':'nld', 84 | 'english':'eng', 85 | 'estonian':'est', 86 | 'farsi':'fas', 87 | 'finnish':'fin', 88 | 'french':'fra', 89 | 'german':'deu', 90 | 'hausa':'hau', 91 | 'hawaiian':'haw', 92 | 'hindi':'hin', 93 | 'hungarian':'hun', 94 | 'icelandic':'isl', 95 | 'indonesian':'ind', 96 | 'italian':'ita', 97 | 'kazakh':'kaz', 98 | 'kyrgyz':'kir', 99 | 'latin':'lat', 100 | 'latvian':'lav', 101 | 'lithuanian':'lit', 102 | 'macedonian':'mkd', 103 | 'mongolian':'mon', 104 | 'nepali':'nep', 105 | 'norwegian':'nor', 106 | 'pashto':'pus', 107 | 'pidgin':'crp', 108 | 'polish':'pol', 109 | 'portuguese':'por', 110 | 'romanian':'ron', 111 | 'russian':'rus', 112 | 'serbian':'srp', 113 | 'slovak':'slk', 114 | 'slovene':'slv', 115 | 'somali':'som', 116 | 'spanish':'spa', 117 | 'swahili':'swa', 118 | 'swedish':'swe', 119 | 'tagalog':'tgl', 120 | 'turkish':'tur', 121 | 'ukrainian':'ukr', 122 | 'urdu':'urd', 123 | 'uzbek':'uzb', 124 | 'vietnamese':'vie', 125 | 'welsh':'cym' 126 | }, 127 | code2ToName:{ 128 | 'ar':'arabic', 129 | 'az':'azeri', 130 | 'bg':'bulgarian', 131 | 'bn':'bengali', 132 | 'cs':'czech', 133 | 'cy':'welsh', 134 | 'da':'danish', 135 | 'de':'german', 136 | 'en':'english', 137 | 'es':'spanish', 138 | 'et':'estonian', 139 | 'fa':'farsi', 140 | 'fi':'finnish', 141 | 'fr':'french', 142 | 'ha':'hausa', 143 | 'hi':'hindi', 144 | 'hr':'croatian', 145 | 'hu':'hungarian', 146 | 'id':'indonesian', 147 | 'is':'icelandic', 148 | 'it':'italian', 149 | 'kk':'kazakh', 150 | 'ky':'kyrgyz', 151 | 'la':'latin', 152 | 'lt':'lithuanian', 153 | 'lv':'latvian', 154 | 'mk':'macedonian', 155 | 'mn':'mongolian', 156 | 'ne':'nepali', 157 | 'nl':'dutch', 158 | 'no':'norwegian', 159 | 'pl':'polish', 160 | 'ps':'pashto', 161 | 'pt':'portuguese', 162 | 'ro':'romanian', 163 | 'ru':'russian', 164 | 'sk':'slovak', 165 | 'sl':'slovene', 166 | 'so':'somali', 167 | 'sq':'albanian', 168 | 'sr':'serbian', 169 | 'sv':'swedish', 170 | 'sw':'swahili', 171 | 'tl':'tagalog', 172 | 'tr':'turkish', 173 | 'uk':'ukrainian', 174 | 'ur':'urdu', 175 | 'uz':'uzbek', 176 | 'vi':'vietnamese' 177 | }, 178 | 179 | code3ToName:{ 180 | 'ara':'arabic', 181 | 'aze':'azeri', 182 | 'ben':'bengali', 183 | 'bul':'bulgarian', 184 | 'ceb':'cebuano', 185 | 'ces':'czech', 186 | 'crp':'pidgin', 187 | 'cym':'welsh', 188 | 'dan':'danish', 189 | 'deu':'german', 190 | 'eng':'english', 191 | 'est':'estonian', 192 | 'fas':'farsi', 193 | 'fin':'finnish', 194 | 'fra':'french', 195 | 'hau':'hausa', 196 | 'haw':'hawaiian', 197 | 'hin':'hindi', 198 | 'hrv':'croatian', 199 | 'hun':'hungarian', 200 | 'ind':'indonesian', 201 | 'isl':'icelandic', 202 | 'ita':'italian', 203 | 'kaz':'kazakh', 204 | 'kir':'kyrgyz', 205 | 'lat':'latin', 206 | 'lav':'latvian', 207 | 'lit':'lithuanian', 208 | 'mkd':'macedonian', 209 | 'mon':'mongolian', 210 | 'nep':'nepali', 211 | 'nld':'dutch', 212 | 'nor':'norwegian', 213 | 'pol':'polish', 214 | 'por':'portuguese', 215 | 'pus':'pashto', 216 | 'rom':'romanian', 217 | 'rus':'russian', 218 | 'slk':'slovak', 219 | 'slv':'slovene', 220 | 'som':'somali', 221 | 'spa':'spanish', 222 | 'sqi':'albanian', 223 | 'srp':'serbian', 224 | 'swa':'swahili', 225 | 'swe':'swedish', 226 | 'tgl':'tagalog', 227 | 'tur':'turkish', 228 | 'ukr':'ukrainian', 229 | 'urd':'urdu', 230 | 'uzb':'uzbek', 231 | 'vie':'vietnamese' 232 | } 233 | }; -------------------------------------------------------------------------------- /test/LanguageDetect.test.js: -------------------------------------------------------------------------------- 1 | require('nodeunit'); 2 | 3 | var LanguageDetect = require('../lib/LanguageDetect'); 4 | var Parser = require('../lib/Parser'); 5 | var Index = require('../index'); 6 | 7 | exports.index = function (t) { 8 | t.expect(2); 9 | t.equal(typeof Index, 'function'); 10 | t.equal(typeof new Index().detect, 'function'); 11 | 12 | return t.done(); 13 | }; 14 | 15 | exports.distance = function (t) { 16 | var str = 'from SW HOUSTON to #PVnation SOPHOMORE STATUS Just A Soul Whose Intentions Are Good Self-expression should always b limitless if that bothers u...dont follow me'; 17 | var a = new LanguageDetect(str); 18 | var l = new Parser(str); 19 | 20 | l.setPadStart(true); 21 | l.analyze(); 22 | 23 | var trigram_freqs = l.getTrigramRanks(); 24 | 25 | t.equal(a.distance(a.langDb['arabic'], trigram_freqs), 42900); 26 | t.equal(a.distance(a.langDb['azeri'], trigram_freqs), 41727); 27 | t.equal(a.distance(a.langDb['bengali'], trigram_freqs), 42900); 28 | t.equal(a.distance(a.langDb['bulgarian'], trigram_freqs), 42900); 29 | t.equal(a.distance(a.langDb['cebuano'], trigram_freqs), 40041); 30 | t.equal(a.distance(a.langDb['croatian'], trigram_freqs), 37103); 31 | t.equal(a.distance(a.langDb['czech'], trigram_freqs), 39100); 32 | t.equal(a.distance(a.langDb['danish'], trigram_freqs), 35334); 33 | t.equal(a.distance(a.langDb['dutch'], trigram_freqs), 37691); 34 | t.equal(a.distance(a.langDb['english'], trigram_freqs), 27435); 35 | t.equal(a.distance(a.langDb['estonian'], trigram_freqs), 37512); 36 | t.equal(a.distance(a.langDb['farsi'], trigram_freqs), 42900); 37 | t.equal(a.distance(a.langDb['finnish'], trigram_freqs), 38619); 38 | t.equal(a.distance(a.langDb['french'], trigram_freqs), 34141); 39 | t.equal(a.distance(a.langDb['german'], trigram_freqs), 37005); 40 | t.equal(a.distance(a.langDb['hausa'], trigram_freqs), 40622); 41 | t.equal(a.distance(a.langDb['hawaiian'], trigram_freqs), 40878); 42 | t.equal(a.distance(a.langDb['hindi'], trigram_freqs), 42900); 43 | t.equal(a.distance(a.langDb['hungarian'], trigram_freqs), 37880); 44 | t.equal(a.distance(a.langDb['icelandic'], trigram_freqs), 39340); 45 | t.equal(a.distance(a.langDb['indonesian'], trigram_freqs), 40286); 46 | t.equal(a.distance(a.langDb['italian'], trigram_freqs), 34882); 47 | t.equal(a.distance(a.langDb['kazakh'], trigram_freqs), 42900); 48 | 49 | return t.done(); 50 | }; 51 | 52 | exports.normalizeScore = function (t) { 53 | var l = new LanguageDetect(); 54 | 55 | var clean = function (o) { 56 | if (o === 0) { 57 | return o; 58 | } else { 59 | return (+(o + '').substr(0, 15)) + 0.0000000000001; 60 | } 61 | }; 62 | 63 | t.equal(clean(l.normalizeScore(42900, 143)), 0); 64 | t.equal(clean(l.normalizeScore(34548, 143)), 0.1946853146854); 65 | t.equal(clean(l.normalizeScore(39626, 143)), 0.0763170163171); 66 | t.equal(clean(l.normalizeScore(37236, 143)), 0.132027972028); 67 | t.equal(clean(l.normalizeScore(35401, 143)), 0.1748018648019); 68 | t.equal(clean(l.normalizeScore(37165, 143)), 0.133682983683); 69 | t.equal(clean(l.normalizeScore(37828, 143)), 0.1182284382285); 70 | t.equal(clean(l.normalizeScore(39912, 143)), 0.0696503496504); 71 | t.equal(clean(l.normalizeScore(36439, 143)), 0.1506060606061); 72 | t.equal(clean(l.normalizeScore(39920, 143)), 0.0694638694639); 73 | t.equal(clean(l.normalizeScore(41657, 143)), 0.0289743589744); 74 | 75 | return t.done(); 76 | }; 77 | 78 | exports.getLanguageCount = function (t) { 79 | t.equal(new LanguageDetect().getLanguageCount(), 52); 80 | 81 | return t.done(); 82 | }; 83 | 84 | exports.detectShortString = function(t) { 85 | var l = new LanguageDetect(); 86 | 87 | t.deepEqual([], l.detect('')); 88 | t.deepEqual([], l.detect('a')); 89 | t.deepEqual([], l.detect('ab')); 90 | t.notDeepEqual([], l.detect('abc')); 91 | 92 | return t.done(); 93 | }; 94 | 95 | exports.detectEnglish = function (t) { 96 | var l = new LanguageDetect(); 97 | 98 | var tweets = [ 99 | [0.3604895104895105, "from SW HOUSTON to #PVnation SOPHOMORE STATUS Just A Soul Whose Intentions Are Good Self-expression should always b limitless if that bothers u...dont follow me"], 100 | [0.2747286821705426, "Here we give you a play by play of our own tweeted mistakes, concerns, anxieties - quality service"], 101 | [0.46369565217391306, "Hey! I haven't twited on Tweeter for a while soooo."], 102 | [0.31619047619047624, "I feel like I tweet so much more now that I have an iPhone"], 103 | [0.31215189873417715, "I just deleted my Facebook and when they asked for reasoning I typed. \"Twitter is better\""], 104 | [0.3796031746031746, "I really need to use My tweeter more often."] 105 | ]; 106 | 107 | for (var idx in tweets) { 108 | var r = l.detect(tweets[idx][1]); 109 | t.deepEqual(r[0], ['english', tweets[idx][0]]); 110 | } 111 | 112 | return t.done(); 113 | }; 114 | 115 | exports.detectEnglishIso2 = function (t) { 116 | var l = new LanguageDetect('iso2'); 117 | 118 | var r = l.detect("from SW HOUSTON to #PVnation SOPHOMORE STATUS Just A Soul Whose Intentions Are Good Self-expression should always b limitless if that bothers u...dont follow me"); 119 | t.deepEqual(r[0][0], 'en'); 120 | 121 | return t.done(); 122 | }; 123 | 124 | exports.detectEnglishIso3 = function (t) { 125 | var l = new LanguageDetect('iso3'); 126 | 127 | var r = l.detect("from SW HOUSTON to #PVnation SOPHOMORE STATUS Just A Soul Whose Intentions Are Good Self-expression should always b limitless if that bothers u...dont follow me"); 128 | t.deepEqual(r[0][0], 'eng'); 129 | 130 | return t.done(); 131 | }; 132 | 133 | exports.detectRussian = function (t) { 134 | var l = new LanguageDetect(); 135 | 136 | var tweets = [ 137 | [0.24057471264367825, "То, чего еще никто не писал про Нокиа, Элопа и горящую платформу"], 138 | [0.234421768707483, "Обещали без негатива. #Путин пригласил Обаму в Россию"], 139 | [0.221604938271605, "Ольга Пучкова вышла в финал теннисного турнира в Бразилии"], 140 | [0.1667857142857142, "Ученые обнаружили у Земли третий радиационный пояс: Изучение магнитосферы Земли и радиационных поясов имеет"], 141 | [0.11163580246913585 , "Самое длинное слово в Оксфордском словаре — Floccinaucinihilipilification, означающее «дать низкую оценку чему-либо»."], 142 | [0.2945421245421246, "Зафиксирована нестабильность потоков лавы в районе извержения вулкана Плоский Толбачик: Извержение Плоского "] 143 | ]; 144 | 145 | for (var idx in tweets) { 146 | var r = l.detect(tweets[idx][1]); 147 | t.deepEqual(r[0], ['russian', tweets[idx][0]]); 148 | } 149 | 150 | return t.done(); 151 | }; 152 | 153 | exports.detectLatvian = function (t) { 154 | var l = new LanguageDetect(); 155 | 156 | var tweets = [ 157 | [0.35, "Līdz Lielajai Talkai palika 50 dienas! Piedalies un ņem līdzi draugus. Tīra Latvija ir mūsu pašu rokās un galvās :)"], 158 | [0.3777254901960784, "Pēdēja ziemas diena, kaut ārā valda pavasaris. Ieskaties, kāds laiks ir gaidāms nedēļas nogalē:"], 159 | [0.2364779874213837, "Jau rīt - Mīlestības svētku koncerts Mājā kur dzīvo kino:"], 160 | [0.2857142857142857, "Vai jau izmēģināji mūsu starppilsētu autobusu biļešu iegādes sistēmu? Uzraksti par savām atsauksmēm :) Vai izmēģini:"] 161 | ]; 162 | 163 | for (var idx in tweets) { 164 | var r = l.detect(tweets[idx][1]); 165 | t.deepEqual(r[0], ['latvian', tweets[idx][0]]); 166 | } 167 | 168 | return t.done(); 169 | }; -------------------------------------------------------------------------------- /lib/LanguageDetect.js: -------------------------------------------------------------------------------- 1 | /** 2 | * 3 | * Detects the language of a given piece of text. 4 | * 5 | * Attempts to detect the language of a sample of text by correlating ranked 6 | * 3-gram frequencies to a table of 3-gram frequencies of known languages. 7 | * 8 | * Implements a version of a technique originally proposed by Cavnar & Trenkle 9 | * (1994): "N-Gram-Based Text Categorization" 10 | * 11 | * Largely inspired from the PHP Pear Package Text_LanguageDetect by Nicholas Pisarro 12 | * Licence: http://www.debian.org/misc/bsd.license BSD 13 | * 14 | * @author Francois-Guillaume Ribreau - @FGRibreau 15 | * @author Ruslan Zavackiy - @Chaoser 16 | * 17 | * @see https://github.com/FGRibreau/node-language-detect 18 | * 19 | * Installation: 20 | * npm install LanguageDetect 21 | * 22 | * @example 23 | * 24 | * var LanguageDetect = require("../LanguageDetect"); 25 | * var d = new LanguageDetect().detect('This is a test'); 26 | * // d[0] == 'english' 27 | * // d[1] == 0.5969230769230769 28 | * // Good score are over 0.3 29 | * 30 | */ 31 | 32 | var dbLang = require('../data/lang.json') 33 | , Parser = require('./Parser') 34 | , ISO639 = require('./ISO639'); 35 | 36 | var LanguageDetect = module.exports = function (languageType) { 37 | 38 | /** 39 | * The trigram data for comparison 40 | * 41 | * Will be loaded on start from $this->_db_filename 42 | * 43 | * May be set to a PEAR_Error object if there is an error during its 44 | * initialization 45 | * 46 | * @var array 47 | * @access private 48 | */ 49 | this.langDb = {}; 50 | 51 | /** 52 | * The size of the trigram data arrays 53 | * 54 | * @var int 55 | * @access private 56 | */ 57 | this.threshold = 300; 58 | 59 | this.useUnicodeNarrowing = true; 60 | 61 | /** 62 | * Constructor 63 | * 64 | * Load the language database. 65 | * 66 | */ 67 | this.langDb = dbLang['trigram']; 68 | this.unicodeMap = dbLang['trigram-unicodemap']; 69 | 70 | this.languageType = languageType || null; 71 | }; 72 | 73 | LanguageDetect.prototype = { 74 | 75 | /** 76 | * Returns the number of languages that this object can detect 77 | * 78 | * @access public 79 | * @return int the number of languages 80 | */ 81 | getLanguageCount:function () { 82 | return this.getLanguages().length; 83 | }, 84 | 85 | setLanguageType:function (type) { 86 | return this.languageType = type; 87 | }, 88 | 89 | /** 90 | * Returns the list of detectable languages 91 | * 92 | * @access public 93 | * @return object the names of the languages known to this object 94 | */ 95 | getLanguages:function () { 96 | return Object.keys(this.langDb); 97 | }, 98 | 99 | /** 100 | * Calculates a linear rank-order distance statistic between two sets of 101 | * ranked trigrams 102 | * 103 | * Sums the differences in rank for each trigram. If the trigram does not 104 | * appear in both, consider it a difference of $this->_threshold. 105 | * 106 | * This distance measure was proposed by Cavnar & Trenkle (1994). Despite 107 | * its simplicity it has been shown to be highly accurate for language 108 | * identification tasks. 109 | * 110 | * @access private 111 | * @param arr1 the reference set of trigram ranks 112 | * @param arr2 the target set of trigram ranks 113 | * @return int the sum of the differences between the ranks of 114 | * the two trigram sets 115 | */ 116 | distance:function (arr1, arr2) { 117 | var me = this 118 | , sumdist = 0 119 | , keys = Object.keys(arr2) 120 | , i; 121 | 122 | for (i = keys.length; i--;) { 123 | sumdist += arr1[keys[i]] ? Math.abs(arr2[keys[i]] - arr1[keys[i]]) : me.threshold; 124 | } 125 | 126 | return sumdist; 127 | }, 128 | 129 | /** 130 | * Normalizes the score returned by _distance() 131 | * 132 | * Different if perl compatible or not 133 | * 134 | * @access private 135 | * @param score the score from _distance() 136 | * @param baseCount the number of trigrams being considered 137 | * @return number the normalized score 138 | * 139 | * @see distance() 140 | */ 141 | normalizeScore:function (score, baseCount) { 142 | return 1 - (score / (baseCount || this.threshold) / this.threshold); 143 | }, 144 | 145 | /** 146 | * Detects the closeness of a sample of text to the known languages 147 | * 148 | * Calculates the statistical difference between the text and 149 | * the trigrams for each language, normalizes the score then 150 | * returns results for all languages in sorted order 151 | * 152 | * If perl compatible, the score is 300-0, 0 being most similar. 153 | * Otherwise, it's 0-1 with 1 being most similar. 154 | * 155 | * The $sample text should be at least a few sentences in length; 156 | * should be ascii-7 or utf8 encoded, if another and the mbstring extension 157 | * is present it will try to detect and convert. However, experience has 158 | * shown that mb_detect_encoding() *does not work very well* with at least 159 | * some types of encoding. 160 | * 161 | * @access public 162 | * @param sample a sample of text to compare. 163 | * @param limit if specified, return an array of the most likely 164 | * $limit languages and their scores. 165 | * @return Array sorted array of language scores, blank array if no 166 | * useable text was found, or PEAR_Error if error 167 | * with the object setup 168 | * 169 | * @see distance() 170 | */ 171 | detect:function (sample, limit) { 172 | var me = this 173 | , scores = []; 174 | 175 | limit = +limit || 0; 176 | 177 | if (sample == '' || String(sample).length < 3) return []; 178 | 179 | var sampleObj = new Parser(sample); 180 | sampleObj.setPadStart(true); 181 | sampleObj.analyze(); 182 | 183 | var trigramFreqs = sampleObj.getTrigramRanks() 184 | , trigramCount = Object.keys(trigramFreqs).length; 185 | 186 | if (trigramCount == 0) return []; 187 | 188 | var keys = [], i, lang; 189 | 190 | if (this.useUnicodeNarrowing) { 191 | var blocks = sampleObj.getUnicodeBlocks() 192 | , languages = Object.keys(blocks) 193 | , keysLength = languages.length; 194 | 195 | for (i = keysLength; i--;) { 196 | if (this.unicodeMap[languages[i]]) { 197 | for (lang in this.unicodeMap[languages[i]]) { 198 | if (!~keys.indexOf(lang)) keys.push(lang); 199 | } 200 | } 201 | } 202 | } else { 203 | keys = me.getLanguages(); 204 | } 205 | 206 | for (i = keys.length; i--;) { 207 | var score = me.normalizeScore(me.distance(me.langDb[keys[i]], trigramFreqs), trigramCount); 208 | if (score) scores.push([keys[i], score]); 209 | } 210 | 211 | // Sort the array 212 | scores.sort(function (a, b) { return b[1] - a[1]; }); 213 | var scoresLength = scores.length; 214 | 215 | if (!scoresLength) return []; 216 | 217 | switch (me.languageType) { 218 | case 'iso2': 219 | for (i = scoresLength; i--;) { 220 | scores[i][0] = ISO639.getCode2(scores[i][0]); 221 | } 222 | break; 223 | case 'iso3': 224 | for (i = scoresLength; i--;) { 225 | scores[i][0] = ISO639.getCode3(scores[i][0]); 226 | } 227 | break; 228 | } 229 | 230 | // limit the number of returned scores 231 | return limit > 0 ? scores.slice(0, limit) : scores; 232 | } 233 | }; 234 | -------------------------------------------------------------------------------- /lib/Parser.js: -------------------------------------------------------------------------------- 1 | var dbUnicodeBlocks = require('../data/unicode_blocks.json'); 2 | 3 | /** 4 | * This class represents a text sample to be parsed. 5 | * 6 | * Largely inspired from the PHP Pear Package Text_LanguageDetect by Nicholas Pisarro 7 | * Licence: http://www.debian.org/misc/bsd.license BSD 8 | * 9 | * @author Francois-Guillaume Ribreau - @FGRibreau 10 | * @author Ruslan Zavackiy - @Chaoser 11 | * 12 | * @see https://github.com/FGRibreau/node-language-detect 13 | */ 14 | var Parser = module.exports = function (string) { 15 | /** 16 | * The size of the trigram data arrays 17 | * 18 | * @access private 19 | * @var int 20 | */ 21 | this.threshold = 300; 22 | 23 | /** 24 | * stores the trigram ranks of the sample 25 | * 26 | * @access private 27 | * @var array 28 | */ 29 | this.trigramRanks = {}; 30 | 31 | /** 32 | * Whether the parser should compile trigrams 33 | * 34 | * @access private 35 | * @var bool 36 | */ 37 | this.compileTrigram = true; 38 | 39 | this.compileUnicode = true; 40 | this.unicodeSkipAscii = true; 41 | this.unicodeBlocks = {}; 42 | 43 | /** 44 | * Whether the trigram parser should pad the beginning of the string 45 | * 46 | * @access private 47 | * @var bool 48 | */ 49 | this.trigramPadStart = false; 50 | 51 | this.trigram = {}; 52 | 53 | /** 54 | * the piece of text being parsed 55 | * 56 | * @access private 57 | * @var string 58 | */ 59 | 60 | /** 61 | * Constructor 62 | * 63 | * @access private 64 | * @param string string to be parsed 65 | */ 66 | this.string = string ? string.replace(/[~!@#$%^&*()_|+\-=?;:",.<>\{\}\[\]\\\/]/g, ' ') : ''; 67 | }; 68 | 69 | Parser.prototype = { 70 | /** 71 | * turn on/off padding the beginning of the sample string 72 | * 73 | * @access public 74 | * @param bool true for on, false for off 75 | */ 76 | setPadStart: function (bool) { 77 | this.trigramPadStart = bool || true; 78 | }, 79 | 80 | /** 81 | * Returns the trigram ranks for the text sample 82 | * 83 | * @access public 84 | * @return array trigram ranks in the text sample 85 | */ 86 | getTrigramRanks: function () { 87 | return this.trigramRanks; 88 | }, 89 | 90 | getBlockCount: function () { 91 | return dbUnicodeBlocks.length; 92 | }, 93 | 94 | getUnicodeBlocks: function () { 95 | return this.unicodeBlocks; 96 | }, 97 | 98 | /** 99 | * Executes the parsing operation 100 | * 101 | * Be sure to call the set*() functions to set options and the 102 | * prepare*() functions first to tell it what kind of data to compute 103 | * 104 | * Afterwards the get*() functions can be used to access the compiled 105 | * information. 106 | * 107 | * @access public 108 | */ 109 | analyze: function () { 110 | var len = this.string.length 111 | , byteCounter = 0 112 | , a = ' ', b = ' ' 113 | , dropone, c; 114 | 115 | if (this.compileUnicode) { 116 | var blocksCount = dbUnicodeBlocks.length; 117 | } 118 | 119 | // trigram startup 120 | if (this.compileTrigram) { 121 | // initialize them as blank so the parser will skip the first two 122 | // (since it skips trigrams with more than 2 contiguous spaces) 123 | a = ' '; 124 | b = ' '; 125 | 126 | // kludge 127 | // if it finds a valid trigram to start and the start pad option is 128 | // off, then set a variable that will be used to reduce this 129 | // trigram after parsing has finished 130 | if (!this.trigramPadStart) { 131 | a = this.string.charAt(byteCounter++).toLowerCase(); 132 | 133 | if (a != ' ') { 134 | b = this.string.charAt(byteCounter).toLowerCase(); 135 | dropone = ' ' + a + b; 136 | } 137 | 138 | byteCounter = 0; 139 | a = ' '; 140 | b = ' '; 141 | } 142 | } 143 | 144 | var skippedCount = 0; 145 | var unicodeChars = {}; 146 | 147 | while (byteCounter < len) { 148 | c = this.string.charAt(byteCounter++).toLowerCase(); 149 | 150 | // language trigram detection 151 | if (this.compileTrigram) { 152 | if (!(b == ' ' && (a == ' ' || c == ' '))) { 153 | var abc = a + b + c; 154 | this.trigram[abc] = this.trigram[abc] ? this.trigram[abc] += 1 : 1; 155 | } 156 | 157 | a = b; 158 | b = c; 159 | } 160 | 161 | if (this.compileUnicode) { 162 | var charCode = c.charCodeAt(0); 163 | 164 | if (this.unicodeSkipAscii 165 | && c.match(/[a-z ]/i) 166 | && (charCode < 65 || charCode > 122 || (charCode > 90 && charCode < 97)) 167 | && c != "'") { 168 | 169 | skippedCount++; 170 | continue; 171 | } 172 | 173 | unicodeChars[c] = unicodeChars[c] ? unicodeChars[c] += 1 : 1; 174 | } 175 | } 176 | 177 | this.unicodeBlocks = {}; 178 | 179 | if (this.compileUnicode) { 180 | var keys = Object.keys(unicodeChars) 181 | , keysLength = keys.length; 182 | 183 | for (var i = keysLength; i--;) { 184 | var unicode = keys[i].charCodeAt(0) 185 | , count = unicodeChars[keys[i]] 186 | , search = this.unicodeBlockName(unicode, blocksCount) 187 | , blockName = search != -1 ? search[2] : '[Malformatted]'; 188 | 189 | this.unicodeBlocks[blockName] = this.unicodeBlocks[blockName] ? this.unicodeBlocks[blockName] += count : count; 190 | } 191 | } 192 | 193 | // trigram cleanup 194 | if (this.compileTrigram) { 195 | // pad the end 196 | if (b != ' ') { 197 | var ab = a + b + ' '; 198 | this.trigram[ab] = this.trigram[ab] ? this.trigram[ab] += 1 : 1; 199 | } 200 | 201 | // perl compatibility; Language::Guess does not pad the beginning 202 | // kludge 203 | if (typeof dropone != 'undefined' && this.trigram[dropone] == 1) { 204 | delete this.trigram[dropone]; 205 | } 206 | 207 | if (this.trigram && Object.keys(this.trigram).length > 0) { 208 | this.trigramRanks = this.arrRank(this.trigram); 209 | } else { 210 | this.trigramRanks = {}; 211 | } 212 | } 213 | }, 214 | 215 | /** 216 | * Sorts an array by value breaking ties alphabetically 217 | * 218 | * @access private 219 | * @param arr the array to sort 220 | */ 221 | bubleSort: function (arr) { 222 | // should do the same as this perl statement: 223 | // sort { $trigrams{$b} == $trigrams{$a} ? $a cmp $b : $trigrams{$b} <=> $trigrams{$a} } 224 | 225 | // needs to sort by both key and value at once 226 | // using the key to break ties for the value 227 | 228 | // converts array into an array of arrays of each key and value 229 | // may be a better way of doing this 230 | var combined = []; 231 | 232 | for (var key in arr) { 233 | combined.push([key, arr[key]]); 234 | } 235 | 236 | combined = combined.sort(this.sortFunc); 237 | 238 | var replacement = {}; 239 | 240 | var length = combined.length; 241 | 242 | for (var i = 0; i < length; i++) { 243 | replacement[combined[i][0]] = combined[i][1]; 244 | } 245 | 246 | return replacement; 247 | }, 248 | 249 | /** 250 | * Converts a set of trigrams from frequencies to ranks 251 | * 252 | * Thresholds (cuts off) the list at $this->_threshold 253 | * 254 | * @access protected 255 | * @param arr array of trgram 256 | * @return object ranks of trigrams 257 | */ 258 | arrRank: function (arr) { 259 | 260 | // sorts alphabetically first as a standard way of breaking rank ties 261 | arr = this.bubleSort(arr); 262 | 263 | var rank = {}, i = 0; 264 | 265 | for (var key in arr) { 266 | rank[key] = i++; 267 | 268 | // cut off at a standard threshold 269 | if (i >= this.threshold) { 270 | break; 271 | } 272 | } 273 | 274 | return rank; 275 | }, 276 | 277 | /** 278 | * Sort function used by bubble sort 279 | * 280 | * Callback function for usort(). 281 | * 282 | * @access private 283 | * @param a first param passed by usort() 284 | * @param b second param passed by usort() 285 | * @return int 1 if $a is greater, -1 if not 286 | * 287 | * @see bubleSort() 288 | */ 289 | sortFunc: function (a, b) { 290 | // each is actually a key/value pair, so that it can compare using both 291 | var aKey = a[0] 292 | , aValue = a[1] 293 | , bKey = b[0] 294 | , bValue = b[1]; 295 | 296 | // if the values are the same, break ties using the key 297 | if (aValue == bValue) { 298 | return aKey.localeCompare(bKey); 299 | } else { 300 | return aValue > bValue ? -1 : 1; 301 | } 302 | }, 303 | 304 | unicodeBlockName: function (unicode, blockCount) { 305 | if (unicode <= dbUnicodeBlocks[0][1]) { 306 | return dbUnicodeBlocks[0]; 307 | } 308 | 309 | var high = blockCount ? blockCount - 1 : dbUnicodeBlocks.length 310 | , low = 1 311 | , mid; 312 | 313 | while (low <= high) { 314 | mid = Math.floor((low + high) / 2); 315 | 316 | if (unicode < dbUnicodeBlocks[mid][0]) { 317 | high = mid - 1; 318 | } else if (unicode > dbUnicodeBlocks[mid][1]) { 319 | low = mid + 1; 320 | } else { 321 | return dbUnicodeBlocks[mid]; 322 | } 323 | } 324 | 325 | return -1; 326 | } 327 | }; -------------------------------------------------------------------------------- /test/Parser.test.js: -------------------------------------------------------------------------------- 1 | require('nodeunit'); 2 | 3 | var Parser = require('../lib/Parser'); 4 | var str = 'from SW HOUSTON to #PVnation SOPHOMORE STATUS Just A Soul Whose Intentions Are Good Self-expression should always b limitless if that bothers u...dont follow me'; 5 | 6 | exports.getBlockCount = function (t) { 7 | t.equal((new Parser()).getBlockCount(), 145); 8 | 9 | return t.done(); 10 | }; 11 | 12 | exports.analyse = function (t) { 13 | var l = new Parser(); 14 | l.string = str; 15 | l.analyze(); 16 | 17 | return t.done(); 18 | }; 19 | 20 | exports.arrRank = function (t) { 21 | var l = new Parser(); 22 | 23 | t.deepEqual(l.arrRank({ 24 | "ion":3, 25 | "on ":3, 26 | " so":2, 27 | "ess":2, 28 | "hou":2, 29 | "n s":2, 30 | "oul":2, 31 | "re ":2, 32 | "tio":2, 33 | "ust":2, 34 | " a ":1, 35 | " al":1, 36 | " ar":1, 37 | " b ":1, 38 | " bo":1, 39 | " do":1, 40 | " ex":1, 41 | " fo":1, 42 | " fr":1, 43 | " go":1, 44 | " ho":1, 45 | " if":1, 46 | " in":1, 47 | " ju":1, 48 | " li":1, 49 | " me":1, 50 | " pv":1, 51 | " se":1, 52 | " sh":1, 53 | " st":1, 54 | " sw":1, 55 | " th":1, 56 | " to":1, 57 | " u ":1, 58 | " wh":1, 59 | "a s":1, 60 | "alw":1, 61 | "are":1, 62 | "at ":1, 63 | "ati":1, 64 | "atu":1, 65 | "ays":1, 66 | "b l":1, 67 | "bot":1, 68 | "d a":1, 69 | "d s":1, 70 | "don":1, 71 | "e g":1, 72 | "e i":1, 73 | "e s":1, 74 | "elf":1, 75 | "ent":1, 76 | "ers":1, 77 | "exp":1, 78 | "f e":1, 79 | "f t":1, 80 | "fol":1, 81 | "fro":1, 82 | "goo":1, 83 | "hat":1, 84 | "her":1, 85 | "hom":1, 86 | "hos":1, 87 | "if ":1, 88 | "imi":1, 89 | "int":1, 90 | "itl":1, 91 | "jus":1, 92 | "l w":1, 93 | "ld ":1, 94 | "les":1, 95 | "lf ":1, 96 | "lim":1, 97 | "llo":1, 98 | "low":1, 99 | "lwa":1, 100 | "m s":1, 101 | "me ":1, 102 | "mit":1, 103 | "mor":1, 104 | "n t":1, 105 | "nat":1, 106 | "ns ":1, 107 | "nt ":1, 108 | "nte":1, 109 | "nti":1, 110 | "od ":1, 111 | "oll":1, 112 | "om ":1, 113 | "omo":1, 114 | "ons":1, 115 | "ont":1, 116 | "ood":1, 117 | "oph":1, 118 | "ore":1, 119 | "ose":1, 120 | "oth":1, 121 | "ous":1, 122 | "ow ":1, 123 | "pho":1, 124 | "pre":1, 125 | "pvn":1, 126 | "res":1, 127 | "rom":1, 128 | "rs ":1, 129 | "s a":1, 130 | "s b":1, 131 | "s i":1, 132 | "s j":1, 133 | "s u":1, 134 | "se ":1, 135 | "sel":1, 136 | "sho":1, 137 | "sio":1, 138 | "sop":1, 139 | "sou":1, 140 | "ss ":1, 141 | "ssi":1, 142 | "st ":1, 143 | "sta":1, 144 | "sto":1, 145 | "sw ":1, 146 | "t a":1, 147 | "t b":1, 148 | "t f":1, 149 | "tat":1, 150 | "ten":1, 151 | "tha":1, 152 | "the":1, 153 | "tle":1, 154 | "to ":1, 155 | "ton":1, 156 | "tus":1, 157 | "ul ":1, 158 | "uld":1, 159 | "us ":1, 160 | "vna":1, 161 | "w h":1, 162 | "w m":1, 163 | "way":1, 164 | "who":1, 165 | "xpr":1, 166 | "ys ":1 167 | }), { 168 | "ion":0, 169 | "on ":1, 170 | " so":2, 171 | "ess":3, 172 | "hou":4, 173 | "n s":5, 174 | "oul":6, 175 | "re ":7, 176 | "tio":8, 177 | "ust":9, 178 | " a ":10, 179 | " al":11, 180 | " ar":12, 181 | " b ":13, 182 | " bo":14, 183 | " do":15, 184 | " ex":16, 185 | " fo":17, 186 | " fr":18, 187 | " go":19, 188 | " ho":20, 189 | " if":21, 190 | " in":22, 191 | " ju":23, 192 | " li":24, 193 | " me":25, 194 | " pv":26, 195 | " se":27, 196 | " sh":28, 197 | " st":29, 198 | " sw":30, 199 | " th":31, 200 | " to":32, 201 | " u ":33, 202 | " wh":34, 203 | "a s":35, 204 | "alw":36, 205 | "are":37, 206 | "at ":38, 207 | "ati":39, 208 | "atu":40, 209 | "ays":41, 210 | "b l":42, 211 | "bot":43, 212 | "d a":44, 213 | "d s":45, 214 | "don":46, 215 | "e g":47, 216 | "e i":48, 217 | "e s":49, 218 | "elf":50, 219 | "ent":51, 220 | "ers":52, 221 | "exp":53, 222 | "f e":54, 223 | "f t":55, 224 | "fol":56, 225 | "fro":57, 226 | "goo":58, 227 | "hat":59, 228 | "her":60, 229 | "hom":61, 230 | "hos":62, 231 | "if ":63, 232 | "imi":64, 233 | "int":65, 234 | "itl":66, 235 | "jus":67, 236 | "l w":68, 237 | "ld ":69, 238 | "les":70, 239 | "lf ":71, 240 | "lim":72, 241 | "llo":73, 242 | "low":74, 243 | "lwa":75, 244 | "m s":76, 245 | "me ":77, 246 | "mit":78, 247 | "mor":79, 248 | "n t":80, 249 | "nat":81, 250 | "ns ":82, 251 | "nt ":83, 252 | "nte":84, 253 | "nti":85, 254 | "od ":86, 255 | "oll":87, 256 | "om ":88, 257 | "omo":89, 258 | "ons":90, 259 | "ont":91, 260 | "ood":92, 261 | "oph":93, 262 | "ore":94, 263 | "ose":95, 264 | "oth":96, 265 | "ous":97, 266 | "ow ":98, 267 | "pho":99, 268 | "pre":100, 269 | "pvn":101, 270 | "res":102, 271 | "rom":103, 272 | "rs ":104, 273 | "s a":105, 274 | "s b":106, 275 | "s i":107, 276 | "s j":108, 277 | "s u":109, 278 | "se ":110, 279 | "sel":111, 280 | "sho":112, 281 | "sio":113, 282 | "sop":114, 283 | "sou":115, 284 | "ss ":116, 285 | "ssi":117, 286 | "st ":118, 287 | "sta":119, 288 | "sto":120, 289 | "sw ":121, 290 | "t a":122, 291 | "t b":123, 292 | "t f":124, 293 | "tat":125, 294 | "ten":126, 295 | "tha":127, 296 | "the":128, 297 | "tle":129, 298 | "to ":130, 299 | "ton":131, 300 | "tus":132, 301 | "ul ":133, 302 | "uld":134, 303 | "us ":135, 304 | "vna":136, 305 | "w h":137, 306 | "w m":138, 307 | "way":139, 308 | "who":140, 309 | "xpr":141, 310 | "ys ":142 311 | }); 312 | 313 | return t.done(); 314 | }; 315 | 316 | exports.bubleSort = function (t) { 317 | var l = new Parser(); 318 | 319 | t.deepEqual(l.bubleSort({ 320 | " fr":1, 321 | "fro":1, 322 | "rom":1, 323 | "om ":1, 324 | "m s":1, 325 | " sw":1, 326 | "sw ":1, 327 | "w h":1, 328 | " ho":1, 329 | "hou":2, 330 | "ous":1, 331 | "ust":2, 332 | "sto":1, 333 | "ton":1, 334 | "on ":3, 335 | "n t":1, 336 | " to":1, 337 | "to ":1, 338 | " pv":1, 339 | "pvn":1, 340 | "vna":1, 341 | "nat":1, 342 | "ati":1, 343 | "tio":2, 344 | "ion":3, 345 | "n s":2, 346 | " so":2, 347 | "sop":1, 348 | "oph":1, 349 | "pho":1, 350 | "hom":1, 351 | "omo":1, 352 | "mor":1, 353 | "ore":1, 354 | "re ":2, 355 | "e s":1, 356 | " st":1, 357 | "sta":1, 358 | "tat":1, 359 | "atu":1, 360 | "tus":1, 361 | "us ":1, 362 | "s j":1, 363 | " ju":1, 364 | "jus":1, 365 | "st ":1, 366 | "t a":1, 367 | " a ":1, 368 | "a s":1, 369 | "sou":1, 370 | "oul":2, 371 | "ul ":1, 372 | "l w":1, 373 | " wh":1, 374 | "who":1, 375 | "hos":1, 376 | "ose":1, 377 | "se ":1, 378 | "e i":1, 379 | " in":1, 380 | "int":1, 381 | "nte":1, 382 | "ten":1, 383 | "ent":1, 384 | "nti":1, 385 | "ons":1, 386 | "ns ":1, 387 | "s a":1, 388 | " ar":1, 389 | "are":1, 390 | "e g":1, 391 | " go":1, 392 | "goo":1, 393 | "ood":1, 394 | "od ":1, 395 | "d s":1, 396 | " se":1, 397 | "sel":1, 398 | "elf":1, 399 | "lf ":1, 400 | "f e":1, 401 | " ex":1, 402 | "exp":1, 403 | "xpr":1, 404 | "pre":1, 405 | "res":1, 406 | "ess":2, 407 | "ssi":1, 408 | "sio":1, 409 | " sh":1, 410 | "sho":1, 411 | "uld":1, 412 | "ld ":1, 413 | "d a":1, 414 | " al":1, 415 | "alw":1, 416 | "lwa":1, 417 | "way":1, 418 | "ays":1, 419 | "ys ":1, 420 | "s b":1, 421 | " b ":1, 422 | "b l":1, 423 | " li":1, 424 | "lim":1, 425 | "imi":1, 426 | "mit":1, 427 | "itl":1, 428 | "tle":1, 429 | "les":1, 430 | "ss ":1, 431 | "s i":1, 432 | " if":1, 433 | "if ":1, 434 | "f t":1, 435 | " th":1, 436 | "tha":1, 437 | "hat":1, 438 | "at ":1, 439 | "t b":1, 440 | " bo":1, 441 | "bot":1, 442 | "oth":1, 443 | "the":1, 444 | "her":1, 445 | "ers":1, 446 | "rs ":1, 447 | "s u":1, 448 | " u ":1, 449 | " do":1, 450 | "don":1, 451 | "ont":1, 452 | "nt ":1, 453 | "t f":1, 454 | " fo":1, 455 | "fol":1, 456 | "oll":1, 457 | "llo":1, 458 | "low":1, 459 | "ow ":1, 460 | "w m":1, 461 | " me":1, 462 | "me ":1 463 | }), { 464 | "ion":3, 465 | "on ":3, 466 | " so":2, 467 | "ess":2, 468 | "hou":2, 469 | "n s":2, 470 | "oul":2, 471 | "re ":2, 472 | "tio":2, 473 | "ust":2, 474 | " a ":1, 475 | " al":1, 476 | " ar":1, 477 | " b ":1, 478 | " bo":1, 479 | " do":1, 480 | " ex":1, 481 | " fo":1, 482 | " fr":1, 483 | " go":1, 484 | " ho":1, 485 | " if":1, 486 | " in":1, 487 | " ju":1, 488 | " li":1, 489 | " me":1, 490 | " pv":1, 491 | " se":1, 492 | " sh":1, 493 | " st":1, 494 | " sw":1, 495 | " th":1, 496 | " to":1, 497 | " u ":1, 498 | " wh":1, 499 | "a s":1, 500 | "alw":1, 501 | "are":1, 502 | "at ":1, 503 | "ati":1, 504 | "atu":1, 505 | "ays":1, 506 | "b l":1, 507 | "bot":1, 508 | "d a":1, 509 | "d s":1, 510 | "don":1, 511 | "e g":1, 512 | "e i":1, 513 | "e s":1, 514 | "elf":1, 515 | "ent":1, 516 | "ers":1, 517 | "exp":1, 518 | "f e":1, 519 | "f t":1, 520 | "fol":1, 521 | "fro":1, 522 | "goo":1, 523 | "hat":1, 524 | "her":1, 525 | "hom":1, 526 | "hos":1, 527 | "if ":1, 528 | "imi":1, 529 | "int":1, 530 | "itl":1, 531 | "jus":1, 532 | "l w":1, 533 | "ld ":1, 534 | "les":1, 535 | "lf ":1, 536 | "lim":1, 537 | "llo":1, 538 | "low":1, 539 | "lwa":1, 540 | "m s":1, 541 | "me ":1, 542 | "mit":1, 543 | "mor":1, 544 | "n t":1, 545 | "nat":1, 546 | "ns ":1, 547 | "nt ":1, 548 | "nte":1, 549 | "nti":1, 550 | "od ":1, 551 | "oll":1, 552 | "om ":1, 553 | "omo":1, 554 | "ons":1, 555 | "ont":1, 556 | "ood":1, 557 | "oph":1, 558 | "ore":1, 559 | "ose":1, 560 | "oth":1, 561 | "ous":1, 562 | "ow ":1, 563 | "pho":1, 564 | "pre":1, 565 | "pvn":1, 566 | "res":1, 567 | "rom":1, 568 | "rs ":1, 569 | "s a":1, 570 | "s b":1, 571 | "s i":1, 572 | "s j":1, 573 | "s u":1, 574 | "se ":1, 575 | "sel":1, 576 | "sho":1, 577 | "sio":1, 578 | "sop":1, 579 | "sou":1, 580 | "ss ":1, 581 | "ssi":1, 582 | "st ":1, 583 | "sta":1, 584 | "sto":1, 585 | "sw ":1, 586 | "t a":1, 587 | "t b":1, 588 | "t f":1, 589 | "tat":1, 590 | "ten":1, 591 | "tha":1, 592 | "the":1, 593 | "tle":1, 594 | "to ":1, 595 | "ton":1, 596 | "tus":1, 597 | "ul ":1, 598 | "uld":1, 599 | "us ":1, 600 | "vna":1, 601 | "w h":1, 602 | "w m":1, 603 | "way":1, 604 | "who":1, 605 | "xpr":1, 606 | "ys ":1 607 | }); 608 | return t.done(); 609 | }; 610 | 611 | exports.sortFunc = function (t) { 612 | var l = new Parser(); 613 | 614 | t.equal(l.sortFunc([" go", 1], ["fro", 1]), -1); 615 | t.equal(l.sortFunc(["me ", 1], [" go", 1]), 1); 616 | t.equal(l.sortFunc([" me", 1], [" go", 1]), 1); 617 | t.equal(l.sortFunc(["w m", 1], [" go", 1]), 1); 618 | t.equal(l.sortFunc(["ow ", 1], [" go", 1]), 1); 619 | t.equal(l.sortFunc(["low", 1], [" go", 1]), 1); 620 | t.equal(l.sortFunc(["llo", 1], [" go", 1]), 1); 621 | t.equal(l.sortFunc(["oll", 1], [" go", 1]), 1); 622 | t.equal(l.sortFunc(["fol", 1], [" go", 1]), 1); 623 | t.equal(l.sortFunc([" fo", 1], [" go", 1]), -1); 624 | t.equal(l.sortFunc([" go", 1], ["rom", 1]), -1); 625 | t.equal(l.sortFunc(["t f", 1], [" go", 1]), 1); 626 | t.equal(l.sortFunc(["nt ", 1], [" go", 1]), 1); 627 | t.equal(l.sortFunc(["ont", 1], [" go", 1]), 1); 628 | t.equal(l.sortFunc(["don", 1], [" go", 1]), 1); 629 | t.equal(l.sortFunc([" do", 1], [" go", 1]), -1); 630 | t.equal(l.sortFunc([" go", 1], ["om ", 1]), -1); 631 | t.equal(l.sortFunc([" u ", 1], [" go", 1]), 1); 632 | t.equal(l.sortFunc(["s u", 1], [" go", 1]), 1); 633 | t.equal(l.sortFunc(["rs ", 1], [" go", 1]), 1); 634 | t.equal(l.sortFunc(["ers", 1], [" go", 1]), 1); 635 | t.equal(l.sortFunc(["her", 1], [" go", 1]), 1); 636 | t.equal(l.sortFunc(["the", 1], [" go", 1]), 1); 637 | t.equal(l.sortFunc(["oth", 1], [" go", 1]), 1); 638 | t.equal(l.sortFunc(["bot", 1], [" go", 1]), 1); 639 | t.equal(l.sortFunc([" bo", 1], [" go", 1]), -1); 640 | t.equal(l.sortFunc([" go", 1], ["m s", 1]), -1); 641 | t.equal(l.sortFunc(["t b", 1], [" go", 1]), 1); 642 | t.equal(l.sortFunc(["at ", 1], [" go", 1]), 1); 643 | t.equal(l.sortFunc(["hat", 1], [" go", 1]), 1); 644 | t.equal(l.sortFunc(["tha", 1], [" go", 1]), 1); 645 | t.equal(l.sortFunc([" th", 1], [" go", 1]), 1); 646 | t.equal(l.sortFunc(["f t", 1], [" go", 1]), 1); 647 | t.equal(l.sortFunc(["if ", 1], [" go", 1]), 1); 648 | 649 | return t.done(); 650 | }; 651 | 652 | exports.getTrigramRank = function (t) { 653 | var l = new Parser(str); 654 | 655 | l.setPadStart(true); 656 | l.analyze(); 657 | t.deepEqual(l.getTrigramRanks(), { ion:0, 658 | 'on ':1, 659 | ' so':2, 660 | ess:3, 661 | hou:4, 662 | 'n s':5, 663 | oul:6, 664 | 're ':7, 665 | tio:8, 666 | ust:9, 667 | ' a ':10, 668 | ' al':11, 669 | ' ar':12, 670 | ' b ':13, 671 | ' bo':14, 672 | ' do':15, 673 | ' ex':16, 674 | ' fo':17, 675 | ' fr':18, 676 | ' go':19, 677 | ' ho':20, 678 | ' if':21, 679 | ' in':22, 680 | ' ju':23, 681 | ' li':24, 682 | ' me':25, 683 | ' pv':26, 684 | ' se':27, 685 | ' sh':28, 686 | ' st':29, 687 | ' sw':30, 688 | ' th':31, 689 | ' to':32, 690 | ' u ':33, 691 | ' wh':34, 692 | 'a s':35, 693 | alw:36, 694 | are:37, 695 | 'at ':38, 696 | ati:39, 697 | atu:40, 698 | ays:41, 699 | 'b l':42, 700 | bot:43, 701 | 'd a':44, 702 | 'd s':45, 703 | don:46, 704 | 'e g':47, 705 | 'e i':48, 706 | 'e s':49, 707 | elf:50, 708 | ent:51, 709 | ers:52, 710 | exp:53, 711 | 'f e':54, 712 | 'f t':55, 713 | fol:56, 714 | fro:57, 715 | goo:58, 716 | hat:59, 717 | her:60, 718 | hom:61, 719 | hos:62, 720 | 'if ':63, 721 | imi:64, 722 | 'int':65, 723 | itl:66, 724 | jus:67, 725 | 'l w':68, 726 | 'ld ':69, 727 | les:70, 728 | 'lf ':71, 729 | lim:72, 730 | llo:73, 731 | low:74, 732 | lwa:75, 733 | 'm s':76, 734 | 'me ':77, 735 | mit:78, 736 | mor:79, 737 | 'n t':80, 738 | nat:81, 739 | 'ns ':82, 740 | 'nt ':83, 741 | nte:84, 742 | nti:85, 743 | 'od ':86, 744 | oll:87, 745 | 'om ':88, 746 | omo:89, 747 | ons:90, 748 | ont:91, 749 | ood:92, 750 | oph:93, 751 | ore:94, 752 | ose:95, 753 | oth:96, 754 | ous:97, 755 | 'ow ':98, 756 | pho:99, 757 | pre:100, 758 | pvn:101, 759 | res:102, 760 | rom:103, 761 | 'rs ':104, 762 | 's a':105, 763 | 's b':106, 764 | 's i':107, 765 | 's j':108, 766 | 's u':109, 767 | 'se ':110, 768 | sel:111, 769 | sho:112, 770 | sio:113, 771 | sop:114, 772 | sou:115, 773 | 'ss ':116, 774 | ssi:117, 775 | 'st ':118, 776 | sta:119, 777 | sto:120, 778 | 'sw ':121, 779 | 't a':122, 780 | 't b':123, 781 | 't f':124, 782 | tat:125, 783 | ten:126, 784 | tha:127, 785 | the:128, 786 | tle:129, 787 | 'to ':130, 788 | ton:131, 789 | tus:132, 790 | 'ul ':133, 791 | uld:134, 792 | 'us ':135, 793 | vna:136, 794 | 'w h':137, 795 | 'w m':138, 796 | way:139, 797 | who:140, 798 | xpr:141, 799 | 'ys ':142 800 | }); 801 | 802 | return t.done(); 803 | }; 804 | -------------------------------------------------------------------------------- /benchmark/data/text.js: -------------------------------------------------------------------------------- 1 | [{"text":"Photo: http://tumblr.com/xbx3dlsz0b"},{"text":"Photo: http://tumblr.com/xtl3dlsypp"},{"text":"RT @texascollection: Did you know Waco used to have a trolley system? Enjoy this photo of a trolley running through the Waco square app ..."},{"text":"@Lisadawn87 Man,finally to get in shape felt good.My workout routine:http://amzn.to/iSmBfJ"},{"text":"神戸山手大:還暦の女子大生 教員を目指して勉強に励む http://dlvr.it/ZLDdR #followmeJP #news"},{"text":"Pagamento de professores injeta R$ 865,8 mil na economia de RR http://dlvr.it/ZLDdT"},{"text":"ジッポウ6: http://amzn.to/iHBZ0O"},{"text":"(new): Forex Technical Update - Action Forex http://www.forex-vibes.com/2011/07/forex-technical-update-action-forex/"},{"text":"MAC Blush \"Pet Me\" Fabulous Felines LE (2010) http://bit.ly/q1esSB"},{"text":"Copaenvivo.com Guatemala sub 20 inició larga gira pre Mundial: GUATEMALA -- La selección sub'20 de fútbol de Guat... http://es.pn/qihL7q"},{"text":"#Hamilton enjoy $25 for $50 toward automotive services at Ladies Choice Auto Care http://ow.ly/5zbQC #DailyDeal"},{"text":"Photo: http://tumblr.com/xci3dlsyou"},{"text":"E se eu disser que te amo? http://tumblr.com/x243dlsywb"},{"text":"A @festadamusica 2011 será de 17 a 20 de Outubro em Canela! No Laje de Pedra! Sempre em parceria @visomdigital! Mais em http://bit.ly/Jp4JH"},{"text":"RT #Win a Peace Silk Kimono and Silk/vintage lace garter worth over £350 @ethicallingerie http://t.co/lae30Ny @daisygreenmag"},{"text":"RT @damjasmine: دمشق برزة مسائية على ضو الشموع شباب برزة 04/07ج2 http://t.co/RvwNwX3"},{"text":"RT @cambioconnect: .@JoeJonas Performs at Paper Magazine's \"Sounds Like\" Event in LA Last Night - Read more: http://t.co/GoMZQPB"},{"text":"The Best Dslr Camera New Post - Lastest \"nikon Lens Dslr\" auctions. Read it now at http://tinyurl.com/3z9w3d3"},{"text":"New report backs up September iPhone 5 release date http://t.co/chVWFRQ"},{"text":"Considerações sobre o Avaí http://wp.me/pZym7-jj"},{"text":"@Rumbacaracas MIX DE ESTA SEMANA DJ RUDEBOY SAUNDSYSTEM (PARA LAS PERSONAS QUE SOLICITARON REGGAE EN ESPAÑOL) http://bit.ly/ourjP1"},{"text":"Flight of the Horse: http://amzn.to/maLJty"},{"text":"Comic Studio 3Dデータコレクション Vol.8 兵器・銃・バイク: http://amzn.to/m4Gtrz"},{"text":"@jelenaswagers http://t.co/wXsWDBP :)"},{"text":"Infamous 3 Reader Ideas : http://t.co/d2Tle0W"},{"text":"The Original Vw Beetle: http://amzn.to/lsa7OZ"},{"text":"Preiswert mobil surfen mit dem BILD Surfstick. Weitere Infos unter http://goo.gl/ZtiD"},{"text":"Gunplay Plankin On Booties Outside The Club! http://bit.ly/rlfuTV"},{"text":"What is a Certificate Provider? http://t.co/L62s7aK"},{"text":"Eye on Stars: Megan Fox Gives Good Face and Other Hollywood News (6 pics) http://dlvr.it/ZLDdV"},{"text":"Zamparini: \"El Napoles me pidió a Pastore\" http://bit.ly/oPJ5Ia"},{"text":"#NowPlaying SANDRA - Maria Magdalena (Extended Version) http://0tr.im/=184.107.130.34:8514 via KK's #PSPRadio"},{"text":"Universally Speaking: http://amzn.to/lXfO09"},{"text":"Photo: http://tumblr.com/xc93dlsyqe"},{"text":"David, te diria que te hicieras un twitter, pero es para gente lista que no comete faltas ortográficas así que quedate en facebook."},{"text":"Solid State Batteries: Materials Design and Optimization (Kluwer International Series in Engineering and Comput... http://amzn.to/j2KGsE"},{"text":"RT @AKB48jpn: ニュース : 今度はCM総選挙!AKB+SKE+NMB  - 人気アイドルグループのAKB48、SKE48、NMB48が、テレビCMで初共演することが、明らかになった。9日(土)からオンエアさ... http://bit.ly/orIvw ..."},{"text":"Votei em Bruno e Marrone no Prêmio Multishow. Vota lá! #premiomultishow http://t.co/vs9byZs\nMelhor Música"},{"text":"\"A oração faz desaparecer a distância entre o homem e Deus. http://tumblr.com/xqz3dlsyyv"},{"text":"RT @abc7 A man charged with murdering two women including Ashton Kutcher's ex, has been charged with a murder in Chicago http://t.co/QnqkaR2"},{"text":"My Cherry Tree House: http://amzn.to/k3xWnX"},{"text":"'excellent lobster macaroni', Mizuna voted up - currently ranked the 3rd best dining out venue in #capitolhill #vibe http://mapq.st/lLuXRS"},{"text":"Men Cry Bullets [VHS] [Import]: http://amzn.to/ixMTj8"},{"text":"★期間限定【名古屋出発-香港(ホンコン)3日間27800円~】格安ツアー海外旅行★エヌオーイー/新日本トラベル・まだ予約できます!(0503)⇒http://abcload.blog.fc2.com/blog-entry-574.html"},{"text":"@Vodka2me voa ai xapa quente http://t.co/SExP3hh"},{"text":"Check it out: http://goo.gl/U7yGC - http://tumblr.com/xbb3dlsz0s"},{"text":"Photo: http://tumblr.com/xwo3dlsyub"},{"text":"カフェ・ドスクーデリアのもう一つの顔・・・!? http://t.co/gwZ3AWt"},{"text":"セーブ(SAVE) ズーム付き3WLEDスーパートーチ SV-3611: 材質/本体:アルミ  凸レンズ:アクリル  バネ:スチール  ○リング:ゴム   スイッチ板:ABS  スイッチボタン:ゴム  ストラップ:ポリプロ... http://amzn.to/iTDkrn"},{"text":"#NP Freedom And Young Ghost Feat. The Beatles - Lonely People - http://twitrax.com/s/9uyum6"},{"text":"When you're so excited to talk to someone but you feel like they're not excited to talk to you. http://tumblr.com/xjh3dlsywz"},{"text":"RT @GirlUp: We're trying to get to 15,000 signatures to #stopchildmarriage so we can deliver to @WhiteHouse soon. Sign here:\nhttp://bit. ..."},{"text":"crying over you .... http://t.co/zZusR4D via @youtube"},{"text":"@SageBravo check this out http://t.co/b6ExkBO"},{"text":"I believe this article is the ultimate definition of irony: http://t.co/rRQf7C0"},{"text":"RT @erikvanrosmalen: Zeker, mooi! RT @RikGoverde: Zo, dit is kunst. Hier zit geweldige fotografie bij... http://bit.ly/dxJiql (cc @da ..."},{"text":"RT @twittersuggests: @bellysenna New suggestions for you: @k_biancad, @HudinhowW and @hey_rafa. More at http://twitter.com/#!/who_to_follow"},{"text":"Me trying to swim.. http://media.tumblr.com/tumblr_lm6vsoeyd11qbebcb.gif"},{"text":"Photo: garotoinvisivel: http://tumblr.com/xfb3dlsz51"},{"text":"Mexicano condenado a muerte recibe últimas visitas http://dlvr.it/ZLDdb"},{"text":"I'm at Grupo Fitta-Câmbio E Turismo (Manaus) http://4sq.com/ni0qKu"},{"text":"#RT LuChini - I TOLD YOU - http://twitrax.com/s/ei0zqs"},{"text":"Photo: iisamonteiiro: http://tumblr.com/xqs3dlsyvp"},{"text":"@hilalcebeciii http://twitpic.com/5mnnj7 - o bıcağı istiyorum =))"},{"text":"http://andyouhadmeathello.tumblr.com/"},{"text":"http://twitpic.com/5mnnuz"},{"text":"RT @nwlc: Call the White House at 888-245-0215 and ask the Admin. to protect programs for low-income people http://ow.ly/5z7MN #fem2 #p2"},{"text":"Photo: http://tumblr.com/xtg3dlsysd"},{"text":"独り言再開。。。ニコ生放送中 : 朝までノープラン #co52183 http://t.co/LsylBUa"},{"text":"@Pooly_ sim ja Novas divas http://t.co/5OzmR0C Que lindas"},{"text":"OMG! I think what this web-site is speaking about. http://bit.ly/qpGzMm Duck #replaceawordinafamousquotewithduck #icantgoadaywithout Skype"},{"text":"Photo: › Jesus não finge, Ele te ama de verdade. http://tumblr.com/xct3dlsw8x"},{"text":"Got the actual address!! Please support me by going to this website and clicking 'support caitlin' http://t.co/WmOuFG5 thank you xx"},{"text":"US: Call for the Immediate Release of Bahrain's \"Freedom Poet\" http://t.co/wgVOdCl via @change"},{"text":"Photo: http://tumblr.com/xbx3dlsyxm"},{"text":"Ah, if every morning was as lazy as this cafe... http://re.pn/7WUc1"},{"text":"http://aquienlau.blogspot.com/2011/07/1er-seminario-eco-estrategias-e.html http://fb.me/OTSDZUuP"},{"text":"Alarm-Systems-4-You : 3 Quotes ADT, APX, GE Get 3 Home Alarm Quotes. Compare Rates, Service and Get The Best Deal. http://dlvr.it/W24lD"},{"text":"Unos cosplays muy entretenidos de Disney :) http://t.co/qYVkW9u"},{"text":"RT @Subaru4Life: Working Google Social Network invites here while they last. http://t.co/UD632gT"},{"text":"「静~SHIZUKA~」防音・断熱・防寒・一級遮光(プリーツ加工)オーダーカーテン全12色(ピンク・パープル系) サイズ:(幅)200×(丈)85cm×2枚入: http://amzn.to/jn65ey"},{"text":"Leading Ladies: How to Manage Like a Star: http://amzn.to/mTYc0z"},{"text":"Durham Brewery Temptation | Chad'z Beer Reviews: \nust like the IPA, the Russian Imperial Stout s... http://bit.ly/nerOjB (via @Chad9976)"},{"text":"Alarm-Systems-4-You : 3 Quotes ADT, APX, GE Get 3 Home Alarm Quotes. Compare Rates, Service and Get The Best Deal. http://dlvr.it/W253H"},{"text":"O site dela é http://www.karlaassed.com.br/ !!"},{"text":"Di samarinda sayang,minta fb.nya dong RT @devi_taemin: dimana tuh?? iyaa punya, kenapa? RT @rezaAMG: Di unmul (cont) http://wl.tl/lJ7r"},{"text":"maxell N40(×400p) エコセレクトシリーズお名前ラベル 光沢ラベル 100×148mm 8枚入(×400パック): ご注文後1週間前後で出荷となります文房具や小物類の名前付けに、用途に合わせて選べる多彩なライ... http://amzn.to/m7z1h9"},{"text":"Alarm-Systems-4-You : 3 Quotes ADT, APX, GE Get 3 Home Alarm Quotes. Compare Rates, Service and Get The Best Deal. http://dlvr.it/W24l9"},{"text":"http://t.co/keTbKoQ\tbeach montana resort villa"},{"text":"PHOENIX SUNS: Former Second-Overall Pick Dies Playing Basketball http://t.co/ByPZ32A"},{"text":"Diretoria do Hospital de Emergência e Trauma é exonerada e Cruz Vermelha Brasileira assume a nova gestão da Casa\nhttp://t.co/alVIgCP"},{"text":"http://t.co/SlrYmHv"},{"text":"Oh jee, mijn disgenoot bestelt groene thee...... #turnen http://t.co/2C2g8Pe"},{"text":"HH:Stammtisch Harburg http://bit.ly/pzq5v5"},{"text":"Entertainment Calendar | entertainment, calendar, deadline - The News Herald http://bit.ly/oaBfaL"},{"text":"TA PAS MONTRER LOTRE T-SHIRT THIB (@OmEgA_OFFICIEL live on http://twitcam.com/5lbt4)"},{"text":"Photo: http://tumblr.com/x4c3dlsyfx"},{"text":"Mil seiscientos nuevos servidores públicos incorporados a la Carrera Administrativa http://dlvr.it/ZLDdH"},{"text":"Photo: heypooh: http://tumblr.com/x5y3dlsyx8"},{"text":"Photo: http://tumblr.com/xof3dlszdn"},{"text":"Photo: http://tumblr.com/x3t3dlszbp"},{"text":"RT @MarthaPlimpton: I now forgive him for \"Did You Hear About The Morgans\" and pledge my undying love to Hugh Grant once again: http://t ..."},{"text":"Yosemite Trout Fishing Guide: http://amzn.to/mOgDQY"},{"text":"Aggie Randy Bullock named to Groza Award Watch List http://bit.ly/oAZpGU"},{"text":"Cindy en ik zijn naar de klote en dat komt hier door: http://t.co/fE1NRTg"},{"text":"素焼きパンプキンシード(かぼちゃの種)【300g】【ナッツ・ドライフルーツ・製菓材料】: 野菜としておなじみのかぼちゃです。世界各地で広く栽培されているが、スパイスとして利用するのは、ほとんどが中国・東南アジア産です。日本... http://amzn.to/l77fHJ"},{"text":"#NP phoenix - DUMB BITCH - http://twitrax.com/s/j3aw54"},{"text":"Inversnaid http://tumblr.com/xlz3dlszm2"},{"text":"簡単作業 入力作業もなし1日たった4回の・・・「自動収入」 1日4回のワンクリで6万円以上稼ぎだす自動ツール http://www.infojapans.jp/link.php?i=I0003878&a=A0014860 05:04"},{"text":"Mad Men Theme Song ... With a Twist - http://heyvid.com/video/mad-men-theme-song--with-a-twist/"},{"text":"@_TheAntonioShow So Facebook unveils video chat. Cool feature, but not as big as they made it out to be. Obviousl http://t.co/zr2sazF"},{"text":"Liepājas ziņas \"Liepājas metalurga\" futbolisti nospēlē neizšķirti ar \"Gulbeni\": \"Metalurgam\" jau pirmajās piecās... http://bit.ly/qMDU90"},{"text":"I will destroy my b/f if he spends a different hour going to this internet site. http://bit.ly/nqsNqW Scott Morrison #icantgoadaywithout"},{"text":"5 of 5 stars to FOUCHE EL GENIO TENEBROSO by Stefan Zweig http://bit.ly/izKyPX"},{"text":"@_imalilmonstersee how i started getting some extra money with some easy steps. Now sharing… http://goo.gl/fb/u7Ha6"},{"text":"I LOVE KELLY SCOTT ORR (eu simplesmente AMO esse vídeo! ♥) @TEENHEARTS http://t.co/EU3F5kL via @twitpic"},{"text":"07072011 - O FUTURO É AGORA http://nblo.gs/k7FQg"},{"text":"RT @caschy: Oh nein! Ist das ein Fake? http://t.co/KMS3UU4 Ich.bin.blind"},{"text":"RT @KashMeOutTrick RT @MsPanamaBOMB I ♥333 #thongthursday http://moby.to/apy71t aWWW yeaa# yea ya thong is cute but I like em off"},{"text":"I found Smokeyland! http://t.co/rcKzp1R"},{"text":"@ABC45TV http://tinyurl.com/432bdpn"},{"text":"@_mmmarii Siga @Maickshows e baixe os sucessos de Maick Ferreira - http://t.co/azrMFnm"},{"text":"RT @_Kist_: @Romaena niet super goed ofzo maar ook niet slecht :P maja ik ga naar een horeca school dus moet het ... http://tmi.me/cGFXN"},{"text":"The Best Dslr Camera New Post - Most popular \"olympus Dslr\" auctions. Read it now at http://tinyurl.com/3dfryyl"},{"text":"Photo: duchessliss: http://tumblr.com/xmu3dlszkf"},{"text":"Treated myself to a new pair of leopard pony hair miumiu sandals - my new furry friends! http://lockerz.com/s/117950606"},{"text":"New Gaudy Vintage Pillow Cases Shabby Chic on eBid United Kingdom http://t.co/Ie5Ose4 via @ebid"},{"text":"theres my night sorted http://instagr.am/p/HKTXP/"},{"text":"Verify JAYBUMAOM!!! http://twitition.com/tduw7"},{"text":"Стать известным через твиттер http://t.co/4ssBInv"},{"text":"@MarceloAlaminos http://t.co/PDBFBf0"},{"text":"Voorhoeve: 'VVD breekt met liberale traditie' http://t.co/LU6TYxy"},{"text":"Photo: timetravelandrocketpoweredapes: http://tumblr.com/xao3dlszff"},{"text":"O @albanos, a @JovemPanBH e o @eusoubh vão liberar 500l de chope em comemoração aos 15 anos do Albanos. http://t.co/Z5lxmlz #soubh"},{"text":"FEATURE: BHF11: Shad, In His Own Words http://bit.ly/lDO7f0 by @thecompanyman @shadkmusic"},{"text":"https://www.facebook.com/avalanchetropical"},{"text":"The Wrestler - Bruce Springsteen. Trilha do filme O LUTADOR http://t.co/8n29p2a"},{"text":"Photo: http://tumblr.com/x9e3dlszfg"},{"text":"Bubble tea and cupcakes at #westport http://yfrog.com/kh6q3idj"},{"text":"RT ★注目の開運グッズ【護符】★ :bit.lygupHZ9 http://bit.ly/kRsH55"},{"text":"@MarceloRF_SEP http://bit.ly/p1sGTF"},{"text":"The Portrait Photography Course by Mark Jenkinson – Book Review http://bit.ly/pjpETo #photography"},{"text":"Disney Year 2007 Pirates of the Caribbean Movie Series “At World’s End” 4 Inch Tall Action Figure Set – Jack Sparrow... http://dlvr.it/ZLDfD"},{"text":"RT @BidzSaleh: http://t.co/0uTM4ZU Eysh Elly 6"},{"text":"Esse trem ta doido :S\n (@_isabelasilva18 live on http://twitcam.com/5lbho)"},{"text":"The Portrait Photography Course by Mark Jenkinson – Book Review http://bit.ly/qKarZ1 #portrait #photo"},{"text":"@Biebermyheros2 Please check out this song and comment and subscribe if you like it http://t.co/JWBdjSb"},{"text":"A dress made of hair! http://t.co/HK9N8Bm"},{"text":"RT @TheOtherMaya: #Synchronicity Art and #Life - http://lux-os.com/y/257"},{"text":"I'm looking at you http://goo.gl/6ZfzP #Photo #Photography"},{"text":"Anklage gegen islamischen Flughafen-Killer http://bit.ly/pqDvIt"},{"text":"Accounting Coordinator-Baylor University: Title: Accounting Coordinator-Baylor UniversityLocation: U... http://bit.ly/rs1eWG #job #texas"},{"text":"RT @DellnoBrasil: Acordo garante banda larga por 35 reais http://abr.io/1CIg #PNBL (via @_Info)"},{"text":"Photo: http://tumblr.com/x9e3dlszl0"},{"text":"#Giveaway for an Adorable Girl’s Handmade Headband & Beanie Hat from Twice the Flower Hats and Headbands! http://t.co/c618jDY Ends 7/19 #fb"},{"text":"Peter des Psquare ne consomme aucun produit laitier #fact ... Demoiselles de la #teamjachère c'est pour vous ! - http://t.co/MsQT5y0"},{"text":"アシックス 6人制バレーボールネット検定AA級: ■上部白帯のバレーボールネット■上部テープの白さを長く保つ「KEEPWHITE」加工■重量:約2.6Kg■ベクトラン:従来の繊維コードに比べ大幅に耐久性向上■規格素材:ナイ... http://amzn.to/lznUnN"},{"text":"The Portrait Photography Course by Mark Jenkinson – Book Review: \nThe Portrait Photography ... http://bit.ly/qKarZ1 #photography #photo"},{"text":"The Portrait Photography Course by Mark Jenkinson – Book Review: \nThe Portrait Photography Course – Principles,... http://bit.ly/qKarZ1"},{"text":"RT @jilevin: Atlantic: We've Attacked Libya With $368 Million Worth of Bombs and Missiles http://t.co/KHuf1Wf #p2 #topprog"},{"text":"The \"From\" Name: Perhaps Your Most Important Email Marketing Decision | @silverpop http://t.co/SIKTGC3 <<Excellent"},{"text":"Please check out the new updates and changes to our website!!!!!! http://fb.me/PHwEbTN5"},{"text":"After the massive success of the HTC Legend you might have thought that it would be quite a while before its com... http://bit.ly/pnfhyV"},{"text":"Lmao! RT @M0NEyM0VEsMe: Niggas photoshoppin they tattoos now?? I done seen it ALL!!! \nhttp://twitpic.com/5mnklw"},{"text":"@peracomoregano @jralexandrino @gabiroodrigues http://colirios.capricho.abril.com.br/perfil.php?idColirio=237853264 VOTE NO @erickmafra <"},{"text":"dps: The Portrait Photography Course by Mark Jenkinson – Book Review: \nThe Portrait Photogra... http://bit.ly/nSkKXq #photography #tips"},{"text":"The Portrait Photography Course by Mark Jenkinson – Book Review http://bit.ly/qKarZ1 #dps"},{"text":"RT @HarryPotterFilm: Emma Watson tells Daniel Radcliffe that he is \"the perfect Harry.\" We completely agree. #HarryPotterLive http://bit ..."},{"text":"Star Spangled Banner [VHS] [Import]: http://amzn.to/mCQlLB"},{"text":"Failing Teachers?: http://amzn.to/ihUsUb"},{"text":"RT @Kenny_Wormald: My mom just saw wendy williams on tv and asked if it was ru paul. Watch 3,500 Channels http://bit.ly/dYpHlW"},{"text":"i love her hair..how i wish i can have dat kind of hair.. http://yfrog.com/kknundj"},{"text":"AAA EU Ñ ABANDONEI Ñ HEIN!! (@Hiiroshy live on http://twitcam.com/5l9eu)"},{"text":"%総合%【坐骨神経痛改善】[症状]腰部に痛みが長時間続いたことがある http://yt.xp.mbsrv.net/069/ 504178 #followmejp #sougofollow 腰痛 ぎっくり腰 腰椎椎間板ヘルニア スベリ症"},{"text":"Soksi Desak Kemendiknas Usut Pungutan Sekolah - Yahoo! News http://t.co/yUpmxSL via @yahoo_id"},{"text":"masaüstümü süslüyorsun aziz; http://t.co/vK4yuXs"},{"text":"http://yfrog.com/kh88jmj"},{"text":"@artiphacts New Beats | http://t.co/gsF4h41 | Free Downloads http://t.co/MmysEaz"},{"text":"PhotoSchool: The Portrait Photography Course by Mark Jenkinson – Book Review http://bit.ly/raJvd7"},{"text":"First Cook Opportunities - Houston Regional Staffing Center: Title: First Cook Opportunities - Houst... http://bit.ly/ohd4kn #job #texas"},{"text":"Photo: potterheaven: http://tumblr.com/xnf3dlszg0"},{"text":"Mi super heroe favorito!! http://t.co/LfvWMFP"},{"text":"Photo: http://tumblr.com/xrr3dlt01b"},{"text":"comics18 ما يملى وقت الطلاب العطله الصيفيه الا البلايستيشن والانترنت والتقنيه بشكل عام http://goo.gl/fb/KWZto"},{"text":"Four injured in opening Pamplona bull-run http://tinyurl.com/5tqycgo #AFP #video"},{"text":"Photo: http://tumblr.com/xrx3dlszsa"},{"text":"Ada maux lg nieey hehhe :) RT @Qiqivabela: Gpp , mau baik2in dulu ya kan RT @randyjulianth: Tumben lu Mau di'suruh, ... http://tmi.me/cGFXQ"},{"text":"Mobile platforms are becoming increasingly popular for all kinds of apps, which range from games to scheduling a... http://bit.ly/qWCVZD"},{"text":"07072011 - O FUTURO É AGORA http://nblo.gs/k7FS5"},{"text":"カドリー クリッピー: http://amzn.to/j3THKd"},{"text":"RT @thinkingautism: MT @EightfoldEdu: Todd Drezner of @LovingLampposts: Decoding the Language of #Autism - http://goo.gl/news/xUIy -SR"},{"text":"تكيه مع الزقرت @ كورنيش الخبر http://gowal.la/p/g7nA #photo"},{"text":"miakosamuio: http://tumblr.com/xvo3dlszw0"},{"text":"The Portrait Photography Course by Mark Jenkinson – Book Review: \nThe Portrait Photography Course – Principles,... http://bit.ly/oGwg9m"},{"text":"heissekatja hat 1 neues Video im Private Shop hochgeladen: Schreibt mir alles was ihr wolltAlter: 32, Haarfarbe:... http://bit.ly/oYmEgT"},{"text":"Freelance jobs: International Overnight Writer/Editor – PSFK http://bit.ly/pQyX61 #freelance #jobs"},{"text":"RT @OMGBASEDROSS: @realb23tv @RealJrob24 @BeerManMan @HDDesignz @MREUROCLUB @SavAlexandra @cranberryshow http://t.co/pwVJFSw peep it, le ..."},{"text":"The Portrait Photography Course by Mark Jenkinson – Book Review: \nThe Portrait Photography Course – Principles,... http://bit.ly/qKarZ1"},{"text":"@ItsJustElla1 http://tinyurl.com/6a4ls66"},{"text":"HTC Desire - Truly Desirable http://bit.ly/pnfhyV"},{"text":"RT @CELEBUZZ: Whoa!!!! Neville Longbottom is all grown up and looking GOOD! http://bit.ly/pPn5Th (PHOTOS)"},{"text":"دعوة لجمعة \"لا للحوار\" بسوريا http://dlvr.it/ZLDdx"},{"text":"\"I Am Tabius Tate\" mixtape. get your copy now http://bit.ly/lqSKDK @tabiustate #iamtabiustate"},{"text":"RT @BrownSKlN: When you know & love who you are, you pray 4 & love others! Especially those who choose not ... http://tmi.me/cGFXT"},{"text":"PERLASICILIA: EMANUELA ZUCCALA', Le signore dell'obiettivo http://fb.me/19d32UR2g"},{"text":"الحياة بكرا: حرمها من قبلة أطلقت النار على من حرمها القبله http://t.co/k55Wl4b"},{"text":"Job Lead: Pharmacy Manager Sam's at Walmart (Tulsa, OK): Drives sales and profit in the Pharmacy and OTC areas. ... http://bit.ly/q06tEw"},{"text":"#tuscan #kitchen #decor Find discount Tuscan Kitchen Decor and Free Shipping at http://tuscan-kitchen-decor.kitchennet.us"},{"text":"Court: Gamecock fan family can continue fight for free parking http://bit.ly/ojgN98"},{"text":"Job Emerging Markets DCM Team (London): Emerging Markets DCM.+ MSc/PhD/... http://bit.ly/iACfCp Quant IB Finance jobs 102"},{"text":"Photo: S W E E T ‘ http://tumblr.com/xpu3dlt0hj"},{"text":"HTC Desire - Truly Desirable: After the massive success of the HTC Legend you might have thought that it would b... http://bit.ly/oqAsui"},{"text":"campanha bapho da Versace teve direção artística de Giovanni Bianco @GB65 http://bit.ly/rm1w5a"},{"text":"RT @feiradamusica: Veja quais bandas da Feira 2011 entraram na programação da nossa webrádio hoje, em http://t.co/qeL5xK1"},{"text":"How To Start A Mobile App Development Company http://bit.ly/nvB3K3"},{"text":"Santafe Checkin Wrap @ Teayana .. 6/10 \n\n\nhttp://yfrog.com/kkt9xoj \n\n#ibhmHatesJarjeer"},{"text":"http://t.co/MhSHR2K Song Games Olympics Chevrolet Door Los Angeles Aston Martin Video Game Management"},{"text":"@2cleann http://tinyurl.com/4xct3u3"},{"text":"RT @YAYAisvanity i only keep pretty bitches roun' me http://twitpic.com/5mbwxp <--- LOLLLLLLLL at the 2nd thing"},{"text":"Melomar By Ocean Reef – Tang O Mar Rental Home http://dlvr.it/ZLDgj"},{"text":"RT @InmanNews: Real Estate News: The real estate fallout of a stalled government http://ow.ly/1dFJfr"},{"text":"Photo: http://tumblr.com/xgj3dlt0ij"},{"text":"Read my response to \"Tem algum gay na sua família? #DONA\": http://4ms.me/qQxb72"},{"text":"#Social #Analytics Here Come Google+ Pages for Brands: What You Need to Know: This may include the unique featur... http://bit.ly/osEjKF"},{"text":"RT @AT5: Een 17-jarige jongen is vanavond neergestoken door twee 14-jarige meisjes in Nieuw-West. http://at5.nl/s/gWw > =O =O =O"},{"text":"مـصرجديدة/ شباب الثورة يتولى تأمين \"الشرطة\" فى جمعة \"القصاص\": يقوم ائتلاف ثورة مصر الحرة بالتعاون مع ائتلاف الوعي... http://dlvr.it/ZLDgh"},{"text":"After 30 years of marriage, the two Rabbis have proven that a husband and wife can not only work together, but... http://fb.me/Jh9YYqgg"},{"text":"After the massive success of the HTC Legend you might have thought that it would be quite a while before its com... http://bit.ly/pnfhyV"},{"text":"Photo: La Policía identifica al autor del #puñetazoarubalcaba: ¡fue Teddy Bautista! Hay prueba fotográfica... http://tumblr.com/xgi3dlt0a0"},{"text":"@sasa_abdulaziz اوني الموية الي شريتيها لدونقسينق  http://t.co/ezCUQHR"},{"text":"<3 حمد البريدي الامتعه http://bit.ly/lcUOcm"},{"text":"I'm about to fine my mom a nigga while I'm out cuz shit is getting outta hand. And if any of u young niggas make a ... http://tmi.me/cGFXH"},{"text":"@SDC_Larusso check these beats out http://bit.ly/hbxq40"},{"text":"Photo: http://tumblr.com/xtf3dlt03y"},{"text":"Photo: myheartforyouever: http://tumblr.com/xik3dlt0d6"},{"text":"That Eli is adorable! RT @letteredcottage: Kids room advice...from a really cool kid! :-D http://fb.me/D422WoZ0"},{"text":"juliana por fa complaseme mi cancion sola de alquilaos (live at http://ustre.am/AydS)"},{"text":"RT @PolitieGldNOcom: Keijenborg, vrouw vermist, 53 jr, op omafiets, 1.65 lang, tenger postuur, do. bruin haar, bril, groen vest, wi… (co ..."},{"text":"Wow, this can be just surprising. http://bit.ly/nMAqtr #icantgoadaywithout Kerl Messi Ducks #icantgoadaywithout Daniel Radcliffe Duck Duck"},{"text":"Butterflies Gourmet Recipes for Walleye and Venison and More On ...: This week's roundup features recipes, libra... http://bit.ly/or5Tgs"},{"text":"New BOSS AUDIO CX1000 CHAOS EXXTREME 4-CHANNEL MOSFET BRIDGEABLE POWER AMPLIFIER (2000W): http://bit.ly/rd5XML"},{"text":"go and try to get kadarshian hot video !!!!! http://bit.ly/kAc7n2?n=19 #icantgoadaywithout Tom Felton #icantgoadaywithout"},{"text":"★副島隆彦氏と武田邦彦氏による、原発事故、放射能についてのケンカ対談本 #genpatsu g05:04★ 『原発事故、放射能、ケンカ対談 』を見る [楽天] http://a.r10.to/hBurCt"},{"text":"Barnes & Noble Online Storytime http://fb.me/RwAJ22tr"},{"text":"10 Klassik-Langspielplatten #034;Musik auf Villa Hügel #034;: Essen, Ruhr | Ich verkaufe 10 Doppel-LPS aus der... http://bit.ly/ono6Zh"},{"text":"http://t.co/EhhRjwU AMD Banking Transport USB Days_of_Our_Lives Michael Jordan"},{"text":"\"Eu quero o kit Make me Up da Sigma que a #ladynandy está sorteando http://t.co/NU2hY6W \" #sorteio"},{"text":"Photo: conflitosdeumgaroto: http://tumblr.com/x5r3dlt0dy"},{"text":"<b>Marketing Research</b> Director at Airborne, Inc in Greater <b>...</b> http://bit.ly/oZkhge"},{"text":"Information About Android Development Company http://bit.ly/pIe8uB"},{"text":"Meu pai é um deus, minha mãe é uma bruxa, eu estudo em Hogwarts e passo as férias no Acampamento... http://tumblr.com/xmk3dlsxmh"},{"text":"Jajaja http://yfrog.com/khonktj"},{"text":"Percee P - The Woman Behind Me (Remix) Official Video http://fb.me/tFU9TRCL"},{"text":"真面目な女子大生の家事代行をお探しなら是非一度お問合せ下さい。初回限定のお得なキャンペーンやってます!http://ide911.com #followmejp #sougofollow"},{"text":"@Stephaniie0707 http://t.co/lH9PlIo hier waarchijnlijk of zaailand"},{"text":"Photoset: Feria Universitario en Colegio Alemán de Santiago Martes 5 de julio http://tumblr.com/xqs3dlt0y2"},{"text":"Produccion de fotos en @MOTIVARTE con los peques jaaa http://t.co/YLbH8aO"},{"text":"hey if u inTaiwan join under USA & put your cntry in 3rd line of address http://t.co/zYZP3FI #mlm"},{"text":"HotelesVisitados de hoy:Hotel El Fuerte Marbella - Marbella - HotelesVisitados http://t.co/l93pi4R vía @Hotelevisitados"},{"text":"Read my response to \"Koks tavo ūgis?\": http://4ms.me/qQ0Gqf"},{"text":"http://t.co/nO5DBP4 JAJAJAJAJAJAJ NO MAMEEEEN! JAJAJAJAJAJAJAJ #noalpasodeprimido JAJAJAJAJAJAJAJAJA"},{"text":"fog golden gate bridge: fog golden gate bridge http://bit.ly/qkyWz4"},{"text":"Mantega acusa China de manipular moeda http://dlvr.it/ZLDhG"},{"text":"\"@Murderous1Mix: Rt @Gmitch123 Check out music from da murderous mixtapes http://t.co/dmnvmEp\""},{"text":"Après Coast - Après Coast | The Home of UGG Australia in Australia www.aprescoast.com.au/ http://t.co/5Iy6wIh"},{"text":"South Sudan says it can export oil through East Africa, bypassing Khartoum-run pipelines http://bit.ly/r4eTII"},{"text":"http://youtu.be/Nhh0GxozSNA"},{"text":"South Sudan says it can export oil through East Africa, bypassing Khartoum-run pipelines http://p.ost.im/p/EqUNt"},{"text":"@Casablancas_J http://yfrog.com/kewg3oj interesting . . ."},{"text":"North Carolina Tar Heels UNC NCAA Slip On Slippers Small: Who can resist!? Our slippers are a great gift for kid... http://bit.ly/ntAp1Z"},{"text":"Blue Shield Of California Pledges To Limit Profits Following Criticism Of CEO … http://dlvr.it/ZLDh9"},{"text":"nil karaibrahimgil by nihat odabasi 2: nil karaibrahimgil by nihat odabasi 2 http://bit.ly/qGCEoZ"},{"text":"Hurricanes News- Honda EB 6500X gas powered Generator - http://tinyurl.com/3pbgvp2"},{"text":"You See a $5 Aspirin, Dana Rohrabacher Sees an Illegal Alien http://bit.ly/pdWfEH"},{"text":"Aventar: Obrigado Moody’s http://kapa.biz/117y"},{"text":"【B-st↑↑jel(ビーストアゲアゲジェル)】 [楽天] http://a.r10.to/hBdlcB"},{"text":"Job Lead: AT&T Bilingual Preferred Full Time Retail at AT&T (Yukon, OK): AT&T is at the center of the communicat... http://bit.ly/n8zGAY"},{"text":"New post: What ty http://www.sportalk.org/cycling/what-type-of-speedtime-advantage-can-i-expect-to-get-from-shaving-my-legs-for-cycling.html"},{"text":"‎''Bol bol düzüşen insanlar, başkaları düzüşemediğinde bunu gülünç bulurlar.'' http://t.co/qe1tcyo"},{"text":"Stocks jump as investors cheer strong jobs reports. Dow adds 95 points, Nasdaq gains 1.4% and S&P climbs 1.1%. http://CNNMoney.com"},{"text":"omega swiss watch http://watchesomegawomensstation.co.cc/omega_swiss_watch.html #fb #a #red #Nhon #anime #lp10 #cc"},{"text":"A @vox90 me completa e vai me fazer sorrir com a guitarra autografada do @RockRestart http://t.co/ff9RaDe ,"},{"text":"@I_Breathe_MAC Summer Vacation? 4 Free Six Flags Tickets - Details Apply http://t.co/9NPLsZh"},{"text":"ビーフカレーなう☆ http://p.twipple.jp/r9gYy"},{"text":"Read my response to \"how many scars do you have?<3\": http://4ms.me/pO5okS"},{"text":"#NEWMUSIC S.I.R - \"Let's Get It Pop'N\" - http://twitrax.com/s/bh6a75"},{"text":"RT @slamxhype: Stussy “Grease” Glasses Collection http://bit.ly/o2MOSM #slamxhype"},{"text":"RT @dukepress: Informative and funny RT @nationbooks The first of 10 videos explaining the history of English language:http://t.co/3mQfIFl"},{"text":"Read my response to \"What's your style ?\": http://4ms.me/pifZLT"},{"text":"RT @jimmyfallon: Cornhole, croquet, bocce and I parked my bike right in the middle. What should I play with? http://t.co/wga3Yo4"},{"text":"@BiancaRinaldi3 http://krz.ch/zrrc"},{"text":"@LabelMee_PM lol no were near a killer.. But I never really understood judgmental people.. Lol but google and identify me always works."},{"text":"@LukaBassin Lele, yesterday, signed his sttelement :( Nothing new, all gossip: Bellinelli, Gelabal, Nachbar... (cont) http://tl.gd/bjighf"},{"text":"APARECEN FOTOS HOT DE VARIAS FAMOSAS.... http://fb.me/15B9NSs46"},{"text":"Popinga: Il chimico folle e la decomposizione dell’acqua - http://goo.gl/1r0Qw"},{"text":"RT @philpostro: HELP US: Please take 1 min to vote for the @WarrantyLife Launch @growconf 2011 entry! http://ow.ly/5wptN #startup #tech ..."},{"text":"So maybe I'm late to the party with this but thought it was funny and sad... you know what I'm trying to say #twandobson http://t.co/V9VNX5J"},{"text":"what are you waiting for ??? #GO Check out Cash Bilz - http://t.co/mNGpb2D"},{"text":"Libido Enhancers For Women - The Top Natural Libido Enhancers For Women http://dlvr.it/ZLDhJ"},{"text":"Photo: A PIC OF ME FROM 9TH GRADE LMFAO http://tumblr.com/xnc3dlt1g5"},{"text":"Ayah Aguero: Anakku Bertahan di Atletico http://dlvr.it/ZLDg5"},{"text":"SAVE $5 on Summer Vacation Fruit & Snack Basket from Cherry Mon Farms, only $34.99 » http://t.co/0rly0K8"},{"text":"hawtdamnsteben: http://tumblr.com/xj83dlt12o"},{"text":"@yesteen: Quero ganhar um megakit e cantar junto com o Justin Bieber na tarde de hoje! http://kingo.to/I9D 40"},{"text":"Photo: http://tumblr.com/xxr3dlt1di"},{"text":"هههه بروفايلي راح ينفجر من كثر الزوار الله ايكثر المحبين \n\n\nhttps://www.facebook.com/See.All.Profiles http://fb.me/ZBZMm8V2"},{"text":"@hilalcebeciii http://yfrog.com/h8teowij hilal cebeci memelerinin resmini buldum http://bit.ly/ib3pis"},{"text":"@1Will1Way http://krz.ch/zrX1"},{"text":"Photo: › O que eu sinto agora é diferente, sabe? Aliás, tudo é. Você, principalmente. Eu gosto da sua voz.... http://tumblr.com/x6x3dlt1ex"},{"text":"@HOTSHOTXD ok :D so I'm in! Its a 10 day no #facebook #challenge indeed!!!!"},{"text":"Ya vieron el video de @CatyMellado? http://www.youtube.com/Catymellado :D"},{"text":"Ações Sociais no NBB | lnb.com.br - Site Oficial da Liga Nacional de Basquete http://t.co/HZPaxi5 via @NBB_Oficial"},{"text":"RT @metropolitanafm: Corre gente! Temos 5 pares para a @PittyLeone + 5 do @Chimarruts... Vai perder essa? Curta nosso Facebook e partici ..."},{"text":"Photo: › Nada é impossível se você acreditar. http://tumblr.com/xdl3dlt1h1"},{"text":"ブランド巻紙! URL■:http://www.taimaya.jp/"},{"text":"RT @735songs: RT @kiehea: Remember, when you are in deep sh*t look straight ahead, keep your mouth shut & say nothing. http://twitpic.co ..."},{"text":"Photo: lehhla: http://tumblr.com/xsv3dlt1ee"},{"text":"[Video] Raekwon ft. Nas - Rich & Black http://bit.ly/q6Jwcv via @XclusiveCitycom"},{"text":"@jonnybreakdown Hey! Guys,there are many pretty girls on this dating online.Get swirling! http://t.co/rOwB168"},{"text":"@IsaiasUmSabio Come visit me ? Dancingg at the #HelloKitty Massive this Friday at the FOX ... http://t.co/mKMSlQY"},{"text":"Photo: quando fiquei pela primeia vez abraçada com voce , foi assim : na escola eu estava com frio e voce me... http://tumblr.com/xoh3dlt1ix"},{"text":"RT @WrecklessLove: RT @Calliediva: Look who we finally see http://www.celebuzz.com/2011-07-07/alicia-keys-and-swizz-beatz-have-a-babys-d ..."},{"text":"Add me on facebook.com/Johnnyboyent1979"},{"text":"OMFG http://tinyurl.com/6jt4vwo Andy morre de felicidade. é!"},{"text":"Gracias x acompañarnos x Azteca 7 Brasil vs Uruguay un clásico! Un legado y ojalá el rival de México en la Final http://mypict.me/lmVmt"},{"text":"RT @PiersTonight: Jeff Ashton: If #CaseyAnthonyVerdict was based on George Anthony it is a \"breach of their duty as a juror.\" VIDEO: htt ..."},{"text":"『【ご自宅用】ふぞろいチーズケーキ3秒に1袋激売!TV雑誌紹介!メガ盛り500g!ランキング1位のチ...』を見る ⇒ http://a.r10.to/hBtIRs #followmeJP"},{"text":"@lilllmiss http://tinyurl.com/3bg2hze"},{"text":"Season 1, Episode 2 episode, Major League Bowhunter 7 Jul, 2011 http://bit.ly/pNf3dJ"},{"text":"Photo: popcutie: http://tumblr.com/xcs3dlt1cx"},{"text":"@carissahelm is a freak http://instagr.am/p/HKTM_/"},{"text":"RT @SKRILLA100: RT @djaonee: #Support @THEBOUNCESQUAD @ShadyRay104 @SNAGGAPUSSs New Bounce Squad CD Free Download ... http://tmi.me/cGDVY"},{"text":"¡A moverse! Investigadores suman los riesgos de salud por estar sentado mucho tiempo http://bit.ly/mVvEuX"},{"text":"Nieuw shirt is vers Patrick http://yfrog.com/kf3cjvsj"},{"text":"Chicago producers/DJs/remix artists w/ tracks - get @ me. I want to play some of your cuts this Sunday @ TSAHT http://t.co/oNgeNQ7"},{"text":"Aumenta aposta de mais duas altas na taxa Selic http://t.co/iSk1MJ4"},{"text":"RT @iiM_FlawLess “@Simply___Char: @iiM_FlawLess oh lawd Bee Dazzle is gonna be out tonight!”••• yeah (cont) http://tl.gd/bjighe"},{"text":"Beyonce Confirmed For Clint Eastwood Film With Leonardo DiCaprio: Beyonce has confirmed that she will star in Cl... http://bit.ly/nK47VY"},{"text":"Didn't get to do the hike we wanted but the fire road trail was still awesome. Bee tee dub. Mostly a biking trail. http://t.co/zwOz5gt"},{"text":"Cutie Flower Makeup - http://tinyurl.com/632r87s"},{"text":"RT @pricefilms: Interested in having @9thwondermusic and @liftedresearch come to your school and screen The Wonder Year? Get info here: ..."},{"text":"Free iTunes App of the Day - Dayta (US/Canada) http://nblo.gs/k7FRB"},{"text":"Damn, what happened? RT @edwardkoenning Das Boot! http://twitpic.com/5mlcba"},{"text":"Louisiana: Gov Jindal Signs Bill to Stop Coerced Abortions | LifeNews.com: \n\t\tlifenews.com\n\t\n\t\n\t\tGovernor Bobby ... http://bit.ly/qASJfE"},{"text":"Site 100% Pronto http://t.co/kUSA4zm (Tags: FL Studio Fruity Loops VST VSTs VSTi VSTis Cubase Ableton Sonar Mixcraft Reaper Nuendo Produção)"},{"text":"Aprenda a ganhar seguidores reais http://is.gd/M8FOaG Com surpresa de seguidores"},{"text":"Mayo Clinic: NP or PA CV Surgery Hospitalist Job ( #Rochester , MN) http://bit.ly/g9oMU7 #mayoclinicjobs #Healthcare #Jobs #Job"},{"text":"Katy, TX resident Nicholas Swierc was given a service dog through the Canine Assistants program; ceremony marks... http://fb.me/C6mBlXKO"},{"text":"where can I find this? http://simurl.com/jewzat #harrypotterlive Lester Skype Pyeongchang Adam Spencer Tony Montana Ducks Casey Anthony Duck"},{"text":"http://twitpic.com/5mnnzi"},{"text":"Photo: http://tumblr.com/xfr3dlt1vi"},{"text":"Noah Rosen of Velocolour and @michaelibarry's collaboration on a Pinarello Dogma http://t.co/dmHFeVb @ChrisatGita @UnoImports"},{"text":"RT @MylesConnor: Connor - keep an eye on our website www.mylesandconnor.com and facebook www.facebook.com/mylesandconnor, events tab!!:)"},{"text":"#SAFC changed nicknames? @SAFCofficial http://t.co/aDML9tH"},{"text":"RT @FelipeHeiderich: @prantoniocirilo Pastor dá uma olhada neste texto sobre oração http://bit.ly/padbXR"},{"text":"D.C. settlement, payment to Medicaid contractor on hold http://t.co/qJv5evL via @WBJonline"},{"text":"Photo: http://tumblr.com/xrp3dlt1rm"},{"text":"Astronomy for Beginners http://bit.ly/c9ZYL0 #hobby #hobbies #astronomy"},{"text":"#NEWMUSIC Infamous & Da'Man - Hoes & Money - http://twitrax.com/s/7etnf7"},{"text":"Puma Coupons-Save up to 40% PUMA’s Semi-Annual Sale! exp 7/26 – Puma Coupon Codes: http://t.co/Df0o4Id"},{"text":"Tampa Bay Real Estate Market - Exceptionally Good: If you're looking for investment property, Tampa Bay Real Est... http://bit.ly/pBetf0"},{"text":"MÓRBIDA SEMELHANÇA http://migre.me/5cwk5 (via @kibeloco) #Neymar #Futebol"},{"text":"シマノ(SHIMANO) 99 電動丸 3000XH パーツ:減速ギヤ用プレート(B)軸受ケ(部品No.064) 01442: http://amzn.to/iYys5x"},{"text":"thanks for posting interesting article RT @JamieCrager A Step By Step Guide To Effective Online Article Marketing http://t.co/k5eTGoF"},{"text":"O @albanos, a @JovemPanBH e o @eusoubh vão liberar 500l de chope em comemoração aos 15 anos do Albanos. http://t.co/z7KYoV9 #soubh"},{"text":"I could eat and drink at Madison, WI's, @Theoldfashioned every day. http://yfrog.com/kfppiztj"},{"text":"Photo: › “Hogwarts will always be there to welcome you home.” › › —J.K. Rowling http://tumblr.com/xui3dlt1tq"},{"text":"柏木由紀マチウケ http://i.yimg.jp/images/4b/contents/1008/special/image_special0306_01.jpg 柏木由紀Love Letter http://t.co/U9vkfFL"},{"text":"RT @PointPromocoes: \" Quer ganhar um Super Kit de Tratamento para Cabelos Pos Escova Progressiva? Eh facil: inscreva-se http://t.co/GMGW ..."},{"text":"Leyendo 'Emprendedores e inversores apuestan por proyectos de internet y e-commerce' http://t.co/FAdiJEn vía @expansioncom"},{"text":"I'm obsessed with this website, http://t.co/me4UW7h. Perhaps a little late to the party."},{"text":"parente, @souza_biel http://twitpic.com/5mnnzj"},{"text":"Luis Walter Alvarez (Hispanicamerican Biographies): http://amzn.to/iGxPlr"},{"text":"RT @godsgirl8494: Found a message from -A http://t.co/WNJLflT"},{"text":"RT @ThePSF: Realtime image processing in Python http://ow.ly/5zb4w"},{"text":"times square http://twitpic.com/5mnnzk"},{"text":"Nueva burbuja económica? http://t.co/UfoI2WG"},{"text":"#yayayayay http://t.co/26d7UKq"},{"text":"Minha mãe quer que pinte dessa cor http://t.co/cK8Ab1T"},{"text":"Photo: http://tumblr.com/xgn3dlt1i3"},{"text":"RT @Criatives: Tivemos 5 excelentes posts na criatives hoje. Confira e espalhe. http://t.co/p9evrgX"},{"text":"RT @caioshucletz: Photo: “Você tá com ciúmes dos meus amigos novos?” - “Óbvio que não” - “Então me dá um abraço?” - “UÉ,VAI... http://tu ..."},{"text":"Blog: The Social Ventures Consulting program is now accepting applications for the Fall semester! In... http://bit.ly/nmujAA #nonprofit"},{"text":"Check this video out -- Declaration of Thingamajig http://t.co/b9BZaeV"},{"text":"Have you seen fellow Canuck rocker Sebastian Bach's new girlfriend? Wow! http://ow.ly/5zbS0"},{"text":"good night and sweet dreams evry1 :)\nso glad to be with u guys today :)\nsee u all 2morow :)\nhugs and kisses..... http://fb.me/12eT9PPI9"},{"text":"Photo: en argentina no quiere a messi por maluco y tu pones esta cara jejejejej http://tumblr.com/xfn3dlt1vx"},{"text":"El nuevo LUPO (izq) con Canuto http://yfrog.com/kfwwncj"},{"text":"@Susaa1997 Please check out this song and comment and subscribe if you like it http://t.co/JWBdjSb"},{"text":"Er zijn gwn bomen in dit stadion gegroeid http://lockerz.com/s/117950632"},{"text":"RT @silverfoxxz: Photo: http://tumblr.com/x3u3dktkq3"},{"text":"One more month and Ill neeeever have to wake up for my stupid booring job again - so happy I found this! http://tinyurl.com/3l3elro"},{"text":"Tib souhaite un joyeux anniversaire a seb (@OmEgA_OFFICIEL live on http://twitcam.com/5lbt4)"},{"text":"RT @xhelogo: I'm at Pasarela El Abrazo (Camino a Melipilla 16580, Maipu, Santiago) http://4sq.com/n6D4Gd http://dlvr.it/ZLDh6"},{"text":"te gusta selena?:P:P (@JeyciDrew live on http://twitcam.com/5la58)"},{"text":"Vai ficar enfeitiçado quando eu empinar o bumbum http://t.co/V46IoJm - adorei haha"},{"text":"El reloj VEA Sportive Watch monitoriza el entrenamiento y tiene función de rescate http://goo.gl/fb/YhIGT"},{"text":"please vote @Mizz_Unda_Ztood for Ms. Twitter http://faxo.com/t"},{"text":"Eating Raw Foods: How It Can Help You Lose Weight, Avoid Disease, Stay Fit, And Give You Energy http://bit.ly/oAPtW5"},{"text":"Vote for Cass Tech for Bst High School! http://fb.me/OXO8qNDP"},{"text":"L ♥ v e it! Check out our new shops http://t.co/Ly6mthn An Online marketplace. Shop, Sell, Share."},{"text":"@DJDRAMA Mixtapes > @T_Hussle_ : Money Machines & Vacuum Sealers [Cover Art]: http://t.co/bRKk5f9 #LOOKATIT"},{"text":"Teacher's Guide to World Resources, 1992-93: http://amzn.to/ld5Znj"},{"text":"Photo: http://tumblr.com/xla3dlt1vy"},{"text":"Photo: Sabe de uma coisa? Eu cansei! É … eu cansei de mal entendido, de briguinhas, de fofocas, de sorrir... http://tumblr.com/x8j3dlt28o"},{"text":"I'm at 24 Hour Fitness (915 W. Parker Road, Alma & Parker, Collin) http://4sq.com/nCCuKO"},{"text":"viendo premier, Watching Harry Potter and the Deathly Hallows- Part 2 http://t.co/ODXNRsD vía @livestream"},{"text":"Exciting things in the works today. And thank goodness because there has been much hard work and late nights... http://fb.me/VCSnuiEv"},{"text":"Glamour Energy California = THIS http://bit.ly/hBYr7Z #haute #couture #glamour #fashion #losangeles"},{"text":"I'm at WEH Borivali http://4sq.com/n5voOw"},{"text":"#linux #watchdog Re: [PATCH V3 0/4] ARM: smp_twd: mpcore_wdt: Fix MPCORE watchdog setup http://dlvr.it/ZLDkg"},{"text":"filmagem da logo da MGM em 1924 http://t.co/6CTLZAi"},{"text":"RT @portaldemeli: EN UN MATADERO DE MELIPILLA FUERON RECUPERADOS 8 CABALLOS ROBADOS EN LA SEXTA REGIÓN... http://dlvr.it/ZLDkb"},{"text":"U2 montreal hippodrome ~~andy http://fb.me/18I1oMsYg"},{"text":"Quinn signs bill promising 'universal fare card,' free WiFi on CTA, Metra and Pace | Greg Hinz | Blogs | Crain's Chi... http://post.ly/2Lxzb"},{"text":"@BCBG25 http://bit.ly/qHqOyP"},{"text":"RT @dejakester: @flairCreativ Tweets about various things http://flaircreativ.blogspot.com | http://lorarfisher.blogspot.com & @LoraFisher"},{"text":"News: Apple Cuts the Price of iAds — Again [REPORT] - http://bit.ly/nQ9g1x - #Again #Apple #Cuts"},{"text":"@imtheblondekid Just showing you some #MsTF Luv R*E*T*W*E*E*T & Follow ME Im #autoFollowback --- http://t.co/d3f8cEb"},{"text":"Photo: http://tumblr.com/xel3dlt1pt"},{"text":"MEu blog : http://t.co/zvSIfZ5"},{"text":"Liquid Stranger - Shake My Ass http://t.co/LFVSg8D Ridiculous name, but a killer track. #bassline #dnb"},{"text":"Remix para darle una vuelta a la tarde: http://t.co/TQWcheQ"},{"text":"I'm at @ Mi casa....... (cabinet way, 39th st, Pittsburgh) http://4sq.com/rlPEDX"},{"text":"Space Battleship Yamato ready for a reboot - TG Daily http://bit.ly/oafz9G"},{"text":"Photo: › As pessoas te usam, te criticam, te fazem chorar, te iludem e ainda perguntam o que você tem. http://tumblr.com/xn33dlt1z4"},{"text":"Word 2000 Introductory Course (Briefcase 2000): http://amzn.to/lGDXSr"},{"text":"RT @gigicandela: as much as i care about people i need to value myself first... with that being said... welcome the ... http://tmi.me/cGFY8"},{"text":"Say What? Thanks To Digital Music, Album Sales Up For The First Time Since 2004 http://t.co/MVdrsAI via @techcrunch"},{"text":"News Post: E-Discovery Sanctions: Scare Tactic or Serious Concern http://goo.gl/fb/pQMsy"},{"text":"RT @PasteMagazine: Muse Wants to Record Next Album in Space http://bit.ly/rhTWm2"},{"text":"“A thousand words will not leave so deep an impression as one deed.” – Henrik Ibsen, “the godfather of modern drama.” http://t.co/Nq2tnWI"},{"text":"RT @stolenthunder: We're giving away 5 necklaces when we reach 2000 followers on Facebook, head over and like us! CLICK > http://t.co ..."},{"text":"Mayo Clinic: Pharmacist Job ( #Mankato , MN) http://bit.ly/g3dwN0 #mayoclinicjobs #Healthcare #Jobs #Job #TweetMyJOBS"},{"text":"RT @NHSMoodometer: Men, monitoring wellbeing and using technology http://t.co/VK0EQF1 @MensHealthForum"},{"text":"Hello by RayRei via #soundcloud http://t.co/W4azgVy"},{"text":"#3: 【Dickies】ライトオン別注 カーゴクロップドパンツ ウィメンズ http://dlvr.it/ZLDkK"},{"text":"RT @weeklyfitnessch: @JeanetteJoy \"THE GIFT OF HEALTH\" video - #weeklyfitnesschallenge Knoxville, TN Kick-Off. http://t.co/UoDdBMW"},{"text":"Mods for <b>pc games</b> windows 7 - config-customize - windows-7 http://bit.ly/oPaQm2"},{"text":"Wonderful Sign – Juanjo Martin, Toni Rico, Bobkomyns album download: Juanjo Martin, Toni Rico, Bobkomyns mp3 dow... http://bit.ly/qMy6qu"},{"text":"O @albanos, a @JovemPanBH e o @eusoubh vão liberar 500l de chope em comemoração aos 15 anos do Albanos. http://t.co/d4xF7TC #soubh"},{"text":"Soziale Netzwerke: Google+ ist ein Erfolg – für den Moment - Google - FOCUS Online http://t.co/V0aYACP via @focusonline"},{"text":"RT @FelipeHeiderich: @prantoniocirilo Pastor dá uma olhada neste texto sobre oração http://bit.ly/padbXR"},{"text":"@instagram lovers rejoice!!! An iPhone SLR Mount! This is incredible. http://t.co/8BEgiCC cc: @vibedotme"},{"text":"RT @CorinthiansNews: 16h41. #Corinthians tem a melhor campanha da história dos pontos corridos http://olha.biz/pjc"},{"text":"@b_wildered this amazes me http://t.co/QrWVM57"},{"text":"Een korte presentatie over onze dienstverlening. http://fb.me/xVo0naVZ"},{"text":"@aYGfanUK http://bit.ly/qKqMP8 PT 2"},{"text":"RT @PizzaExpress: #WIN a £100 holiday voucher NOW! at http://ow.ly/5yG5j #PolloAdAstra @PizzaExpress @peppadew_uk"},{"text":"Now, where was I? Here Comes the Sun. No! (watching Doctor Who, 42 S03E07) http://gomiso.com/r/3sJY"},{"text":"やっちゃんから貰ったパジャマ初めて着てみた!\n\nこんな女の子女の子なの初めてで恥ずかしい(///)笑\n\nさて、寝ます!\nおやすみなさい(๑′ω‵๑) http://twitpic.com/5mnnzb"},{"text":"8 x 8 Smart Phone Scalloped corner Topper by designer Carol Clarke on craftsuprint http://t.co/FfrqBhy"},{"text":"Photo: http://tumblr.com/xfr3dlt2rj"},{"text":"@mmmmyrthe This government don't have a clue what they doing MAC DONALDS IS TO HIGH http://t.co/a2Zywuq"},{"text":"Sushi nachos & a 20-person new media mtg. Having fun. We've got a great team @ www.ResetSF.org/team #sfmayor http://lockerz.com/s/117950476"},{"text":"So far @primesuspect suggested Billy Jo Moxie & @tristajaye threw out Francine or Rhonda. Any others? http://j.mp/qORXfJ"},{"text":"#NEWMUSIC The S.I.R Featuring Teez - You Ain't Rockin - http://twitrax.com/s/0q20yx"},{"text":"Existem 9873495346587 nomes, mas o seu coração só acelera quando você ouve um deles, não é? http://tumblr.com/xnt3dlt2tw"},{"text":"@POTTERperfect http://yfrog.com/kf4d0aj Loved it! Can i borrow it to my background?"},{"text":"@adambouse I'm looking forward to this: http://t.co/7xXIcSm"},{"text":"Photo: http://tumblr.com/x2s3dlt2qf"},{"text":"Photo: OMG T_T (via imgTumble) http://tumblr.com/xvr3dlt2rz"},{"text":"$149,600 :: 29 Florentine, Aliso Viejo CA, 92656: 1 bed, 1 full bathHome size: 454 sq ftLot Si... http://bit.ly/pfMjhw - TheHomsTeam.com"},{"text":"RT @marcgrotenhuis Te Grotenhuis in Woudenberg ontvangt prestigieuze internationale prijs: http://bit.ly/q23qIy"},{"text":"@serge4hair I appreciate that the faggot part isnt cut out(: http://t.co/Z4ONIut"},{"text":"@_talespiva http://bit.ly/oqXWcE"},{"text":"http://t.co/gHkG3yp"},{"text":"Re: How much should I be eating please help http://tumblr.com/xzd3dlt2sn"},{"text":"Only For Doctor's http://t.co/OuczKp9"},{"text":"Providers: Don't forget to check our Exclusions Database monthly! http://t.co/2220Krp"},{"text":"Top 6 de autos para ahorrar gasolina http://bit.ly/qZAu0u"},{"text":"Video: Αποκαλύψεις Ντέμη για τα στημένα! http://nblo.gs/k7FQL"},{"text":"@iLAM0Ni http://bit.ly/pUOzBi"},{"text":"@UstyugovaAlyona iPhonе 3G за 2000рублей! http://t.co/vw4gj4q"},{"text":"@danbrozek still on #facebook"},{"text":"http://www.youtube.com/watch?v=bZuEGRvdg10 || vom salzer gestern. :D"},{"text":"Read my response to \"What's the best way to cool off on a summer day?\": http://4ms.me/q9uR6y"},{"text":"1ST SONG OFF THE ALBUM \"NO HOLDS BARRED\" 'BY AR-16 'CALL HIM UP ' http://limelinx.com/files/1f34195a73461019a0f4cbded37c47af"},{"text":"RT @Christag_banner: Introducing 80's Power Ballad Contest http://bit.ly/jwkf51"},{"text":"Kid's Box 4 Teacher's Resource Pack with Audio CD: http://amzn.to/mimoOy"},{"text":"«Não esperava um FC Porto tão agressivo», diz treinador do Tourizense\n\nO treinador do Tourizense ficou... http://fb.me/13UzTUOKG"},{"text":"http://yfrog.com/kjp0eenj y para cenar presa ibérico a la piedra"},{"text":"مبروك الخطوبة: السلام عليكم ورحمه الله وبركاته \n \nبسم الله الرحمن الرحيم \n \n{وَمِنْ آيَاتِهِ أَنْ خَلَقَ لَكُم م... http://bit.ly/qid7fn"},{"text":"Photo: http://tumblr.com/x7a3dlt2xg"},{"text":"黒水水牛2本セット 16.5mmと18.0mm 化粧箱・牛もみ皮印鑑ケース付: http://amzn.to/mzR38F"},{"text":"Don't you miss the view at Point Emerald Villas C203? http://conta.cc/p6NsBy via #constantcontact"},{"text":"Again this is what I saw when I went to see where they found Caylee.. #CaseyAnthony http://t.co/TRonxoN"},{"text":"#9: 【ネット付!】おしゃれウィッグ/フルウィッグ/WIG/手軽にイメチェン/D103 http://dlvr.it/ZLDlQ"},{"text":"Nice. :) RT @suttonnick Tomorrow's i front page - \"The end of the world\" http://twitpic.com/5mnl5k"},{"text":"桜志野組湯呑: 大Φ7xH9 小Φ6xH8cm http://amzn.to/iLIPc0"},{"text":"Mark (Interpretation Ser.: a Bible Commentary for Teaching and Preaching): http://amzn.to/m5ZJIj"},{"text":"RT @naosalvo: Porra São Paulino.... http://t.co/AuEZgSj ai fica dificil né Richarlyson..."},{"text":"@GabyQuezia pedi um amigo seu para me Aceitar no Facebook rsrsrs"},{"text":"RT @GuyKawasaki: American history Facebook-style http://is.gd/Ov9z12"},{"text":"Photo: http://tumblr.com/xag3dlt2m1"},{"text":"We have updated our events calendar with some new information on upcoming workshops including one of the 21st... http://fb.me/18Dw9JYDk"},{"text":"Cartão do Cidadão tem falha Grave e não consegue concretizar a promessa revolucionária de relacionar dados http://t.co/yCNfTm7"},{"text":"La Excelencia Del Vendedor Profesional: http://amzn.to/iuhcA6"},{"text":"Web1 new result for \"Indiana\" \"lawyer\" Seeking an Indianapolis, Indiana Lawyer | Indianapolis Car AccidentAn Ind... http://bit.ly/mXRjnB"},{"text":"Street Fighter x Tekken continue le teasing: http://bit.ly/oLJUic"},{"text":"Cinco anos de lei anti-fumo em Porto Alegre http://t.co/2IkUmsX"},{"text":"RT @godsgirl8494: Found a message from -A http://t.co/WNJLflT"},{"text":"The Japanese are awesome, check out their latest live music sensation, a 20-foot-tall hologram in concert http://t.co/p9An5MO #crazy"},{"text":"Face First - Goodnight New York: Face First - Goodnight New York http://bit.ly/pb4Nlm"},{"text":"自称シリーズ 自称エスパー リブキャミソール(ホワイト) L: 自称シリーズ 自称エスパーです。自称プロサーファーか…私も今日から自称しよかな?別に自称でいいんだ…自称で…自称なら、私、エスパーです!伊東です!美咲です!魔... http://amzn.to/l8QkRW"},{"text":"HELP THIS PAGE LETS TRY TO GET THEM TO AT LEAST 25(:\n\n-ChrissyCastronovo<3 http://fb.me/zkzmmjXO"},{"text":"[아이폰 위치추적어플 진돗개] 07월08일오전05시04분38초,현재위치확인▶▶ http://maps.google.com/maps?q=35.3138,128.758"},{"text":"The-House-Boardshop : Gator Wakeboards Up to 60percent Off at The-House.com http://dlvr.it/Vs5TC"},{"text":"RT @CortesiasRN: Lá vem o Sorteio de \"3 SKOL 600ML + Costelinha Suina Barbecue\" P/ #VOZeVIOLÃO SEXTA no @Rezenhas_ | http://kingo.to/HSh |"},{"text":"RT @Labour_News: The News of the World's sensational history - Guardian http://aggbot.com/link.php?id=14161098&r=tw&t=lab"},{"text":"Achieved a new personal record with @RunKeeper: Farthest distance... http://bit.ly/l9Fn5V #FitnessAlerts"},{"text":"78 http://instagr.am/p/HKTmr/"},{"text":"RT @justinbieber: CONE-ING IS THE NEW PLANKING - haha - http://t.co/8US8MK3"},{"text":"http://t.co/OIvlSRb\tnorwich football club uk"},{"text":"Washington Nationals vs Chicago Cubs watch live stream 7 Jul, 2011 http://bit.ly/qpmh2g"},{"text":"SImple way to get started video call on fb ! :) http://youtu.be/6hQrMfShKcI"},{"text":"The-House-Boardshop : Gator Wakeboards Up to 60percent Off at The-House.com http://dlvr.it/Vs5Qv"},{"text":"近代麻雀オリジナル 2009年 06月号 [雑誌]: http://amzn.to/mLMc9X"},{"text":"check out this cool article:: What Is A Good Bodybuilder Recommended Whey Protein? http://bit.ly/ehM2Yw"},{"text":"Read my response to \"Sabias ke el humano puede idear mas de 20 preguntas por minutos? :O ers uno de ellos?\": http://4ms.me/rjUuq2"},{"text":"Pediatric Diagnosis: Interpretation of Symptoms and Signs in Different Age Periods: http://amzn.to/jdw57b"},{"text":"http://t.co/ASVcQmx #Tuite1Sonho '-'"},{"text":"I am watching The Apprentice: The Final Five on BBC1 N East 9:00pm Thu 7 Jul @tvguideshows #ApprenticeTheFinalFive http://bit.ly/rcJB4B"},{"text":"@storewithcoupon http://krz.ch/zsP4"},{"text":"遊戯王 OCG デュエルモンスターズ TACTICAL EVOLUTION ( タクティカル・エボリューション ) 英語版 3パックセット【ゲームカード】: http://amzn.to/krYjI3"},{"text":"Playa Praia do Garrão ~ Turismo en Portugal: http://t.co/udu7hmD #garrao #playa #algarve #portugal #turismo"},{"text":"Twitter Co-Founder Biz Stone Now Advising on Startup Investments http://dlvr.it/ZLDm5 #twitter"},{"text":"audio-technica オーディオテクニカ TPC12 BK 車載用 OFCパワーケーブル12ゲージ(1m単位切り売り)カラーブラック: ※こちらの商品は切り売りでの販売になります。\n数量1で1mのご注文になります。 http://amzn.to/kWJMmX"},{"text":"Daniel Radcliffe, he really knows how to dress well http://t.co/tVOqst5 via @SnitchSeeker"},{"text":"RT @vaipensandoai: 43% das mulheres já foram vítimas de violência doméstica http://shar.es/Hwizw Além do Video 1 do Profissão Reporter - ..."},{"text":"Dante’s Inferno: http://wwwesportline.blogspot.com/2011/06/dantes-inferno.html"},{"text":"New @5OrangePotatoes hedgehog plush stuffed animal in green and stripes, eco friendly, upcycled http://dlvr.it/ZLDm3 #etsy"},{"text":"@SMStats Thanks for reading our article. Have you already tried the Socialbakers Analytics? http://t.co/GZTJvgi"},{"text":"http://bit.ly/o2zHYW 5 places for online workers to make more money online http://tumblr.com/xxi3dlt3dk"},{"text":"9 Pilot Work Sites http://t.co/jWUaV1w"},{"text":"RT @Forbes Is Microsoft's ability to shake down Android an example of the patent system failing us? http://onforb.es/qi2eC3"},{"text":"RT @josepauta: Lele 'El Arma Secreta' Ft @Lawrentis & @Pouliryc - Pasaje A La Muerte http://t.co/5Ds3HR4 vía @youtube"},{"text":"RT @justinbieber: CONE-ING IS THE NEW PLANKING - haha - http://t.co/8US8MK3"},{"text":"@Jessygirlcaty Ei Amore assine ae o abaixo assinado? http://t.co/HkfVzuZ bjus e obg"},{"text":"RT @m78_magma: マ グ マ 星 人 の 生 放 送 が 楽 し み な 人 は 公 式 RT http://t.co/PLbAhwr"},{"text":"Realnay Devyshka, 29, Харьков http://rusflat.com/hiJuMe #love #sex"},{"text":"Ainda da tempo de curtir o UFC Rio ao VIVO e com pacotes COMPLETOS pra la de especiais, confira: http://t.co/kVpo3qn a partir de R$ 1.540,00"},{"text":"RT @112Twente: Close-Up Foto1 bouwkraan op de Grolsch Veste in Enschede. http://twente112.nl/?f=543"},{"text":"Photo: oopostodasociedade: http://tumblr.com/xkb3dlt2xz"},{"text":"onde vocês estão ? começar o que ? kkk :x (@juaalok live on http://twitcam.com/5lbri)"},{"text":"虹伝説2ライヴ・アット・ブドウカン~過去へのタイムマシン: http://amzn.to/mnDv9O"},{"text":"ils vont démonter la baraque avec leur yoyo (@OmEgA_OFFICIEL live on http://twitcam.com/5lbt4)"},{"text":"@hayleywwfc @Newey_7 :) http://twitpic.com/5mnnzt"},{"text":"golden shower pee | ich will Dich! http://goo.gl/fb/xxcIh"},{"text":"Mistério...: Vem aí mais uma edição do polêmico Habbo Rancho http://hab.bo/ngIcVr"},{"text":"#vaga secretária jr >>http://bitly.com/kmlMkQ<<< #sp #jobs #jabaquara precisa de um #emprego? vagas@codetalentos.com.br assunto Twitter"},{"text":"Mistério...: Vem aí mais uma edição do polêmico Habbo Rancho http://hab.bo/q4Q7Ne"},{"text":"@AsyaMeleshenko акция oт Apple: iPhone 3G за 2000рублей! http://t.co/Ca7PTwQ"},{"text":"Photo: Port Vell - Barcelona (Taken with instagram) http://tumblr.com/x1q3dlt3p0"},{"text":"Photo: onedifferentgirl: http://tumblr.com/xj83dlt3oj"},{"text":"Turtle rescue | turtle, rescue, endangered - WPEC 12 West Palm Beach http://t.co/NEk8HF1"},{"text":"Hayley Bear Fine Wine Brokers Seek Sales Manager (marina / cow hollow) http://bit.ly/oYEj45 #SF #SFbay"},{"text":"Double dip. @mattfry @chrispipes @tjayw @benturnerlive @michelle_live http://lockerz.com/s/117950643"},{"text":"@SimplyMarlee , @katukuru , @JonasticTRS18 and 18 others unfollowed me today ... checked by http://fllwrs.com"},{"text":"http://t.co/cscUx5a Essa é pra quem curti musica de verdade Marvin Gaye - Sexual Healing i pra outros momentos ai UAHSUAS ' ."},{"text":"Madison Avenue in Asia: Politics and Transnational Advertising: http://amzn.to/kxipwt"},{"text":"AAAAA!! RT @N_Fraiture http://t.co/sgsp1xQ 'Taken For A Fool' video premiering tmrw on Vevo for 24hrs!"},{"text":"Leo Utamakan Inter Milan http://dlvr.it/ZLDmy"},{"text":"#LISTEN Living in Sin - I HATE FAKE feat Bid Lo - http://twitrax.com/s/fctlsj"},{"text":"http://t.co/0AvhDfZ\nJA TAO NAS DORGAS?"},{"text":"Checkout our Variety of Mens Tees!From Sneaker tees,2The Freshest Styles in Streetwear! http://tinyurl.com/6jglava Always something 4 u ! RT"},{"text":"Have you this on him on camera http://tinyurl.com/3t9r68f Piers #replaceawordinafamousquotewithduck #harrypotterlive Michael Beasley Sweden"},{"text":"Membresia de Acceso Completo al Centro de Entrenamiento (CreandoNegociosconeBay.com) http://dld.bz/ab7yv"},{"text":"OMG you have to read this if you HAAATE your boss :/ craaazy http://tinyurl.com/3blwlfa"},{"text":"agostino b 2010: musik und bildern Posts Related to agostino b 2010 Share this on del.icio.us Digg this! Post th... http://bit.ly/pR1tTO"},{"text":";) http://t.co/mPz4QIg toothbrushes Medline Toothbrushes - 30-Tuft, Extra-Soft Nylon Bristles Individually Wrapped - Qty of 144 Reviews"},{"text":"I need a new pho place. 1st bite I spit out cuz there was long dirty thick thread in my soup!Owner didnt care http://lockerz.com/s/117950230"},{"text":"Photo: http://tumblr.com/xng3dlt3op"},{"text":"Mistério...: Vem aí mais uma edição do polêmico Habbo Rancho http://hab.bo/qiJkj1"},{"text":"Excuse me? http://t.co/w1PJQ3Y"},{"text":"Don't forget to tune into TruckBuddy tonight as well. http://soc.li/UemUwWJ"},{"text":"RT @jeanphilip: RT @_mindblow: Driejarige Lily stuurt brief naar supermarkt (en krijgt antwoord). #allesiseenverhaal http://t.co/aVy2AIY"},{"text":"@dalganq8 @q81whm @wekleks @shmshom10 @bu_najm @nashe6aaq8 @q81a \n http://t.co/vcSiBx9"},{"text":"RT @xx_evelien: RT @DjanaiCL: RT @xx_evelien: Lekker dan bb wordt elke avond afgepakt om 10 uur... ;S // hoezo (cont) http://tl.gd/bjigib"},{"text":"@itsohsotvd http://twitpic.com/5mno0b"},{"text":"Photo: gabrielcezar: http://tumblr.com/xag3dlt3oz"},{"text":"Very Experienced Waitress & Line Cook (sausalito) http://bit.ly/pxUO7C #SF #SFbay"},{"text":"http://fb.me/15sN4k1BA"},{"text":"GO-Airlink-NYC : LaGuardia Airport Transportation http://dlvr.it/Vr4KX"},{"text":"Photo: whats-with-the-birds: http://tumblr.com/xhc3dlt3nh"},{"text":"Photo: http://tumblr.com/x3j3dlt3jp"},{"text":"Mistério...: Vem aí mais uma edição do polêmico Habbo Rancho http://hab.bo/q4Q7Ne"},{"text":"RT @metroidmaster_: RT @xtoetttie: RT @metroidmaster_: Ik jou ook • Haha damn, ging ook over jou, maar had ... http://tmi.me/cGFYl"},{"text":"RT @MoHead_LesTalk: People liking my status from a week ago on Facebook proves that I have stalkers"},{"text":"I liked a @YouTube video http://youtu.be/-skziLjVReo?a Tunisian House arab Mix Tunisia Tunisie music"},{"text":"ITF Aschaffenburg: Schoofs bereikt kwartfinale: Bibiane #Schoofs heeft in het ITF-toernooi van #Aschaffenburg de kw... http://bit.ly/o30cSb"},{"text":"saindo beijos http://tumblr.com/xrw3dlt3ok"},{"text":"Se ve bien Google + :)"},{"text":"http://tumblr.com/xic3dlt3pg"},{"text":"Mistério...: Vem aí mais uma edição do polêmico Habbo Rancho http://hab.bo/q4Q7Ne"},{"text":"『省スペースで備蓄・収納できるヘルメット。タタメット プレーン』を見る ⇒ http://a.r10.to/hByLOK #followmeJP"},{"text":"trrrrrrrrr (@Digitzz live on http://twitcam.com/5lc14)"},{"text":"I GOT OVER 400 HAPPY BIRTHDAY WISHES....I JUST WANNA THANK YALL FOR ALL THE LUV....... THANK U! http://tag.me/qgKgPx"},{"text":"Giro d'Vos kleurt Oranje: In de schaduw van de Tour de France rijden de dames in Italië de Giro d'Italia, maar d... http://bit.ly/o3nFqV"},{"text":"NPR News: In A Fish-Eat-Fish World, Order Asian Carp And Lionfish To Save The Rest http://n.pr/ruCCGy"},{"text":"Photo: http://tumblr.com/xhu3dlt3vd"},{"text":"RT @archiemcphee: One of he most awesome pictures ever? http://bit.ly/n3Xvh4"},{"text":"http://iadorejobros.tumblr.com/post/7347524991 someone wanted to hear me sing please be mine. so here you go:}"},{"text":"RT @hosteltur: Las aerolíneas de EEUU piden a Europa que no las castigue por sus emisiones de CO2 http://bit.ly/n7YBVB"},{"text":"[indonesia] What's new http://dlvr.it/ZLDnw"},{"text":"Muricy elogia Dagoberto, mas avisa que Peixe não entrará em leilão http://t.co/eSEulXH #ge3"},{"text":"I'm ready to go back overseas...Japan that is"},{"text":"Venture Capital Term Sheets – Redemption Rights: Introduction\nThis post originally appeared in the “Ask the Atto... http://bit.ly/o2QhUR"},{"text":"if only sex was as good as this http://simurl.com/jewzat Wes Brown Ice Cube Goodnight Twitter Emma Watson #harrypotterlive Duck Gucci Mane"},{"text":"RT @GabbyQuinteros: http://yfrog.com/kh6ri1j Mi amiga #Pornstar ~ @VickyVette ~ #Hot blonde follow! RETWEET"},{"text":"Got myself 4 FREE tickets to Six-Flags WOOOW!! http://bit.ly/pp1Mks"},{"text":"RT @monoxyd: Ab 22:00 Uhr: Blue Moon auf @fritzde über Soziale Netzwerke. Anrufen & mitmachen unter 0331/7097110 http://t.co/kHz5cyf"},{"text":"@iMorontaa en q lao tu vive? Enserio tu ta en SouthBeach??? B) (@EnnioSkoto live on http://twitcam.com/5la62)"},{"text":"@vellajhoananda unfollowed me today ... checked by http://fllwrs.com"},{"text":"RT @Eater: Chefs Weigh In: Does America Have a Culinary Identity? http://t.co/gGkuNj9"},{"text":"Mesti antene jupuk layangan RT @detikcom: Atap Stadion Twente Roboh, Satu Meninggal Dunia http://de.tk/ZGbkg via @detiksport"},{"text":"We want The Wanted to do glad you came signings please? :) TheWantedMusic http://twitition.com/9lflk"},{"text":"gay marriage advocates still aren't satisfied RT @mormontimes: Gay marriage debate shows threat to religious freedom http://ow.ly/1dBLPh"},{"text":"RT @kimononohituji: @sekenniikaru @basilsauce お子さんにお蕎麦食べさせてあげて下さい。ルチン多くとったほうがいいと思います。ルチンは放射線障害に有効との報告ありますhttp://t.co/mnA8zvd 柑橘類果皮の白いトコの ..."},{"text":"@MisszSharii what IS his facebook...his full name?"},{"text":"You were there from beg! buy tix early for 7/22 9pm-drinks after! http://t.co/Bq8JwMJ RT @philmarzullo looking forward 2 watching in Chi!"},{"text":"@Saiyai http://krz.ch/zrHP"},{"text":"Didnt ask u RT @ACiESUPREME Just get cuffs for that RT @CaramelBeautyy_ Ever used duck tape to bond someones (cont) http://tl.gd/bjigig"},{"text":"Wkwkwkwk:DRT @ecikecik: Sangat pakcik :pRT @riokhairuman: @ecikecik enakkan?:p http://myloc.me/lmVoW"},{"text":"http://t.co/GVyornF Kitchen Louis Vuitton Photography Betting Games Supreme Court Magic List of Universities"},{"text":"Executive Chef, Line Cooks, and Sous Chefs (NYC) http://bit.ly/potks1 #SF #SFbay"},{"text":"\"We are closest to people when we help them grow.\"~Milton Mayeroff~Join us over @ the Village! #mytag http://bit.ly/m6Ceq4"},{"text":"Música retro: Si quieres verme llorar – Lisa López: Lisa López nos dejo una canción muy romántica en 1981 esta m... http://bit.ly/qHSfNy"},{"text":"RT @VoluntadPopular: En El Tiempo: Elecciones de partido Voluntad Popular serán “inéditas” y tendrán respaldo del CNE http://bit.ly/nx6dLa"},{"text":"Photo: too right http://tumblr.com/x733dlt48j"},{"text":"Times of India: Karunanidhi backs Maran, accuses media of defaming his grandnephew http://goo.gl/0w7Q9 #news"},{"text":"RT @FrankeArchitect: Cheers to the Peak Series for allowing me a gorgeous solution to the rising minimalist trend! http://t.co/M9x4vTe"},{"text":"Adele, Katy Perry help music sales go up for the first time in seven years http://bit.ly/oTUWUG #KPR"},{"text":"Today Daily Android Newsletter #androidnews 03-07-11 http://bit.ly/n6zTuY #Incredible #Incredible #ROMS"},{"text":"Check this video out -- \"NIBURU\" by ELLIS (prod by Legin) http://t.co/43P2WPA via @youtube"},{"text":"Stunning Video clip - You may be ! http://bit.ly/nldsyU South Korea #brb #onetimeanniversary #donttalktomeif Mac Miller Duck Skype Ice Cube"},{"text":"#Ukraine Янукович пообщается с журналистами http://bit.ly/oDpO0H"},{"text":"Just a reminder \"Take your Daughter to the Course Week\" will end on July 10th. You still have time to share your... http://fb.me/Wsz527bC"},{"text":"#Mannheim #Quoka Junge Familie sucht schönes zu Hause 4 köpfige Familie sucht ab 1.11.2011 ei... http://bit.ly/qylG82 #Mietwohnungen #MA"},{"text":"メイドインジャパンヒストリー―世界を席捲した日本製品の半世紀 (徳間文庫): http://amzn.to/ikgOxq"},{"text":"Photo: http://tumblr.com/xx83dlt48s"},{"text":"@hb_boots pronto minha loukuraaa..\nhttp://t.co/Cofupqj"},{"text":"#NEWMUSIC Sky Boyz - 300 The Movie Sample Beat - http://twitrax.com/s/i875ib"},{"text":"Photo: http://tumblr.com/xxn3dlt44c"},{"text":"Los Jaivas emocionaron en su reencuentro con Machu Picchu. http://t.co/8eJQwVO vía @laterceracom. ¡Con el corazón en la mano!"},{"text":"Dreams of Burma for iPhone, iPod touch, and iPad on the iTunes App Store: http://t.co/WmJMrAi via @addthis"},{"text":"Treat Everyone As Special\nBegining today, treat everyone you meet as if they were going to be dead by midnight.... http://fb.me/FfnMDTUF"},{"text":"Caramba, acabei de conseguir seguidores com o sistema http://t.co/ISutfMv"},{"text":"In A Fish-Eat-Fish World, Order Asian Carp And Lionfish To Save The Rest: Environmental groups want consum... http://tinyurl.com/3o3rp9m"},{"text":"\"Money doesn't change men, it merely unmasks them. If a man is naturally selfish or arrogant, or greedy, the money ... http://twtw.co/puETb9"},{"text":"SAAAAAALVE ' (@mckauankoringa live on http://twitcam.com/5laq4)"},{"text":"RT @TheOnion: Kind, Bearded Christian Has Guitar, Story To Tell http://onion.com/b8Ra7q #OnionMusic"},{"text":"Lg twittan sama dgerin lagu . Kamu ? RT @Gitseeh: haha , lg apa chingu ? RT @faRa_hiMe1011: Mwo ?? Kalongers (cont) http://wl.tl/nJ7r"},{"text":"Photo: http://tumblr.com/xvn3dlt4me"},{"text":"RT @bonecamp: #NP Bone Thugs N Harmony - Clog Up Yo Mind - http://twitrax.com/s/xlbriy"},{"text":"Chandon - @biooficial no ar: http://t.co/vlw4pYA"},{"text":"Bordem. http://twitpic.com/5mno07"},{"text":"さつまいもダイス 40g クヴェール 【自然派おやつシリーズ】: クヴェール製品は、素材の風味を生かしつつ丁寧に加工した美味しい自然派おやつです。また、食事性のアレルギーを持つペットでも楽しめるように様々な食材を、トレーニ... http://amzn.to/jiZJaB"},{"text":"@Sanno_HiPiSm は3947日生きた。人生あと26053日しかない。今日は有意義だったか? #30thou http://30thou.com/280013"},{"text":"Wow, this can be just surprising. http://bit.ly/nP0aT3 #icantgoadaywithout Duck #brb #donttalktomeif Cit Rugrats Noel Gallagher #leakyboat"},{"text":"Photo: › Em seus braços que eu quero estar. Sentir o barulho do seu coração e ouvir dizer que ele me ama.... http://tumblr.com/xks3dlt35m"},{"text":"粉ミルク人気ランキング http://kona-milk.blogspot.com/2011/06/blog-post_1498.html #milk #baby #akachan"},{"text":"RT @itsHERmoney: Trouble brewing for Canadian inflation? http://viigo.im/6JpJ"},{"text":"RT TANITA インナースキャン 内臓脂肪計チェック付脂肪計 ホワイト TF-751:... http://bit.ly/izL4kU"},{"text":"Photo: › Se sua opinião fosse importante para mim, eu pediria. (meninahere) http://tumblr.com/xiw3dlt4gk"},{"text":"Photo: http://tumblr.com/xnm3dlt46z"},{"text":"@JOHNERICLAROCA Entrevista: John Eric @ La Mega, Philadelphia http://bit.ly/ppKUK4 #RT"},{"text":"@R_Muradeli iPhonе 3G за 2000рублей! http://t.co/RUnKaTV"},{"text":"#NEWMUSIC Seis @SeisOfTSNY - Everything I Know (Intro) @SeisOfTSNY - http://twitrax.com/s/qbpx4x"},{"text":"Help protect polar bears, whales and walrus. http://t.co/Pefopu0"},{"text":"RT ニードぬかっこスキンクリーム 162g   田中善: 米ぬか成分を配合したクリームです。肌荒れや乾燥からお肌を守り、皮膚にうるおいを与えます。ひげそり後にもお使いください。 【成分】... :bit.lylVeXYQ http://bit.ly/lVeXYQ"},{"text":"http://fb.me/137mI43b6"},{"text":"@SafiraIsAGleek http://tinyurl.com/3nqm9yt"},{"text":"RT @us_itunes: New Remix EP Hold On (feat. Ed Unger) - EP - Dima: Dima Pre-order [Aug 09, 2011] http://bit.ly/qeq4B8"},{"text":"Ik wil deze schoenen ff halen. http://lockerz.com/s/117950656"},{"text":"[ #Tistory ][장편소설] 그날 71. 거인 http://durl.me/bya4y"},{"text":"Lmaoo hahaha yea some cases tato ita nuttin pero en otra se pasan.. ya tu sabe lol RT @vickr0ck @__SCUBA__ lol (cont) http://tl.gd/bjigij"},{"text":"Wasted: The Incredible True Story of Cricket’s First Rock ‘n’ Roll Star http://goo.gl/fb/3KEDX"},{"text":"brittanytft: http://tumblr.com/xyi3dlt4iz"},{"text":"Pierre Jean nous a abandonnés avec son yoyo. XD (@OmEgA_OFFICIEL live on http://twitcam.com/5lbt4)"},{"text":"seguiiindo COOOOOOOOOOOOOOONGA DA ROOOÇA *O* CUURTE AAQUI? http://t.co/wzlSxZd @Need_NNova"},{"text":"RT @DeScherpePen: Nieuwe reactie op: Vraag en Antwoord over tijdelijke verlaging overdrachtsbelasting - http://bit.ly/ld8ImF #2%"},{"text":"wordsandbadwords: http://tumblr.com/xgi3dlt4lg"},{"text":"Nieuwe foto: Rivierrombout, bijzondere libel!! ~ Yellow - legged Dragonfly: llovmaartje posted a photo:\n\t\n http://bit.ly/reID1Q"},{"text":"14K GOLD HEART CHARM http://yardsellr.com/ecil"},{"text":"RT @BobbyBrackins: RT @RosaAcosta #ThongThursday Supreme - http://moby.to/47ojnz"},{"text":"これで完璧Shade7: http://amzn.to/mHFFQE"},{"text":"Photo: http://tumblr.com/xti3dlt4mq"},{"text":"OPS KKKK, KAUAN * FOI MAL (@mckauankoringa live on http://twitcam.com/5laq4)"},{"text":"『【送料無料】Yes!プリキュア5GoGo! Webラジオ CLUB ココ&ナッツ Vol.3+June Cinderel』を見る ⇒ http://a.r10.to/hBWlVZ #followmeJP"},{"text":"ai gente! Que absurdo! RT @FHOXonline: Levando a fotografia com iPhone 4 MUITO a sério http://ow.ly/5z8UB"},{"text":"Smua org sukses tdk luput dr kegagalan dlm mencapai kesuksesannya RT @aryaprabu: Cape' gagal mulu masalah yg (cont) http://tl.gd/bjigiv"},{"text":"#Promo via @premiosparavoce Adorei a Coleção METAMORPHOSE @_Missbella_ e quero ganhar Vale Compras. Clique e concorra http://premios.ws/31"},{"text":"MAN CONNECTED TO NOTORIOUS BIG MURDER CONFESSES?! PLANKING CAME FROM SLAVERY?? http://www.therealcompound.com"},{"text":"iFrames for Facebook Part 1: How to Implement http://t.co/zTvnXYh via @lunametrics"},{"text":"Photo: http://tumblr.com/xiu3dlt4j8"},{"text":"RT @TheBigEscobar: RT @iilovekelly: Altijd in de ochtend heb ik trek ik kfc & maccie ..•rare maag heb jij ... http://tmi.me/cGFYr"},{"text":"Photo: http://tumblr.com/xvg3dlt4g9"},{"text":"I'm at Gary, IN http://4sq.com/pXOxaB"},{"text":"Mount Your Canon/Nikon SLR Lenses on Your iPhone: \nA new SLR adapter for iPhones 3 and 4 is out from online phot... http://bit.ly/r4CluC"},{"text":"Paulina (14) aus Köln in Österreich getötet - News Ausland - Bild.de http://t.co/R2XKKxU via @BILD_aktuell"},{"text":"Photo: http://tumblr.com/xin3dlt48d"},{"text":"@RafaRib14 http://twitpic.com/5mnjyu - HAHAHHAHAH ! E eu láá em baixo morrendo com voces em cima hushudshdhsuhdus"},{"text":"New @gaspedal Delta’s case study: How we used customer service to get started in social media http://bit.ly/py55oU"},{"text":"http://t.co/c5pOH3S PODRE --' KKKKKKKKK"},{"text":"Best Bang for the Environmental Buck by @RunOnEnergy: http://bit.ly/aSvOI0"},{"text":"RT yawa sangu simeibiwa kadha very pugnaciously audacious @joewmuchiri: LOL...if u r gonna steal a tweet (cont) http://wl.tl/NJ7r"},{"text":"RT @lisasamples Colgate Building Smiles Tour is #BuildingSmiles Together at Walmart http://bit.ly/qk69bP #health"},{"text":"Verify The @ICONicBoyz : http://t.co/uYMWTno 53"},{"text":"MSNBC: Tips on how to help your child buy a home http://fb.me/OttJBRL5"},{"text":"the newest news on Kadarshian Sexy Video http://bit.ly/kAc7n2?k=28 Darren Lockyer Goodnight Twitter Rugrats"},{"text":"http://t.co/vsfML5Q\tto hell with dying"},{"text":"Having dinner with @_3thb, @ashes_sa, and @f9ool1. @ Route 7 Diner روت 7 داينر http://gowal.la/c/4yEwL"},{"text":"Photo: http://tumblr.com/xbj3dlt50w"},{"text":"@TeamSimpsonATL @IBiebs_Simpson http://twiffo.com/o73"},{"text":"Jennifer Lopez posing in long black dress http://t.co/pdARPha"},{"text":"Great American Bites: Muffuletta Sandwich at Central Grocery, New Orleans - USATODAY.com http://t.co/iNzGdDT via @USATODAY"},{"text":"so tem eu vendo,mande perguntas por favor (@victor27h live on http://twitcam.com/5lbyl)"},{"text":"BEM MELHORRR AKIII VEMMM >>> Q LAPA D PEITO VEI! http://twitcam.com/5laz6 (@priabreu_zl live on http://twitcam.com/5lamb)"},{"text":"E amanhã pode ser tarde demais pra você fazer o que poderia ter feito hoje. http://tumblr.com/x8m3dlt56e"},{"text":"@SnoozeAMEatery Cinnful pancake... Holy Moly! Please order...even I not on menu It's ridiculous good. Cinnamon... http://bit.ly/nNA14M"},{"text":"Download gratis de complete eBook thriller \\'De onthoofde stad\\' slechts in ruil voor een retweet. http://bit.ly/8ZswRr"},{"text":"Daqui a pouco tem Renato Lage, Louzada e Cid Carvalho debatendo Alegorias e Adereços http://t.co/DwaqCFR"},{"text":"Half Billion Connected TVs sold by 2015 http://t.co/PQXqjmj"},{"text":"yaaaa se viene algun ipad para el team? @LaViviRocks en vivo http://vivi.cl"},{"text":"cade as minas... deixa elas ai de boa ... vaza geral deixa as minas\n (@paulofortunelly live on http://twitcam.com/5laz6)"},{"text":"Thai Food at the Club http://icont.ac/1Kdi"},{"text":"Photo: http://tumblr.com/x8q3dlt4pu"},{"text":"BoB – #Magic ft. #Rivers #Cuomo [#Official #Music #Video]: Get B.oB exclusives @ www.bobatl… http://goo.gl/fb/E3h35"},{"text":"Drama in Enschede: Toter bei Einsturz von Stadiondach.\nBeim Einsturz eines ... http://t.co/7eYdbY8"},{"text":"RT @premierefc1878: Bad timing but already a great piece by @ChrisBasco_NOTW http://t.co/GDdHC9Q proves this is working!"},{"text":"RAZWELL's Blog: Dr. Stephan Guyenet: Any Satisfying Resolution To... http://t.co/ILcTVDS"},{"text":"Photo: daradarapattycakes: http://tumblr.com/xyb3dlt4vq"},{"text":"I will never be able to get over @yelyahwilliams' vocals in this song: http://t.co/uxIUP5W #crazytalented!"},{"text":"http://t.co/xD51YVl Musician Nanotechnology Angelina Jolie Music Technology USB Stock"},{"text":"@LordOtter here are a few scenes from my office inspired by your lovely cartoon. http://twitpic.com/5mno13"},{"text":"(`'•.¸ (`'•.¸(`'•.¸ (`'•.¸ *¤*¸.•'´) ¸.•'´)¸.•'´) ¸.•'´)\nاللـَّـهمَّ يـا مـُقـلـب الــقُلــوب ثـَـبـت قـَلبـي... http://fb.me/xT2y7PM9"},{"text":"Amazing, I in no way observed anyone just before. http://bit.ly/qc07vq #donttalktomeif Monsters Only Emma Watson Nancy Grace Ice Cube Sade"},{"text":"Kılıçdaroğlu, Yemin Ederiz Ama… http://goo.gl/fb/jFV55"},{"text":"RT @FantasyTackles #IDP Chiefs Free Agency: These Guys Can Walk http://bit.ly/olKl8H #FantasyFootball: #IDP Chie... http://bit.ly/qkiwRg"},{"text":"I checked in at Gogi's Korean BBQ (1431 L St) on #Yelp http://bit.ly/hYL5Hf"},{"text":"http://t.co/mibIsWp smart dutch A4mVpresent still future @TFWC63 ..Philippe Starck.. Lagerfeld ..Armani #A4 #7km #900miljoen #VVD #PVV #CDA."},{"text":"RT @iLikeGirlsDaily: Ass of the year #Twitterafterdark http://t.co/FhtGX2J"},{"text":"Audio: algonquin // dark mean download: amazon mp3 | itunes PS. Visit Dark Mean’s BandCamp for a FREE... http://tumblr.com/xf13dlqnpq"},{"text":"det er faktisk mulig ja.. “@pestrand: @RAREius Hah, det finnes dummere: http://t.co/mzzZyVm”"},{"text":"@katieecoco http://krz.ch/zrSC"},{"text":"OMG! This trick is just awesome http://bit.ly/nP0aT3 Rugrats Monsters Only #pid Leitzins #onetimeanniversary Cour des Comptes Nancy Grace"},{"text":"Amei essa promoção da @alicedisse a cara da #almaobesa -->\"Vou ganhar o primeiro pedaço do bolo de aniversário da Alice: http://kingo.to/I9A"},{"text":"Fin sommarkväll, perfekt för att njuta av en promenad - eller twitter!#facebook"},{"text":"COMO LEVANTAR UMA PESSOA USANDO 2 DEDOS --- > http://t.co/7TZd9pS MUITO FODA"},{"text":"I liked a @YouTube video http://youtu.be/_FYMXZdO9bY?a Internetic (Technologic Remix)"},{"text":"Girl's Day release Mini Album; \"Everyday\"! http://wp.me/p1gWN4-27r"},{"text":"@iamTravisBerry get 4 free six flags tickets at http://t.co/mwlZDNF"},{"text":"RT @justinbieber: another reason why #ilovemyfans - thank you girls. @chrisbrown check this out. #NEXT2YOU #fanMade - http://t.co/YW499sV"},{"text":"Mit einer 1:3-Niederlage zieht sich der SSV Ulm 1846 gegen Drittligist Heidenheim wacker aus der Affäre. Im... http://fb.me/KcXvoxbR"},{"text":"Windy out. Maybe not the best day for the balloons. http://instagr.am/p/HKTaS/"},{"text":"RT @justinbieber: CONE-ING IS THE NEW PLANKING - haha - http://t.co/8US8MK3"},{"text":"Dica pra ganhar seguidores http://is.gd/M8FOaG Com surpresa de seguidores"},{"text":"Totally loving Google +, the revamped GMAIL and Google Search, Google Maps and now YouTube !! #GoogleFTW"},{"text":"Another 10 shares in (e)POD101 on Empire Avenue http://t.co/lCLluL8"},{"text":"Hey check out this vid chat room with 12 people in it - http://tinychat.com/emosoulchild"},{"text":"@yesteen: Quero ganhar um megakit e cantar junto com o Justin Bieber na tarde de hoje! http://kingo.to/I9D 43"},{"text":"I HAVE NYANED FOR 14101.3 SECONDS! http://t.co/6fJaElb via @nyannyancat"},{"text":"Dan dia ababil--»RT @Balita_Sinting: Jgn dengerin Ya Tuhan, dia alibi --> RT @La2syalala: Tuhan,jgn kau (cont) http://tl.gd/bjigja"},{"text":"@Tri4Ever Altijd welkom! en de Vecht blijft mooi toch ;)) http://t.co/4vghBdk"},{"text":"Watch live Milwaukee Brewers vs Cincinnati Reds streaming 7 Jul, 2011 http://bit.ly/qlOASr"},{"text":"RT @GooglePlusTweet: http://t.co/VFc2oDY Export your #facebook contacts to #googleplus; time consuming, but also another way of sending ..."},{"text":"Photo: › Eu não acho que esta história acaba hoje… porque cada pessoa vai levar esta história através de... http://tumblr.com/xdr3dlt5f1"},{"text":"At work. Getting off at 8. HMU.: http://yearbook.com/a/1gu94c"},{"text":"Usando las Twit-Herramientas \"Buscador de Ex-Followers\": Encuentra a la gente que te ha dejado de seguir. http://kcy.me/thn"},{"text":"\"@SECTUR_mx: El CPTM refuerza campañas de promoción para la temporada de verano. http://t.co/16skEaZ\""},{"text":"@ZtotheOtotheE http://t.co/1m2JY1R"},{"text":"#jobs Mechanical Engineer Lead / Absolute Consulting, Inc. / St. Louis, MO http://bit.ly/nVXuEx"},{"text":"The 2018 Winter Olympics go to South Korea; http://t.co/F60Pc7y #Olympics #WinterSports"},{"text":"Com o #bigfollow você consegue milhares de followers em pouco tempo: http://is.gd/go4HT"},{"text":"@GlowLounge as fotos são postadas pelo facebook?"},{"text":"YOU HAVE TO HEAR THE NEW TRACK WITH ...DOGG POUND AND WU TANG CLAN http://t.co/y9Z5zbT"},{"text":"RT @wmpoweruser: According to Best buy, Windows Phone 7 looks like Windows, syncs documents http://bit.ly/qTat8B"},{"text":"RT @AB_Clothing: http://t.co/gs2T8xV New Video: Lloyd King Of Hearts NYC In-Store"},{"text":"My my, you cannot defeat this. http://bit.ly/qPHwLW #harrypotterlive #aprendicomochaves Duck #icantgoadaywithout Nate Schierholtz Embryonen"},{"text":"farawayfromthereality: http://tumblr.com/xv73dlt5ba"},{"text":"#NEWMUSIC S.I.R,Myro-Hyrdo& D-Smacka - 1Hunnit - http://twitrax.com/s/jpvty1"},{"text":"RT @TheOnion: Kind, Bearded Christian Has Guitar, Story To Tell http://onion.com/b8Ra7q #OnionMusic"},{"text":"Photoset: the lovers [ CNBLUE ] jonghyun and yonghwa http://tumblr.com/xzy3dlt5oe"},{"text":"@JoseChelo http://bit.ly/mTJMlZ"},{"text":"◆金髪◆外国人◆ブロンド◆デリバリーヘルス◆\n\n●通常13000円が\n●入会金込み\n●60分⇔10000円で\n●交通費無料(日本橋にて) !(^^)!\n \n◆◆7月のキャンペーン実施中♪◆◆\n\n世界の美女軍団在 http://twitpic.com/5mno1d"},{"text":"RT 【 ビオジェニック スキンローション 3本セット 】 豆乳 + 乳酸菌で生まれた スキンケア ローション 肌・腕・脚・ボディに:... http://bit.ly/lVeXYQ"},{"text":"@rickoshea! There's a film about you just starting now at 9 o clock on TV3!! http://t.co/9FN2AiD #ricochet"},{"text":"Like it on LUUUX http://bit.ly/kbghgK"},{"text":"Incentive Rodrigo Santos Ao Vivo em Ipanema no @movereme e ganhe recompensas! Acesse: http://t.co/SDKYJsA"},{"text":"حركوا الصورة يمين او يسار...\nقاعد اجرب البرنامج...\nذا اچيبشن لڤنق روم... http://360.io/k7H9B4"},{"text":"Ask me anything (But if ur a pussy ur'll hide ur name) http://formspring.me/JigsawD"},{"text":"од шо не го можам повеќе фб. си пишав #protestiram на фб профилот со слики http://is.gd/Zv2mTK"},{"text":"Aslında hiç kimse sevmedi,Bir ben sevdim seni...\nSevermiş gibi değil,Kana kana sevdim seni.\nTıka basa... http://fb.me/16GmfRNG8"},{"text":"Torrent: The Coming Economic Armageddon http://bit.ly/on7CHR #books"},{"text":"http://wall.in.th/p/GQu90"},{"text":"Segarra.. #iphonesia #hdr http://instagr.am/p/HKTmI/"},{"text":"I checked in at ink! Coffee Company (1590 Little Raven St) on #Yelp http://bit.ly/9KyJzg"},{"text":"Photo: ukparamore: http://tumblr.com/xin3dlt4xf"},{"text":"Investing in Healthcare: Animal Care a Hot Topic: By Alexander Schachtel 1) Natus Medical (NASDAQ:BABY) stock wa... http://bit.ly/nP9xrB"},{"text":"http://kaaswinkelloonopzand.blogspot.com/"},{"text":"«Οι αλλαγές στην Παιδεία πρέπει να είναι προϊόν συζήτησης» http://bit.ly/pxq17T"},{"text":"Οι διάσημες κυρίες και τα τατουάζ τους http://bit.ly/qkilDe"},{"text":"Γιάννης Πλούταρχος: «Σε θέλω με σώμα και ψυχή» http://bit.ly/qGSBWe"},{"text":"Photo: letosslave: http://tumblr.com/x6u3dlt5b7"},{"text":"Jesus, Facebook seems hardwired into the very being of my HTC. Impossible to flush out the fucker.(No technical advice needed, just venting)"},{"text":"Γιάννης Πλούταρχος: «Σε θέλω με σώμα και ψυχή» http://bit.ly/qGSBWe"},{"text":"Photo: ianbrooks: http://tumblr.com/xaf3dlt64a"},{"text":"SEEXTWOOD Background Pack - GraphicRiver: SEEXTWOOD Background Pack - GraphicRiver 12 JPEG + 2 Bonus | 3000 x 2... http://bit.ly/rlZ2Nv"},{"text":"@beeatrizfranco vota PF ? http://t.co/KaqqXCF um voto por pc ñ . obgda @cinthiamagno @heloisakdl @Isa_O_Martinez I\n\nheloisakdl"},{"text":"RT @ChitownOnTap: Time to beef up your beer calendar. Add these festivals now, Chitown. http://t.co/MAnpVGL @chifestivale @wheatonalefes ..."},{"text":"RT @SkorpionEnt: @WizsDailydose Get your @KINGMagazine Wet issue July17 to see both @SkorpionEnt Models @missfaren ... http://tmi.me/cGFYA"},{"text":"TerryOneWeb.com CV Webmaster / Webdesigner / Intégrateur HTML: http://bit.ly/n1Wviz"},{"text":"@sreddous http://t.co/0uY1vBB , with a preview to ensure that I'm not jerking your chain or am trying to do any harm. Let's see if this -"},{"text":"jacuzia siberia: cerco accompagnatore guida per la siberia del nord dal 28 luglio al 26 agosto http://bit.ly/njHFw6"},{"text":"Top 20 Concert Tours from Pollstar \n (AP): AP - The Top 20 Concert Tours ranks artists by average box office... http://yhoo.it/nb3a40"},{"text":"Excited to Represent our sister company Suite Spa in the up and coming ISPA Media Event in Gotham Hall in... http://fb.me/16fFlvq4V"},{"text":"tv and media furniture http://media-cabinetsshopideal.co.cc/tv_and_media_furniture.html #amazon #cheap #shopping #online #42"},{"text":"RT: RT: RT: RT: RT: RT: \"Wir gehen nächste Woche online, könnten Sie da vorher noch einen Blick wegen der Usabil... http://bit.ly/qjkRXs"},{"text":"This week's most notable performance on #SYTYCD is the girls' group jazz routine choreographed by Ray Leeper http://lnkd.in/fy2wky"},{"text":"Bloomfield Township board members could appoint a replacement July 25 for retiring supervisor Dave Payne. http://t.co/lea6oLs"},{"text":"http://twitpic.com/5mno1y"},{"text":"Ustream: RT @michaelbuble: Live Chat with Michael July 14th http://bit.ly/pJw7Vc"},{"text":"SemiLEDs Reports Third Quarter of Fiscal Year 2011 Financial Results: HSINCHU, Taiwan--(BUSINESS W... http://bit.ly/ow2EpR #energy #news"},{"text":"RT @417_Magazine: Wow! 8-weeks of Boot Camp, twice a week, for only $80. That's only $5 per session! http://ow.ly/5z58d"},{"text":"Photo: http://tumblr.com/xak3dlt609"},{"text":"The most perfect!!! RT @EricaClois: Photo: cloisers: http://tumblr.com/xnw3dl03xi"},{"text":"حمل من جميع مواقع الرفع Premium بدون مجهود http://www.promisr.com/showthread.php?t=9045&goto=newpost"},{"text":"@/dubq Rift_Supremacy .. arrgh it's sucking me in! I'm Rifting! http://bit.ly/mpU87o"},{"text":"Crianças participam de 'competições de vale-tudo' nos EUA http://t.co/L9YZ59U #G1"},{"text":"RT @saberdesexo: Jóvenes protestan teniendo sexo en misa dentro de catedral. http://t.co/GtZnDEo"},{"text":"Read my response to \"tá feliz hoje ?\": http://4ms.me/qLmvGY"},{"text":"RT @Jamin2g: Looked who fucked you again. #notw http://twitpic.com/5mng32"},{"text":"sudah terbangunku, tuhan, dari hanyut mimpi itu. hanya saja, mohon pahami khilafku, jika hangat yang terasai dalam ... http://tmi.me/cGFYC"},{"text":"вишенка *.* http://twitpic.com/5mno1s"},{"text":"tamachan0519「熱中症って超ゆっくり言ってみて?」好きな子「それ知ってるよー。ちゅーしよーって言わせるんでしょ? …あとでね。人いっぱいで恥ずかしいよ。」 http://t.co/Xp2hhqg フラグキタ━━━(°∀°)━━━!!"},{"text":"Photo: 27-06: http://tumblr.com/xaf3dlt605"},{"text":"dismantledbeyondrepair: At the moment, Down. All time? Well since I am one of those New Surrender fans you... http://tumblr.com/xbs3dlt619"},{"text":"New photo on fubar.com! http://fubar.com/~5Fwvv #fubar"},{"text":"RT @RNVcontigo: Medios comunitarios logran la plena libertad de expresión del pueblo: El ante proyecto de Ley de Medios Comunita... http ..."},{"text":"Sois de Marruecos? (@ToyFritoxd live on http://twitcam.com/5lb0f)"},{"text":"La foto :P http://t.co/tavzPud"},{"text":"MAYATEX SHOW SADDLE BLANKET PAD HORSE TACK PURPLE SOLID COLOR: Product DescriptionPURPLE MAYATEX SADDLE SHOW SAD... http://bit.ly/ndmDPr"},{"text":"RT @Tropo: [New Blog Post] Deploy a Virtual Call Center in 10 minutes with @Tropo, @PhonoSDK and @iriscouch. http://cot.ag/nuhTC0 #SIP # ..."},{"text":"RT @LaTerceraTV: Fernández quedaría fuera y \"Mago\" Valdivia se ilusiona http://t.co/LUXrHfP / El #Equipodelujo musicaliza con #Radiohead"},{"text":"http://t.co/KZHXYJn #OneTime :')"},{"text":"Q: If you could be reincarnated into anythin... A: An elephant. <3: http://yearbook.com/ask/cristhy9018/1gu94g"},{"text":"Black & Colorful party by TahelSadot http://t.co/QKQNOVM via @Etsy #etsy #etsybot #handmade"},{"text":"RT @JesseBrasil: @JesseMcCartney how was your celebration on July 4? Tell us. Brazilians fans #JesseBrasil http://t.co/QGovbGM"},{"text":"http://bit.ly/qx88fx Panasonic Lcd Tv Comparison"},{"text":"#Dragonflies | RedGage http://t.co/FBbwO7k"},{"text":"@bullysteria http://t.co/eAfJpMX"},{"text":"Congress Whines, But Won't Defund Libya War - Wired News (blog): Washington TimesCongress Whines, But Won... http://bit.ly/rlr2QS #libya"},{"text":"Dedicace pour moi ^^ ? <3 \nPJ le pro xD\n (@OmEgA_OFFICIEL live on http://twitcam.com/5lbt4)"},{"text":"if u r a guy and u hate Soccer, u r GAY.....RT @AhhFee: 4real ooo. Confused people RT @soniabladetweet: U gyz r (cont) http://tl.gd/bjigjj"},{"text":"Bueno, ¿quienes ya están en Google+? Ya pueden ingresar todos los que tengan cuenta en Google \"Gmail, Youtube, Reader, etc...\""},{"text":"I've just #run 4.25M in 00:40:00 and logged it on http://www.fetcheveryone.com #fetcheveryone"},{"text":"Photo: http://tumblr.com/xjg3dlt6ab"},{"text":"Read my response to \"How has your life changed this past year?\": http://4ms.me/nh05x2"},{"text":"Photo: http://tumblr.com/xdu3dlt5qo"},{"text":"Like it on LUUUX http://bit.ly/gCZgd6"},{"text":"Ποιες χώρες κατέχουν πορτογαλικά ομόλογα http://bit.ly/pCCB0h"},{"text":"SUPERNATURAL Season 6 Is Coming To DVD & Blu-ray http://nblo.gs/k7FUL"},{"text":"The Back Seat http://twitpic.com/4uyxfb"},{"text":"gabrielcezar: http://tumblr.com/xgb3dlt6m9"},{"text":"@poesiaa_poema amor, porfavor me ajuda?! .. comenta aqi → http://t.co/CHOZnU7 .. basta colocar meu user do tt! muito obg ♥"},{"text":"I just commented: And again :Phttp://is.gd/xgOMvt in the Drop Dead App http://road.ie/drop-dead"},{"text":"Ha! RT @AndreaSpivey: I'm drinking at 3:50pm. And my daughter who is 15 just yelled at me and said \"mom its no… (cont) http://deck.ly/~RJkER"},{"text":"Ο Ζαν Κλοντ Τρισέ επικρίνει την Moody's για την Πορτογαλία http://bit.ly/nTODGa"},{"text":"cara install joomla di local server-bahasa indonesia: spinelink:    - + var toggle_b = document.getElementById('... http://bit.ly/oLmGV5"},{"text":"Photo: http://tumblr.com/x343dlt6fy"},{"text":"Cleaner air, costlier electricity under EPA rule http://goo.gl/hOuil"},{"text":"#Cudillero. Salida de la vuelta Asturias de vela etapa a #aviles. Patrocina #BMW #Triocar hoy ha ganado el marara. http://t.co/INJc9tU"},{"text":"http://t.co/uOILEgI"},{"text":"Photo: › Eu e a minha mania, de achar que os outros fariam por mim, aquilo que eu faria por eles. http://tumblr.com/x9v3dlt69v"},{"text":"Free D.I.Y. Solar Power Presentation http://t.co/Aza9HTQ"},{"text":"De @BarcelonaRealYA Existe una nueva herramienta para parar desalojos :-) RT plis. http://t.co/6aRbodu @LA_PAH @democraciareal #15m #DRY"},{"text":"#ProgramaçãoShow Quinta-feira bombada é no @TeatroRiachuelo com #NXZERO - http://t.co/jDIiv8y #SouMaisTeatroRiachuelo"},{"text":"5.6 quake rattles Japan near Fukushima site - Yahoo! News http://t.co/OfBS2Qz via @YahooNews"},{"text":"Μέχρι το τέλος του χρόνου ο ΧΥΤΑ στην Ξερόλακκα http://bit.ly/o8WKBF"},{"text":"Elena T: thanks!! :) http://bit.ly/oFry7z"},{"text":"RT @msnbc_wow: Intoxicated men take dead alligator off-roading http://on.msnbc.com/qWqrOY"},{"text":"#LISTEN @YungGeeLUT feat. @Stampboy3 - Stand Up - http://twitrax.com/s/z6m55y"},{"text":"RT @fieldproducer: Strong stuff RT @suttonnick: Tomorrow's Independent front page - \"Newspaper 'sacrificed to save one woman'\" http://tw ..."},{"text":"I liked a @YouTube video http://youtu.be/szd1qi3ymQs?a Don Trip \"Letter To My Son\" Motion Picture directed by Joe \"Yun"},{"text":"@jess2165 @larissa_esteves Linkin Park canta Adele http://bit.ly/ocrZoB"},{"text":"Photo: http://tumblr.com/x9t3dlt6m7"},{"text":"鼓膜から犯され、淫猥に愛液を垂れ流し、発せられる言葉とは裏腹に絶頂を何度も何度も繰り返す… http://adop.jp/Drm8?m #followmejp #porn 18禁 AV エロ 動画 女優 素人"},{"text":"O @albanos, a @JovemPanBH e o @eusoubh vão liberar 500l de chope em comemoração aos 15 anos do Albanos. http://t.co/M8TghI0 #soubh"},{"text":"@_luccas94 Olá,quer ganhar Galaxy tab sem pagar nada ? acesse, cadastre-se e participe http://bit.ly/l97AGE"},{"text":"acabei de attz : http://t.co/xDcLPBl"},{"text":"I posted 2 photos on Facebook in the album \"Traffic & Weather Together\" http://fb.me/ZPREawpL"},{"text":"I you cannot defeat this. http://bit.ly/nldsyU #donttalktomeif Ian Wright #onetimeanniversary Murdoch #notw Argentina Colombia #leakyboat"},{"text":"Nuevo spray podría deshacerse de los calcetines con mal olor para siempre http://bit.ly/rlIddH"},{"text":"Like it on LUUUX http://bit.ly/dcRIjx"},{"text":"Lmao he told me that shit too, smh and he dont think he is the hulk tho #TheLies RT @Cpt_Dynamo @cwright0564 http://tl.gd/bjigjh"},{"text":"Photo: http://tumblr.com/xxk3dlt6lc"},{"text":"RT @FlyBoyE_Music: @frannyfran_fran: I saw you in foresthill walk out favourite chicken eating a burger with tomato ... http://tmi.me/cGFYJ"},{"text":"Marina Silva foi sondada para se filiar a Avon e a Jequiti, mas assessoria nega qualquer contato das concorrentes http://bit.ly/nSPfhY"},{"text":"Mi Dash es prácticamente Hogwarts. http://tumblr.com/xe63dlt6x3"},{"text":"Pd dimanah?RT @mutiapermata: with cantik2ku @shilviaayu @Kadenacini ♡ http://lockerz.com/s/117950393"},{"text":"ディクセル ブレーキローター SD カローラ CE90 89/5~92/5 フロント用左右1セット: ■プラス20%の制動力がもたらす安全性! ■スリット本数は鳴き、摩耗、ガスの除去効果など様々な事案を考慮し6本に決定。■... http://amzn.to/jx3zXs"},{"text":"なんだかんだ翔くんが好きなんです  http://bit.ly/lx3hKv 7/16"},{"text":"AAAAAAAAAAAAAAAAE *-* KKKKKK A prima pega mal né kkkk (@toty_f83 live on http://twitcam.com/5lblk)"},{"text":"US HOT STOCKS: Target, JC Penney, Affymetrix, Pfizer: DreamWorks Animation SKG Inc.'s (DWA, $21.19, +$1.07, +5.32%)... http://adf.ly/220zY"},{"text":"RT @barcastuff: Picture: Barça shirt in tv series 'Sons of Anarchy' http://twitgoo.com/2ij9zd #fcblive [via @8vivamegan6]"},{"text":"Study: CFOs call the shots in enterprise IT: \"CFO influence over enterprise IT is on the up as CIOs lack the aut... http://bit.ly/p06Szm"},{"text":"This trench is beyong AMAZING! Come see it @dosemarket Opening Ceremony NWT $1965 Embellished Trench Coat SZ S http://t.co/3ybfNxA"},{"text":"Δημιουργείται η πρώτη παγκόσμια χρηματιστηριακή πλατφόρμα http://bit.ly/p3znYP"},{"text":"I liked a @YouTube video http://youtu.be/IRFtjvTxtKU?a Apocaliptica - Faraway (subtitulado tradu"},{"text":"全日本スノーボード教程: http://amzn.to/kC2869"},{"text":"gli tappi la bocca? -.- non la sopporto già più.! DDDDD: (@BeliberJust live on http://twitcam.com/5la8w)"},{"text":"You need an emotionally neutral setting so you can tell those ... More for Aries http://twittascope.com/?sign=1"},{"text":"Hanging with the boys http://yfrog.com/kl861wj"},{"text":"amo essa música *---* http://t.co/qXBwYhX"},{"text":"igual el artículo que me quedó lindo... al menos me emocioné buscando fotos... mil quedaron fuera http://bit.ly/qo8l9Q #algúndía"},{"text":"Photo: http://tumblr.com/xzb3dlt715"},{"text":"Model Scouts Eager to Sink Their Talons Into Kate Moss’s Little Sister: Since she was one of fifteen bridesmaids... http://bit.ly/oiGno1"},{"text":"マテリア・ハンターユフィちゃんの大冒険 Neo Universe http://www.dmm.co.jp/digital/doujin/-/detail/=/cid=d_037257/mucchin-007"},{"text":"RT @jeanvidal: Anyone got a #Google+ invite to spare?"},{"text":"http://twitpic.com/5mno2k"},{"text":"Acabo de completar \"tom te pegaria?\" e meu resultado foi: teria poucas xanses! Experimente: http://rdae.eu/hqu2ki"},{"text":"http://bit.ly/rpk7do The current military terminology of \"cyber war\" makes about as much sense as wearing camo fatigues in the datacenter"},{"text":"RT @blondedrummer: The latest six photo books: http://t.co/6sZqott"},{"text":"RT @signsofelegance: The perfect #crocheted #coasters for your Xmas decor! http://ow.ly/5vbOB by @craftsbykeri #Less10 #myhandmadetweet"},{"text":"RT @NatGeo: Join Peru in celebrating 100 years of Machu Picchu http://on.natgeo.com/rhfqeL #mp100"},{"text":"I just bought Bed on Stardoll. Check out my Suite! http://www.stardoll.com/in/?pid=25720&gid=1&turl=%2Fuser%2F%3Fid%3D97936243"},{"text":"«Κάθαρση στο ποδόσφαιρο ή αποκλεισμός από την Ευρώπη» http://bit.ly/rbAfyF"},{"text":"Photo: le due sorelle by Adriano Peiretti on Flickr. http://tumblr.com/xhk3dlt71c"},{"text":"Ο Ζαν Κλοντ Τρισέ επικρίνει την Moody's για την Πορτογαλία http://bit.ly/nTODGa"},{"text":"Come Dine With Me SA! http://t.co/Rdumm9U @_AmyJohnson"},{"text":"your best source of news about @minkakelly http://meadd.com/minkadumontkelly/40117014"},{"text":"Οι διάσημες κυρίες και τα τατουάζ τους http://bit.ly/qkilDe"},{"text":"Αδυναμία της κυβέρνησης να εισπράξει 300 εκ.ευρώ από πρόστιμα για σκάφη αναψυχής http://bit.ly/nY2EbA"},{"text":"@rawrieborealisI found this pretty helpful tough: http://is.gd/spBbxv"},{"text":"Finally at home after long day at work . To be greeted by my cocker spaniel Lilley with lipstick all over her http://tl.gd/bjigjl"},{"text":"ヒルズ 猫 i/d ドライ 2Kg 4個入 1箱 (アイ/ディー): 【製品特長】高消化性/ビタミンB群、カリウム増量/混合繊維強化【代謝エネルギー】390kcal/100g http://amzn.to/jYZVEO"},{"text":"RT @FHERTIGOOD // aqui la señal On-Line de @ENPORTADA http://t.co/4PCzJF8 @danielexhuevo @CanalStream_ @TWITCARTV"},{"text":"盲目のジエロニモとその兄・外五篇 (昭和初期世界名作翻訳全集): http://amzn.to/lO1nsi"},{"text":"Como assim?!! RT @queridocachorro Cachecóis vendidos nas Lojas Marisa não eram de poliéster e sim de pelo de coelho http://t.co/MUIM6ku"},{"text":"މޭޔަރުކަމުން ސަރަނގު އާދަމް މަނިކު އިސްތިއުފާ ދެއްވައިފި: މާލޭގެ މޭޔަރުކަމުން އިސްތިއުފާދެއްވިކަން މިރޭ ކަށަވަރު... http://bit.ly/rqc17s"},{"text":"«Οι αλλαγές στην Παιδεία πρέπει να είναι προϊόν συζήτησης» http://bit.ly/oDIpO4"},{"text":"***MIXTAPE*** Download the 'Independence Day' mixtape from @dctheprez hosted by @DJELPLAGA ---> http://bit.ly/kDfBvX RT!"},{"text":"Thanks, everyone, for submitting your requests. We shared 11 coupons for $50 in Facebook advertising. More soon!"},{"text":"RT @sou1limd: 1 desespero :: http://t.co/FkssU7X"},{"text":"Like it on LUUUX http://bit.ly/pqJJ6p"},{"text":"RT @BigBrotherDish: iPeople- If u + the mobile option ( http://bit.ly/FeedsDeal ) u will be able to access feeds hub on ur iPhone/iPad a ..."},{"text":"Ζεστό μπανάκι… για να μη νιώθετε μόνοι http://bit.ly/qctKaj"},{"text":"Photo: The King! http://tumblr.com/xpq3dlt757"},{"text":"Δημοσιοποιήθηκε το επικαιροποιημένο μνημόνιο από το Υπουργείο Οικονομικών http://bit.ly/oGM9oo"},{"text":"うさぎめそっど トレーナー (オリーブ) L: ウサギと音楽をモチーフにしたデザイン…/【返品・交換・キャンセルについて】ClubTでは在庫を持たない受注生産を行っております。ご注文後すぐに工場で生産開始いたしますので、原... http://amzn.to/mgg53f"},{"text":"Photo: http://tumblr.com/xwf3dlt7hz"},{"text":"sassy shoe from internship http://twitpic.com/5mno30"},{"text":"@HappyBeliieber twitter y facebook y msn \npasame tu msn :D"},{"text":"Fine felice! El final feliz de una dura jornada. Ahora a por Tenerife! http://fb.me/16zGeTN4C"},{"text":"Photo: http://tumblr.com/xho3dlt7gm"},{"text":"이것도 시간없는 고딩에겐 된장질+허세ㅋㅋ http://twitpic.com/5a19fq"},{"text":"【サンダー THUNDER スケボー トラック】145 LO Light Cole SERPENT WHT RED NO52: 【サンダー THUNDER スケボー トラック】145 LO Light Cole SERPE... http://amzn.to/kzQyim"},{"text":"A. to Z. Mini Great Britain Road Atlas (Road atlases): http://amzn.to/mHnhCd"},{"text":"Sharing My Beliefs: Discovering Real_life Witnesses (Faith Rules!): http://amzn.to/j3qr98"},{"text":"#video #music #hiphop RayDawn (@raydawnthe86th): Pardon My Flipped Bird from the free album #ControlledChaos2 http://bit.ly/mt7drm"},{"text":"Photo: http://tumblr.com/xkc3dlt7h3"},{"text":"Your key planet Jupiter is naturally optimistic and today's tr... More for Sagittarius http://twittascope.com/?sign=9"},{"text":"@iAmColorido vai participar? http://t.co/JqjuHQL"},{"text":"Quinta temporada de El Hormiguero http://t.co/2Q0spbx"},{"text":"Kier here. We've got t-storms popping up on SkyWACH Doppler Radar. Looks like we'll see more tonight. http://t.co/V88R80k"},{"text":"неужели всего один остался? откуда такая инфа??? http://j.mp/oRLk1G"},{"text":"ショッピング大好き!  http://hp41.0zero.jp/697/19761111/"},{"text":"RT @simplereviews: Bedtime has become so much easier since we got our @ZAZOOKIDS photo clock. #Win your own with @simplereviews! http:// ..."},{"text":"Mijn pa nog even helpen met zijn Facebook."},{"text":"The Faber Book of Letters: Letters Written in the English Language 1578-1939: http://amzn.to/mhBOMS"},{"text":"@TinaFFOE @BigSean @mally9000 @tharazorman FREE @Tip FREE @lilboosie http://t.co/vA6KMtA"},{"text":"Circle: The Moon: http://amzn.to/maQEkU"},{"text":"bibi!!!!!! (@Giiograssi live on http://twitcam.com/5lbo6)"},{"text":"Photo: http://tumblr.com/xms3dlt7kd"},{"text":"iPod Touch第4世代用スキンシール【City Nights】: アメリカ発の超COOL&CUTEなスキンシールで、お持ちのiPod Touchを着せ替えしてみませんか?スキンシールは何度でも貼り直しが可能。本体の保... http://amzn.to/juIcVI"},{"text":"Structured Products: A Complete Toolkit to Face Changing Financial Markets (The Wiley Finance Series): http://amzn.to/lAMe9k"},{"text":"Pillars of Faith: New Testament Witnesses [VHS] [Import]: http://amzn.to/mbrZF7"},{"text":"@Rheapowerr ja hy is ook super leuk , MAAAR KYK DAN ZO'N CHICKIE ; http://t.co/zKutJ4H"},{"text":"Atravesse na faixa e morra com razão. http://t.co/wIeCoU8"},{"text":"キャスケットとHATの良さをMIXしたデザイン ふちどりチェッククロッシェHAT【秋冬商品】 茶: http://amzn.to/j4xINe"},{"text":"› Seu Madruga, sua vó é o Gabriel Cezar? http://tumblr.com/xlx3dlt7az"},{"text":"Online Petition for 'Caylee's Law' Goes Viral http://t.co/3tzh9mY via @TIMEHealthland #cayleeanthony #justice"},{"text":"މާލޭ ސިޓީގެ މޭޔަރ އިސްތިއުފާ ދެއްވައިފި: - ރައީސުލްޖުމްހޫރިއްޔާ ސްޕެޝަލް އެންވޯއި އޮފް ދަ ޕްރެޒިޑެންޓް އޮން އިން... http://bit.ly/nwCoNq"},{"text":"そこはゼロホール?俺の友達もそこで練習してるよ!(笑) RT @Big_Pon: ダンスって。。。かっこいい。。。 http://instagr.am/p/HKPnT/"},{"text":"印鑑セット 2本 本ワニ(腹側)付 SS オノオレカンバ 13.5mm12mm 上彫職人彫り: この印鑑は斧が折れるほど堅いという事(斧折樺)から木目が細かく耐久性は抜群の無垢材、オノオレカンバの実印13.5mm・銀行印1... http://amzn.to/mh58ZY"},{"text":"RT @Solomonthewise1: Click on the link and vote for X.O., it takes two secs peeps!\n\nhttp://t.co/J2Bn2Tz"},{"text":"http://www.naked-lindsey.com/?uid=985503 ( #bungie live at http://ustre.am/AARI)"},{"text":"הגז שייך לכולנו http://bit.ly/ilGas RT @davidohayon2011@YaelBeeri @jonathanross גז מזגנים מזמן נמכר במחירים של סם"},{"text":"Senior Software Developer job in Atlanta, GA at CCCi http://bit.ly/qryo8V #flash #developer"},{"text":"Photo: 25february: http://tumblr.com/xjh3dlt7jn"},{"text":"Ζεστό μπανάκι… για να μη νιώθετε μόνοι http://bit.ly/qctKaj"},{"text":"I'm at Winterkost/ Zomerijs (Nieuwendijk 6, Amsterdam) http://4sq.com/nyFsSO"},{"text":"Photo: effyeahibelieb: http://tumblr.com/x9m3dlt78o"},{"text":"#LISTEN KING NITTY & STELLO O - \"STREETS ARE HUNGRY\" - http://twitrax.com/s/tllwsw"},{"text":"Photo: http://tumblr.com/xnx3dlt7g7"},{"text":"Picking up (@ Jcc) http://4sq.com/nt3CGq"},{"text":"Photo: › eu quero você. http://tumblr.com/xcd3dlt7c6"},{"text":"Γ. Βαρδινογιάννης: Κάποιοι θέλουν ακυβέρνητο τον Παναθηναϊκό http://bit.ly/oBDchn"},{"text":"#RT YUNG JAYBO - JUUG - http://twitrax.com/s/1k41lk"}] 2 | --------------------------------------------------------------------------------