From c6a7d8af14f34cf38fab6daed35b8fa0595fb4ba Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Mon, 4 Sep 2017 17:11:50 +0300 Subject: [PATCH 01/14] add: bulk post endpoint for oembed with json response --- modules/api/views.js | 70 ++++++++++++++++++++++++++++++++++++++++++++ package.json | 1 + 2 files changed, 71 insertions(+) diff --git a/modules/api/views.js b/modules/api/views.js index 3455460b4..e18f9cb41 100644 --- a/modules/api/views.js +++ b/modules/api/views.js @@ -8,6 +8,7 @@ var oembedUtils = require('../../lib/oembed'); var whitelist = require('../../lib/whitelist'); var pluginLoader = require('../../lib/loader/pluginLoader'); var jsonxml = require('jsontoxml'); +var bodyParser = require('body-parser') function prepareUri(uri) { @@ -422,4 +423,73 @@ module.exports = function(app) { }); }); + let processUrlOEmbed = (req,url,cb) => { + var uri = prepareUri(url); + if (!uri) { + return cb({url:url,error:"empty url"}); + } + + if (!CONFIG.DEBUG && uri.split('/')[2].indexOf('.') === -1) { + return cb({url:url,error:"local domains not supported"}); + } + + log(req, 'Loading /oembed for', uri); + + async.waterfall([ + + function(wcb) { + + iframelyCore.run(uri, { + getWhitelistRecord: whitelist.findWhitelistRecordFor, + filterNonSSL: getBooleanParam(req, 'ssl'), + filterNonHTML5: getBooleanParam(req, 'html5'), + maxWidth: getIntParam(req, 'maxwidth') || getIntParam(req, 'max-width'), + refresh: getBooleanParam(req, 'refresh') + }, wcb); + } + + ], function(error, result) { + + if (error) { + return cb({url:url,error:error},null) + } + + iframelyCore.sortLinks(result.links); + + iframelyUtils.filterLinks(result, { + filterNonSSL: getBooleanParam(req, 'ssl'), + filterNonHTML5: getBooleanParam(req, 'html5'), + maxWidth: getIntParam(req, 'maxwidth') || getIntParam(req, 'max-width') + }); + + var oembed = oembedUtils.getOembed(uri, result, { + mediaPriority: getBooleanParam(req, 'media'), + omit_css: getBooleanParam(req, 'omit_css') + }); + cb(null,oembed) + }) + } + + var jsonParser = bodyParser.json() + + app.post('/oembed.bulk',jsonParser,function(req, res, next) { + + if (!req.body.urls || req.body.urls.length==0) { + return next(new Error("'urls' post param expected")); + } + var urls = req.body.urls.slice(0,10) + let curriedProcessUrlOEmbed = processUrlOEmbed.bind(undefined,req) + async.map(urls,async.reflect(curriedProcessUrlOEmbed),function(err,result) { + if (err) { + return handleIframelyError(error, res, next); + } + let [errors,results] = _.partition(result,(r) => r.error) + let errorUrls = _.pluck(errors,'error') + let resultUrls = _.pluck(results,'value') + let response = {errors:errorUrls,results:resultUrls} + res.jsonpCached(response); + }); + + }); + }; diff --git a/package.json b/package.json index 03e5dcae7..744f2157b 100644 --- a/package.json +++ b/package.json @@ -19,6 +19,7 @@ }, "license": "MIT", "dependencies": { + "body-parser": "^1.17.2", "async": "2.4.1", "cheerio": "0.22.0", "chokidar": "1.7.0", From 4f95a174f5e68643837a0cb48a1457334dabd7d1 Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Mon, 4 Sep 2017 17:18:01 +0300 Subject: [PATCH 02/14] add: support for armv8 (scaleway) --- Dockerfile | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index fcf9f609c..aa3cd8ca6 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,4 +1,5 @@ -FROM node:5.8 +#FROM node:5.8 +FROM arm64v8/node:6.11.2 EXPOSE 8061 From 02b54e602e5bf0ea8dfd11cd17d66159f2d52c8a Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Tue, 5 Sep 2017 15:59:00 +0300 Subject: [PATCH 03/14] fix: response cache for oembed.bulk --- app.js | 9 +++++---- modules/api/views.js | 6 ++---- utils.js | 5 ++++- 3 files changed, 11 insertions(+), 9 deletions(-) diff --git a/app.js b/app.js index 7173a17b9..dcbd296d1 100644 --- a/app.js +++ b/app.js @@ -1,4 +1,5 @@ var sysUtils = require('./utils'); +var bodyParser = require('body-parser') console.log(""); console.log("Starting Iframely..."); @@ -39,7 +40,7 @@ app.use(function(req, res, next) { res.setHeader('X-Powered-By', 'Iframely'); next(); }); - +app.use(bodyParser.json()); app.use(sysUtils.cacheMiddleware); @@ -126,16 +127,16 @@ function errorHandler(err, req, res, next) { } else if (code === 404) { respondWithError(req, res, 404, 'Not found'); - } + } else if (code === 410) { respondWithError(req, res, 410, 'Gone'); } else if (code === 415) { respondWithError(req, res, 415, 'Unsupported Media Type'); - } + } else if (code === 417) { respondWithError(req, res, 417, 'Unsupported Media Type'); - } + } else { respondWithError(req, res, code, 'Server error'); } diff --git a/modules/api/views.js b/modules/api/views.js index e18f9cb41..af5108bb6 100644 --- a/modules/api/views.js +++ b/modules/api/views.js @@ -8,7 +8,7 @@ var oembedUtils = require('../../lib/oembed'); var whitelist = require('../../lib/whitelist'); var pluginLoader = require('../../lib/loader/pluginLoader'); var jsonxml = require('jsontoxml'); -var bodyParser = require('body-parser') + function prepareUri(uri) { @@ -470,9 +470,7 @@ module.exports = function(app) { }) } - var jsonParser = bodyParser.json() - - app.post('/oembed.bulk',jsonParser,function(req, res, next) { + app.post('/oembed.bulk',function(req, res, next) { if (!req.body.urls || req.body.urls.length==0) { return next(new Error("'urls' post param expected")); diff --git a/utils.js b/utils.js index b3ec09c76..a98107e18 100644 --- a/utils.js +++ b/utils.js @@ -104,6 +104,8 @@ var urlObj = urlLib.parse(req.url, true); var query = urlObj.query; + var postUrls = req.body.urls + postUrls.sort() delete query.refresh; @@ -124,6 +126,7 @@ keys.forEach(function(key) { newQuery[key] = query[key]; }); + newQuery['urls'] = postUrls urlObj.query = newQuery; @@ -188,7 +191,7 @@ if (head) { - log(req, "Using cache for", req.url.replace(/\?.+/, ''), req.query.uri || req.query.url); + log(req, "Using cache for", req.url.replace(/\?.+/, ''), req.query.uri || req.query.url || req.body.urls); var requestedEtag = req.headers['if-none-match']; From b8e670c2e4d413c4daf1a67e4d6633ad028458e2 Mon Sep 17 00:00:00 2001 From: Hadar Date: Tue, 5 Sep 2017 13:58:29 +0000 Subject: [PATCH 04/14] add: higher max memory per thread --- config.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/config.js b/config.js index ec0caf5a5..f61f812c8 100644 --- a/config.js +++ b/config.js @@ -33,7 +33,7 @@ CACHE_TTL_PAGE_OTHER_ERROR: 1 * 60, CLUSTER_WORKER_RESTART_ON_PERIOD: 8 * 3600 * 1000, // 8 hours. - CLUSTER_WORKER_RESTART_ON_MEMORY_USED: 120 * 1024 * 1024, // 120 MB. + CLUSTER_WORKER_RESTART_ON_MEMORY_USED: 512 * 1024 * 1024, // 120 MB. RESPONSE_TIMEOUT: 5 * 1000, From ec966d1b11126acebc4c72a6bb943534fcc0cd90 Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Tue, 5 Sep 2017 17:53:50 +0300 Subject: [PATCH 05/14] add: safe guard --- utils.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/utils.js b/utils.js index a98107e18..10352f23b 100644 --- a/utils.js +++ b/utils.js @@ -105,7 +105,8 @@ var query = urlObj.query; var postUrls = req.body.urls - postUrls.sort() + if(postUrls) + postUrls.sort() delete query.refresh; From 3bdc96293baef14c3695e3eb74ce670d545dccd1 Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Tue, 5 Sep 2017 17:54:45 +0300 Subject: [PATCH 06/14] add: stress test --- test/stress/oembedbulk.yml | 40 ++ test/stress/urlsbatches_small.csv | 1000 +++++++++++++++++++++++++++++ 2 files changed, 1040 insertions(+) create mode 100644 test/stress/oembedbulk.yml create mode 100644 test/stress/urlsbatches_small.csv diff --git a/test/stress/oembedbulk.yml b/test/stress/oembedbulk.yml new file mode 100644 index 000000000..195063f32 --- /dev/null +++ b/test/stress/oembedbulk.yml @@ -0,0 +1,40 @@ +config: + payload: + # path is relative to the location of the test script + path: "urlsbatches.csv" + fields: + - "batch" + environments: + dev: + target: "http://localhost:8061" + phases: + - duration: 10 + arrivalRate: 1 + production-slow: + target: "https://api.knil.co" + phases: + - duration: 30 + arrivalRate: 1 + production: + target: "https://api.knil.co" + phases: + - duration: 90 + arrivalRate: 1 + rampTo: 4 +scenarios: +- name: "load testing" + flow: +# - log: "batch: {{ batch }}" + - post: + url: "/oembed.bulk" + headers: + Content-Type: "application/json" + body: '{"urls":[{{ batch }}]}' + capture: + - json: "$.results.length" + as: "numres" + - json: "$.errors.length" + as: "numerr" + - json: "$.results" + as: "results" + - log: "results:{{ numres }} errors: {{ numerr }} {{ results }}" diff --git a/test/stress/urlsbatches_small.csv b/test/stress/urlsbatches_small.csv new file mode 100644 index 000000000..be3b0d06c --- /dev/null +++ b/test/stress/urlsbatches_small.csv @@ -0,0 +1,1000 @@ +batch +"""http://1061evansville.com/taylor-swift-calvin-harris-breakup-reconcile-rumors/"",""http://1061evansville.com/taylor-swift-super-bowl-party-att-deal/"",""http://1075zoofm.com/lady-gaga-super-bowl-halftime-show-poll/"",""http://1075zoofm.com/lady-gaga-super-bowl-halftime-show-poll/"",""http://1075zoofm.com/snl-season-42-tom-hanks-lady-gaga/""" +"""http://aaufootball.org/News/ArticleDetail.aspx?Title=AAU+Members+Selected+in+First+Round+of++NFL+Draft&ArticleID=5765"",""http://aaufootball.org/News/ArticleDetail.aspx?Title=AAU+Members+Selected+in+First+Round+of++NFL+Draft&ArticleID=5765"",""http://aaufootball.org/News/ArticleDetail.aspx?Title=Lexington+Co.+football+teams+going+to+Nationals&ArticleID=5876"",""http://aaufootball.org/News/ArticleDetail.aspx?Title=Lexington+Co.+football+teams+going+to+Nationals&ArticleID=5876"",""http://abc7.com/news/freeway-fences-helping-protect-mountain-lions-in-orange-county/1539564/""" +"""http://abc7.com/news/freeway-fences-helping-protect-mountain-lions-in-orange-county/1539564/"",""http://abc7.com/news/man-shot-in-chest-near-yorba-linda-hiking-trail/1537171/"",""http://abc7.com/society/twin-girls-meet-bone-marrow-donor-who-saved-their-lives/1540966/"",""http://abcnews.go.com/Entertainment/wireStory/adele-winning-25-album-reaches-diamond-status-42391533"",""http://abcnews.go.com/Entertainment/wireStory/adele-winning-25-album-reaches-diamond-status-42391533""" +"""http://abcnews.go.com/International/wireStory/shimon-peres-peace-pioneer-unloved-home-israel-42408073"",""http://abcnews.go.com/International/wireStory/shimon-peres-peace-pioneer-unloved-home-israel-42408073"",""http://abcnews.go.com/Politics/debate-fact-check-donald-trump-hillary-clinton-stack/story?id=42375637"",""http://aijac.org.au/news/article/peres-funeral-and-his-long-standing-vision-of-a-"",""http://akissinparis4me.blogspot.com/2016/10/whats-on-my-happy-list.html""" +"""http://akissinparis4me.blogspot.com/2016/10/whats-on-my-happy-list.html"",""http://akissinparis4me.blogspot.com/2016/10/whats-on-my-happy-list.html"",""http://allaboutmadonna.com/2016/10/madonnas-rebel-heart-tour-nominated-american-music-award.php"",""http://allafrica.com/stories/201610041162.html"",""http://allafrica.com/stories/201610041162.html""" +"""http://allafrica.com/stories/201610041162.html"",""http://allafrica.com/stories/201610041162.html"",""http://allafrica.com/stories/201610050240.html"",""http://allafrica.com/stories/201610050240.html"",""http://allafrica.com/stories/201610050240.html""" +"""http://allafrica.com/stories/201610050503.html"",""http://allafrica.com/stories/201610050503.html"",""http://allafrica.com/stories/201610050503.html"",""http://allafrica.com/stories/201610050503.html"",""http://allchinatech.com/baidu-kicks-off-its-usd-3-billion-fund-for-tech-investment/""" +"""http://alldylan.com/bob-dylan-time-out-of-mind/"",""http://alldylan.com/october-3-bob-dylan-tomorrow-is-a-long-time-rome1987/"",""http://alldylan.com/september-29-bob-dylan-at-gerdes-folk-city-profile-in-the-new-york-times-1961/"",""http://americanlibraryinparis.org/library-blog/item/743-from-our-library-fall-visiting-fellows.html"",""http://angelinajoliesite.blogspot.com/2016/09/brad-pitt-has-not-seen-his-kids-since.html""" +"""http://angelinajoliesite.blogspot.com/2016/09/brad-pitt-volunteer-to-provide-urine.html"",""http://angelinajoliesite.blogspot.com/2016/09/brad-pitt-wont-be-attending-screening.html"",""http://answers.neotys.com/questions/1192685-need-help-extracting-value-javascript-function"",""http://answers.neotys.com/questions/1192685-need-help-extracting-value-javascript-function"",""http://answers.neotys.com/questions/1192685-need-help-extracting-value-javascript-function""" +"""http://answers.neotys.com/questions/1192685-need-help-extracting-value-javascript-function"",""http://answers.neotys.com/questions/1192685-need-help-extracting-value-javascript-function"",""http://answers.neotys.com/questions/1192685-need-help-extracting-value-javascript-function"",""http://answers.neotys.com/questions/1192685-need-help-extracting-value-javascript-function"",""http://answers.neotys.com/questions/1192685-need-help-extracting-value-javascript-function""" +"""http://applefortheteach.blogspot.com/2016/10/basketbargains-fall-giveaway-and-sales.html"",""http://applefortheteach.blogspot.com/2016/10/monthly-75-teachers-pay-teachers-gift.html"",""http://applefortheteach.blogspot.com/2016/10/monthly-75-teachers-pay-teachers-gift.html"",""http://appleinsider.com/articles/16/09/26/apple-silicon-valley-raised-millions-to-fund-hillary-clinton-platform-backing-techs-positions-on-encryption-privacy-innovation-patents-education"",""http://appleinsider.com/articles/16/09/26/apple-silicon-valley-raised-millions-to-fund-hillary-clinton-platform-backing-techs-positions-on-encryption-privacy-innovation-patents-education""" +"""http://appleinsider.com/articles/16/09/26/deals-200-off-15-macbook-pro-up-to-200-off-2016-12-macbooks-93-off-ios-10-dev-course"",""http://appleinsider.com/articles/16/09/26/deals-200-off-15-macbook-pro-up-to-200-off-2016-12-macbooks-93-off-ios-10-dev-course"",""http://appleinsider.com/articles/16/09/27/first-look-dji-touts-mavic-pro-drones-compact-design-spotlights-continued-partnership-with-apple"",""http://appleinsider.com/articles/16/09/27/first-look-dji-touts-mavic-pro-drones-compact-design-spotlights-continued-partnership-with-apple"",""http://applevalley.org/Home/Components/News/News/1818/333""" +"""http://applevalley.org/Home/Components/News/News/1818/333"",""http://arianatoday.net/archives/7780"",""http://arianatoday.net/archives/7780"",""http://arianatoday.net/archives/7780"",""http://arianatoday.net/archives/7793""" +"""http://arianatoday.net/archives/7793"",""http://arianatoday.net/archives/7796"",""http://arianatoday.net/archives/7796"",""http://arsenalcentral.com/arsenal-fans-reaffirm-belief-arsene-wenger-must-leave-summer/"",""http://arsenalcentral.com/arsenal-legends-david-dein-send-messages-wenger-sky-sports-piece/""" +"""http://arsenalfantv.com/videos/arsenal-viral-cows-cant-derail-the-gunners/"",""http://arsenalfantv.com/videos/burnley-vs-arsenal-0-1-burnley-fan-gutted-by-last-minute-winner/"",""http://arsenalwatch.com/arsenal-v-fc-basel-uefa-champions-league-match-preview/"",""http://arsenalwatch.com/arsenal-v-fc-basel-uefa-champions-league-match-preview/"",""http://arsenalwatch.com/arsenal-v-fc-basel-uefa-champions-league-match-preview/""" +"""http://arsenalwatch.com/arsenal-v-fc-basel-uefa-champions-league-match-preview/"",""http://arsenalwatch.com/arsenal-v-fc-basel-uefa-champions-league-match-preview/"",""http://arsenalwatch.com/arsene-wenger-expecting-tough-test-arsenal-fc-basel/"",""http://arstechnica.com/science/2016/09/nasa-changed-all-the-astrological-signs-and-im-a-crab-now/"",""http://arstechnica.com/science/2016/09/nasa-changed-all-the-astrological-signs-and-im-a-crab-now/""" +"""http://arstechnica.com/science/2016/09/nasa-changed-all-the-astrological-signs-and-im-a-crab-now/"",""http://arstechnica.com/science/2016/09/nasa-officials-mulling-the-possibility-of-purchasing-soyuz-seats-for-2019/"",""http://arstechnica.com/science/2016/09/nasa-officials-mulling-the-possibility-of-purchasing-soyuz-seats-for-2019/"",""http://arstechnica.com/science/2016/09/nasa-officials-mulling-the-possibility-of-purchasing-soyuz-seats-for-2019/"",""http://artdaily.com/news/90262/Artcurial-to-offer-four-sculptures-by-Georges-Laurent-Saupique""" +"""http://artdaily.com/news/90262/Artcurial-to-offer-four-sculptures-by-Georges-Laurent-Saupique"",""http://articles.mercola.com/sites/articles/archive/2016/09/28/toxic-dust-particles-health-risks.aspx"",""http://articles.mercola.com/sites/articles/archive/2016/09/28/toxic-dust-particles-health-risks.aspx"",""http://articles.mercola.com/sites/articles/archive/2016/09/28/toxic-dust-particles-health-risks.aspx"",""http://articles.mercola.com/sites/articles/archive/2016/09/28/toxic-dust-particles-health-risks.aspx""" +"""http://articles.mercola.com/sites/articles/archive/2016/09/28/toxic-dust-particles-health-risks.aspx"",""http://articles.mercola.com/sites/articles/archive/2016/09/28/toxic-dust-particles-health-risks.aspx"",""http://articles.mercola.com/sites/articles/archive/2016/09/28/toxic-dust-particles-health-risks.aspx"",""http://articles.mercola.com/sites/articles/archive/2016/09/29/foods-improve-brain-health.aspx"",""http://articles.mercola.com/sites/articles/archive/2016/09/29/foods-improve-brain-health.aspx""" +"""http://articles.mercola.com/sites/articles/archive/2016/09/29/foods-improve-brain-health.aspx"",""http://astronomynow.com/2016/09/26/australian-technology-runs-worlds-largest-single-dish-radio-telescope-in-china/"",""http://astronomynow.com/2016/09/26/australian-technology-runs-worlds-largest-single-dish-radio-telescope-in-china/"",""http://astronomynow.com/2016/09/26/hubble-spots-possible-water-plumes-erupting-on-jupiters-moon-europa/"",""http://astronomynow.com/2016/09/27/new-low-mass-objects-could-help-refine-planetary-evolution/""" +"""http://atomix.vg/2016/10/02/primer-trailer-de-pirates-of-the-caribbean-dead-men-tell-no-tales/"",""http://banana1015.com/metallica-cliff-burton-dies-in-bus-crash-anniversary/"",""http://banana1015.com/metallica-cliff-burton-dies-in-bus-crash-anniversary/"",""http://banana1015.com/metallica-new-song-murder-one-tribute-motorhead-lemmy-kilmister/"",""http://banana1015.com/watch-metallica-perform-the-howard-stern-show/""" +"""http://bangordailynews.com/2016/10/13/opinion/contributors/bob-dylan-surpasses-walt-whitman-as-americas-poet/"",""http://basketball.realgm.com/rss/wiretap/65/185.xml"",""http://bigthink.com/videos/alison-gopnik-on-donald-trump-narcissism-and-children"",""http://bigthink.com/videos/alison-gopnik-on-donald-trump-narcissism-and-children"",""http://bikeindia.in/idle-chatter-team-up-folks/""" +"""http://bikeindia.in/idle-chatter-team-up-folks/"",""http://bikeindia.in/new-fim-supersport-300-world-championship-set-to-begin-in-2017/"",""http://bleacherreport.com/articles/2665939-arsenal-transfer-news-latest-rumours-on-julian-draxler-and-marcelo-brozovic"",""http://bleacherreport.com/articles/2665939-arsenal-transfer-news-latest-rumours-on-julian-draxler-and-marcelo-brozovic"",""http://bleacherreport.com/articles/2666056-neymar-can-grow-again-in-lionel-messis-absence-as-he-hauls-barcelona-forward""" +"""http://blog.astroneer.space/system-era/expectations/"",""http://blog.astroneer.space/system-era/expectations/"",""http://blog.astroneer.space/system-era/indie-obscura-takes-a-look-at-system-era-thats-us/"",""http://blog.nasafcu.com/2016/10/authorities-warn-not-insert-found-usb-drives-computers/"",""http://blog.nasafcu.com/2016/10/authorities-warn-not-insert-found-usb-drives-computers/""" +"""http://blog.nasafcu.com/2016/10/fbi-warns-that-new-types-of-mobile-banking-malware-are-on-the-rise/"",""http://blog.nasafcu.com/2016/10/fbi-warns-that-new-types-of-mobile-banking-malware-are-on-the-rise/"",""http://blog.nasafcu.com/2016/10/graduated-and-on-your-own-now-what/"",""http://blog.nasafcu.com/2016/10/graduated-and-on-your-own-now-what/"",""http://blog.orangecountyscu.org/articles/2016/10/6/a6nxiy1s6ogfnlbz41lvi080gp7sjh""" +"""http://blog.orangecountyscu.org/articles/2016/10/6/a6nxiy1s6ogfnlbz41lvi080gp7sjh"",""http://blog.orangecountyscu.org/articles/2016/10/6/a6nxiy1s6ogfnlbz41lvi080gp7sjh"",""http://blog.oup.com/2016/10/toilet-iron-age-shrine-lachish/"",""http://blog.oup.com/2016/10/toilet-iron-age-shrine-lachish/"",""http://blog.siriusxm.com/2016/10/03/brangelina-divorce-melissa-etheridge-hopes-brad-pitt-reaches-out/""" +"""http://blog.siriusxm.com/2016/10/03/brangelina-divorce-melissa-etheridge-hopes-brad-pitt-reaches-out/"",""http://blog.siriusxm.com/2016/10/03/brangelina-divorce-melissa-etheridge-hopes-brad-pitt-reaches-out/"",""http://blog.trello.com/master-trello-app-for-slack-infographic/"",""http://blog.trello.com/master-trello-app-for-slack-infographic/"",""http://blog.wenn.com/all-news/emily-mortimer-to-play-jane-banks-in-mary-poppins-sequel/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+wenn%2FdGjW+%28W.E.N.N%29""" +"""http://blog.wenn.com/all-news/emily-mortimer-to-play-jane-banks-in-mary-poppins-sequel/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+wenn%2FdGjW+%28W.E.N.N%29"",""http://blogs.barrons.com/techtraderdaily/2016/10/05/apple-buying-netflix-would-be-a-waste-of-50b-says-bernstein/"",""http://blogs.cfr.org/abrams/2016/10/08/reading-the-jerusalem-post-in-riyadh/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+eabrams+%28Elliott+Abrams%3A+Pressure+Points%29"",""http://blogs.cfr.org/abrams/2016/10/08/reading-the-jerusalem-post-in-riyadh/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+eabrams+%28Elliott+Abrams%3A+Pressure+Points%29"",""http://blogs.cfr.org/abrams/2016/10/08/reading-the-jerusalem-post-in-riyadh/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+eabrams+%28Elliott+Abrams%3A+Pressure+Points%29""" +"""http://blogs.cfr.org/abrams/2016/10/08/reading-the-jerusalem-post-in-riyadh/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+eabrams+%28Elliott+Abrams%3A+Pressure+Points%29"",""http://blogs.cfr.org/abrams/2016/10/08/reading-the-jerusalem-post-in-riyadh/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+eabrams+%28Elliott+Abrams%3A+Pressure+Points%29"",""http://blogs.cfr.org/abrams/2016/10/08/reading-the-jerusalem-post-in-riyadh/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+eabrams+%28Elliott+Abrams%3A+Pressure+Points%29"",""http://blogs.cfr.org/abrams/2016/10/08/reading-the-jerusalem-post-in-riyadh/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+eabrams+%28Elliott+Abrams%3A+Pressure+Points%29"",""http://blogs.cfr.org/abrams/2016/10/08/reading-the-jerusalem-post-in-riyadh/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+eabrams+%28Elliott+Abrams%3A+Pressure+Points%29""" +"""http://blogs.cfr.org/abrams/2016/10/08/reading-the-jerusalem-post-in-riyadh/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+eabrams+%28Elliott+Abrams%3A+Pressure+Points%29"",""http://blogs.discovermagazine.com/d-brief/2016/10/04/astronomers-discover-planet-through-a-never-before-used-method/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A%20DiscoverTopStories%20%28Discover%20Top%20Stories%29"",""http://blogs.discovermagazine.com/d-brief/2016/10/04/dione-may-be-saturns-third-moon-hiding-an-ocean/"",""http://blogs.discovermagazine.com/d-brief/2016/10/04/dione-may-be-saturns-third-moon-hiding-an-ocean/"",""http://blogs.findlaw.com/celebrity_justice/2016/10/chrissy-teigen-confesses-to-federal-crimes-opening-rihannas-mail.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+FindlawNews-TopStories+%28FindLaw+News+-+Top+Stories%29""" +"""http://blogs.findlaw.com/celebrity_justice/2016/10/chrissy-teigen-confesses-to-federal-crimes-opening-rihannas-mail.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+FindlawNews-TopStories+%28FindLaw+News+-+Top+Stories%29"",""http://blogs.findlaw.com/celebrity_justice/2016/10/chrissy-teigen-confesses-to-federal-crimes-opening-rihannas-mail.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+FindlawNews-TopStories+%28FindLaw+News+-+Top+Stories%29"",""http://blogs.findlaw.com/celebrity_justice/2016/10/chrissy-teigen-confesses-to-federal-crimes-opening-rihannas-mail.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+FindlawNews-TopStories+%28FindLaw+News+-+Top+Stories%29"",""http://blogs.findlaw.com/celebrity_justice/2016/10/chrissy-teigen-confesses-to-federal-crimes-opening-rihannas-mail.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+FindlawNews-TopStories+%28FindLaw+News+-+Top+Stories%29"",""http://blogs.findlaw.com/celebrity_justice/2016/10/chrissy-teigen-confesses-to-federal-crimes-opening-rihannas-mail.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+FindlawNews-TopStories+%28FindLaw+News+-+Top+Stories%29""" +"""http://blogs.findlaw.com/celebrity_justice/2016/10/chrissy-teigen-confesses-to-federal-crimes-opening-rihannas-mail.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+FindlawNews-TopStories+%28FindLaw+News+-+Top+Stories%29"",""http://bloody-disgusting.com/music/3407329/metallica-finish-hardwired-self-destruct-update-final-track-list/"",""http://blueearth.usps.gov/news/national-releases/2016/pr16_080.htm"",""http://bookriot.com/2016/10/13/bob-dylan-wins-nobel-prize-in-literature-everyone-is-surprised/"",""http://bossip.com/1358756/24-joanne-the-scammer-sayings-that-sound-like-realistic-donald-trump-quotes/""" +"""http://bossip.com/1359024/i-aint-sorry-howard-screamin-dean-refuses-to-apologize-for-calling-donald-trump-a-yayo-user-during-debate/"",""http://bossip.com/1359024/i-aint-sorry-howard-screamin-dean-refuses-to-apologize-for-calling-donald-trump-a-yayo-user-during-debate/"",""http://bossip.com/1359123/bossip-exclusive-is-it-a-wrap-with-rihanna-drake-is-now-blowing-india-loves-backs-to-smithereens/"",""http://bravewords.com/news/ex-megadeth-guitarist-chris-poland-talks-peace-sells-but-who-s-buying-30th-anniversary-band-s-feud-with-metallica"",""http://bravewords.com/news/metallica-bassist-robert-trujillo-talks-songwriting-for-hardwired-to-self-destruct-our-problem-is-we-ve-got-so-many-riffs-it-s-a-good-problem-to-have""" +"""http://bravewords.com/news/metallica-scheduled-to-perform-on-the-tonight-show-starring-jimmy-fallon-this-month"",""http://byucougars.com/blog/m-football/entry/byu-and-toledo-tied-after-one-half"",""http://byucougars.com/blog/m-football/entry/byu-defeats-toledo-high-scoring-nail-biter"",""http://byucougars.com/blog/m-football/entry/cougars-lead-rockets-after-first-quarter-play"",""http://carrieannryan.com/news/sale-alert-alphas-choice-0-99/""" +"""http://catcountry1073.com/hillary-lindsey-lady-gaga-songwriter-million-reasons/"",""http://cceorangecounty.org/events.rss"",""http://chicago.suntimes.com/news/melania-trump-donald-trumps-words-unacceptable-and-offensive/"",""http://cjonline.com/life/arts-entertainment/2016-10-07/dory-will-be-found-washburn-stadiums-jumbotron"",""http://cjonline.com/life/arts-entertainment/2016-10-07/dory-will-be-found-washburn-stadiums-jumbotron""" +"""http://cjonline.com/life/arts-entertainment/2016-10-07/dory-will-be-found-washburn-stadiums-jumbotron"",""http://cleantechnica.com/2016/09/29/tesla-ceo-elon-musk-responds-reddit-controversy-discounts/"",""http://cleantechnica.com/2016/10/05/elon-musk-try-recruit-top-aerospace-talent-tesla-not-spacex/"",""http://cleantechnica.com/2016/10/07/41-interesting-facts-tesla-motors-elon-musk-infographic/"",""http://cleantechnica.com/2016/10/07/41-interesting-facts-tesla-motors-elon-musk-infographic/""" +"""http://college.usatoday.com/2016/09/27/we-asked-college-newspaper-editors-for-reactions-to-the-first-clinton-trump-debate-heres-what-they-told-us/"",""http://collegecandy.com/2016/09/28/brad-pitt-angelina-jolie-divorce-drug-test/"",""http://collegecandy.com/2016/09/28/brad-pitt-angelina-jolie-family-movie-divorce/"",""http://collegefootballnews.com/2016/lsu-missouri-game-preview-prediction-line-tv"",""http://collegefootballnews.com/2016/michigan-wisconsin-big-ten-masterpiece""" +"""http://collegefootballnews.com/2016/tennessee-georgia-game-preview-prediction-line-tv"",""http://collider.com/game-of-thrones-concert-tour-preview/"",""http://communityjournal.net/meet-henry-t-sampson-man-created-first-cell-phone-back-1971/"",""http://consequenceofsound.net/2016/09/bob-dylan-announces-massive-36-disc-box-set-of-1966-live-recordings/"",""http://consequenceofsound.net/2016/09/bob-dylan-announces-massive-36-disc-box-set-of-1966-live-recordings/""" +"""http://consequenceofsound.net/2016/09/katy-perry-tries-to-exercise-her-right-to-vote-naked-watch/"",""http://consequenceofsound.net/2016/09/metallica-tear-through-moth-into-flame-on-the-tonight-show-watch/"",""http://constitution.com/email-leaks-show-conservative-blogger-secretly-working-hillary-clinton/"",""http://content.healthaffairs.org/cgi/content/abstract/24/5/1103"",""http://coordinatedhealth.com/news/23749/""" +"""http://coordinatedhealth.com/news/23749/"",""http://coordinatedhealth.com/news/what-is-happening-on-the-field/"",""http://coordinatedhealth.com/news/what-is-happening-on-the-field/"",""http://corriere.com/index.php/english-articles/137-deciphering-who-will-win-the-american-election-2016"",""http://couturecarrie.blogspot.com/2016/10/cc-loves-these-beauty-products.html""" +"""http://couturecarrie.blogspot.com/2016/10/runway-report-beautiful-bridal-wear.html"",""http://couturecarrie.blogspot.com/2016/10/runway-report-ravishing-red-gowns.html"",""http://cphpost.dk/news/business/apple-investing-billions-in-denmark.html"",""http://cphpost.dk/news/business/apple-investing-billions-in-denmark.html"",""http://cphpost.dk/news/business/apple-investing-billions-in-denmark.html""" +"""http://cs.astronomy.com/asy/b/astronomy/archive/2016/09/28/a-review-of-the-book-inside-pixinsight-by-warren-keller.aspx"",""http://cs.astronomy.com/asy/b/daves-universe/archive/2016/09/27/asteroid-day-eric-christensen-on-why-more-asteroid-resources-are-needed.aspx"",""http://dailycaller.com/2016/09/26/clinton-campaign-spokesman-on-hillary-shes-likable-enough/"",""http://dailycaller.com/2016/09/26/kim-kardashian-im-voting-for-hillary-clinton/"",""http://dailycannon.com/2016/10/arsenal-eye-roma-defender-as-mertesacker-replacement-report/""" +"""http://dailycannon.com/2016/10/werder-bremen-admit-using-gnabry-transfer-to-hold-talks-with-mertesacker/"",""http://dailycannon.com/2016/10/werder-bremen-admit-using-gnabry-transfer-to-hold-talks-with-mertesacker/"",""http://dailycodebook.com/some-basics-react-js-beginner-should-know/"",""http://dailycodebook.com/some-basics-react-js-beginner-should-know/"",""http://dailyegyptian.com/60365/showcase/city-law-enforcement-officials-hope-for-safe-unofficial-halloween/""" +"""http://dcist.com/2016/10/donald_trump_wrestling.php"",""http://dcist.com/2016/10/donald_trump_wrestling.php"",""http://dcist.com/2016/10/donald_trump_wrestling.php"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/""" +"""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/""" +"""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/""" +"""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/""" +"""http://deadline.com/2016/09/2016-presidential-debate-live-blog-donald-trump-hillary-clinton-1201826348/"",""http://deadline.com/2016/09/hollywood-reaction-donald-trump-hillary-clinton-lester-holt-1201826643/"",""http://deadline.com/2016/09/how-to-watch-debate-donald-trump-hillary-cliton-lester-holt-1201826557/"",""http://deadspin.com/brilliant-shithead-cristiano-ronaldo-had-a-brilliant-s-1787186676"",""http://deadspin.com/brilliant-shithead-cristiano-ronaldo-had-a-brilliant-s-1787186676""" +"""http://dealbreaker.com/2016/10/carl-icahn-donald-trump-locker-room-talk/#respond"",""http://dealbreaker.com/2016/10/donald-trump-jose-cuervo-ipo/"",""http://dealbreaker.com/2016/10/donald-trump-jose-cuervo-ipo/"",""http://dealbreaker.com/2016/10/warren-buffett-tax-returns/"",""http://debka.com/article/25649/Was-Israel's-satellite-sabotaged-on-US-rocket-pad-""" +"""http://debka.com/article/25700/The-Markets-for-Israel's-Offshore-Gas-Dry-up"",""http://dissidentvoice.org/2016/10/the-convoluted-discourse-was-the-womens-boat-to-gaza-an-existential-threat/"",""http://dlisted.com/2016/09/26/adele-is-too-expensive-for-pippa-middletons-wedding/"",""http://dlisted.com/2016/09/26/adele-is-too-expensive-for-pippa-middletons-wedding/"",""http://dlisted.com/2016/10/01/angelina-jolie-doesnt-want-brad-pitt-charged-with-child-abuse/""" +"""http://dlisted.com/2016/10/01/angelina-jolie-doesnt-want-brad-pitt-charged-with-child-abuse/"",""http://dollarsandsense.sg/a-singaporean-shares-with-us-the-cost-of-owning-and-driving-a-car-in-london-and-how-it-compares-to-singapore/"",""http://dollarsandsense.sg/a-singaporean-shares-with-us-the-cost-of-owning-and-driving-a-car-in-london-and-how-it-compares-to-singapore/"",""http://dollarsandsense.sg/a-singaporean-shares-with-us-the-cost-of-owning-and-driving-a-car-in-london-and-how-it-compares-to-singapore/"",""http://earth.com/news/algae-blooms-force-shellfish-bans-parts-new-england/""" +"""http://earth.com/news/algae-blooms-force-shellfish-bans-parts-new-england/"",""http://earth.com/news/european-union-celebrates-paris-agreement-climate-change/"",""http://earth.com/news/european-union-celebrates-paris-agreement-climate-change/"",""http://earth.com/news/study-epa-is-not-to-blame-for-decline-in-coal-production/"",""http://earth.com/news/study-epa-is-not-to-blame-for-decline-in-coal-production/""" +"""http://earthcolor.com/2016/10/10/web-print-benefits-marketing-team/"",""http://earthjustice.org/features/remove-four-lower-snake-river-dams"",""http://earthjustice.org/features/remove-four-lower-snake-river-dams"",""http://earthjustice.org/features/remove-four-lower-snake-river-dams"",""http://earthjustice.org/features/remove-four-lower-snake-river-dams""" +"""http://earthjustice.org/features/remove-four-lower-snake-river-dams"",""http://earthjustice.org/features/remove-four-lower-snake-river-dams"",""http://earthjustice.org/features/remove-four-lower-snake-river-dams"",""http://earthjustice.org/features/remove-four-lower-snake-river-dams"",""http://earthjustice.org/features/remove-four-lower-snake-river-dams""" +"""http://earthjustice.org/features/remove-four-lower-snake-river-dams"",""http://earthsciences.osu.edu/news/cook-research-fellowship"",""http://earthsciences.osu.edu/news/panero-minerological-fellowship"",""http://earthsky.org/tonight/moon-and-venus-again-on-october-3"",""http://earthsky.org/tonight/moon-and-venus-again-on-october-3""" +"""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A""" +"""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A""" +"""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A""" +"""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A"",""http://ebooks.kcls.org/ContentDetails.htm?id=9DC9AD2B-FCF7-47B1-8684-F90B9956E17A""" +"""http://ebooks.kdl.org/ContentDetails.htm?id=75C54B7B-3EC7-4074-8701-B26F3532F385"",""http://ebooks.kdl.org/ContentDetails.htm?id=75C54B7B-3EC7-4074-8701-B26F3532F385"",""http://ebooks.kdl.org/ContentDetails.htm?id=75C54B7B-3EC7-4074-8701-B26F3532F385"",""http://ebooks.kdl.org/ContentDetails.htm?id=75C54B7B-3EC7-4074-8701-B26F3532F385"",""http://ebooks.kdl.org/ContentDetails.htm?id=75C54B7B-3EC7-4074-8701-B26F3532F385""" +"""http://economictimes.indiatimes.com/news/international/world-news/Bill-Gates-could-do-pretty-well-if-he-ran-for-president-Study/articleshow/54513902.cms"",""http://edition.cnn.com/2016/09/26/politics/mike-pence-donald-trump-presidential-debate/index.html"",""http://edition.cnn.com/2016/09/26/politics/mike-pence-donald-trump-presidential-debate/index.html"",""http://edition.cnn.com/2016/09/26/politics/mike-pence-donald-trump-presidential-debate/index.html"",""http://edition.cnn.com/2016/09/26/politics/presidential-debate-hillary-clinton-donald-trump-quotes/index.html""" +"""http://edition.cnn.com/2016/09/26/politics/presidential-debate-hillary-clinton-donald-trump-quotes/index.html"",""http://edition.cnn.com/2016/09/26/politics/presidential-debate-hillary-clinton-donald-trump-quotes/index.html"",""http://edition.cnn.com/2016/09/26/politics/presidential-debate-hillary-clinton-donald-trump/index.html"",""http://edition.cnn.com/2016/09/26/politics/presidential-debate-hillary-clinton-donald-trump/index.html"",""http://edition.cnn.com/2016/09/26/politics/presidential-debate-hillary-clinton-donald-trump/index.html""" +"""http://edition.cnn.com/2016/09/26/politics/presidential-debate-hillary-clinton-donald-trump/index.html"",""http://en.apa.az/azerbaijani-news/accidents-incidents-news/65-000-fraud-committed-against-israeli-citizen-in-baku.html"",""http://en.apa.az/azerbaijani-news/accidents-incidents-news/65-000-fraud-committed-against-israeli-citizen-in-baku.html"",""http://en.apa.az/azerbaijani-news/accidents-incidents-news/65-000-fraud-committed-against-israeli-citizen-in-baku.html"",""http://en.apa.az/azerbaijani-news/accidents-incidents-news/65-000-fraud-committed-against-israeli-citizen-in-baku.html""" +"""http://en.lpj.org/2016/10/04/feast-of-st-francis-of-assisi-celebrated-in-jerusalem/"",""http://en.lpj.org/2016/10/05/mother-antoinette-the-joy-of-giving/"",""http://en.mediamass.net/people/bill-gates/break-up.html"",""http://en.mediamass.net/people/bill-gates/break-up.html"",""http://en.mediamass.net/people/bill-gates/sexiest-alive.html""" +"""http://en.mediamass.net/people/metallica/new-album.html"",""http://en.radiovaticana.va/news/2016/10/06/maronite_archbishop_of_aleppo_city_like_a_new_berlin/1263359"",""http://en.radiovaticana.va/news/2016/10/06/maronite_archbishop_of_aleppo_city_like_a_new_berlin/1263359"",""http://en.rfi.fr/france/20161006-le-pen-family-feud-back-french-court"",""http://en.rfi.fr/france/20161006-le-pen-family-feud-back-french-court""" +"""http://en.rfi.fr/france/20161006-putin-visit-france-october-19"",""http://en.rfi.fr/france/20161006-putin-visit-france-october-19"",""http://en.rfi.fr/france/20161007-hollande-warns-uk-brexit-will-have-heavy-price"",""http://en.rfi.fr/france/20161007-hollande-warns-uk-brexit-will-have-heavy-price"",""http://espn.com/tennis/story/_/id/17639060/lara-arruabarrena-beats-monica-niculescu-3-sets-win-korea-open""" +"""http://espn.com/tennis/story/_/id/17644851/tennis-lucas-pouille-caroline-wozniacki-making-headway-fall"",""http://espn.com/tennis/story/_/id/17652069/tennis-stats-outright-lie-do-fib"",""http://extra.bet365.com/news/en/Football/Australian-Football/kilkenny-city-have-been-working-hard"",""http://extra.bet365.com/news/en/Football/Australian-Football/postecoglou-puts-a-league-stars-on-notice"",""http://extra.bet365.com/news/en/Football/Australian-Football/powell-impressed-with-mariners-coach-okon""" +"""http://extratv.com/2016/10/04/melissa-etheridge-unloads-on-angelina-jolie-after-brad-pitt-split/"",""http://fashionweekonline.com/simple-life-jacquemus-paris-fashion-week-ss17"",""http://fashionweekonline.com/simple-life-jacquemus-paris-fashion-week-ss17"",""http://feministing.com/2016/10/12/why-do-misogynists-like-donald-trump-love-to-talk-about-how-much-they-respect-women/"",""http://feministing.com/2016/10/12/why-do-misogynists-like-donald-trump-love-to-talk-about-how-much-they-respect-women/""" +"""http://feministing.com/2016/10/12/why-do-misogynists-like-donald-trump-love-to-talk-about-how-much-they-respect-women/"",""http://feministing.com/2016/10/12/why-do-misogynists-like-donald-trump-love-to-talk-about-how-much-they-respect-women/"",""http://feministing.com/2016/10/12/why-do-misogynists-like-donald-trump-love-to-talk-about-how-much-they-respect-women/"",""http://financearmageddon.blogspot.com/2015/05/new-santos-bonacci-awesome-interview.html"",""http://fivethirtyeight.com/features/is-it-freak-out-time-for-the-panthers-and-cardinals/""" +"""http://fivethirtyeight.com/features/is-it-freak-out-time-for-the-panthers-and-cardinals/"",""http://flavorwire.com/591006/lady-gaga-embraces-country-pop-reinvention-in-dive-bar-performance-streams-million-reasons"",""http://flavorwire.com/591661/little-known-artist-bob-dylan-gets-discovered-book-sales-skyrocket"",""http://football-talk.co.uk/116944/arsenal-vs-basel-preview-team-news-line-ups-betting-tips-predicted-score/"",""http://football-talk.co.uk/117040/arsenal-chelsea-man-utd-stars-left-out-of-spain-squad-for-world-cup-qualifiers/""" +"""http://football-talk.co.uk/117111/player-ratings-burnley-0-1-arsenal-mustafi-shines-as-ozil-struggles-for-gunners/"",""http://football.dailyherald.com/article/20160927/sports/160929001/"",""http://football.dailyherald.com/article/20160927/sports/160929011/"",""http://football.dailyherald.com/article/20160927/sports/160929011/"",""http://football.dailyherald.com/article/20160927/sports/160929015/""" +"""http://football.realgm.com/analysis/2852/NFL-Team-Rankings-Week-3"",""http://football.realgm.com/wiretap/37343/Colin-Kaepernick-Lets-Make-America-Great-For-The-First-Time"",""http://footballcanada.com/52-days-and-counting-to-52nd-arcelormittal-dofasco-vanier-cup-at-tim-hortons-field/"",""http://footballscoop.com/news/make-sure-kick-returners-know-obscure-rule/"",""http://footballscoop.com/news/scott-stricklin-success-enemy-innovation/""" +"""http://footballscoop.com/news/september-superlatives/"",""http://foreignpolicy.com/2016/09/29/talking-presidents-politics-and-peace-with-shimon-peres/"",""http://foreignpolicy.com/2016/09/29/talking-presidents-politics-and-peace-with-shimon-peres/"",""http://foreignpolicy.com/2016/09/29/talking-presidents-politics-and-peace-with-shimon-peres/"",""http://fortune.com/2016/09/28/alexis-ohanian-reddit-elon-musk-mars/""" +"""http://fortune.com/2016/09/28/alexis-ohanian-reddit-elon-musk-mars/"",""http://fortune.com/2016/10/07/donald-trump-bragged-sex-married/"",""http://fortune.com/2016/10/07/donald-trump-bragged-sex-married/"",""http://fortune.com/2016/10/07/donald-trump-bragged-sex-married/"",""http://fortune.com/2016/10/07/donald-trump-bragged-sex-married/""" +"""http://fortune.com/2016/10/07/donald-trump-bragged-sex-married/"",""http://fortune.com/2016/10/08/donald-trump-republicans-drop-out/"",""http://fortune.com/2016/10/08/donald-trump-republicans-drop-out/"",""http://forward.com/news/israel/351261/the-last-man-who-knew-shimon-peres-as-a-child-in-poland/?"",""http://forward.com/news/israel/351261/the-last-man-who-knew-shimon-peres-as-a-child-in-poland/?""" +"""http://fox13now.com/2016/10/07/congressman-jason-chaffetz-withdraws-his-endorsement-of-donald-trump/"",""http://fox13now.com/2016/10/07/congressman-jason-chaffetz-withdraws-his-endorsement-of-donald-trump/"",""http://fox40.com/2016/10/04/woman-arrested-on-suspicion-of-hit-and-run-dui-hours-after-posting-instagram-pic-of-new-mercedes/"",""http://freebeacon.com/politics/cnn-confirms-hillary-clinton-called-tpp-gold-standard/"",""http://freebeacon.com/politics/cnn-confirms-hillary-clinton-called-tpp-gold-standard/""" +"""http://freebeacon.com/politics/david-brock-surprises-cnn-table-with-zinger-against-hillary-clinton/"",""http://freebeacon.com/politics/david-brock-surprises-cnn-table-with-zinger-against-hillary-clinton/"",""http://freebeacon.com/politics/new-ad-slams-hillary-clintons-bad-experience/"",""http://fresharsenal.com/arsenal-star-excels-unusual-position-spain-world-cup-qualifier/"",""http://fresharsenal.com/confirmed-arsenal-attempted-sign-possible-walcott-replacement-summer/""" +"""http://fresharsenal.com/confirmed-arsenal-attempted-sign-possible-walcott-replacement-summer/"",""http://froggyweb.com/news/articles/2016/oct/10/carrie-underwood-competes-against-adele-and-beyonce-for-ama-artist-of-the-year/"",""http://gadgets.ndtv.com/others/news/us-president-barack-obama-hails-self-driving-cars-huge-potential-1464089"",""http://gadgets.ndtv.com/others/news/us-president-barack-obama-hails-self-driving-cars-huge-potential-1464089"",""http://gadgets.ndtv.com/others/news/us-president-barack-obama-hails-self-driving-cars-huge-potential-1464089""" +"""http://gagadaily.com/story/news/lady-gaga-fox-sports/"",""http://gagadaily.com/story/news/lady-gaga-joanne-pop/"",""http://gagadaily.com/story/news/perfect-illusion-hot-100-debut/"",""http://gamedevweekly.com/4-surprising-benefits-of-making-motocross-your-hobby/"",""http://gametyrant.com/news/cool-trailer-for-artsy-indie-space-explorer-astroneer""" +"""http://gametyrant.com/news/cool-trailer-for-artsy-indie-space-explorer-astroneer"",""http://gametyrant.com/news/cool-trailer-for-artsy-indie-space-explorer-astroneer"",""http://gavincarrie.blogspot.com/2016/10/first-set-of-quintuplet-school-pictures.html"",""http://gavincarrie.blogspot.com/2016/10/from-facebook-httpift_4.html"",""http://geoearth.uncc.edu/news/2016-10-19/position-information-assistant-professor-urban-geography""" +"""http://gistreel.com/2016/10/09/rihanna-none-of-my-exes-are-married-or-in-happy-relationships-so-i-wasnt-the-problem/"",""http://gistreel.com/2016/10/13/rihanna-shows-off-her-new-look-see-photos/"",""http://gizmodo.com/how-crazy-is-elon-musk-s-mission-to-mars-1787146369"",""http://gizmodo.com/how-crazy-is-elon-musk-s-mission-to-mars-1787146369"",""http://gizmodo.com/is-elon-musks-crazy-mars-plan-even-legal-1787233691""" +"""http://gizmodo.com/is-elon-musks-crazy-mars-plan-even-legal-1787233691"",""http://gizmodo.com/is-elon-musks-crazy-mars-plan-even-legal-1787233691"",""http://globalgrind.com/2016/10/03/more-details-released-on-kim-kardashian-being-held-up-at-gunpoint/"",""http://globalgrind.com/2016/10/03/more-details-released-on-kim-kardashian-being-held-up-at-gunpoint/"",""http://globalgrind.com/2016/10/03/more-details-released-on-kim-kardashian-being-held-up-at-gunpoint/""" +"""http://globalgrind.com/2016/10/04/wendy-williams-shade-kim-kardashian-robbed/"",""http://globalgrind.com/2016/10/04/wendy-williams-shade-kim-kardashian-robbed/"",""http://globalgrind.com/2016/10/04/wendy-williams-shade-kim-kardashian-robbed/"",""http://globalgrind.com/2016/10/04/wendy-williams-shade-kim-kardashian-robbed/"",""http://globalgrind.com/2016/10/06/heres-how-kim-kardashian-is-taking-responsibility-for-getting-robbed-at-gunpoint/""" +"""http://globalgrind.com/2016/10/06/heres-how-kim-kardashian-is-taking-responsibility-for-getting-robbed-at-gunpoint/"",""http://globalgrind.com/2016/10/06/heres-how-kim-kardashian-is-taking-responsibility-for-getting-robbed-at-gunpoint/"",""http://globalnews.ca/news/2976948/donald-trump-overshadows-his-own-economic-message/"",""http://globalnews.ca/news/2976948/donald-trump-overshadows-his-own-economic-message/"",""http://globalnews.ca/news/2977273/donald-trump-attacks-hillary-clinton-on-leaked-remarks-about-young-voters/""" +"""http://globalnews.ca/news/2977273/donald-trump-attacks-hillary-clinton-on-leaked-remarks-about-young-voters/"",""http://globalnews.ca/news/2977882/donald-trump-spokesman-rudy-giuliani-says-hes-better-for-us-than-a-woman/"",""http://globalnews.ca/news/2977882/donald-trump-spokesman-rudy-giuliani-says-hes-better-for-us-than-a-woman/"",""http://goonertalk.com/2016/10/08/arsenal-confident-of-signing-ozil-but-doubt-sanchez/"",""http://goonertalk.com/2016/10/08/tottenham-player-praises-wenger-and-arsenal/""" +"""http://gothamist.com/2016/09/29/trump_new_yorker_cover.php"",""http://gothamist.com/2016/10/04/donald_trump_graydon_carter.php"",""http://gothamist.com/2016/10/04/donald_trump_graydon_carter.php"",""http://gothamist.com/2016/10/08/good_luck_gop.php"",""http://gotigersgo.com/news/2016/10/3/football-game-day-information-sheet-vs-temple.aspx""" +"""http://gotigersgo.com/news/2016/10/3/football-game-day-information-sheet-vs-temple.aspx"",""http://gotigersgo.com/news/2016/10/3/football-game-day-information-sheet-vs-temple.aspx"",""http://gotigersgo.com/news/2016/10/3/football-memphis-announces-free-tiger-lane-concert-series.aspx"",""http://gq.com/story/alec-baldwin-donald-trump-sol"",""http://gq.com/story/alec-baldwin-donald-trump-sol""" +"""http://gq.com/story/alec-baldwin-donald-trump-sol"",""http://grammashouseofcards.blogspot.com/2016/10/art-impressions-challenge-194-perfect.html"",""http://grammashouseofcards.blogspot.com/2016/10/youre-my-once-in-lifetime.html"",""http://greece.greekreporter.com/2016/10/13/2nd-israel-greece-joint-meeting-on-nanotechnology-and-bionanoscience-to-take-place-in-crete-october-25-28/"",""http://gulfnews.com/sport/football/la-liga/ronaldinho-i-wish-i-had-played-more-with-messi-1.1905952""" +"""http://gulfnews.com/sport/football/la-liga/ronaldinho-i-wish-i-had-played-more-with-messi-1.1905952"",""http://gunnersphere.com/2016/10/tabloid-talk/german-side-express-interest-in-re-signing-arsenal-defender/"",""http://hausofrihanna.com/rihanna-isa-arfen-padded-velvet-jacket/"",""http://hausofrihanna.com/rihanna-isa-arfen-padded-velvet-jacket/"",""http://hausofrihanna.com/rihanna-matthew-adams-dolan-black-oversized-jacket/""" +"""http://hausofrihanna.com/rihanna-vetements-striped-button-shirt/"",""http://hawaiitribune-herald.com/news/nation/attorney-general-trump-foundation-stop-fundraising-ny"",""http://hawaiitribune-herald.com/news/nation/attorney-general-trump-foundation-stop-fundraising-ny"",""http://hawaiitribune-herald.com/news/nation/attorney-general-trump-foundation-stop-fundraising-ny"",""http://headlineplanet.com/home/2016/10/06/weeknd-daft-punks-starboy-heading-top-10-pop-rhythmic-radio/""" +"""http://health.columbia.edu/getting-care/drop-offices/counseling-drop-hours-and-locations"",""http://health.columbia.edu/getting-care/drop-offices/counseling-drop-hours-and-locations"",""http://health.ucsd.edu/news/releases/Pages/2016-10-04-antibody-drug-conjugate-may-personalize-radiotherapy.aspx"",""http://health.ucsd.edu/news/releases/Pages/2016-10-04-antibody-drug-conjugate-may-personalize-radiotherapy.aspx"",""http://health.ucsd.edu/news/releases/Pages/2016-10-04-antibody-drug-conjugate-may-personalize-radiotherapy.aspx""" +"""http://health.wusf.usf.edu/post/neighboring-residents-take-legal-action-after-sinkhole-fertilizer-plant"",""http://health.wusf.usf.edu/post/neighboring-residents-take-legal-action-after-sinkhole-fertilizer-plant"",""http://health.wusf.usf.edu/post/panel-recommends-more-services-no-cost-sharing-women"",""http://health.wusf.usf.edu/post/panel-recommends-more-services-no-cost-sharing-women"",""http://health.wusf.usf.edu/post/panel-recommends-more-services-no-cost-sharing-women""" +"""http://health.wusf.usf.edu/post/task-force-proposes-further-regulations-florida-sober-homes"",""http://health.wusf.usf.edu/post/task-force-proposes-further-regulations-florida-sober-homes"",""http://health.wusf.usf.edu/post/task-force-proposes-further-regulations-florida-sober-homes"",""http://healthaffairs.org/blog/2016/09/27/the-proposed-federal-right-to-try-law-is-not-the-answer-for-critically-ill-patients/"",""http://healthaffairs.org/blog/2016/09/27/the-proposed-federal-right-to-try-law-is-not-the-answer-for-critically-ill-patients/""" +"""http://heavy.com/news/2016/09/hillary-clinton-first-presidential-debate-guests-invite-list-names-lauren-manning-maxine-outerbridge-aleatha-williams-anastasia-somoza-mark-cuban-chelsea-clinton/"",""http://heavy.com/news/2016/09/hillary-clinton-first-presidential-debate-guests-invite-list-names-lauren-manning-maxine-outerbridge-aleatha-williams-anastasia-somoza-mark-cuban-chelsea-clinton/"",""http://heavy.com/news/2016/09/mark-oz-geist-donald-trump-debate-guest-13-hours-benghazi-survivor-hillary-clinton/"",""http://heavy.com/news/2016/09/mark-oz-geist-donald-trump-debate-guest-13-hours-benghazi-survivor-hillary-clinton/"",""http://heavy.com/news/2016/09/what-is-hillary-clinton-height-how-tall-is-she-debate-podiums-donald-trump/""" +"""http://heavy.com/news/2016/09/what-is-hillary-clinton-height-how-tall-is-she-debate-podiums-donald-trump/"",""http://hellobeautiful.com/2016/10/05/behind-the-scenes-rihanna-pfw/"",""http://hellobeautiful.com/2016/10/05/behind-the-scenes-rihanna-pfw/"",""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-924-930-rihanna-shows-out-at-paris-fashion-week-more/"",""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-924-930-rihanna-shows-out-at-paris-fashion-week-more/""" +"""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-924-930-rihanna-shows-out-at-paris-fashion-week-more/"",""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-924-930-rihanna-shows-out-at-paris-fashion-week-more/"",""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-924-930-rihanna-shows-out-at-paris-fashion-week-more/"",""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-924-930-rihanna-shows-out-at-paris-fashion-week-more/"",""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-924-930-rihanna-shows-out-at-paris-fashion-week-more/""" +"""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-october1-october7-beyonce-brings-jay-z-serena-williams-out-for-formation-tour-finale-kim-kardashian-hides-her-face-after-robbery/"",""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-october1-october7-beyonce-brings-jay-z-serena-williams-out-for-formation-tour-finale-kim-kardashian-hides-her-face-after-robbery/"",""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-october1-october7-beyonce-brings-jay-z-serena-williams-out-for-formation-tour-finale-kim-kardashian-hides-her-face-after-robbery/"",""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-october1-october7-beyonce-brings-jay-z-serena-williams-out-for-formation-tour-finale-kim-kardashian-hides-her-face-after-robbery/"",""http://hellobeautiful.com/playlist/celeb-pics-of-the-week-october1-october7-beyonce-brings-jay-z-serena-williams-out-for-formation-tour-finale-kim-kardashian-hides-her-face-after-robbery/""" +"""http://highschoolsports.mlive.com/news/article/-3844206073396017805/new-mlive-football-player-polls-are-up-and-running/"",""http://highschoolsports.mlive.com/news/article/-3844206073396017805/new-mlive-football-player-polls-are-up-and-running/"",""http://highschoolsports.mlive.com/news/article/249473861510708491/week-6-michigan-high-school-football-playoff-points/"",""http://highschoolsports.mlive.com/news/article/249473861510708491/week-6-michigan-high-school-football-playoff-points/"",""http://highschoolsports.mlive.com/news/article/8019559370821613383/5-things-to-watch-in-week-6-kalamazoo-area-football-action/""" +"""http://highschoolsports.mlive.com/news/article/8019559370821613383/5-things-to-watch-in-week-6-kalamazoo-area-football-action/"",""http://hkuspace.hku.hk/news/detail/60th-anniversary"",""http://hollywoodlife.com/2016/09/20/sofia-richie-puppy-justin-bieber-split-dog-pic/"",""http://hollywoodlife.com/2016/09/20/sofia-richie-puppy-justin-bieber-split-dog-pic/"",""http://hollywoodlife.com/2016/09/25/taylor-swift-new-hair-makeover-bangs-tom-hiddleston-breakup-pic/""" +"""http://hollywoodlife.com/2016/09/25/taylor-swift-new-hair-makeover-bangs-tom-hiddleston-breakup-pic/"",""http://hollywoodlife.com/2016/09/25/taylor-swift-new-hair-makeover-bangs-tom-hiddleston-breakup-pic/"",""http://hollywoodlife.com/2016/09/26/brad-pitt-other-woman-april-florio-accused-jennifer-aniston-divorce/"",""http://hollywoodlife.com/2016/09/26/brad-pitt-other-woman-april-florio-accused-jennifer-aniston-divorce/"",""http://homehealthline.decisionhealth.com/Articles/Detail.aspx?id=523086""" +"""http://homehealthline.decisionhealth.com/Articles/Detail.aspx?id=523086"",""http://homehealthline.decisionhealth.com/Articles/Detail.aspx?id=523087"",""http://homehealthline.decisionhealth.com/Articles/Detail.aspx?id=523087"",""http://homehealthline.decisionhealth.com/Articles/Detail.aspx?id=523088"",""http://homehealthline.decisionhealth.com/Articles/Detail.aspx?id=523088""" +"""http://honestreporting.com/new-york-times-ashrawi-peres/"",""http://honestreporting.com/new-york-times-ashrawi-peres/"",""http://honestreporting.com/new-york-times-ashrawi-peres/"",""http://host.madison.com/wsj/opinion/cartoon/help-bob-dylan-celebrate-his-nobel-prize-in-this-week/article_5886a1bd-50d1-53f3-b695-9b73e687bdfe.html"",""http://host.madison.com/wsj/opinion/cartoon/help-bob-dylan-celebrate-his-nobel-prize-in-this-week/article_5886a1bd-50d1-53f3-b695-9b73e687bdfe.html""" +"""http://host.madison.com/wsj/opinion/cartoon/help-bob-dylan-celebrate-his-nobel-prize-in-this-week/article_5886a1bd-50d1-53f3-b695-9b73e687bdfe.html"",""http://host.madison.com/wsj/opinion/cartoon/help-bob-dylan-celebrate-his-nobel-prize-in-this-week/article_5886a1bd-50d1-53f3-b695-9b73e687bdfe.html"",""http://host.madison.com/wsj/opinion/cartoon/help-bob-dylan-celebrate-his-nobel-prize-in-this-week/article_5886a1bd-50d1-53f3-b695-9b73e687bdfe.html"",""http://host.madison.com/wsj/opinion/cartoon/help-bob-dylan-celebrate-his-nobel-prize-in-this-week/article_5886a1bd-50d1-53f3-b695-9b73e687bdfe.html"",""http://hotair.com/archives/2016/09/26/donald-trump-will-show-tonight/""" +"""http://hotair.com/archives/2016/09/26/donald-trump-will-show-tonight/"",""http://hotair.com/archives/2016/09/26/obama-campaign-manager-david-plouffe-hillary-clinton-still-100-chance-winning-election/"",""http://hotair.com/archives/2016/09/26/obama-campaign-manager-david-plouffe-hillary-clinton-still-100-chance-winning-election/"",""http://hotair.com/archives/2016/09/28/time-hillary-clinton-said-americans-racist-nobody-blinked-eye/"",""http://hudsonvalley.news12.com/family-mourns-middletown-teen-killed-in-slate-hill-crash-1.12442656""" +"""http://hudsonvalley.news12.com/family-mourns-middletown-teen-killed-in-slate-hill-crash-1.12442656"",""http://hudsonvalley.news12.com/news/officials-orange-county-man-admits-to-being-drug-kingpin-1.12399675"",""http://hudsonvalley.news12.com/news/officials-orange-county-man-admits-to-being-drug-kingpin-1.12399675"",""http://humanevents.com/2016/10/05/medias-outrage-should-start-working-any-day-now/"",""http://hypebae.com/2016/9/rihanna-fenty-puma-2017-spring-summer-collection-backstage""" +"""http://hypebae.com/2016/9/rihanna-fenty-puma-2017-spring-summer-collection-backstage"",""http://hypebae.com/2016/9/rihanna-fenty-puma-2017-spring-summer-collection-backstage"",""http://hypetrak.com/2015/10/david-guetta-featuring-sia-fetty-wap-bang-my-head-remix/"",""http://iheartdogs.com/death-row-dog-makes-2000-mile-journey-to-find-love-and-a-real-chance-at-life/"",""http://iheartdogs.com/death-row-dog-makes-2000-mile-journey-to-find-love-and-a-real-chance-at-life/""" +"""http://iheartdogs.com/montreal-law-enforces-death-sentence-for-citys-pit-bulls/"",""http://iheartdogs.com/montreal-law-enforces-death-sentence-for-citys-pit-bulls/"",""http://indiana.scout.com/story/1711073-analysis-what-justin-smith-means-for-indiana"",""http://indiana.scout.com/story/1711073-analysis-what-justin-smith-means-for-indiana"",""http://indiana.scout.com/story/1711073-analysis-what-justin-smith-means-for-indiana""" +"""http://indianautosblog.com/2016/09/2016-toyota-vios-trd-sportivo-live-images-243247"",""http://indianautosblog.com/2016/09/2016-toyota-vios-trd-sportivo-live-images-243247"",""http://indianautosblog.com/2016/09/geely-announce-1st-cma-platform-model-oct-20-243270"",""http://indianautosblog.com/2016/09/geely-announce-1st-cma-platform-model-oct-20-243270"",""http://indianautosblog.com/2016/09/honda-300tt-racer-concept-patent-filing-243232""" +"""http://indianautosblog.com/2016/09/honda-300tt-racer-concept-patent-filing-243232"",""http://indianexpress.com/article/india/india-news-india/ins-viraat-indian-navy-final-goodbye-aircraft-carrier-3054287/"",""http://indianexpress.com/article/india/india-news-india/ins-viraat-indian-navy-final-goodbye-aircraft-carrier-3054287/"",""http://indianexpress.com/article/india/india-news-india/sahara-chief-subrata-roy-parole-extended-till-october-24-3054656/"",""http://indianexpress.com/article/india/india-news-india/sahara-chief-subrata-roy-parole-extended-till-october-24-3054656/""" +"""http://indianexpress.com/article/sports/football/options-for-barcelona-despite-lionel-messis-absence-borussia-moenchengladbach-3052272/"",""http://indianexpress.com/article/sports/football/options-for-barcelona-despite-lionel-messis-absence-borussia-moenchengladbach-3052272/"",""http://indiatoday.intoday.in/auto/story/mahindra-launches-scorpio-with-intelli-hybrid-technology-for-delhi-ncr-priced-at-rs-9-35-lakh/1/775098.html"",""http://indiatoday.intoday.in/auto/story/mahindra-launches-scorpio-with-intelli-hybrid-technology-for-delhi-ncr-priced-at-rs-9-35-lakh/1/775098.html"",""http://indiatoday.intoday.in/auto/story/mahindra-launches-scorpio-with-intelli-hybrid-technology-for-delhi-ncr-priced-at-rs-9-35-lakh/1/775098.html""" +"""http://indiatoday.intoday.in/story/intestines-luggage-austrian-customs-officials-airport/1/775206.html"",""http://indiatoday.intoday.in/story/intestines-luggage-austrian-customs-officials-airport/1/775206.html"",""http://indiatoday.intoday.in/story/intestines-luggage-austrian-customs-officials-airport/1/775206.html"",""http://indiatoday.intoday.in/story/intestines-luggage-austrian-customs-officials-airport/1/775206.html"",""http://indiatoday.intoday.in/technology/story/are-google-glass-note-7-tech-failures-of-recent-times/1/775282.html""" +"""http://indiatoday.intoday.in/technology/story/are-google-glass-note-7-tech-failures-of-recent-times/1/775282.html"",""http://indiatoday.intoday.in/technology/story/are-google-glass-note-7-tech-failures-of-recent-times/1/775282.html"",""http://indiatoday.intoday.in/technology/story/are-google-glass-note-7-tech-failures-of-recent-times/1/775282.html"",""http://inhabitat.com/elon-musk-reveals-his-big-plan-for-colonizing-mars/"",""http://insider.foxnews.com/2016/09/26/rudy-giuliani-how-donald-trump-preparing-first-presidential-debate""" +"""http://insider.foxnews.com/2016/09/26/rudy-giuliani-how-donald-trump-preparing-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/rudy-giuliani-how-donald-trump-preparing-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/rudy-giuliani-how-donald-trump-preparing-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/rudy-giuliani-how-donald-trump-preparing-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/rudy-giuliani-how-donald-trump-preparing-first-presidential-debate""" +"""http://insider.foxnews.com/2016/09/26/rudy-giuliani-how-donald-trump-preparing-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/rudy-giuliani-how-donald-trump-preparing-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/sarah-huckabee-sanders-donald-trump-hillary-clinton-and-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/sarah-huckabee-sanders-donald-trump-hillary-clinton-and-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/sarah-huckabee-sanders-donald-trump-hillary-clinton-and-first-presidential-debate""" +"""http://insider.foxnews.com/2016/09/26/sarah-huckabee-sanders-donald-trump-hillary-clinton-and-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/sarah-huckabee-sanders-donald-trump-hillary-clinton-and-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/sarah-huckabee-sanders-donald-trump-hillary-clinton-and-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/sarah-huckabee-sanders-donald-trump-hillary-clinton-and-first-presidential-debate"",""http://insider.foxnews.com/2016/09/26/sarah-huckabee-sanders-donald-trump-hillary-clinton-and-first-presidential-debate""" +"""http://interiordesign4.com/bedroom-dressing-small-bedroom-dresser/"",""http://interiordesign4.com/bedroom-dressing-small-bedroom-dresser/"",""http://interiordesign4.com/italian-traditional-purple-kitchen-designs/"",""http://interiordesign4.com/sensational-decorations-hung-above-bed/"",""http://interiorzine.com/2016/09/27/elegant-expensive-looking-wall-design-murals-wallpaper/""" +"""http://interiorzine.com/2016/09/29/three-new-types-of-marble-at-lithos-design-cladding-collection/"",""http://interiorzine.com/2016/10/03/emergent-design-studio-add-modernistic-solutions-of-glass-and-metal-at-lightwell-house/"",""http://inthesetimes.com/article/19564/3-reasons-to-be-worried-about-the-blackstone-groupand-their-friend-hillary"",""http://inthesetimes.com/article/19564/3-reasons-to-be-worried-about-the-blackstone-groupand-their-friend-hillary"",""http://inthesetimes.com/article/19564/3-reasons-to-be-worried-about-the-blackstone-groupand-their-friend-hillary""" +"""http://inthesetimes.com/article/19564/3-reasons-to-be-worried-about-the-blackstone-groupand-their-friend-hillary"",""http://investorplace.com/2016/10/tsla-stock-scty-tesla-motors-inc-elon-musk/"",""http://investorplace.com/2016/10/tsla-stock-scty-tesla-motors-inc-elon-musk/"",""http://invitrodiagnostics.medicaldevices-business-review.com/news/biogxs-influenza-a-b-and-rsv-assay-gets-ce-mark-for-use-on-bd-max-system-101016-5027715"",""http://invitrodiagnostics.medicaldevices-business-review.com/news/biogxs-influenza-a-b-and-rsv-assay-gets-ce-mark-for-use-on-bd-max-system-101016-5027715""" +"""http://io9.gizmodo.com/more-details-on-game-of-thrones-next-epic-battle-scene-1787200932"",""http://io9.gizmodo.com/more-details-on-game-of-thrones-next-epic-battle-scene-1787200932"",""http://io9.gizmodo.com/more-details-on-game-of-thrones-next-epic-battle-scene-1787200932"",""http://io9.gizmodo.com/more-details-on-game-of-thrones-next-epic-battle-scene-1787200932"",""http://irmoyoga.com/2016/09/dianne-fladung-teaching-beginner-basics-thursdays-6-pm/""" +"""http://irmoyoga.com/2016/10/installing-new-flooring-namaste-yoga-classes-cancelled-saturday-sunday-october-8-9/"",""http://islandliving365.com/general/why-we-need-to-get-outraged-at-trump/"",""http://islandliving365.com/general/why-we-need-to-get-outraged-at-trump/"",""http://islandliving365.com/general/why-we-need-to-get-outraged-at-trump/"",""http://israelbehindthenews.com/yom-kippur-fronts-israel-common-threat-life/15186/""" +"""http://israelmatzav.blogspot.com/2016/10/deja-vu-all-over-again-as-syrians-die.html"",""http://israelmatzav.blogspot.com/2016/10/man-who-wants-to-be-president-ignorance.html"",""http://israelmatzav.blogspot.com/2016/10/obama-put-irans-ballistic-missile.html"",""http://jacksonville.com/news/2016-09-27/mark-woods-historic-stretch-mile-provides-nice-short-morning-walk"",""http://jacksonville.com/news/2016-09-27/mark-woods-historic-stretch-mile-provides-nice-short-morning-walk""" +"""http://jacksonville.com/news/metro/2016-09-26/story/dog-reunited-jacksonville-woman-after-disappearance-1100-mile-journey"",""http://jacksonville.com/news/metro/2016-09-26/story/dog-reunited-jacksonville-woman-after-disappearance-1100-mile-journey"",""http://jacksonville.com/news/metro/2016-09-26/story/dog-reunited-jacksonville-woman-after-disappearance-1100-mile-journey"",""http://jacksonville.com/news/national/2016-09-27/story/analysis-debate-clinton-was-prepared-trump-was-trump"",""http://jalopnik.com/heres-how-to-fix-the-big-problems-with-elon-musks-mars-1787163420""" +"""http://jalopnik.com/heres-how-to-fix-the-big-problems-with-elon-musks-mars-1787163420"",""http://jerusalemcats.com/category/aliyah-jewish-immigration-to-israel-2/"",""http://jerusalemcats.com/category/aliyah-jewish-immigration-to-israel-2/"",""http://jerusalemcats.com/category/aliyah-jewish-immigration-to-israel-2/"",""http://jerusalemcats.com/welcome-to-the-home-of-the-jewish-people/""" +"""http://jerusalemcats.com/welcome-to-the-home-of-the-jewish-people/"",""http://jerusalemcats.com/welcome-to-the-home-of-the-jewish-people/"",""http://jerusalemcats.com/welcome-to-the-home-of-the-jewish-people/"",""http://jerusalemcats.com/welcome-to-the-home-of-the-jewish-people/"",""http://jerusalemcats.com/welcome-to-the-home-of-the-jewish-people/""" +"""http://jerusalemcats.com/welcome-to-the-home-of-the-jewish-people/"",""http://jerusalemcats.com/welcome-to-the-home-of-the-jewish-people/"",""http://jerusalemchannel.tv/intercessors-israel-friday-prayer-points-7/"",""http://jerusalemchannel.tv/intercessors-israel-pointers-prayer/"",""http://jerusalemworldnews.com/#wrap""" +"""http://jerusalemworldnews.com/#wrap"",""http://jezebel.com/angelina-jolie-will-still-join-london-school-of-economi-1787110077"",""http://jezebel.com/angelina-jolie-will-still-join-london-school-of-economi-1787110077"",""http://jezebel.com/angelina-jolie-will-still-join-london-school-of-economi-1787110077"",""http://jezebel.com/kim-kardashian-was-assaulted-by-the-same-idiot-that-gra-1787205561""" +"""http://jezebel.com/kim-kardashian-was-assaulted-by-the-same-idiot-that-gra-1787205561"",""http://jezebel.com/kim-kardashian-was-bound-and-gagged-during-paris-robber-1787351141"",""http://jezebel.com/kim-kardashian-was-bound-and-gagged-during-paris-robber-1787351141"",""http://jobs.monsterindia.com/details/19419584.html"",""http://jobs.monsterindia.com/details/19419584.html""" +"""http://jsugamecocksports.com/news/2016/10/16/mens-tennis-wraps-up-successful-ita-regional.aspx?path=mten"",""http://jsugamecocksports.com/news/2016/10/16/mens-tennis-wraps-up-successful-ita-regional.aspx?path=mten"",""http://justinelarbalestier.com/blog/2016/10/13/on-putting-your-work-out-there/"",""http://justintimberlake.com/news/282943"",""http://justintimberlake.com/news/282943""" +"""http://kabbalah.com/News-Article/New-Issue-SPARK-Magazine-Available-Online"",""http://kabbalah.com/News-Article/New-Issue-SPARK-Magazine-Available-Online"",""http://kabbalah.com/News-Article/New-Issue-SPARK-Magazine-Available-Online"",""http://kabbalah.com/News-Article/New-Issue-SPARK-Magazine-Available-Online"",""http://kabbalahstudent.com/hurricane-matthew-and-the-zohars-in-florida/""" +"""http://kabbalahstudent.com/hurricane-matthew-and-the-zohars-in-florida/"",""http://kabbalahstudent.com/hurricane-matthew-and-the-zohars-in-florida/"",""http://kabbalahstudent.com/hurricane-matthew-and-the-zohars-in-florida/#comment-14775"",""http://kabbalahstudent.com/hurricane-matthew-and-the-zohars-in-florida/#comment-14775"",""http://kabbalahstudent.com/hurricane-matthew-and-the-zohars-in-florida/#comment-14775""" +"""http://kabbalahstudent.com/hurricane-matthew-and-the-zohars-in-florida/#comment-14791"",""http://kabbalahstudent.com/hurricane-matthew-and-the-zohars-in-florida/#comment-14791"",""http://kabbalahstudent.com/hurricane-matthew-and-the-zohars-in-florida/#comment-14791"",""http://kff.org/global-health-policy/press-release/poll-more-americans-in-southern-states-taking-zika-precautions/"",""http://kff.org/health-costs/press-release/large-majorities-favor-wide-range-of-policy-changes-to-curb-prescription-drug-costs-including-those-that-give-government-a-greater-role-in-negotiating-or-limiting-prices/""" +"""http://kff.org/health-costs/report/kaiser-health-tracking-poll-september-2016/"",""http://kfox95.com/katy-perry-claps-back-rude-fan-2017-tour-new-music/"",""http://kfyo.com/who-won-mondays-presidential-debate-donald-trump-or-hillary-clinton-poll/"",""http://khn.org/morning-breakout/administration-unveils-plans-for-push-to-enroll-young-adults-in-health-plans/"",""http://khn.org/morning-breakout/viewpoints-ending-fee-for-service-the-senate-should-move-on-mental-health-reform/""" +"""http://khn.org/morning-breakout/viewpoints-recognizing-the-superbug-danger-confronting-mental-health-stigma/"",""http://klaq.com/watch-metallica-perform-the-howard-stern-show/"",""http://koreandogs.org/dutch/general-response-letter-dutch/"",""http://koreandogs.org/dutch/general-response-letter-dutch/"",""http://koreandogs.org/what-you-can-do/contacts-for-protest-s-korean-companies/global-500-companies-based-in-south-korea/""" +"""http://koreandogs.org/what-you-can-do/contacts-for-protest/"",""http://koreandogs.org/what-you-can-do/contacts-for-protest/"",""http://koreandogs.org/what-you-can-do/contacts-for-protest/"",""http://koreandogs.org/what-you-can-do/contacts-for-protest/"",""http://koreandogs.org/what-you-can-do/contacts-for-protest/""" +"""http://koreandogs.org/what-you-can-do/contacts-for-protest/"",""http://koreandogs.org/what-you-can-do/contacts-for-protest/"",""http://koreandogs.org/what-you-can-do/contacts-for-protest/"",""http://koreandogs.org/what-you-can-do/contacts-for-protest/"",""http://laitman.com/2016/09/who-is-the-wisdom-of-kabbalah-meant-for-2/""" +"""http://laitman.com/2016/09/who-is-the-wisdom-of-kabbalah-meant-for-2/"",""http://lasvegassun.com/news/2016/oct/07/forbes-sheldon-adelson-ranks-no-14-among-americas/"",""http://lasvegassun.com/news/2016/oct/07/forbes-sheldon-adelson-ranks-no-14-among-americas/"",""http://legalinsurrection.com/2016/09/president-shimon-peres-india-mourns-the-loss-of-a-true-friend/"",""http://lewistownsentinel.com/page/content.detail/id/1640931/Mistrial-exposes-prosecutors--challenges-in-trying-police.html?isap=1&nav=5016""" +"""http://lewistownsentinel.com/page/content.detail/id/1640931/Mistrial-exposes-prosecutors--challenges-in-trying-police.html?isap=1&nav=5016"",""http://lewistownsentinel.com/page/content.detail/id/1640931/Mistrial-exposes-prosecutors--challenges-in-trying-police.html?isap=1&nav=5016"",""http://lewistownsentinel.com/page/content.detail/id/1640931/Mistrial-exposes-prosecutors--challenges-in-trying-police.html?isap=1&nav=5016"",""http://lewistownsentinel.com/page/content.detail/id/1640931/Mistrial-exposes-prosecutors--challenges-in-trying-police.html?isap=1&nav=5016"",""http://lewistownsentinel.com/page/content.detail/id/1640931/Mistrial-exposes-prosecutors--challenges-in-trying-police.html?isap=1&nav=5016""" +"""http://lifehacker.com/facebook-messenger-lite-is-the-stripped-down-app-you-pr-1787349518"",""http://lifehacker.com/facebook-messenger-lite-is-the-stripped-down-app-you-pr-1787349518"",""http://lifehacker.com/you-can-make-your-facebook-profile-picture-temporary-1787300428"",""http://lifehacker.com/you-can-make-your-facebook-profile-picture-temporary-1787300428"",""http://london.ctvnews.ca/conservation-authority-thinning-trees-at-pittock-1.3089119""" +"""http://london.ctvnews.ca/conservation-authority-thinning-trees-at-pittock-1.3089119"",""http://london.ctvnews.ca/elgin-opp-charge-pair-with-more-than-50-offences-1.3089210"",""http://london.ctvnews.ca/elgin-opp-charge-pair-with-more-than-50-offences-1.3089210"",""http://london.ctvnews.ca/elgin-opp-charge-pair-with-more-than-50-offences-1.3089210"",""http://london.ctvnews.ca/opp-ask-public-to-call-if-they-see-dangerous-dogs-unmuzzled-1.3089439""" +"""http://london.ctvnews.ca/opp-ask-public-to-call-if-they-see-dangerous-dogs-unmuzzled-1.3089439"",""http://londonfightfactory.com/power-come-boxing/"",""http://londonknights.com/article/knights-double-up-the-petes"",""http://londonknights.com/article/london-battle-barrie-knights-vs-colts-preview"",""http://londonknights.com/article/london-battle-barrie-knights-vs-colts-preview""" +"""http://londonknights.com/article/reinforcements-have-arrived-knights-vs-petes-preview"",""http://londonknights.com/article/reinforcements-have-arrived-knights-vs-petes-preview"",""http://lotustarot.org/how-would-you-use-love-tarot-cards/"",""http://loudwire.com/metallica-james-hetfield-on-haters-we-dont-give-a-crap/"",""http://loudwire.com/robert-trujillo-metallica-touring-hard-support-new-album/""" +"""http://loudwire.com/watch-metallica-perform-the-howard-stern-show/"",""http://m.fin24.com/fin24/Economy/what-you-didnt-know-about-us-chicken-sold-in-sa-its-halaal-20161003"",""http://macdailynews.com/2016/09/26/apples-dearth-of-european-lobbyists-kept-company-out-of-loop-in-ec-tax-decision-for-two-years/"",""http://macdailynews.com/2016/09/26/apples-dearth-of-european-lobbyists-kept-company-out-of-loop-in-ec-tax-decision-for-two-years/"",""http://macdailynews.com/2016/09/26/apples-jet-black-iphone-7plus-is-ridiculously-difficult-to-make/""" +"""http://macdailynews.com/2016/09/26/apples-jet-black-iphone-7plus-is-ridiculously-difficult-to-make/"",""http://macdailynews.com/2016/09/26/tim-bajarin-apples-project-titan-is-not-about-building-a-car/"",""http://macdailynews.com/2016/09/26/tim-bajarin-apples-project-titan-is-not-about-building-a-car/"",""http://madamenoire.com/718135/rihanna-teyana-taylor-make-up/"",""http://madamenoire.com/718135/rihanna-teyana-taylor-make-up/""" +"""http://magicseaweed.com/news/quik-pro-france-unofficial-forecast/9533/"",""http://magicseaweed.com/news/quik-pro-france-unofficial-forecast/9533/"",""http://magicseaweed.com/news/the-numbers-game-how-tyler-could-win-her-first-world-title-in-france/9543/"",""http://magicseaweed.com/news/the-numbers-game-how-tyler-could-win-her-first-world-title-in-france/9543/"",""http://magicseaweed.com/news/title-race-heats-up-as-courtney-wins-portugal/9527/""" +"""http://mashable.com/2016/10/13/david-oyelowo-game-of-thrones-diversity/"",""http://messianic-kabbalah.blogspot.com/2016/10/gods-messianic-kabbalah-restores-sacred.html"",""http://messianic-kabbalah.blogspot.com/2016/10/gods-messianic-kabbalah-restores-sacred.html"",""http://messianic-kabbalah.blogspot.com/2016/10/gods-messianic-kabbalah-restores-sacred.html"",""http://messianic-kabbalah.blogspot.com/2016/10/gods-messianic-kabbalah-restores-sacred.html""" +"""http://messianic-kabbalah.blogspot.com/2016/10/gods-messianic-kabbalah-restores-sacred.html"",""http://messianic-kabbalah.blogspot.com/2016/10/gods-messianic-kabbalah-restores-sacred.html"",""http://messianic-kabbalah.blogspot.com/2016/10/peter-warned-christians-to-avoid-errors.html"",""http://messianic-kabbalah.blogspot.com/2016/10/peter-warned-christians-to-avoid-errors.html"",""http://messianic-kabbalah.blogspot.com/2016/10/peter-warned-christians-to-avoid-errors.html""" +"""http://messianic-kabbalah.blogspot.com/2016/10/peter-warned-christians-to-avoid-errors.html"",""http://metro.co.uk/2016/09/26/arsenal-finally-have-a-great-centre-back-pairing-in-shkodran-mustafi-and-laurent-koscielny-says-jamie-redknapp-6153971/"",""http://metro.co.uk/2016/09/26/arsenal-v-basel-champions-league-date-kick-off-time-tv-channel-and-odds-6153636/"",""http://metro.co.uk/2016/09/26/how-does-the-mustafi-and-koscielny-centre-back-pairing-compare-with-arsenals-title-rivals-6153287/"",""http://mg.co.za/article/2016-10-11-feesmustfall-the-academics-who-stand-behind-the-students/""" +"""http://mg.co.za/article/2016-10-11-feesmustfall-the-academics-who-stand-behind-the-students/"",""http://mgoblog.com/mgoboard/michigan-football-team-137-beat-rutgers-hype-clip"",""http://middlesborodailynews.com/features/lifestyle/13526/taste-of-southeast-kentucky-tickets-on-sale"",""http://milwaukeecourieronline.com/index.php/2016/10/07/the-power-of-hip-hop/"",""http://milwaukeecourieronline.com/index.php/2016/10/07/the-power-of-hip-hop/""" +"""http://mix1065fm.cbslocal.com/2016/09/27/katy-perry-chance-the-rapper-react-presidential-debate/"",""http://mix1065fm.cbslocal.com/2016/09/27/katy-perry-chance-the-rapper-react-presidential-debate/"",""http://mix1065fm.cbslocal.com/2016/09/27/katy-perry-naked-voting/"",""http://mondediplo.com/outsidein/dismantling-the-jungle-brick-by-brick"",""http://mondediplo.com/outsidein/dismantling-the-jungle-brick-by-brick""" +"""http://mondediplo.com/outsidein/dismantling-the-jungle-brick-by-brick"",""http://mondediplo.com/outsidein/dismantling-the-jungle-brick-by-brick"",""http://mondediplo.com/outsidein/dismantling-the-jungle-brick-by-brick"",""http://moralmatters.org/2016/10/06/fbi-guilty-as-hell-a-hillary-clinton-criminal-accomplice/"",""http://moralmatters.org/2016/10/06/fbi-guilty-as-hell-a-hillary-clinton-criminal-accomplice/#comment-2174989""" +"""http://moralmatters.org/2016/10/08/donald-trump-apologizes-when-did-benghazi-butcher-hillary-clinton/"",""http://moralmatters.org/2016/10/08/donald-trump-apologizes-when-did-benghazi-butcher-hillary-clinton/"",""http://moralmatters.org/2016/10/08/donald-trump-apologizes-when-did-benghazi-butcher-hillary-clinton/"",""http://motherboard.vice.com/read/elon-musk-mars-plan-funding"",""http://motherboard.vice.com/read/elon-musk-mars-plan-funding""" +"""http://motherboard.vice.com/read/spacex-and-elon-musk-announce-the-interplanetary-transport-system"",""http://motherboard.vice.com/read/spacex-and-elon-musk-announce-the-interplanetary-transport-system"",""http://motherboard.vice.com/read/spacex-and-elon-musk-announce-the-interplanetary-transport-system"",""http://moviepilot.com/posts/4108885"",""http://moviepilot.com/posts/4108885""" +"""http://moviepilot.com/posts/4108885"",""http://moviepilot.com/posts/4120495"",""http://moviepilot.com/posts/4120495"",""http://moviepilot.com/posts/4120588"",""http://mtsusidelines.com/2016/10/mtsu-physics-astronomy-departments-host-first-friday-star-parties/""" +"""http://na.leagueoflegends.com/en/news/riot-games/editorial/dev-ghostcrawler-depth-vs-accessibility"",""http://na.leagueoflegends.com/en/news/riot-games/editorial/dev-ghostcrawler-depth-vs-accessibility"",""http://na.leagueoflegends.com/en/news/riot-games/editorial/dev-ghostcrawler-depth-vs-accessibility"",""http://na.leagueoflegends.com/en/news/riot-games/editorial/dev-ghostcrawler-depth-vs-accessibility"",""http://na.leagueoflegends.com/en/news/riot-games/editorial/dev-ghostcrawler-depth-vs-accessibility""" +"""http://na.leagueoflegends.com/en/news/riot-games/editorial/dev-ghostcrawler-depth-vs-accessibility"",""http://na.leagueoflegends.com/en/news/riot-games/editorial/dev-ghostcrawler-depth-vs-accessibility"",""http://nasawatch.com/archives/2016/10/massive-hurrica.html"",""http://nasawatch.com/archives/2016/10/putting-nasas-p.html"",""http://nassautennis.net/college-placement/packages-pricing/comprehensive-college-admissionrecruitment-package/""" +"""http://nassautennis.net/college-placement/packages-pricing/comprehensive-college-admissionrecruitment-package/"",""http://nassautennis.net/college-placement/packages-pricing/early-guidance-and-development-package-7th-11th-grade/"",""http://nassautennis.net/college-placement/packages-pricing/early-guidance-and-development-package-7th-11th-grade/"",""http://ncaa.com/news/football/article/2016-09-27/lsu-football-interim-coach-orgeron-meets-criteria-full-time-job"",""http://ncaa.com/news/football/article/2016-09-27/lsu-football-interim-coach-orgeron-meets-criteria-full-time-job""" +"""http://ncaa.com/news/football/article/2016-09-27/nebraska-football-huskers-remember-longtime-coach-milt-tenopir"",""http://ncaa.com/news/football/article/2016-09-27/nebraska-football-huskers-remember-longtime-coach-milt-tenopir"",""http://ncaa.com/news/football/article/2016-09-27/nebraska-football-huskers-remember-longtime-coach-milt-tenopir"",""http://ncaa.com/news/football/article/2016-09-28/college-football-10-numbers-know-michigan-wisconsin-game"",""http://ncaa.com/news/football/article/2016-09-28/college-football-10-numbers-know-michigan-wisconsin-game""" +"""http://netrightdaily.com/2016/10/trump-purge-illegal-immigrants-non-citizens-voter-rolls/"",""http://newalbumreleases.net/57486/katatonia-dethroned-uncrowned-2013/#more-57486"",""http://newatlas.com/apple-watch-series-2-review/45570/"",""http://newatlas.com/elon-musk-mars-speech/45645/"",""http://newatlas.com/smartwatch-comparison-2016/45642/""" +"""http://news.arseblog.com/2016/09/arsenal-2-0-fc-basel-player-ratings/"",""http://news.arseblog.com/2016/09/arsenal-2-0-fc-basel-player-ratings/"",""http://news.arseblog.com/2016/09/report-arsenal-2-0-fc-basel-inc-goals/"",""http://news.arseblog.com/2016/09/xhaka-starts-for-both-teams-arsenal-v-fc-basel-line-ups/"",""http://news.madonnatribe.com/en/2016/strike-a-pose-central-london-screening/""" +"""http://news.madonnatribe.com/en/2016/tears-of-a-clow-in-miami/"",""http://news.madonnatribe.com/en/2016/vote-madonna-amas/"",""http://news.madonnatribe.com/en/2016/vote-madonna-amas/"",""http://news.nationalpost.com/news/world/for-much-of-the-campaign-donald-trumps-daughter-tiffany-has-been-the-b-list-trump"",""http://news.nationalpost.com/news/world/ivanka-trump-does-damage-control-for-donald-starring-in-a-new-ad-targeting-women-voters""" +"""http://news.nationalpost.com/news/world/syrian-regime-troops-now-massing-for-all-out-assault-on-rebel-held-aleppo-after-week-of-bombardment"",""http://news.sky.com/story/french-finance-minister-warns-of-brexit-consequences-10608002"",""http://news.sky.com/story/french-finance-minister-warns-of-brexit-consequences-10608002"",""http://news.sky.com/story/french-finance-minister-warns-of-brexit-consequences-10608002"",""http://news.sky.com/story/how-will-the-pounds-falling-value-affect-you-10608356""" +"""http://news.sky.com/story/how-will-the-pounds-falling-value-affect-you-10608356"",""http://news.sky.com/story/how-will-the-pounds-falling-value-affect-you-10608356"",""http://news.spaceweather.com/amazing-airglow-above-easter-island/"",""http://newsok.com/clinton-says-wave-of-shootings-show-need-to-protect-children/article/feed/1085516?custom_click=rss&utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+newsok%2Fhome+%28NewsOK.com+RSS+-+Home%29"",""http://newsok.com/clinton-says-wave-of-shootings-show-need-to-protect-children/article/feed/1085516?custom_click=rss&utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+newsok%2Fhome+%28NewsOK.com+RSS+-+Home%29""" +"""http://newsok.com/india-set-to-ratify-paris-climate-change-agreement-at-un/article/feed/1085406?custom_click=rss&utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+newsok%2Fhome+%28NewsOK.com+RSS+-+Home%29"",""http://newsok.com/india-set-to-ratify-paris-climate-change-agreement-at-un/article/feed/1085406?custom_click=rss&utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+newsok%2Fhome+%28NewsOK.com+RSS+-+Home%29"",""http://newsone.com/3553928/hillary-clinton-black-men/"",""http://newsone.com/3553928/hillary-clinton-black-men/"",""http://newsone.com/3553928/hillary-clinton-black-men/""" +"""http://newsone.com/3553928/hillary-clinton-black-men/"",""http://niagaraicedogs.net/article/chris-paquette-named-third-assistant-captain"",""http://niagaraicedogs.net/article/icedogs-visit-peterborough-today-for-a-sunday-afternoon-showdown"",""http://nymag.com/thecut/2016/09/adele-gives-zero-fucks-about-the-brangelina-split.html"",""http://nymag.com/thecut/2016/09/women-not-impressed-with-donald-trumps-debate-performance.html""" +"""http://nypost.com/2016/09/27/aol-twitter-have-an-answer-to-facebooks-inflated-metrics/"",""http://nypost.com/2016/09/28/remembering-shimon-peres-the-israeli-leader-who-saw-it-all/"",""http://observer.com/2016/09/a-trump-ed-up-faceoff-between-hillary-clinton-and-the-donald-on-long-island/"",""http://observer.com/2016/10/clinton-campaign-chair-hillary-has-begun-to-hate-everyday-americans/"",""http://observer.com/2016/10/kim-kardashian-family-jewelry-stolen-fashion-reacts/""" +"""http://okmagazine.com/get-scoop/taylor-swift-breakup-friends-split-alone-abandon/"",""http://okmagazine.com/get-scoop/taylor-swift-breakup-friends-split-alone-abandon/"",""http://okmagazine.com/photos/angelina-jolie-blocks-brad-pitt-phone-number/"",""http://okmagazine.com/photos/angelina-jolie-blocks-brad-pitt-phone-number/"",""http://onlinebooks.library.upenn.edu/new.html""" +"""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html""" +"""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html""" +"""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html"",""http://onlinebooks.library.upenn.edu/new.html""" +"""http://onwardstate.com/2016/10/03/joey-julius-reveals-struggle-with-eating-disorder-via-facebook/"",""http://onwardstate.com/2016/10/03/joey-julius-reveals-struggle-with-eating-disorder-via-facebook/"",""http://orangecounty.uli.org/news/cmic-bids-farewell-eric-snyder/"",""http://orangecounty.uli.org/news/insights-brookfield-residential-executives/"",""http://orangecounty.uli.org/news/mamet-callender-discuss-brand-expansion/""" +"""http://pafootballnews.com/2016-pfn-pigskin-pickem-week-7/"",""http://paininthearsenal.com/2016/09/26/arsenal-reaping-benefits-theo-walcott-euro-snub/"",""http://paininthearsenal.com/2016/09/26/arsenal-shkodran-mustafi-pace-key-defensive-performance/"",""http://paininthearsenal.com/2016/09/26/arsenal-squad-build-chelsea-win/"",""http://paris.frasershospitality.com/holiday-extravaganza-%C2%A0special-memories-and-deals%21-,offers_viewItem_10181-en.html""" +"""http://paris.frasershospitality.com/holiday-extravaganza-%C2%A0special-memories-and-deals%21-,offers_viewItem_10181-en.html"",""http://paris.frasershospitality.com/holiday-extravaganza-%C2%A0special-memories-and-deals%21-,offers_viewItem_10181-en.html"",""http://paris.frasershospitality.com/holiday-extravaganza-%C2%A0special-memories-and-deals%21-,offers_viewItem_10181-en.html"",""http://perezhilton.com/2016-09-20-hailey-baldwin-accused-of-plagiarism-over-justin-bieber-shade-instagram-post"",""http://perezhilton.com/2016-09-20-hailey-baldwin-accused-of-plagiarism-over-justin-bieber-shade-instagram-post""" +"""http://perezhilton.com/2016-09-20-hailey-baldwin-accused-of-plagiarism-over-justin-bieber-shade-instagram-post"",""http://perezhilton.com/2016-09-20-hailey-baldwin-accused-of-plagiarism-over-justin-bieber-shade-instagram-post"",""http://perezhilton.com/2016-09-20-kristen-bell-ellen-degeneres-spice-girls-wannabe"",""http://perezhilton.com/2016-09-20-kristen-bell-ellen-degeneres-spice-girls-wannabe"",""http://perezhilton.com/2016-09-20-kristen-bell-ellen-degeneres-spice-girls-wannabe""" +"""http://perezhilton.com/2016-09-20-kristen-bell-ellen-degeneres-spice-girls-wannabe"",""http://perezhilton.com/2016-09-20-sofia-richie-gets-new-puppy-after-justin-bieber-breakup"",""http://perezhilton.com/2016-09-20-sofia-richie-gets-new-puppy-after-justin-bieber-breakup"",""http://perezhilton.com/2016-09-20-sofia-richie-gets-new-puppy-after-justin-bieber-breakup"",""http://perezhilton.com/2016-09-20-sofia-richie-gets-new-puppy-after-justin-bieber-breakup""" +"""http://pictures-of-cats.org/cats-to-be-microchipped-in-luxembourg-under-new-law.html"",""http://pictures-of-cats.org/kenai-council-proposes-cats-be-restrained-outdoors-by-a-leash-fence-or-building.html#comment-684794"",""http://pictures-of-cats.org/kenai-council-proposes-cats-be-restrained-outdoors-by-a-leash-fence-or-building.html#comment-684794"",""http://pictures-of-cats.org/what-is-the-reasoning-psychological-or-otherwise-that-makes-mcvities-think-kittens-can-sell-chocolate-biscuits.html"",""http://pitchfork.com/news/68585-watch-win-butler-talk-arcade-fires-history-and-new-record-bash-trump-and-spotify-in-two-hour-tallk/""" +"""http://pitchfork.com/news/68585-watch-win-butler-talk-arcade-fires-history-and-new-record-bash-trump-and-spotify-in-two-hour-tallk/"",""http://pitchfork.com/news/69131-lady-gaga-and-mark-ronson-clap-back-at-patrick-carney-over-perfect-illusion-diss/"",""http://politics.blog.ajc.com/2016/10/03/johnny-isakson-gop-congress-unlikely-to-stonewall-a-president-hillary-clinton/"",""http://politics.blog.ajc.com/2016/10/03/johnny-isakson-gop-congress-unlikely-to-stonewall-a-president-hillary-clinton/"",""http://popcrush.com/ariana-grande-ellen-degeneres-dick-bicycle-mac-miller/""" +"""http://popcrush.com/kanye-west-nashville-anti-taylor-swift-chant/"",""http://popcrush.com/kanye-west-nashville-anti-taylor-swift-chant/"",""http://popcrush.com/miley-cyrus-mariah-carey-not-a-fan-elle-quotes/"",""http://portlandwaldorf.org/pws-quartet-plays-national-beatles-tribute-tour/"",""http://profootballhof.com/festive-exhibit-on-display-this-october/""" +"""http://profootballhof.com/records-broken-from-week-3-2016/"",""http://profootballtalk.nbcsports.com/2016/10/06/malcolm-jenkins-players-avoid-talking-about-trump-in-locker-room/"",""http://punchng.com/recession-blame-constitution-not-past-regimes-akinyemi-tells-buhari/"",""http://punchng.com/regime-seeing-others-dont/"",""http://punchng.com/savings-blame-constitution-not-past-regimes/""" +"""http://qz.com/794101/elon-musk-explains-why-he-doesnt-hire-much-foreign-talent-at-spacex/"",""http://qz.com/794307/what-could-wreck-spacex-founder-elon-musks-plan-to-colonize-mars-is-not-technology-politics-or-money-but-ethics/"",""http://qz.com/794307/what-could-wreck-spacex-founder-elon-musks-plan-to-colonize-mars-is-not-technology-politics-or-money-but-ethics/"",""http://qz.com/794586/elon-musks-plans-for-a-mars-colony-is-like-the-utopian-visions-of-henry-ford-and-milton-hershey/"",""http://qz.com/794586/elon-musks-plans-for-a-mars-colony-is-like-the-utopian-visions-of-henry-ford-and-milton-hershey/""" +"""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/""" +"""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/""" +"""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/"",""http://rabbieliezerberland.blogspot.co.za/"",""http://radaronline.com/celebrity-news/blac-chyna-rob-kardashian-name-baby-girl-kim-kardashian/""" +"""http://radaronline.com/celebrity-news/blac-chyna-rob-kardashian-name-baby-girl-kim-kardashian/"",""http://radaronline.com/celebrity-news/hillary-clinton-debate-bill-clinton-alleged-rape-victim-threatens-attending/"",""http://radaronline.com/celebrity-news/hillary-clinton-presidential-debate-customized-podium/"",""http://radaronline.com/celebrity-news/hillary-clinton-presidential-debate-customized-podium/"",""http://radio.com/2016/09/26/lady-gaga-joanne-title-inspiration/""" +"""http://radio.com/2016/09/27/ariana-grande-country-music/"",""http://radio.com/2016/09/29/miley-cyrus-guest-hosts-ellen/"",""http://radio.com/2016/09/29/miley-cyrus-guest-hosts-ellen/"",""http://radionowindy.com/1419123/girl-trouble-demi-lovato-drags-taylor-swift-and-refuses-to-apologize/"",""http://radionowindy.com/1419123/girl-trouble-demi-lovato-drags-taylor-swift-and-refuses-to-apologize/""" +"""http://radionowindy.com/1419123/girl-trouble-demi-lovato-drags-taylor-swift-and-refuses-to-apologize/"",""http://radionowindy.com/1419123/girl-trouble-demi-lovato-drags-taylor-swift-and-refuses-to-apologize/"",""http://radionowindy.com/1419123/girl-trouble-demi-lovato-drags-taylor-swift-and-refuses-to-apologize/"",""http://rare.us/story/carrie-underwood-couldnt-wait-to-show-off-this-brand-new-medley-of-hits/"",""http://rare.us/story/carrie-underwood-hit-one-out-of-the-park-with-this-amazing-anthem/""" +"""http://rare.us/story/looks-like-carrie-underwoods-son-made-some-adorable-new-friends/"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fmens-rolex-datejust-116238.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4561712645&pos=2&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=8b232ff4953fd4cb&oid=4561712645&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=116238315&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B2%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=520131034042049452&br=14748329350078993487302030302027857&data=_time%3A%3Astart_time%3D1474958714%3Btimestamp%3D1474958714%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=bbda4de2-7f98-43a2-b772-b52d700e66db"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fmens-rolex-datejust-116238.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4561712645&pos=2&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=8b232ff4953fd4cb&oid=4561712645&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=116238315&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B2%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=520131034042049452&br=14748329350078993487302030302027857&data=_time%3A%3Astart_time%3D1474958714%3Btimestamp%3D1474958714%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=bbda4de2-7f98-43a2-b772-b52d700e66db"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fmens-rolex-datejust-116238.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4561712645&pos=2&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=8b232ff4953fd4cb&oid=4561712645&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=116238315&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B2%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=520131034042049452&br=14748329350078993487302030302027857&data=_time%3A%3Astart_time%3D1474958714%3Btimestamp%3D1474958714%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=bbda4de2-7f98-43a2-b772-b52d700e66db"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fmens-rolex-datejust-116238.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4561712645&pos=2&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=8b232ff4953fd4cb&oid=4561712645&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=116238315&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B2%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=520131034042049452&br=14748329350078993487302030302027857&data=_time%3A%3Astart_time%3D1474958714%3Btimestamp%3D1474958714%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=bbda4de2-7f98-43a2-b772-b52d700e66db""" +"""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fmens-rolex-datejust-116238.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4561712645&pos=2&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=8b232ff4953fd4cb&oid=4561712645&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=116238315&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B2%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=520131034042049452&br=14748329350078993487302030302027857&data=_time%3A%3Astart_time%3D1474958714%3Btimestamp%3D1474958714%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=bbda4de2-7f98-43a2-b772-b52d700e66db"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fmens-rolex-datejust-116238.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4561712645&pos=3&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=8b232ff4953fd4cb&oid=4561712645&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=116238315&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B3%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=220332488012071126&br=14748037671770515361202020302017062&data=_time%3A%3Astart_time%3D1474937041%3Btimestamp%3D1474937041%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=8bec5f99-196f-4800-bec9-ae66df9a97f1"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fmens-rolex-datejust-116238.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4561712645&pos=3&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=8b232ff4953fd4cb&oid=4561712645&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=116238315&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B3%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=220332488012071126&br=14748037671770515361202020302017062&data=_time%3A%3Astart_time%3D1474937041%3Btimestamp%3D1474937041%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=8bec5f99-196f-4800-bec9-ae66df9a97f1"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fmens-rolex-datejust-116238.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4561712645&pos=3&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=8b232ff4953fd4cb&oid=4561712645&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=116238315&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B3%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=220332488012071126&br=14748037671770515361202020302017062&data=_time%3A%3Astart_time%3D1474937041%3Btimestamp%3D1474937041%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=8bec5f99-196f-4800-bec9-ae66df9a97f1"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fmens-rolex-datejust-116238.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4561712645&pos=3&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=8b232ff4953fd4cb&oid=4561712645&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=116238315&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B3%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=220332488012071126&br=14748037671770515361202020302017062&data=_time%3A%3Astart_time%3D1474937041%3Btimestamp%3D1474937041%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=8bec5f99-196f-4800-bec9-ae66df9a97f1""" +"""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fmens-rolex-datejust-116238.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4561712645&pos=3&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=8b232ff4953fd4cb&oid=4561712645&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=116238315&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B3%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=220332488012071126&br=14748037671770515361202020302017062&data=_time%3A%3Astart_time%3D1474937041%3Btimestamp%3D1474937041%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=8bec5f99-196f-4800-bec9-ae66df9a97f1"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fpre-owned-mens-rolex-datejust-stainless-steel-watch-16200.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4751869855&pos=4&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=c0e6ef19a75128b4&oid=4751869855&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=16200224&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B4%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=420231873841962820&br=14748037671770515361202020302017062&data=_time%3A%3Astart_time%3D1475045346%3Btimestamp%3D1475045346%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=88e7fc08-ffdf-4800-b8ff-08eac3262a34"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fpre-owned-mens-rolex-datejust-stainless-steel-watch-16200.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4751869855&pos=4&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=c0e6ef19a75128b4&oid=4751869855&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=16200224&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B4%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=420231873841962820&br=14748037671770515361202020302017062&data=_time%3A%3Astart_time%3D1475045346%3Btimestamp%3D1475045346%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=88e7fc08-ffdf-4800-b8ff-08eac3262a34"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fpre-owned-mens-rolex-datejust-stainless-steel-watch-16200.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4751869855&pos=4&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=c0e6ef19a75128b4&oid=4751869855&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=16200224&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B4%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=420231873841962820&br=14748037671770515361202020302017062&data=_time%3A%3Astart_time%3D1475045346%3Btimestamp%3D1475045346%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=88e7fc08-ffdf-4800-b8ff-08eac3262a34"",""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fpre-owned-mens-rolex-datejust-stainless-steel-watch-16200.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4751869855&pos=4&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=c0e6ef19a75128b4&oid=4751869855&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=16200224&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B4%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=420231873841962820&br=14748037671770515361202020302017062&data=_time%3A%3Astart_time%3D1475045346%3Btimestamp%3D1475045346%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=88e7fc08-ffdf-4800-b8ff-08eac3262a34""" +"""http://rd.beso.com/rd2?t=https%3A%2F%2Fwww.bobswatches.com%2Fpre-owned-mens-rolex-datejust-stainless-steel-watch-16200.html%3Futm_source%3Dshopzilla%26utm_medium%3Dshopping%26utm_campaign%3Dgshopping&mid=251279&catId=30020100&prodId=4751869855&pos=4&tokenId=DW1&lg=0&bAmt=b2e15c15c17c2077&ppr=c0e6ef19a75128b4&oid=4751869855&atom=10724&bidType=0&bId=17&cobrand=44&keyword=rolex&mpid=16200224&ctr_pos=BE%3BUS%3BDW1%3BSearchResults.WLK%3B1%3B30%3BSZProductPod%3Bpods%2FSearchResults%2FProductPodMarketing%3Bproducts%3B4%3B&ctr_brand=256258&ctr_rel=0.000000&countryCode=US&sessionid=420231873841962820&br=14748037671770515361202020302017062&data=_time%3A%3Astart_time%3D1475045346%3Btimestamp%3D1475045346%7Ctracker%3A%3Ahtcnt%3D1%3Brf%3Dfor%3Brf2%3D%3Bvsc%3Ddar&squid=88e7fc08-ffdf-4800-b8ff-08eac3262a34"",""http://rea.tech/reactjs-performance-debugging-aka-the-magic-of-reselect-selectors/"",""http://reason.com/blog/2016/09/26/maybe-donald-trump-is-the-real-ferguson"",""http://reason.com/blog/2016/09/26/maybe-donald-trump-is-the-real-ferguson"",""http://reason.com/blog/2016/09/26/what-hillary-clinton-gets-right-and-what""" +"""http://reason.com/blog/2016/09/26/what-hillary-clinton-gets-right-and-what"",""http://reason.com/reasontv/2016/09/26/trump-wants-gary-johnson-debates"",""http://reason.com/reasontv/2016/09/26/trump-wants-gary-johnson-debates"",""http://registerguard.com/rg/sports/34824649-81/oregon-football-expects-troy-dye-back-on-defense.html.csp"",""http://registerguard.com/rg/sports/football/34820293-69/the-press-box-oregon-will-try-to-rebuff-critics-colorado-in-pac-12-opener.html.csp""" +"""http://registerguard.com/rg/sports/football/34820293-69/the-press-box-oregon-will-try-to-rebuff-critics-colorado-in-pac-12-opener.html.csp"",""http://registerguard.com/rg/sports/football/34847627-69/washington-state-cougars-not-surprised-colorado-beat-oregon-ducks.html.csp"",""http://registerguard.com/rg/sports/football/34847627-69/washington-state-cougars-not-surprised-colorado-beat-oregon-ducks.html.csp"",""http://registerguard.com/rg/sports/football/34847627-69/washington-state-cougars-not-surprised-colorado-beat-oregon-ducks.html.csp"",""http://rightwingnews.com/barack-obama/internet-surrender-sadly-staying-radar-now-3-days-fix/""" +"""http://rightwingnews.com/barack-obama/internet-surrender-sadly-staying-radar-now-3-days-fix/"",""http://rightwingnews.com/barack-obama/obama-admin-leaked-secret-details-trumps-classified-intel-briefing/"",""http://rightwingnews.com/barack-obama/obama-admin-leaked-secret-details-trumps-classified-intel-briefing/"",""http://rightwingnews.com/barack-obama/obama-admin-leaked-secret-details-trumps-classified-intel-briefing/"",""http://rightwingnews.com/barack-obama/obama-create-new-racial-category-increase-americas-race-issues/""" +"""http://rightwingnews.com/barack-obama/obama-create-new-racial-category-increase-americas-race-issues/"",""http://rightwingnews.com/barack-obama/obama-create-new-racial-category-increase-americas-race-issues/"",""http://rihanna-fenty.com/2016/09/26/rihanna-appointed-global-ambassador-to-champion-education/"",""http://rihanna-fenty.com/2016/09/26/rihanna-appointed-global-ambassador-to-champion-education/"",""http://rihanna-fenty.com/2016/09/27/rihanna-does-a-photoshoot-in-paris/""" +"""http://rihanna-fenty.com/2016/09/28/7-things-to-know-about-rihannas-fenty-x-puma-spring-2017-show/"",""http://rmcsport.bfmtv.com/tennis/mladenovic-et-garcia-peut-etre-que-sans-la-finale-de-fed-cup-les-choses-auraient-ete-differentes-selon-mauresmo-1040577.html"",""http://rmcsport.bfmtv.com/tennis/mladenovic-et-garcia-peut-etre-que-sans-la-finale-de-fed-cup-les-choses-auraient-ete-differentes-selon-mauresmo-1040577.html"",""http://roanoke.com/business/columns_and_blogs/blogs/storefront/valley-view-mall-will-take-a-thanksgiving-day-holiday/article_96f3f9ab-f73f-5d2d-b13d-99001a391768.html"",""http://roanoke.com/business/columns_and_blogs/blogs/storefront/valley-view-mall-will-take-a-thanksgiving-day-holiday/article_96f3f9ab-f73f-5d2d-b13d-99001a391768.html""" +"""http://roanoke.com/business/columns_and_blogs/blogs/storefront/valley-view-mall-will-take-a-thanksgiving-day-holiday/article_96f3f9ab-f73f-5d2d-b13d-99001a391768.html"",""http://roanoke.com/business/columns_and_blogs/blogs/storefront/valley-view-mall-will-take-a-thanksgiving-day-holiday/article_96f3f9ab-f73f-5d2d-b13d-99001a391768.html"",""http://roanoke.com/business/columns_and_blogs/blogs/storefront/valley-view-mall-will-take-a-thanksgiving-day-holiday/article_96f3f9ab-f73f-5d2d-b13d-99001a391768.html"",""http://rock947.com/news/articles/2016/oct/04/metallica-shares-behind-the-scenes-look-at-making-of-moth-into-flame/"",""http://rolexpassionmarket.com/parma-watch-show-october-2016/""" +"""http://rolexpassionmarket.com/parma-watch-show-october-2016/"",""http://rolexpassionmarket.com/the-ghost-oyster-daytona-paul-newman/"",""http://rolexpassionreport.com/21876/vintage-rolex-highlights-from-the-phillips-watch-auction-iv/"",""http://rolexpassionreport.com/21876/vintage-rolex-highlights-from-the-phillips-watch-auction-iv/"",""http://rolexpassionreport.com/21876/vintage-rolex-highlights-from-the-phillips-watch-auction-iv/""" +"""http://rolexpassionreport.com/22029/ghost-oyster-paul-newman-daytona/"",""http://rolexpassionreport.com/22029/ghost-oyster-paul-newman-daytona/"",""http://rolexpassionreport.com/22029/ghost-oyster-paul-newman-daytona/"",""http://rolexpassionreport.com/22108/christies-geneva-nov-2016-watch-sale/"",""http://rolexpassionreport.com/22108/christies-geneva-nov-2016-watch-sale/""" +"""http://rolexpassionreport.com/22108/christies-geneva-nov-2016-watch-sale/"",""http://scallywagandvagabond.com/2016/10/kim-kardashian-robbed-jewelry-paris-apartment-heist/"",""http://scienceblogs.com/startswithabang/2016/10/03/astronomys-dark-horse-lit-up-by-hubble-synopsis/"",""http://scienceblogs.com/startswithabang/2016/10/03/astronomys-dark-horse-lit-up-by-hubble-synopsis/"",""http://scouthoops.scout.com/story/1710839-indiana-lands-athletic-forward-justin-smith""" +"""http://scouthoops.scout.com/story/1710839-indiana-lands-athletic-forward-justin-smith"",""http://screamer.deadspin.com/brilliant-shithead-cristiano-ronaldo-had-a-brilliant-s-1787186676"",""http://screamer.deadspin.com/brilliant-shithead-cristiano-ronaldo-had-a-brilliant-s-1787186676"",""http://screenrant.com/game-of-thrones-spinoff-hbo-right-take/"",""http://screenrant.com/game-thrones-enhanced-edition-ebook-details/""" +"""http://screenrant.com/lost-in-space-netflix-house-of-cards-molly-parker/"",""http://seec-israel.house.gov/"",""http://seec-israel.house.gov/"",""http://seec-israel.house.gov/"",""http://seec-israel.house.gov/""" +"""http://seec-israel.house.gov/"",""http://shamanism.org/news/2016/10/06/new-4th-pacific-northwest-summer-three-year-program-begins-august-2017-seattle-area-with-susan-mokelke/"",""http://shamanism.org/news/2016/10/06/new-4th-pacific-northwest-summer-three-year-program-begins-august-2017-seattle-area-with-susan-mokelke/"",""http://shareblue.com/trump-finagled-a-free-1-5-million-wedding-ring-did-he-pay-taxes-on-it/"",""http://shareblue.com/trump-finagled-a-free-1-5-million-wedding-ring-did-he-pay-taxes-on-it/""" +"""http://shilohmusings.blogspot.co.il/2016/09/the-peace-hashalom-of-shimon-peres.html"",""http://shilohmusings.blogspot.co.il/2016/09/the-peace-hashalom-of-shimon-peres.html"",""http://site.people.com/style/paris-jackson-star-wars-tattoo/"",""http://soccer.nbcsports.com/2016/10/02/jose-mourinho-chalks-up-stoke-city-draw-to-luck-thats-football/"",""http://soccer.nbcsports.com/2016/10/02/jose-mourinho-chalks-up-stoke-city-draw-to-luck-thats-football/""" +"""http://soccer.nbcsports.com/2016/10/02/jose-mourinho-chalks-up-stoke-city-draw-to-luck-thats-football/"",""http://soccer.nbcsports.com/2016/10/02/jose-mourinho-chalks-up-stoke-city-draw-to-luck-thats-football/"",""http://soccer.nbcsports.com/2016/10/02/jose-mourinho-chalks-up-stoke-city-draw-to-luck-thats-football/"",""http://soccer.nbcsports.com/2016/10/02/jose-mourinho-chalks-up-stoke-city-draw-to-luck-thats-football/"",""http://soccer.nbcsports.com/2016/10/02/jose-mourinho-chalks-up-stoke-city-draw-to-luck-thats-football/""" +"""http://soccerlens.com/football-manager-touch-2017/200919/"",""http://soccerlens.com/football-shirt-numbers/200801/"",""http://soccerlens.com/football-shirt-numbers/200801/"",""http://somethingelsereviews.com/2016/10/02/tom-wilmeth-bob-dylan-sound-bites-book/"",""http://space.mit.edu/creating-universe-computer-computer-simulations-help-cosmologists-unlock-mystery-how-universe""" +"""http://spaceflightnow.com/2016/09/29/china-developing-mission-to-return-samples-from-far-side-of-the-moon/"",""http://spacenews.com/indias-pslv-launches-7-satellites-in-a-record-fifth-mission-this-year/"",""http://spacenews.com/roscosmos-confirms-plans-to-reduce-space-station-crew/"",""http://spacenews.com/spacex-performs-first-test-of-raptor-engine/"",""http://spaceref.com/mars/how-water-sculpted-mawrth-vallis-on-mars.html""" +"""http://spdblotter.seattle.gov/2016/10/10/woman-seriously-injured-in-belltown-collision/"",""http://spdblotter.seattle.gov/2016/10/11/man-shot-by-officer-following-assault-in-beacon-hill-greenbelt/"",""http://sport.bt.com/football/gareth-southgate-in-love-with-football-if-not-the-industry-after-tough-week-S11364102807544"",""http://sport.bt.com/football/gareth-southgate-in-love-with-football-if-not-the-industry-after-tough-week-S11364102807544"",""http://sportsday.dallasnews.com/dallas-cowboys/cowboys/2016/10/04/jerry-jones-ruling-outdez-bryant-week-still-ruling-jaylon-smith-season?f=r""" +"""http://sportwitness.co.uk/arsenal-star-injured-nasty-tackle-international-break-test-results-awaited/"",""http://starmagazine.com/videos/angelina-jolie-meets-lawyer-brad-pitt-divorce/"",""http://starmagazine.com/videos/angelina-jolie-meets-lawyer-brad-pitt-divorce/"",""http://starmagazine.com/videos/jennifer-aniston-rushed-hospital-nyc/"",""http://starmagazine.com/videos/kim-kardashian-tell-all-book-secrets-family/""" +"""http://starmagazine.com/videos/kim-kardashian-tell-all-book-secrets-family/"",""http://stealherstyle.net/2016/10/06/rihanna-white-hoodie-ripped-boyfriend-jeans/"",""http://stealherstyle.net/2016/10/06/rihanna-white-hoodie-ripped-boyfriend-jeans/"",""http://stealherstyle.net/2016/10/09/rihanna-navy-blazer-black-track-pants/"",""http://stealherstyle.net/2016/10/09/rihanna-navy-blazer-black-track-pants/""" +"""http://stealherstyle.net/2016/10/13/taylor-swift-cut-t-shirt-mini-skirt/"",""http://stealherstyle.net/2016/10/13/taylor-swift-cut-t-shirt-mini-skirt/"",""http://stoneyroads.com/empire-of-the-sun-fans-react-to-announcement-of-david-guetta-remix/"",""http://stv.tv/sport/football/1368847-scotland-must-ditch-excuse-culture-to-succeed-in-elite-football/"",""http://stv.tv/sport/football/1368847-scotland-must-ditch-excuse-culture-to-succeed-in-elite-football/""" +"""http://stylecaster.com/kim-kardashian-assault-paris/"",""http://stylecaster.com/kim-kardashian-breasts/"",""http://stylecaster.com/kylie-jenner-instagram-kim-kardashian-attack/"",""http://surgicalandsupplies.medicaldevices-business-review.com/news/adapta-medical-wins-fda-approval-for-intermittent-touchless-urinary-catheter-101016-5027792"",""http://surgicalandsupplies.medicaldevices-business-review.com/news/adapta-medical-wins-fda-approval-for-intermittent-touchless-urinary-catheter-101016-5027792""" +"""http://surgicalandsupplies.medicaldevices-business-review.com/news/fda-approves-lbts-automated-plate-assessment-system-111016-5028295"",""http://talkingpointsmemo.com/world-news/obituary-shimon-peres"",""http://talkingpointsmemo.com/world-news/obituary-shimon-peres"",""http://talksport.com/football/bob-bradley-hails-swansea-job-important-moment-football-america-161004212234"",""http://talksport.com/football/transfer-report-barcelona-join-race-arsenal-and-manchester-united-target-kostas-manolas""" +"""http://tasteofcountry.com/carrie-underwood-knee-prince-george/"",""http://tasteofcountry.com/carrie-underwood-son-isaiah-sesame-place/"",""http://taylorswift.com/news/282593"",""http://teamrock.com/news/2016-09-27/metallica-fear-for-future-of-rock"",""http://teamrock.com/news/2016-09-27/metallica-fear-for-future-of-rock""" +"""http://teamrock.com/news/2016-09-27/metallica-fear-for-future-of-rock"",""http://teamrock.com/news/2016-09-27/metallicas-cliff-burton-inspired-by-cop-show-barney-miller"",""http://teamrock.com/news/2016-09-27/metallicas-cliff-burton-inspired-by-cop-show-barney-miller"",""http://teamrock.com/news/2016-09-27/new-metallica-track-murder-one-is-a-tribute-to-lemmy"",""http://teamrock.com/news/2016-09-27/new-metallica-track-murder-one-is-a-tribute-to-lemmy""" +"""http://texashsfootball.com/can-case-keenum-keep-rams-rolling/"",""http://texashsfootball.com/can-case-keenum-keep-rams-rolling/"",""http://texashsfootball.com/jalon-reagor-states-top-pass-catcher/"",""http://texashsfootball.com/jalon-reagor-states-top-pass-catcher/"",""http://texashsfootball.com/texas-starter-arrested-big-12-opener/""" +"""http://texashsfootball.com/texas-starter-arrested-big-12-opener/"",""http://the-riotact.com/act-election-candidate-bake-off-sustainable-australia/186477"",""http://the4thofficial.net/2016/09/4-2-3-1-ox-walcott-wings-predicted-arsenal-line-vs-fc-basel/"",""http://the4thofficial.net/2016/09/4-2-3-1-ox-walcott-wings-predicted-arsenal-line-vs-fc-basel/"",""http://the4thofficial.net/2016/09/4-2-3-1-ox-walcott-wings-predicted-arsenal-line-vs-fc-basel/""" +"""http://the4thofficial.net/2016/09/musings-arsenals-incredible-win-chelsea-not-rosy-despite-landslide-win/"",""http://the4thofficial.net/2016/09/musings-arsenals-incredible-win-chelsea-not-rosy-despite-landslide-win/"",""http://the4thofficial.net/2016/09/musings-arsenals-incredible-win-chelsea-not-rosy-despite-landslide-win/"",""http://theblemish.com/2016/09/brad-pitt-not-like-angelina-jolies-humanitarian-ambitions/"",""http://theblemish.com/2016/09/brad-pitt-not-like-angelina-jolies-humanitarian-ambitions/""" +"""http://theblemish.com/2016/10/jennifer-aniston-brad-pitt-secretly-canoodling/"",""http://theblemish.com/2016/10/jennifer-aniston-brad-pitt-secretly-canoodling/"",""http://theboot.com/brad-paisley-carrie-underwood-take-me-home-country-roads-i-will-always-love-you-cma-awards-promo/"",""http://theboot.com/brad-paisley-carrie-underwood-take-me-home-country-roads-i-will-always-love-you-cma-awards-promo/"",""http://theboot.com/carrie-underwood-cma-awards-outfits/""" +"""http://theboot.com/carrie-underwood-cma-awards-outfits/"",""http://thechive.com/2016/10/03/celebrities-who-despise-the-internet-social-media-computers-for-reasons-its-hard-to-knock-12-photos/"",""http://thechive.com/2016/10/08/these-dog-breeds-are-the-most-likely-to-run-away-from-home-16-photos/"",""http://theconcourse.deadspin.com/many-people-are-saying-that-donald-trump-is-mad-about-m-1787428755"",""http://theconcourse.deadspin.com/many-people-are-saying-that-donald-trump-is-mad-about-m-1787428755""" +"""http://theconcourse.deadspin.com/many-people-are-saying-that-donald-trump-is-mad-about-m-1787428755"",""http://theconcourse.deadspin.com/many-people-are-saying-that-donald-trump-is-mad-about-m-1787428755"",""http://theconcourse.deadspin.com/many-people-are-saying-that-donald-trump-is-mad-about-m-1787428755"",""http://thehill.com/blogs/ballot-box/presidential-races/299084-gop-senators-we-could-work-with-hillary-clinton"",""http://thehill.com/blogs/ballot-box/presidential-races/299084-gop-senators-we-could-work-with-hillary-clinton""" +"""http://thehill.com/blogs/blog-briefing-room/news/298953-cuban-paying-taxes-most-patriotic-thing-you-can-do-as-wealthy"",""http://thehill.com/policy/energy-environment/298990-unions-push-obama-to-approve-dakota-access-pipeline"",""http://thehill.com/policy/energy-environment/298990-unions-push-obama-to-approve-dakota-access-pipeline"",""http://thelinknewspaper.ca/article/understanding-police-militarization-in-montreal"",""http://thenextweb.com/facebook/2016/09/28/facebook-announces-dates-new-venue-huge-f8-conference/""" +"""http://thenextweb.com/facebook/2016/09/28/facebooks-analytics-for-apps-now-supports-cross-platform-analytis/"",""http://thenextweb.com/facebook/2016/09/28/facebooks-analytics-for-apps-now-supports-cross-platform-analytis/"",""http://thenextweb.com/socialmedia/2016/09/28/brad-pitt-isnt-dead-facebook-link/"",""http://theparisnews.com/news/article_59802eb6-883f-11e6-9532-d3d6ce58cc89.html"",""http://theparisnews.com/news/article_59802eb6-883f-11e6-9532-d3d6ce58cc89.html""" +"""http://theparisnews.com/news/article_59802eb6-883f-11e6-9532-d3d6ce58cc89.html"",""http://theparisnews.com/news/article_65416234-883e-11e6-8610-fb9086b245fd.html"",""http://theparisnews.com/news/article_65416234-883e-11e6-8610-fb9086b245fd.html"",""http://theparisnews.com/news/article_65416234-883e-11e6-8610-fb9086b245fd.html"",""http://theparisnews.com/news/article_f90bc53c-883d-11e6-bee2-e7e46bdacc6d.html""" +"""http://theparisnews.com/news/article_f90bc53c-883d-11e6-bee2-e7e46bdacc6d.html"",""http://theparisnews.com/news/article_f90bc53c-883d-11e6-bee2-e7e46bdacc6d.html"",""http://thepeepspot.com/rihanna-shares-photos-dreads-shes-looking-beautiful-now-see-photo/"",""http://thepoppingpost.com/5-disappointments-that-would-break-the-heart-of-any-singaporean/"",""http://theresurgent.com/here-is-why-the-new-york-times-did-not-break-the-law-in-releasing-trumps-tax-returns/""" +"""http://theresurgent.com/here-is-why-the-new-york-times-did-not-break-the-law-in-releasing-trumps-tax-returns/"",""http://theresurgent.com/here-is-why-the-new-york-times-did-not-break-the-law-in-releasing-trumps-tax-returns/"",""http://theweek.com/speedreads/651648/former-israeli-president-shimon-peres-dies-93"",""http://theweek.com/speedreads/651648/former-israeli-president-shimon-peres-dies-93"",""http://theweek.com/speedreads/651648/former-israeli-president-shimon-peres-dies-93""" +"""http://theweek.com/speedreads/651648/former-israeli-president-shimon-peres-dies-93"",""http://theweek.com/speedreads/651648/former-israeli-president-shimon-peres-dies-93"",""http://theweek.com/speedreads/651648/former-israeli-president-shimon-peres-dies-93"",""http://theweek.com/speedreads/651648/former-israeli-president-shimon-peres-dies-93"",""http://theweek.com/speedreads/651648/former-israeli-president-shimon-peres-dies-93""" +"""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever"",""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever"",""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever"",""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever"",""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever""" +"""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever"",""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever"",""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever"",""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever"",""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever""" +"""http://theweek.com/speedreads/651652/obama-remembers-shimon-peres-hope-gave-burn-forever"",""http://theweek.com/speedreads/651658/larry-sabato-tells-megyn-kelly-that-donald-trump-advantage-that-trumps-bad-debates"",""http://theweek.com/speedreads/651658/larry-sabato-tells-megyn-kelly-that-donald-trump-advantage-that-trumps-bad-debates"",""http://theweek.com/speedreads/651658/larry-sabato-tells-megyn-kelly-that-donald-trump-advantage-that-trumps-bad-debates"",""http://theweek.com/speedreads/651658/larry-sabato-tells-megyn-kelly-that-donald-trump-advantage-that-trumps-bad-debates""" +"""http://theweek.com/speedreads/651658/larry-sabato-tells-megyn-kelly-that-donald-trump-advantage-that-trumps-bad-debates"",""http://theweek.com/speedreads/651658/larry-sabato-tells-megyn-kelly-that-donald-trump-advantage-that-trumps-bad-debates"",""http://theweek.com/speedreads/651658/larry-sabato-tells-megyn-kelly-that-donald-trump-advantage-that-trumps-bad-debates"",""http://theweek.com/speedreads/651658/larry-sabato-tells-megyn-kelly-that-donald-trump-advantage-that-trumps-bad-debates"",""http://theybf.com/2016/09/26/lupita-nyong%E2%80%99o-continues-to-stun-on-%E2%80%98queen-of-katwe%E2%80%99-promo-tour-hits-up-%E2%80%9Cgma%E2%80%9D-rihanna""" +"""http://theybf.com/2016/09/27/rihanna-shows-some-skin-as-she-gears-up-for-fenty-x-puma-show-at-pfw-kareem-adbul-jabbar"",""http://theybf.com/2016/10/11/rihanna-heads-home-to-barbados-amid-rumors-she-drake-split"",""http://theybf.com/2016/10/11/rihanna-heads-home-to-barbados-amid-rumors-she-drake-split"",""http://thisisfutbol.com/2016/10/blogs/arsenal-plot-surprise-swoop-for-nacho-monreal-successor/"",""http://thisisfutbol.com/2016/10/blogs/la-liga-giants-line-up-transfer-alternatives-to-arsenal-man/""" +"""http://time.com/4501913/ellen-dory-frozen-disney-princess-mashup/"",""http://time.com/4501913/ellen-dory-frozen-disney-princess-mashup/"",""http://time.com/4507695/will-and-grace-cast-reunion-debra-messing/?xid=homepage"",""http://time.com/4507695/will-and-grace-cast-reunion-debra-messing/?xid=homepage"",""http://time.com/4508703/presidential-debate-hillary-clinton-donald-trump-hofstra-long-island/?xid=homepage""" +"""http://time.com/4508703/presidential-debate-hillary-clinton-donald-trump-hofstra-long-island/?xid=homepage"",""http://timesleader.com/news/local/595662/crowd-roars-at-donald-trumps-second-appearance-in-wilkes-barre-township"",""http://timesleader.com/news/local/595662/crowd-roars-at-donald-trumps-second-appearance-in-wilkes-barre-township"",""http://timesleader.com/news/local/595662/crowd-roars-at-donald-trumps-second-appearance-in-wilkes-barre-township"",""http://timesleader.com/news/local/595662/crowd-roars-at-donald-trumps-second-appearance-in-wilkes-barre-township""" +"""http://timesofindia.indiatimes.com/entertainment/english/music/news/Sofia-Richie-Justin-Bieber-have-special-relationship/articleshow/54245370.cms"",""http://timesofindia.indiatimes.com/entertainment/english/music/news/Sofia-Richie-Justin-Bieber-have-special-relationship/articleshow/54245370.cms"",""http://timesofindia.indiatimes.com/entertainment/english/music/news/Sofia-Richie-Justin-Bieber-have-special-relationship/articleshow/54245370.cms"",""http://timesofindia.indiatimes.com/videos/entertainment/english/Wonder-Woman-Gal-Gadot-on-Ellen-DeGeneres-show/videoshow/51428113.cms"",""http://tn.gov/health/news/45763""" +"""http://tn.gov/health/news/45968"",""http://tothelaneandback.com/2016/10/08/tottenham-set-to-battle-arsenal-for-the-signature-of-this-highly-rated-spanish-midfielder/"",""http://tothelaneandback.com/2016/10/08/tottenham-set-to-battle-arsenal-for-the-signature-of-this-highly-rated-spanish-midfielder/"",""http://townhall.com/tipsheet/guybenson/2016/09/26/oh-my-hillary-camp-giving-up-on-ohio-n2223344"",""http://townhall.com/tipsheet/katiepavlich/2016/09/26/hillary-clinton-says-shes-very-concerned-about-cyber-hacking-n2223878""" +"""http://townhall.com/tipsheet/katiepavlich/2016/09/26/hillary-clinton-says-shes-very-concerned-about-cyber-hacking-n2223878"",""http://trackalerts.com/Articles/gc2018-sport-pictograms-unveiled-to-the-commonwealth/26111"",""http://trackalerts.com/Articles/iaaf-president-hopes-for-russia-in-london/26097"",""http://trackalerts.com/Articles/new-developments-at-altis-training-group/26102"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/""" +"""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/""" +"""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/""" +"""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/""" +"""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/""" +"""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/""" +"""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/""" +"""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://truepundit.com/under-intense-pressure-to-silence-wikileaks-secretary-of-state-hillary-clinton-proposed-drone-strike-on-julian-assange/"",""http://tvline.com/2016/10/07/lady-gaga-snl-season-42-musical-guest-saturday-night-live/"",""http://tvline.com/2016/10/07/lady-gaga-snl-season-42-musical-guest-saturday-night-live/""" +"""http://tvline.com/2016/10/07/lady-gaga-snl-season-42-musical-guest-saturday-night-live/"",""http://tvline.com/2016/10/07/lady-gaga-snl-season-42-musical-guest-saturday-night-live/"",""http://tvseriesfinale.com/tv-show/game-thrones-hbo-president-discusses-spinoff-series/"",""http://tvseriesfinale.com/tv-show/good-wife-rose-leslie-game-thrones-joins-cbs-spinoff/"",""http://tvseriesfinale.com/tv-show/good-wife-rose-leslie-game-thrones-joins-cbs-spinoff/""" +"""http://uamshealth.com/news/2016/10/04/uams-hosts-17th-annual-geriatrics-conference/"",""http://uamshealth.com/news/2016/10/05/uams-sue-griffin-ph-d-awarded-10-million-by-national-institutes-of-health-for-alzheimers-research/"",""http://uamshealth.com/news/2016/10/06/first-uams-community-scientist-academy-graduates-17/"",""http://uamshealth.com/news/2016/10/06/first-uams-community-scientist-academy-graduates-17/"",""http://uamshealth.com/news/2016/10/06/first-uams-community-scientist-academy-graduates-17/""" +"""http://uamshealth.com/news/2016/10/06/first-uams-community-scientist-academy-graduates-17/"",""http://uamshealth.com/news/2016/10/06/first-uams-community-scientist-academy-graduates-17/"",""http://uanews.org/story/three-nearly-earth-size-planets-found-orbiting-nearby-star"",""http://uanews.org/story/three-nearly-earth-size-planets-found-orbiting-nearby-star"",""http://uanews.org/story/three-nearly-earth-size-planets-found-orbiting-nearby-star""" +"""http://uanews.org/story/three-nearly-earth-size-planets-found-orbiting-nearby-star"",""http://ultimateclassicrock.com/metallica-super-bowl/"",""http://ultimateclassicrock.com/metallica-webster-hall-show/"",""http://unitedjerusalem.org/index2.asp?id=2064969"",""http://unitedjerusalem.org/index2.asp?id=2065005""" +"""http://unitedjerusalem.org/index2.asp?id=2065021"",""http://uproxx.com/music/battle-of-1991-rock-anniversaries-nirvana-pearl-jam-metallica-gnr-chili-peppers/"",""http://uproxx.com/news/kellyanne-conway-spin-donald-trump-lie/"",""http://uproxx.com/news/ted-cruz-republicans-tearfully-begging-support-trump/"",""http://variety.com/2016/biz/news/hillary-clinton-donald-trump-debate-1201870229/""" +"""http://variety.com/2016/biz/news/hillary-clinton-donald-trump-debate-1201870229/"",""http://variety.com/2016/biz/news/hillary-clinton-donald-trump-debate-1201870229/"",""http://variety.com/2016/biz/news/will-and-grace-reunion-debra-messing-hillary-clinton-1201870470/"",""http://variety.com/2016/biz/news/will-and-grace-reunion-debra-messing-hillary-clinton-1201870470/"",""http://variety.com/2016/biz/news/will-and-grace-reunion-debra-messing-hillary-clinton-1201870470/""" +"""http://venturebeat.com/2016/10/02/how-the-slack-app-ecosystem-is-helping-chatbot-developers/"",""http://venturebeat.com/2016/10/07/elon-musk-says-teslas-autopilot-has-driven-222-million-miles/"",""http://venturebeat.com/2016/10/07/elon-musk-says-teslas-autopilot-has-driven-222-million-miles/"",""http://venturebeat.com/2016/10/08/howdy-the-bot-builder-for-slack-now-supports-microsoft-bot-framework/"",""http://venturebeat.com/2016/10/08/howdy-the-bot-builder-for-slack-now-supports-microsoft-bot-framework/""" +"""http://watchersonthewall.com/first-photos-game-thrones-set-zumaia/"",""http://watchersonthewall.com/new-clip-game-thrones-live-concert-experience/#comment-721305"",""http://watchersonthewall.com/newest-game-thrones-merchandise-new-york-comic-con-2016/"",""http://watchersonthewall.com/newest-game-thrones-merchandise-new-york-comic-con-2016/"",""http://watchersonthewall.com/newest-game-thrones-merchandise-new-york-comic-con-2016/""" +"""http://watchersonthewall.com/newest-game-thrones-merchandise-new-york-comic-con-2016/"",""http://watchersonthewall.com/newest-game-thrones-merchandise-new-york-comic-con-2016/"",""http://watchersonthewall.com/newest-game-thrones-merchandise-new-york-comic-con-2016/"",""http://watchersonthewall.com/newest-game-thrones-merchandise-new-york-comic-con-2016/"",""http://westhawaiitoday.com/news/local-news/under-hawaii-s-starriest-skies-fight-over-sacred-ground""" +"""http://wgrd.com/metallica-global-citizen-festival-new-york-city-club-show/"",""http://wgrd.com/metallica-lars-ulrich-may-move-back-denmark-donald-trump-elected-president/"",""http://wgrd.com/metallica-new-york-webster-hall-debut-moth-to-flame-live/"",""http://whotv.com/2016/10/11/waukee-teen-using-positivity-to-battle-cancer-inspires-thousands/"",""http://winteriscoming.net/2016/09/27/houses-stark-targaryen-rule-game-thrones-merchandise-sales/""" +"""http://winteriscoming.net/2016/09/27/houses-stark-targaryen-rule-game-thrones-merchandise-sales/"",""http://winteriscoming.net/2016/09/28/esoterica-german-language-game-thrones-fan-film-talking-ravens/"",""http://winteriscoming.net/2016/09/28/esoterica-german-language-game-thrones-fan-film-talking-ravens/"",""http://winteriscoming.net/2016/09/28/esoterica-german-language-game-thrones-fan-film-talking-ravens/"",""http://winteriscoming.net/2016/09/28/medical-entomologist-sees-game-of-thrones-as-a-metaphor-for-infectious-diseases-shell/#comment-557511""" +"""http://winteriscoming.net/2016/09/28/medical-entomologist-sees-game-of-thrones-as-a-metaphor-for-infectious-diseases-shell/#comment-557511"",""http://wkrn.com/2016/10/13/news-2-explores-bob-dylans-ties-to-music-city/"",""http://womenshealth.com/5-ways-music-can-help-women-heal/"",""http://womenshealth.com/5-ways-music-can-help-women-heal/"",""http://womenshealth.com/5-ways-music-can-help-women-heal/""" +"""http://womenshealth.com/5-ways-music-can-help-women-heal/"",""http://womenshealth.com/caffeine-myths-concerns-surprising-benefits/"",""http://womenshealth.com/caffeine-myths-concerns-surprising-benefits/"",""http://womenshealth.com/caffeine-myths-concerns-surprising-benefits/"",""http://womenshealth.com/caffeine-myths-concerns-surprising-benefits/""" +"""http://womenshealth.com/caffeine-myths-concerns-surprising-benefits/"",""http://womenshealth.com/health-apps-can-good/"",""http://womenshealth.com/health-apps-can-good/"",""http://womenshealth.com/health-apps-can-good/"",""http://womenshealth.com/health-apps-can-good/""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump""" +"""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606985/hillary-clintons-temperament-cant-stop-giggling-at-unhinged-man-baby-donald-trump"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be""" +"""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be""" +"""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be""" +"""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be""" +"""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be""" +"""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/606997/sniffle-britches-donald-trump-obviously-dying-of-something-but-what-could-it-be"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really""" +"""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wonkette.com/607001/donald-trump-and-rudy-giuliani-playing-adulterous-slut-card-against-hillary-clinton-really"",""http://wtkr.com/2016/10/01/sexual-harassment-in-stem-its-tragic-for-society/"",""http://wtkr.com/2016/10/01/sexual-harassment-in-stem-its-tragic-for-society/"",""http://wwd.com/fashion-news/fashion-features/gallery/29-rare-archival-fashion-photos-from-jackie-onassis-to-lady-gaga-10679284/""" +"""http://www.101greatgoals.com/news/arsenal-liverpool-stars-joined-paul-pogba-sergio-aguero-bbc-xi-week/amp"",""http://www.101greatgoals.com/news/arsenal-liverpool-stars-joined-paul-pogba-sergio-aguero-bbc-xi-week/amp"",""http://www.101greatgoals.com/news/cristiano-ronaldo-completed-amount-dribbles-ter-stegen-la-liga-season/amp/"",""http://www.101greatgoals.com/top-stories/ref-michael-oliver-tracked-back-quicker-chelseas-ngolo-kante-v-arsenal/amp"",""http://www.10tv.com/""" +"""http://www.10tv.com/"",""http://www.10tv.com/"",""http://www.10tv.com/"",""http://www.10tv.com/"",""http://www.10tv.com/""" +"""http://www.10tv.com/"",""http://www.12newsnow.com/life/102-year-old-crosses-arrest-off-her-bucket-list/328680201"",""http://www.1410wizm.com/index.php/item/28690-clinton-brings-in-al-gore-as-closer-on-climate-change"",""http://www.2016election.com/hillary-against-conservative-christian-values/"",""http://www.2016election.com/hillary-against-conservative-christian-values/""" +"""http://www.2016election.com/hillary-against-conservative-christian-values/"",""http://www.2016election.com/lets-honest-parties-created-tension-foreign-countries/"",""http://www.2016election.com/lets-honest-parties-created-tension-foreign-countries/"",""http://www.90min.com/posts/3874655-burnley-v-arsenal-match-preview-classic-encounter-team-news-key-battles-and-more"",""http://www.90min.com/posts/3876596-arsenal-prepared-to-battle-european-heavyweights-for-monaco-wonderkid-kylian-mbappe""" +"""http://www.90min.com/posts/3881998-laurent-koscielny-urges-arsenal-not-to-get-carried-away"",""http://www.9news.com.au/Technology/2016/09/28/07/07/Elon-Musk-unveils-plan-for-Mars-city"",""http://www.9news.com/news/travel/wildlife-overpass-opens-on-highway-9/331105054"",""http://www.9news.com/news/travel/wildlife-overpass-opens-on-highway-9/331105054"",""http://www.CBSSports.com/fantasy/football/news/fantasy-football-is-it-time-to-bench-studs-like-todd-gurley-andrew-luck-rob-gronkowski/""" +"""http://www.CBSSports.com/fantasy/football/news/fantasy-football-is-it-time-to-bench-studs-like-todd-gurley-andrew-luck-rob-gronkowski/"",""http://www.CBSSports.com/fantasy/football/news/fantasy-football-is-it-time-to-bench-studs-like-todd-gurley-andrew-luck-rob-gronkowski/"",""http://www.CBSSports.com/fantasy/football/news/fantasy-football-week-3-hot-takes-are-melvin-gordon-marvin-jones-for-real/"",""http://www.CBSSports.com/fantasy/football/news/fantasy-football-week-3-hot-takes-are-melvin-gordon-marvin-jones-for-real/"",""http://www.CBSSports.com/fantasy/football/news/fantasy-football-week-3-hot-takes-are-melvin-gordon-marvin-jones-for-real/""" +"""http://www.CBSSports.com/fantasy/football/news/fantasy-football-week-4-wishlist-can-houstons-stars-break-out/"",""http://www.CBSSports.com/fantasy/football/news/fantasy-football-week-4-wishlist-can-houstons-stars-break-out/"",""http://www.CBSSports.com/fantasy/football/news/fantasy-football-week-4-wishlist-can-houstons-stars-break-out/"",""http://www.a-league.com.au/article/ps4-player-pathway-winner-can-play-a-league/1k35xhaqefyh51uweft1v1q44d"",""http://www.a-league.com.au/article/ps4-player-pathway-winner-can-play-a-league/1k35xhaqefyh51uweft1v1q44d""" +"""http://www.a-league.com.au/article/ps4-player-pathway-winner-can-play-a-league/1k35xhaqefyh51uweft1v1q44d"",""http://www.a-league.com.au/article/your-hyundai-a-league-clubs-contracted-players/oadsanctb2dg1bz3g410xumnp"",""http://www.abajournal.com/news/article/california_makes_it_a_felony_for_prosecutors_to_withhold_or_alter_exculpato?utm_source=feedburner&utm_medium=feed&utm_campaign=ABA+Journal+Top+Stories#When:20:00:00Z"",""http://www.abajournal.com/news/article/california_makes_it_a_felony_for_prosecutors_to_withhold_or_alter_exculpato?utm_source=feedburner&utm_medium=feed&utm_campaign=ABA+Journal+Top+Stories#When:20:00:00Z"",""http://www.abc.net.au/news/2016-09-27/breast-health-awareness-alarmingly-low-mcgrath-foundation/7879596""" +"""http://www.abc.net.au/news/2016-09-27/breast-health-awareness-alarmingly-low-mcgrath-foundation/7879596"",""http://www.abc.net.au/news/2016-09-27/breast-health-awareness-alarmingly-low-mcgrath-foundation/7879596"",""http://www.abc.net.au/news/2016-09-27/breast-health-awareness-alarmingly-low-mcgrath-foundation/7879596"",""http://www.abc.net.au/news/2016-10-06/bushcare-for-health-reboot-your-life/7907726"",""http://www.abc.net.au/news/2016-10-06/bushcare-for-health-reboot-your-life/7907726""" +"""http://www.abc.net.au/news/2016-10-06/bushcare-for-health-reboot-your-life/7907726"",""http://www.abc.net.au/news/2016-10-06/bushcare-for-health-reboot-your-life/7907726"",""http://www.abc.net.au/news/2016-10-06/gun-seized-from-under-a-pillow-in-mental-health-ward-in-sa/7908670"",""http://www.abc.net.au/news/2016-10-06/gun-seized-from-under-a-pillow-in-mental-health-ward-in-sa/7908670"",""http://www.abc.net.au/news/2016-10-06/gun-seized-from-under-a-pillow-in-mental-health-ward-in-sa/7908670""" +"""http://www.abc.net.au/news/2016-10-06/gun-seized-from-under-a-pillow-in-mental-health-ward-in-sa/7908670"",""http://www.aceshowbiz.com/news/view/00100996.html"",""http://www.aceshowbiz.com/news/view/00101140.html"",""http://www.aceshowbiz.com/news/view/00101178.html"",""http://www.adn.com/nation-world/2016/10/03/outrage-over-fish-killed-by-chemical-spill-in-vietnam-simmers-months-later/""" +"""http://www.adn.com/nation-world/2016/10/03/outrage-over-fish-killed-by-chemical-spill-in-vietnam-simmers-months-later/"",""http://www.adn.com/nation-world/2016/10/03/under-hawaiis-starriest-skies-a-fight-over-sacred-ground/"",""http://www.adn.com/nation-world/2016/10/03/under-hawaiis-starriest-skies-a-fight-over-sacred-ground/"",""http://www.afr.com/technology/amazon-launches-musicstreaming-service-to-rival-spotify-and-apple-20161012-gs11sx"",""http://www.afr.com/technology/australian-apple-store-employees-sacked-in-explicit-photo-sharing-scandal-20161012-gs15gw""" +"""http://www.afr.com/technology/australian-apple-store-employees-sacked-in-explicit-photo-sharing-scandal-20161012-gs15gw"",""http://www.africanews.com/2016/10/03/infographics-catch-up-on-the-key-findings-of-the-2015-ibrahim-index-of-african/"",""http://www.al-monitor.com/pulse/afp/2016/09/israel-politics-un-ban.html"",""http://www.al-monitor.com/pulse/mem/2016/09/28.html"",""http://www.al-monitor.com/pulse/mem/2016/09/28.html""" +"""http://www.al-monitor.com/pulse/mem/2016/09/28.html"",""http://www.al-monitor.com/pulse/originals/2016/09/iranian-media-reactions-obituaries-shimon-peres-israel.html"",""http://www.al.com/auburnfootball/index.ssf/2016/09/auburn_defensive_end_paul_jame.html"",""http://www.al.com/auburnfootball/index.ssf/2016/09/malzahn_reacts_to_toomers_corn.html"",""http://www.alamogordonews.com/story/news/nation-now/2016/10/13/skip-french-obamas-foreign-language-skills-ranked/91938808/?from=global&sessionKey=&autologin=""" +"""http://www.alamogordonews.com/story/news/nation-now/2016/10/13/skip-french-obamas-foreign-language-skills-ranked/91938808/?from=global&sessionKey=&autologin="",""http://www.alamogordonews.com/story/news/nation-now/2016/10/13/skip-french-obamas-foreign-language-skills-ranked/91938808/?from=global&sessionKey=&autologin="",""http://www.albawaba.com/business/bill-gates-lives-and-livelihoods-fund-gets-ground-jeddah-888478"",""http://www.albawaba.com/business/bill-gates-lives-and-livelihoods-fund-gets-ground-jeddah-888478"",""http://www.albawaba.com/business/bill-gates-lives-and-livelihoods-fund-gets-ground-jeddah-888478""" +"""http://www.aljazeera.com/indepth/opinion/2016/09/drop-farcical-obits-shimon-peres-peacemaker-160929110743661.html"",""http://www.aljazeera.com/indepth/opinion/2016/09/drop-farcical-obits-shimon-peres-peacemaker-160929110743661.html"",""http://www.aljazeera.com/news/2016/09/israeli-president-shimon-peres-dies-93-160928033217202.html"",""http://www.aljazeera.com/news/2016/09/israeli-president-shimon-peres-dies-93-160928033217202.html"",""http://www.aljazeera.com/programmes/insidestory/2016/09/shimon-peres-man-peace-war-criminal-160928192418385.html""" +"""http://www.aljazeera.com/programmes/insidestory/2016/09/shimon-peres-man-peace-war-criminal-160928192418385.html"",""http://www.allarsenal.com/2016/09/news/arsenal-finally-great-centre-back-partnership/"",""http://www.allarsenal.com/2016/09/news/arsenal-legend-expects-wenger-to-stay/"",""http://www.allarsenal.com/2016/09/news/wilshere-doesnt-deserve-to-play-90-minutes-yet-says-howe/"",""http://www.alternet.org/election-2016/donald-trump-white-supremacist""" +"""http://www.alternet.org/election-2016/donald-trump-white-supremacist"",""http://www.americanbanker.com/bankthink/theres-still-time-to-stem-decline-of-black-owned-banks-1091702-1.html"",""http://www.americanbankingnews.com/2016/10/19/haute-handbag-and-hotel-experience-at-the-renaissance-new-york-midtown-hotel.html?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+AmericanBankingNews+%28American+Banking+News%29"",""http://www.americanthinker.com/articles/2016/10/the_palestinian_authority_is_losing_authority.html"",""http://www.ammoland.com/2016/10/chicago-pd-officer-to-declined-to-defend-herself-severely-beaten/""" +"""http://www.ammoland.com/2016/10/nra-releases-final-donald-trump-rating-endorsement-2016/"",""http://www.ammoland.com/2016/10/nra-releases-final-donald-trump-rating-endorsement-2016/"",""http://www.ammoland.com/2016/10/nra-releases-final-donald-trump-rating-endorsement-2016/"",""http://www.anaheimcalling.com/2016/10/8/13209510/podcast-throwing-shade-at-western-canada-10-8-16"",""http://www.anaheimcalling.com/2016/10/8/13209510/podcast-throwing-shade-at-western-canada-10-8-16""" +"""http://www.anaheimcalling.com/2016/10/8/13209510/podcast-throwing-shade-at-western-canada-10-8-16"",""http://www.andoveradvertiser.co.uk/uk_national_news/14776267.Boris_Johnson_says_Russia__in_danger_of_becoming_a_pariah_nation_/?ref=rss"",""http://www.andoveradvertiser.co.uk/uk_national_news/14776267.Boris_Johnson_says_Russia__in_danger_of_becoming_a_pariah_nation_/?ref=rss"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml""" +"""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml""" +"""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml""" +"""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml""" +"""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/dayinrock/16/September/27.shtml"",""http://www.antimusic.com/news/16/September/20Dave_Mustaine_Wont_Talk_About_New_Metallica.shtml""" +"""http://www.antimusic.com/news/16/September/20Dave_Mustaine_Wont_Talk_About_New_Metallica.shtml"",""http://www.antimusic.com/news/16/September/20Dave_Mustaine_Wont_Talk_About_New_Metallica.shtml"",""http://www.antimusic.com/news/16/September/28New_Metallica_Song_Inspired_By_Lemmy.shtml"",""http://www.antimusic.com/news/16/September/28New_Metallica_Song_Inspired_By_Lemmy.shtml"",""http://www.antimusic.com/news/16/September/28New_Metallica_Song_Inspired_By_Lemmy.shtml""" +"""http://www.aol.com/article/2016/09/29/its-official-lady-gaga-to-headline-2017-super-bowl-halftime-sh/21483617/"",""http://www.aol.com/article/2016/09/29/its-official-lady-gaga-to-headline-2017-super-bowl-halftime-sh/21483617/"",""http://www.aol.com/article/2016/09/29/its-official-lady-gaga-to-headline-2017-super-bowl-halftime-sh/21483617/"",""http://www.aol.com/article/2016/09/29/lady-gagas-tattoos-the-meaning-behind-her-10-best-from-david/21483456/"",""http://www.aol.com/article/2016/09/29/lady-gagas-tattoos-the-meaning-behind-her-10-best-from-david/21483456/""" +"""http://www.aol.com/article/entertainment/2016/10/04/angelina-jolie-moves-to-hidden-hills/21491378/"",""http://www.aol.com/article/entertainment/2016/10/04/angelina-jolie-moves-to-hidden-hills/21491378/"",""http://www.aol.com/article/entertainment/2016/10/04/angelina-jolie-moves-to-hidden-hills/21491378/"",""http://www.aol.com/article/entertainment/2016/10/04/angelina-jolie-moves-to-hidden-hills/21491378/"",""http://www.applegazette.com/apps/free-ios-apps-today-download-usually-paid-apps-free-october-3-2016/""" +"""http://www.applegazette.com/apps/free-ios-apps-today-download-usually-paid-apps-free-october-3-2016/"",""http://www.applewoodfixit.com/12in12.html"",""http://www.applewoodfixit.com/blog/applewood-plumbing-awards-1000-giveaway-urban-servant-corps/"",""http://www.applewoodfixit.com/blog/category/tips/"",""http://www.architecturaldigest.com/story/ron-arad-architects-unveils-plans-israels-tallest-skyscraper""" +"""http://www.architecturaldigest.com/story/ron-arad-architects-unveils-plans-israels-tallest-skyscraper"",""http://www.architecturaldigest.com/story/ron-arad-architects-unveils-plans-israels-tallest-skyscraper"",""http://www.arsenal-world.co.uk/news/tmnw/bfg_on_the_way_out_896067/index.shtml"",""http://www.arsenal-world.co.uk/news/tmnw/wenger_we_got_a_bit_lucky_895986/index.shtml"",""http://www.arsenal-world.co.uk/news/tmnw/your_chance_to_present_the_pfa_fans_player_of_the_month_awards_896105/index.shtml""" +"""http://www.arsenal.com/news/news-archive/20160926/-afcvcfc-motm-alexis"",""http://www.arsenal.com/news/news-archive/20160926/-afcvcfc-motm-alexis"",""http://www.arsenal.com/news/news-archive/20160926/-how-we-beat-the-blues-"",""http://www.arsenal.com/news/news-archive/20160926/-how-we-beat-the-blues-"",""http://www.arsenal.com/news/news-archive/20160926/-how-we-beat-the-blues-""" +"""http://www.arsenal.com/news/news-archive/20160926/-how-we-beat-the-blues-"",""http://www.arsenal.com/news/news-archive/20160926/-how-we-beat-the-blues-"",""http://www.arsenal.vitalfootball.co.uk/article.asp?a=571994"",""http://www.arsenal.vitalfootball.co.uk/article.asp?a=571994"",""http://www.arsenal.vitalfootball.co.uk/article.asp?a=571994""" +"""http://www.arsenal.vitalfootball.co.uk/article.asp?a=572067"",""http://www.arsenal.vitalfootball.co.uk/article.asp?a=572067"",""http://www.arsenal.vitalfootball.co.uk/article.asp?a=572088"",""http://www.arsenal.vitalfootball.co.uk/article.asp?a=572088"",""http://www.arsenalamerica.com/arsenal-review-usa-podcast-fives-a-streak/""" +"""http://www.arsenalcapital.com/news/2016-09-27-a/index.cfm"",""http://www.arsenalcapital.com/news/2016-09-27-a/index.cfm"",""http://www.arsenalcapital.com/news/2016-10-03-a/index.cfm"",""http://www.arsenalcapital.com/news/2016-10-03-a/index.cfm"",""http://www.arsenalstation.com/2016/10/07/arsenal-want-to-sign-52m-rated-attacker-but-man-utd-also-keen/""" +"""http://www.arsenalstation.com/2016/10/08/teams-germany-vs-czech-republic-arsenal-man-starts/"",""http://www.artistdirect.com/entertainment-news/article/lady-gaga-chromatics-bon-iver-impress-in-top-songs-of-the-week-september-24-30/11866681"",""http://www.askmen.com/news/power_money/donald-trump-accused-of-walking-in-on-miss-teen-usa-contestants-while-they-were-changing.html"",""http://www.askmen.com/news/power_money/katy-perry-votes-naked.html"",""http://www.askmen.com/news/power_money/tecate-trolls-donald-trump-s-mexican-border-wall-idea-in-new-beer-ad.html""" +"""http://www.astronomy.com/news/2016/09/how-much-it-would-cost-to-live-on-the-moon-in-9-minutes"",""http://www.astronomy.com/news/2016/09/how-much-it-would-cost-to-live-on-the-moon-in-9-minutes"",""http://www.astronomy.com/news/2016/09/how-much-it-would-cost-to-live-on-the-moon-in-9-minutes"",""http://www.astronomy.com/news/2016/09/how-much-it-would-cost-to-live-on-the-moon-in-9-minutes"",""http://www.audiworld.com/how-tos/slideshows/5-cool-cars-in-the-audi-museum-439420""" +"""http://www.audiworld.com/how-tos/slideshows/5-cool-cars-in-the-audi-museum-439420"",""http://www.audiworld.com/how-tos/slideshows/5-things-to-know-about-the-audi-fuel-leak-recalls-439968"",""http://www.audiworld.com/how-tos/slideshows/5-things-to-know-about-the-audi-fuel-leak-recalls-439968"",""http://www.audiworld.com/how-tos/slideshows/5-things-to-know-about-the-audi-fuel-leak-recalls-439968"",""http://www.audiworld.com/how-tos/slideshows/5-things-to-know-about-the-audi-fuel-leak-recalls-439968""" +"""http://www.autoblog.com/2016/10/07/us-traffic-fatalities-rise-10-percent-2016/"",""http://www.autoblog.com/2016/10/07/us-traffic-fatalities-rise-10-percent-2016/"",""http://www.autoblog.com/2016/10/07/us-traffic-fatalities-rise-10-percent-2016/"",""http://www.autoblog.com/2016/10/07/us-traffic-fatalities-rise-10-percent-2016/"",""http://www.autoblog.com/2016/10/12/audi-r8-e-tron-dead-less-than-100-built/""" +"""http://www.autoblog.com/2016/10/12/audi-r8-e-tron-dead-less-than-100-built/"",""http://www.autoblog.com/2016/10/12/audi-r8-e-tron-dead-less-than-100-built/"",""http://www.autoblog.com/2016/10/12/audi-r8-e-tron-dead-less-than-100-built/"",""http://www.autotrader.co.uk/content/first-drives/2016-audi-r8-spyder-first-drive-review"",""http://www.autotrader.co.uk/content/first-drives/2016-audi-r8-spyder-first-drive-review""" +"""http://www.avclub.com/article/keanu-reeves-suits-new-trailer-john-wick-chapter-2-243894"",""http://www.azcentral.com/story/opinion/op-ed/ej-montini/2016/10/03/montini-gary-johnson-donald-trump-hillary-clinton-libertarian/91448910/"",""http://www.azcentral.com/story/opinion/op-ed/ej-montini/2016/10/04/montini-john-mccain-donald-trump-ptsd-veterans/91563584/"",""http://www.babwnews.com/2016/10/stunning-discovery-of-a-possible-2nd-earth-floors-scientists/"",""http://www.ballerstatus.com/2016/10/03/thrasher-doesnt-want-rihanna-bieber-rock-brand/""" +"""http://www.ballerstatus.com/2016/10/03/thrasher-doesnt-want-rihanna-bieber-rock-brand/"",""http://www.baltimoreravens.com/news/article-1/Ravens-And-Running-Back-Justin-Forsett-Mutually-Part-Ways/85c250af-f51a-47a2-a034-775d87bb3932"",""http://www.baltimoreravens.com/news/article-1/Ravens-And-Running-Back-Justin-Forsett-Mutually-Part-Ways/85c250af-f51a-47a2-a034-775d87bb3932"",""http://www.baltimoresun.com/health/blog/bal-fungus-aiding-malaria-story.html#nt=barker&bn=Barker%2006%20-%20In%20Case%20You%20Missed%20It"",""http://www.baltimoresun.com/health/blog/bal-fungus-aiding-malaria-story.html#nt=barker&bn=Barker%2006%20-%20In%20Case%20You%20Missed%20It""" +"""http://www.baltimoresun.com/health/ct-artificial-pancreas-fda-approval-20160928-story.html#nt=oft01a-1la1"",""http://www.baltimoresun.com/health/ct-artificial-pancreas-fda-approval-20160928-story.html#nt=oft01a-1li2"",""http://www.barcablaugranes.com/2016/10/5/13167532/barcelona-ranked-fourth-most-expensive-squad-in-football-good-and-bad-youth-academy"",""http://www.barcablaugranes.com/2016/10/5/13167532/barcelona-ranked-fourth-most-expensive-squad-in-football-good-and-bad-youth-academy"",""http://www.barcablaugranes.com/2016/10/5/13167532/barcelona-ranked-fourth-most-expensive-squad-in-football-good-and-bad-youth-academy""" +"""http://www.barcablaugranes.com/2016/9/30/13116264/report-barcelona-luis-enrique-plan-lionel-messi-samuel-umtiti-injury-news"",""http://www.barcablaugranes.com/2016/9/30/13116264/report-barcelona-luis-enrique-plan-lionel-messi-samuel-umtiti-injury-news"",""http://www.barcelonafootballblog.com/25616/water-and-spheres-of-influence-a-messi-less-barca/"",""http://www.barcelonafootballblog.com/25616/water-and-spheres-of-influence-a-messi-less-barca/"",""http://www.barkingcarnival.com/2016/10/6/13183640/the-week-that-will-be-designated-survivor-texas-longhorns-football-big12""" +"""http://www.barkingcarnival.com/2016/10/6/13183640/the-week-that-will-be-designated-survivor-texas-longhorns-football-big12"",""http://www.barkingcarnival.com/2016/10/6/13183640/the-week-that-will-be-designated-survivor-texas-longhorns-football-big12"",""http://www.barkingcarnival.com/2016/9/29/13103130/the-week-that-will-be-why-not-us-texas-longhorns-football-big12"",""http://www.barkingcarnival.com/2016/9/29/13103130/the-week-that-will-be-why-not-us-texas-longhorns-football-big12"",""http://www.barkingcarnival.com/2016/9/29/13103130/the-week-that-will-be-why-not-us-texas-longhorns-football-big12""" +"""http://www.bbc.com/news/in-pictures-37471476"",""http://www.bbc.com/news/uk-england-london-37406707"",""http://www.bbc.com/news/uk-england-london-37406707"",""http://www.bbc.com/news/uk-england-london-37471524"",""http://www.bbc.com/news/uk-england-london-37471524""" +"""http://www.bcsfootball.org/college-football/story/_/id/17707079/penn-state-kicker-joey-julius-admits-sought-treatment-eating-disorder"",""http://www.bcsfootball.org/college-football/story/_/id/17710118/baylor-university-title-ix-coordinator-patty-crawford-resigns-results-implementing-probe-recommendations-cited"",""http://www.bcsfootball.org/mlb/story/_/page/playoffs16_alwildcard/al-wild-card-mega-preview-rule-toronto"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php""" +"""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php""" +"""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php""" +"""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php""" +"""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php""" +"""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php""" +"""http://www.beaumontenterprise.com/homes/article/Historic-Orange-County-ranch-on-the-market-at-9962788.php"",""http://www.beaumontenterprise.com/news/article/Migrant-from-Japan-founded-Orange-County-farm-9608797.php"",""http://www.belfasttelegraph.co.uk/breakingnews/offbeat/scientists-find-10-times-more-galaxies-existing-than-previously-thought-35128685.html"",""http://www.belfasttelegraph.co.uk/breakingnews/offbeat/scientists-find-10-times-more-galaxies-existing-than-previously-thought-35128685.html"",""http://www.belfasttelegraph.co.uk/breakingnews/offbeat/scientists-find-10-times-more-galaxies-existing-than-previously-thought-35128685.html""" +"""http://www.belfasttelegraph.co.uk/entertainment/news/drake-surpasses-michael-jackson-with-record-13-american-music-awards-nominations-35118138.html"",""http://www.belfasttelegraph.co.uk/entertainment/news/drake-surpasses-michael-jackson-with-record-13-american-music-awards-nominations-35118138.html"",""http://www.belfasttelegraph.co.uk/entertainment/news/drake-surpasses-michael-jackson-with-record-13-american-music-awards-nominations-35118138.html"",""http://www.benzinga.com/general/entrepreneurship/16/10/8543144/bill-gates-on-the-next-u-s-president-whoever-wins-should-be-a?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+benzinga%2Ftech+%28Channels+-+Tech%29"",""http://www.bet.com/lifestyle/2016/09/20/rihanna-s-fenty-x-puma-runway-show-is-headed-to-paris-fashion-we.html""" +"""http://www.bet.com/lifestyle/2016/09/20/rihanna-s-fenty-x-puma-runway-show-is-headed-to-paris-fashion-we.html"",""http://www.bet.com/lifestyle/2016/09/20/rihanna-s-fenty-x-puma-runway-show-is-headed-to-paris-fashion-we.html"",""http://www.bet.com/music/2016/09/27/wait--why-is-mary-j--blige-singing-at-hillary-clinton-.html"",""http://www.bet.com/news/national/2016/09/27/watch--mary-j-blige-awkwardly-sings-about-police-brutality-to-hi.html"",""http://www.bet.com/news/national/2016/09/27/watch--mary-j-blige-awkwardly-sings-about-police-brutality-to-hi.html""" +"""http://www.bet.com/news/national/2016/09/27/watch--mary-j-blige-awkwardly-sings-about-police-brutality-to-hi.html"",""http://www.bettingpro.com/category/football/burnley-vs-arsenal-fc-tips-and-betting-advice-20160930-0005/"",""http://www.bettingpro.com/category/football/burnley-vs-arsenal-fc-tips-and-betting-advice-20160930-0005/"",""http://www.bettingpro.com/category/football/burnley-vs-arsenal-fc-tips-and-betting-advice-20160930-0005/"",""http://www.bettingpro.com/category/football/burnley-vs-arsenal-fc-tips-and-betting-advice-20160930-0005/""" +"""http://www.bfi.org.uk/news-opinion/sight-sound-magazine/comment/festivals/london-film-festival-2016-five-picks-five-hopes-kieron-corless"",""http://www.bfi.org.uk/news-opinion/sight-sound-magazine/comment/festivals/london-film-festival-2016-five-picks-five-hopes-kieron-corless"",""http://www.bfi.org.uk/news-opinion/sight-sound-magazine/comment/festivals/london-film-festival-2016-five-picks-five-hopes-kieron-corless"",""http://www.bfi.org.uk/news-opinion/sight-sound-magazine/comment/festivals/london-film-festival-2016-five-picks-five-hopes-kieron-corless"",""http://www.bfi.org.uk/news-opinion/sight-sound-magazine/comment/festivals/london-film-festival-2016-five-picks-five-hopes-kieron-corless""" +"""http://www.billboard.com/articles/columns/chart-beat/7525615/metallica-mainstream-rock-songs-hardwired"",""http://www.billboard.com/articles/columns/music-festivals/7525619/metallica-chainsmokers-weeknd-strokes-headline-lollapalooza-south-america"",""http://www.billboard.com/articles/columns/rock/7519041/metallica-interview-siriusxm-songs-hardwired-self-destruct-2016"",""http://www.biospace.com/News/enanta-pharmaceuticals-inc-announces-new-data/434521/source=MoreNews"",""http://www.biospace.com/News/medical-brain-tech-company-evoke-neuroscience/434491/source=MoreNews""" +"""http://www.biospace.com/News/new-startup-carrick-therapeutics-launches-with-95/434356/source=TopBreaking"",""http://www.blabbermouth.net/news/dave-mustaine-cried-for-days-after-death-of-metallica-bassist-cliff-burton-says-chris-poland/"",""http://www.blabbermouth.net/news/dave-mustaine-cried-for-days-after-death-of-metallica-bassist-cliff-burton-says-chris-poland/"",""http://www.blabbermouth.net/news/metallica-performance-at-global-citizen-festival-to-be-livestreamed-on-youtube/"",""http://www.blabbermouth.net/news/metallica-performance-at-global-citizen-festival-to-be-livestreamed-on-youtube/""" +"""http://www.blabbermouth.net/news/metallica-will-be-touring-hard-in-support-of-hardwired-to-self-destruct-says-robert-trujillo/"",""http://www.blabbermouth.net/news/metallica-will-be-touring-hard-in-support-of-hardwired-to-self-destruct-says-robert-trujillo/"",""http://www.blackcountrybugle.co.uk/freedom-award-for-tennis-star/story-29772960-detail/story.html"",""http://www.blackcountrybugle.co.uk/freedom-award-for-tennis-star/story-29772960-detail/story.html"",""http://www.blackenterprise.com/be-100s/new-book-oprah-winfrey-own-words/""" +"""http://www.bloomberg.com/news/articles/2016-10-03/convatec-plans-to-raise-1-8-billion-in-london-initial-offering"",""http://www.bloomberg.com/news/articles/2016-10-03/convatec-plans-to-raise-1-8-billion-in-london-initial-offering"",""http://www.bodybuilding.com/content/6-yoga-poses-for-a-better-nights-sleep.html"",""http://www.bodybuilding.com/content/6-yoga-poses-for-a-better-nights-sleep.html"",""http://www.bollywoodlife.com/news-gossip/hard-kaur-armaan-mallik-kailash-kher-slam-adele-for-suggesting-that-the-best-singers-smoke/""" +"""http://www.bollywoodlife.com/news-gossip/hard-kaur-armaan-mallik-kailash-kher-slam-adele-for-suggesting-that-the-best-singers-smoke/"",""http://www.boston.com/news/politics/2016/10/12/here-are-all-the-things-leaked-emails-show-hillary-clintons-campaign-said-about-elizabeth-warren-and-massachusetts"",""http://www.boston.com/news/politics/2016/10/12/here-are-all-the-things-leaked-emails-show-hillary-clintons-campaign-said-about-elizabeth-warren-and-massachusetts"",""http://www.bostonherald.com/news/columnists/jaclyn_cashman/2016/10/cashman_bernie_sanders_supporters_feeling_hillary_clinton_s"",""http://www.bostonherald.com/news/columnists/jaclyn_cashman/2016/10/cashman_bernie_sanders_supporters_feeling_hillary_clinton_s""" +"""http://www.bostonherald.com/news/columnists/tom_shattuck/2016/10/shattuck_despite_hillary_clinton_fan_club_snickers_donald_trump"",""http://www.bostonherald.com/news/columnists/tom_shattuck/2016/10/shattuck_despite_hillary_clinton_fan_club_snickers_donald_trump"",""http://www.bournemouthecho.co.uk/news/14769514.Travel__Sunshine__blue_flag_beaches_and_golf__Majorca_has_it_all/?ref=rss"",""http://www.brandonsun.com/world/breaking-news/debate-simmers-over-name-of-devils-tower-monument-in-wyoming-395769681.html?"",""http://www.brandonsun.com/world/breaking-news/debate-simmers-over-name-of-devils-tower-monument-in-wyoming-395769681.html?""" +"""http://www.brandonsun.com/world/breaking-news/debate-simmers-over-name-of-devils-tower-monument-in-wyoming-395769681.html?"",""http://www.brandonsun.com/world/breaking-news/debate-simmers-over-name-of-devils-tower-monument-in-wyoming-395769681.html?"",""http://www.breakingisraelnews.com/76403/shimon-peres-israels-elder-statesman-passes-away-93/"",""http://www.breakingisraelnews.com/76403/shimon-peres-israels-elder-statesman-passes-away-93/"",""http://www.breakingisraelnews.com/76418/obama-clintons-pope-attend-shimon-peres-funeral/""" +"""http://www.breakingisraelnews.com/76418/obama-clintons-pope-attend-shimon-peres-funeral/"",""http://www.breakingisraelnews.com/76436/legacy-israel-founding-father-shimon-peres-photos/"",""http://www.breakingisraelnews.com/76436/legacy-israel-founding-father-shimon-peres-photos/"",""http://www.breederscup.com/article/countdown-breeders-cup-world-championships-newsletter-october-4-2016"",""http://www.breederscup.com/article/countdown-breeders-cup-world-championships-newsletter-october-4-2016""" +"""http://www.breederscup.com/article/countdown-breeders-cup-world-championships-newsletter-october-4-2016"",""http://www.breitbart.com/big-government/2016/09/26/donald-trump-jr-second-amendment-not-just-hobby-lifestyle/"",""http://www.breitbart.com/big-government/2016/09/26/donald-trump-jr-second-amendment-not-just-hobby-lifestyle/"",""http://www.breitbart.com/radio/2016/09/26/pat-caddell-trump-wins-debate-if-shows-voters-hes-plausible/"",""http://www.breitbart.com/radio/2016/09/26/pat-caddell-trump-wins-debate-if-shows-voters-hes-plausible/""" +"""http://www.breitbart.com/radio/2016/09/26/pat-caddell-trump-wins-debate-if-shows-voters-hes-plausible/"",""http://www.breitbart.com/tech/2016/09/26/amazon/"",""http://www.broadwayworld.com/article/Broadway-AM-Report-1032016-THAT-GOLDEN-GIRLS-SHOW-and-More-20161003"",""http://www.broadwayworld.com/article/Broadway-AM-Report-1032016-THAT-GOLDEN-GIRLS-SHOW-and-More-20161003"",""http://www.broadwayworld.com/article/Broadway-AM-Report-1032016-THAT-GOLDEN-GIRLS-SHOW-and-More-20161003""" +"""http://www.broadwayworld.com/article/Broadway-AM-Report-1032016-THAT-GOLDEN-GIRLS-SHOW-and-More-20161003"",""http://www.business-standard.com/article/companies/fare-war-hurts-air-india-as-it-posts-rs-246-crore-operating-loss-in-q1-116092800304_1.html"",""http://www.business-standard.com/article/companies/fare-war-hurts-air-india-as-it-posts-rs-246-crore-operating-loss-in-q1-116092800304_1.html"",""http://www.business-standard.com/article/companies/fare-war-hurts-air-india-as-it-posts-rs-246-crore-operating-loss-in-q1-116092800304_1.html"",""http://www.business-standard.com/article/companies/fare-war-hurts-air-india-as-it-posts-rs-246-crore-operating-loss-in-q1-116092800304_1.html""" +"""http://www.businessinsider.com/why-hillary-clinton-won-the-debate-2016-9"",""http://www.businessinsider.com/why-hillary-clinton-won-the-debate-2016-9"",""http://www.businessinsider.com/why-hillary-clinton-won-the-debate-2016-9"",""http://www.businessinsider.com/why-hillary-clinton-won-the-debate-2016-9"",""http://www.businessinsider.com/why-hillary-clinton-won-the-debate-2016-9""" +"""http://www.businessinsider.com/why-hillary-clinton-won-the-debate-2016-9"",""http://www.businessinsider.com/why-hillary-clinton-won-the-debate-2016-9"",""http://www.c-sharpcorner.com/article/writing-javascript-tests-using-jasmine-framework/"",""http://www.cambio.com/2016/09/28/atlanta-just-introduced-a-black-justin-bieber-character/"",""http://www.capitalfm.com/artists/katy-perry/news/naked-clickbait-funny-or-die/""" +"""http://www.capitalfm.com/artists/katy-perry/news/naked-clickbait-funny-or-die/"",""http://www.capitalfm.com/artists/taylor-swift/news/new-album-theory/"",""http://www.capitalfm.com/artists/taylor-swift/news/new-album-theory/"",""http://www.capitalfm.com/artists/taylor-swift/news/new-album-theory/"",""http://www.capitalfm.com/artists/taylor-swift/news/new-album-theory/""" +"""http://www.capitalfm.com/charity/auction/lady-gaga-signed-skateboard/"",""http://www.caradvice.com.au/488507/audi-volkswagen-recall-280000-vehicles-in-us-for-fuel-leaks-australian-impact-unclear/"",""http://www.carmudi.com.ph/journal/clima-mobility-introduces-filipino-made-electric-car/"",""http://www.carrieunderwood.fm/news/congrats_news/carrie-receives-3-american-music-awards-nominations-vote-daily"",""http://www.carrieunderwood.fm/news/congrats_news/carrie-underwoods-storyteller-tour-selling-out-arenas-including-madison-square-garden""" +"""http://www.catholicworldreport.com/NewsBriefs/Default.aspx?rssGuid=memory-of-shimon-peres-should-inspire-peace-efforts-pope-says-28425/"",""http://www.cats.org.uk/news/how-will-you-support-national-black-day"",""http://www.cats.org.uk/news/silver-lining-for-fiv-cat-george-"",""http://www.caughtoffside.com/2016/09/26/arsenal-poll-on-sky-sports-sees-massive-30k-vote-for-stand-out-ace-as-arsene-wengers-best-ever-signing-as-four-current-stars-make-top-10/"",""http://www.caughtoffside.com/2016/09/26/chelsea-loanee-apologises-but-furious-fans-not-having-it-after-liking-arsenal-celebration-pics/""" +"""http://www.caughtoffside.com/2016/09/26/photo-francis-coquelin-at-hospital-still-in-knee-brace-as-arsenal-star-looks-set-for-bad-news/"",""http://www.cbc.ca/news/health/accessible-medical-offices-1.3779006"",""http://www.cbc.ca/news/health/accessible-medical-offices-1.3779006"",""http://www.cbc.ca/news/health/accessible-medical-offices-1.3779006"",""http://www.cbc.ca/news/health/air-pollution-who-1.3780390""" +"""http://www.cbc.ca/news/health/air-pollution-who-1.3780390"",""http://www.cbc.ca/news/health/organ-donation-infant-1.3779272"",""http://www.cbc.ca/news/health/organ-donation-infant-1.3779272"",""http://www.cbr.com/supergirls-lynda-carter-used-hillary-clinton-as-inspiration/"",""http://www.cbs8.com/story/33319003/aclu-asks-for-answers-after-dozens-arrested-for-protesting-police-shooting""" +"""http://www.cbs8.com/story/33319003/aclu-asks-for-answers-after-dozens-arrested-for-protesting-police-shooting"",""http://www.cbs8.com/story/33319003/aclu-asks-for-answers-after-dozens-arrested-for-protesting-police-shooting"",""http://www.cbsnews.com/news/hillary-clinton-donald-trump-face-off-in-first-general-election-debate/"",""http://www.cbsnews.com/news/hillary-clinton-donald-trump-face-off-in-first-general-election-debate/"",""http://www.cbsnews.com/news/polls-hillary-clinton-donald-trump-show-tight-presidential-race-nationally-in-battleground-states/""" +"""http://www.cbsnews.com/news/polls-hillary-clinton-donald-trump-show-tight-presidential-race-nationally-in-battleground-states/"",""http://www.cbsnews.com/news/polls-hillary-clinton-donald-trump-show-tight-presidential-race-nationally-in-battleground-states/"",""http://www.cbsnews.com/news/polls-hillary-clinton-donald-trump-show-tight-presidential-race-nationally-in-battleground-states/"",""http://www.celebdirtylaundry.com/2016/angelina-jolie-takes-on-teaching-job-at-london-school-of-economics-following-brad-pitt-divorce-despite-no-formal-education/"",""http://www.celebdirtylaundry.com/2016/taylor-swift-abandoned-by-squad-friends-following-nasty-tom-hiddleston-breakup-singer-lonely-and-desperate/""" +"""http://www.celebdirtylaundry.com/2016/tom-hiddleston-moves-on-with-priyanka-chopra-taylor-swift-jealous-and-hurt/"",""http://www.celebitchy.com/505575/lady_gaga_is_almost_certainly_the_super_bowl_half-time_act_links/"",""http://www.celebitchy.com/505594/jennifer_aniston_has_been_wearing_an_evil_eye_necklace_to_ward_off_curses/"",""http://www.celebitchy.com/505594/jennifer_aniston_has_been_wearing_an_evil_eye_necklace_to_ward_off_curses/"",""http://www.celebitchy.com/505917/us_weekly_the_villainess_jolie_is_plotting_to_destroy_poor_brad_pitt/""" +"""http://www.celebitchy.com/505917/us_weekly_the_villainess_jolie_is_plotting_to_destroy_poor_brad_pitt/"",""http://www.celebitchy.com/505917/us_weekly_the_villainess_jolie_is_plotting_to_destroy_poor_brad_pitt/"",""http://www.celebritynetworth.com/articles/billionaire-news/elon-musk-thinks-living-matrix-vows-bust-us/"",""http://www.celebritynetworth.com/articles/billionaire-news/elon-musk-thinks-living-matrix-vows-bust-us/"",""http://www.celebritynetworth.com/articles/billionaire-news/elon-musk-unveils-ambitious-plan-put-humans-mars-2022/""" +"""http://www.celebritynetworth.com/articles/billionaire-news/elon-musk-unveils-ambitious-plan-put-humans-mars-2022/"",""http://www.celebritynetworth.com/articles/billionaire-news/elon-musk-unveils-ambitious-plan-put-humans-mars-2022/"",""http://www.celebritynetworth.com/articles/how-much-does/hillary-clinton-net-worth-everything-need-know-wealth-income-history/"",""http://www.celebritynetworth.com/articles/how-much-does/hillary-clinton-net-worth-everything-need-know-wealth-income-history/"",""http://www.celebritynetworth.com/articles/how-much-does/hillary-clinton-net-worth-everything-need-know-wealth-income-history/""" +"""http://www.celebritynetworth.com/articles/how-much-does/hillary-clinton-net-worth-everything-need-know-wealth-income-history/"",""http://www.celebsnow.co.uk/celebrity-news/kylie-jenner-talks-fame-struggles-anxiety-amid-kim-kardashian-drama-dont-know-582962"",""http://www.celebuzz.com/2016-09-20/kristen-bell-ellen-degeneres-spice-girls-audition/"",""http://www.celebuzz.com/2016-09-26/angelina-jolie-brad-pitt-divorce-cheating-other-woman-mistress-april-florio/"",""http://www.celebuzz.com/2016-09-26/angelina-jolie-brad-pitt-prenup/""" +"""http://www.chabad.org/news/article_cdo/aid/3448647/jewish/Shimon-Peres-93-Proclaimed-Centrality-of-Judaism-to-Israel-and-the-Jewish-People.htm"",""http://www.chabad.org/news/article_cdo/aid/3448647/jewish/Shimon-Peres-93-Proclaimed-Centrality-of-Judaism-to-Israel-and-the-Jewish-People.htm"",""http://www.chabad.org/news/article_cdo/aid/3448647/jewish/Shimon-Peres-93-Proclaimed-Centrality-of-Judaism-to-Israel-and-the-Jewish-People.htm"",""http://www.channelnewsasia.com/news/asiapacific/hong-kong-jails-protester-over-anti-china-riots/3185310.html"",""http://www.channelnewsasia.com/news/asiapacific/hong-kong-jails-protester-over-anti-china-riots/3185310.html""" +"""http://www.charlestoncitypaper.com/charleston/freeloaders-goodbye-matthew-hello-freebies/Content?oid=6235380"",""http://www.charlestoncitypaper.com/charleston/freeloaders-goodbye-matthew-hello-freebies/Content?oid=6235380"",""http://www.chicagotribune.com/classified/realestate/elitestreet/ct-bill-and-hillary-clinton-new-house-20160926-story.html"",""http://www.chicagotribune.com/news/nationworld/politics/ct-donald-trump-hillary-clinton-debate-20160926-story.html"",""http://www.chicagotribune.com/sports/breaking/ct-hillary-clinton-espn-debate-day-ad-20160926-story.html""" +"""http://www.chicoer.com/business/20161011/judge-rules-religious-rites-trump-animal-rights-for-now"",""http://www.christianpost.com/news/wikileaks-hillary-clinton-mock-evangelicals-and-conservative-catholics-podesta-email-palmieri-halpin-170718/"",""http://www.christiantoday.com/article/bob.dylan.the.faith.of.the.new.nobel.prizewinner/97920.htm"",""http://www.christiantoday.com/article/bob.dylan.the.faith.of.the.new.nobel.prizewinner/97920.htm"",""http://www.christiantoday.com/article/bob.dylan.the.faith.of.the.new.nobel.prizewinner/97920.htm""" +"""http://www.christiantoday.com/article/bob.dylan.the.faith.of.the.new.nobel.prizewinner/97920.htm"",""http://www.chrisweigant.com/2016/10/03/2016-electoral-math-hillary-begins-her-debate-bounce/"",""http://www.chrisweigant.com/2016/10/03/2016-electoral-math-hillary-begins-her-debate-bounce/"",""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php"",""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php""" +"""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php"",""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php"",""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php"",""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php"",""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php""" +"""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php"",""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php"",""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php"",""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php"",""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php""" +"""http://www.chron.com/news/nation-world/article/The-real-reason-Donald-Trump-s-favorite-airports-9438407.php"",""http://www.chron.com/news/politics/article/27-people-you-can-vote-for-who-are-not-Donald-9289755.php"",""http://www.chron.com/news/politics/article/27-people-you-can-vote-for-who-are-not-Donald-9289755.php"",""http://www.chroniclejournal.com/news/national/five-times-trump-s-running-mate-contradicted-him-in-tv/article_4fdd755e-af1e-539a-8a5a-6179eebea2fc.html"",""http://www.chroniclejournal.com/news/national/five-times-trump-s-running-mate-contradicted-him-in-tv/article_4fdd755e-af1e-539a-8a5a-6179eebea2fc.html""" +"""http://www.cinemablend.com/news/1562110/angelina-jolies-next-movie-sounds-exciting-get-the-details"",""http://www.cinemablend.com/news/1563680/john-wick-2-trailer-teaser-suits-the-assassin-up-for-action"",""http://www.cityam.com/250656/manchester-uniteds-630m-squad-named-most-expensive-football"",""http://www.cityam.com/250656/manchester-uniteds-630m-squad-named-most-expensive-football"",""http://www.cjr.org/business_of_news/cnn_digital_investment_business_model.php""" +"""http://www.cjr.org/business_of_news/cnn_digital_investment_business_model.php"",""http://www.cleveland.com/browns/index.ssf/2016/10/how_browns_terrelle_pryor_real.html#incart_river_index"",""http://www.cleveland.com/browns/index.ssf/2016/10/how_browns_terrelle_pryor_real.html#incart_river_index"",""http://www.cleveland.com/browns/index.ssf/2016/10/the_browns_really_could_have_u.html"",""http://www.cleveland.com/metro/index.ssf/2016/10/cleveland_police_union_overwhe.html""" +"""http://www.cleveland.com/metro/index.ssf/2016/10/cleveland_police_union_overwhe.html"",""http://www.clusports.com/football/news/12675/"",""http://www.clusports.com/football/news/12675/"",""http://www.clusports.com/football/news/12675/"",""http://www.cmt.com/news/1771041/at-the-heart-of-carrie-underwoods-tour/""" +"""http://www.cnbc.com/2016/09/28/five-lessons-my-kids-learned-from-shimon-peres-commentary.html"",""http://www.cnbc.com/2016/09/28/five-lessons-my-kids-learned-from-shimon-peres-commentary.html"",""http://www.cnbc.com/2016/09/28/five-lessons-my-kids-learned-from-shimon-peres-commentary.html"",""http://www.cnbc.com/2016/10/03/apple-gives-londons-latest-redevelopment-project-new-appeal.html"",""http://www.cnbc.com/2016/10/03/apple-gives-londons-latest-redevelopment-project-new-appeal.html""" +"""http://www.cnbc.com/2016/10/03/apple-gives-londons-latest-redevelopment-project-new-appeal.html"",""http://www.cnbc.com/2016/10/03/apple-gives-londons-latest-redevelopment-project-new-appeal.html"",""http://www.cnbc.com/2016/10/03/apple-gives-londons-latest-redevelopment-project-new-appeal.html"",""http://www.codeproject.com/Articles/1137471/Achieving-reusability-using-Javascript-closure-app"",""http://www.codeproject.com/Articles/1137471/Achieving-reusability-using-Javascript-closure-app""" +"""http://www.codeproject.com/Articles/1137471/Achieving-reusability-using-Javascript-closure-app"",""http://www.codeproject.com/Articles/797997/JavaScript-Does-NOT-Support-Method-Overloading-Tha"",""http://www.codeproject.com/Articles/797997/JavaScript-Does-NOT-Support-Method-Overloading-Tha"",""http://www.codeproject.com/Articles/797997/JavaScript-Does-NOT-Support-Method-Overloading-Tha"",""http://www.codeproject.com/Articles/797997/JavaScript-Does-NOT-Support-Method-Overloading-Tha""" +"""http://www.codeproject.com/Articles/797997/JavaScript-Does-NOT-Support-Method-Overloading-Tha"",""http://www.colehauscats.com/10102016-monday-with-tessa/#comment-28532"",""http://www.collective-evolution.com/2016/09/26/shamanism-and-quantum-physics/"",""http://www.collective-evolution.com/2016/09/26/shamanism-and-quantum-physics/"",""http://www.collectspace.com/news/news-092716a-spacex-interplanetary-transport-system.html""" +"""http://www.collectspace.com/news/news-092716a-spacex-interplanetary-transport-system.html"",""http://www.collectspace.com/news/news-092716a-spacex-interplanetary-transport-system.html"",""http://www.collectspace.com/news/news-092716a-spacex-interplanetary-transport-system.html"",""http://www.collectspace.com/news/news-092716a-spacex-interplanetary-transport-system.html"",""http://www.collectspace.com/news/news-092716a-spacex-interplanetary-transport-system.html""" +"""http://www.collectspace.com/news/news-092716a-spacex-interplanetary-transport-system.html"",""http://www.collectspace.com/news/news-092716a-spacex-interplanetary-transport-system.html"",""http://www.collectspace.com/news/news-092716a-spacex-interplanetary-transport-system.html"",""http://www.collectspace.com/news/news-092816a-boeing-cst100-starliner-simulators.html"",""http://www.collectspace.com/news/news-092816a-boeing-cst100-starliner-simulators.html""" +"""http://www.collectspace.com/news/news-092816a-boeing-cst100-starliner-simulators.html"",""http://www.collectspace.com/news/news-092816a-boeing-cst100-starliner-simulators.html"",""http://www.collectspace.com/news/news-092816a-boeing-cst100-starliner-simulators.html"",""http://www.collegetennisonline.com/Tennis/NewsDetail.aspx?nwId=49081"",""http://www.collegetennisonline.com/Tennis/NewsDetail.aspx?nwId=49081""" +"""http://www.collegetennisonline.com/Tennis/NewsDetail.aspx?nwId=49081"",""http://www.collegetennisonline.com/Tennis/NewsDetail.aspx?nwId=49081"",""http://www.collegian.psu.edu/football/article_f3e75e6a-8c32-11e6-a310-6b1b55a653f8.html"",""http://www.collegian.psu.edu/football/article_f3e75e6a-8c32-11e6-a310-6b1b55a653f8.html"",""http://www.columbian.com/news/2016/oct/01/adeles-album-25-reaches-diamond-status/""" +"""http://www.comingsoon.net/movies/trailers/774269-the-full-underworld-blood-wars-trailer-is-here"",""http://www.comingsoon.net/tv/trailers/774147-black-mirror-season-3-trailer-is-ready-to-break-your-brain"",""http://www.comingsoon.net/tv/trailers/774217-the-affair-season-3-teaser-and-poster"",""http://www.commondreams.org/news/2016/10/10/syria-policy-critics-warn-both-trump-and-clinton-get-it-very-wrong"",""http://www.commondreams.org/news/2016/10/10/syria-policy-critics-warn-both-trump-and-clinton-get-it-very-wrong""" +"""http://www.commondreams.org/views/2016/09/27/hillary-clinton-won-first-debate-what-if-doesnt-move-polls"",""http://www.commondreams.org/views/2016/09/27/hillary-clinton-won-first-debate-what-if-doesnt-move-polls"",""http://www.commondreams.org/views/2016/09/28/hillary-clinton-needs-declare-trade-war-lost"",""http://www.commondreams.org/views/2016/09/28/hillary-clinton-needs-declare-trade-war-lost"",""http://www.commondreams.org/views/2016/09/28/hillary-clinton-needs-declare-trade-war-lost""" +"""http://www.completefrance.com:80/holidays-in-france/holidays/discover_william_the_conqueror_s_normandy_1_4722904"",""http://www.completefrance.com:80/home/the_3_golden_rules_for_french_property_hunting_1_4714713"",""http://www.complex.com/music/2016/09/katy-perry-votes-naked-funny-or-die"",""http://www.complex.com/pop-culture/2016/09/twitter-was-in-love-with-black-justin-bieber-on-atlanta"",""http://www.complex.com/pop-culture/2016/09/twitter-was-in-love-with-black-justin-bieber-on-atlanta""" +"""http://www.complex.com/style/2016/09/livestream-rihanna-fenty-puma-fashion-show-tidal"",""http://www.compositesworld.com/news/cgtechs-vericut-composite-applications-wins-innovation-award"",""http://www.compositesworld.com/news/cgtechs-vericut-composite-applications-wins-innovation-award"",""http://www.computerworld.com/article/3126814/internet/facebook-marketplace-takes-on-ebay-craigslist.html"",""http://www.computerworld.com/article/3126814/internet/facebook-marketplace-takes-on-ebay-craigslist.html""" +"""http://www.computerworld.com/article/3126814/internet/facebook-marketplace-takes-on-ebay-craigslist.html"",""http://www.computerworld.com/article/3127128/apple-mac/will-next-year-s-ipads-be-faster-than-macs.html"",""http://www.computerworld.com/article/3127128/apple-mac/will-next-year-s-ipads-be-faster-than-macs.html"",""http://www.computerworld.com/article/3127128/apple-mac/will-next-year-s-ipads-be-faster-than-macs.html"",""http://www.contactmusic.com/angelina-jolie/news/angelina-jolie-brad-pitt-headed-custody-battle-kids_5400981""" +"""http://www.contactmusic.com/angelina-jolie/news/angelina-jolie-brad-pitt-headed-custody-battle-kids_5400981"",""http://www.contactmusic.com/angelina-jolie/news/angelina-jolie-brad-pitt-headed-custody-battle-kids_5400981"",""http://www.contactmusic.com/jennifer-aniston/news/justin-theroux-jennifer-aniston-marriage-works_5401649"",""http://www.contactmusic.com/jennifer-aniston/news/justin-theroux-jennifer-aniston-marriage-works_5401649"",""http://www.contactmusic.com/jennifer-aniston/news/justin-theroux-jennifer-aniston-marriage-works_5401649""" +"""http://www.contactmusic.com/justin-bieber/news/justin-bieber-has-split-from-sofia-richie_5393771"",""http://www.contactmusic.com/justin-bieber/news/justin-bieber-has-split-from-sofia-richie_5393771"",""http://www.cosmopolitan.com/entertainment/a3854631/kanye-west-made-his-nashville-audience-scream-the-taylor-swift-line-from-famous/"",""http://www.cosmopolitan.com/entertainment/celebs/a3919380/jennifer-aniston-evil-eye-necklace-brangelina-divorce/"",""http://www.cosmopolitan.com/entertainment/celebs/a3919380/jennifer-aniston-evil-eye-necklace-brangelina-divorce/""" +"""http://www.cosmopolitan.com/politics/a3864142/donald-trump-sniffles-presidential-debate/"",""http://www.counterpunch.org/2016/10/06/reaping-the-whirlwind-kerry-apologizes-to-al-nusra-friends-for-ever-negotiating-with-russia/"",""http://www.counterpunch.org/2016/10/06/reaping-the-whirlwind-kerry-apologizes-to-al-nusra-friends-for-ever-negotiating-with-russia/"",""http://www.cpp-luxury.com/largest-rolex-store-in-north-america-opens-in-vancouver/"",""http://www.cricbuzz.com/cricket-news/82962/a-pat-on-the-back-for-a-tail-that-wags?utm_source=TOInewHP_TILwidget&utm_medium=ABtest&utm_campaign=TOInewHP""" +"""http://www.cricbuzz.com/cricket-news/82962/a-pat-on-the-back-for-a-tail-that-wags?utm_source=TOInewHP_TILwidget&utm_medium=ABtest&utm_campaign=TOInewHP"",""http://www.crosswalk.com/blogs/religion-today-blog/email-reveals-state-department-under-hillary-prioritized-bill-clinton-s-friends.html"",""http://www.csmonitor.com/EqualEd/2016/1007/The-South-African-astronomer-who-built-a-pipeline-to-the-stars"",""http://www.csmonitor.com/EqualEd/2016/1007/The-South-African-astronomer-who-built-a-pipeline-to-the-stars"",""http://www.csmonitor.com/EqualEd/2016/1007/The-South-African-astronomer-who-built-a-pipeline-to-the-stars""" +"""http://www.csmonitor.com/USA/Politics/Decoder/2016/0927/The-roots-of-Donald-Trump-s-anti-intellectualism"",""http://www.csmonitor.com/USA/Politics/Decoder/2016/0927/The-roots-of-Donald-Trump-s-anti-intellectualism"",""http://www.csmonitor.com/USA/Politics/Decoder/2016/0927/The-roots-of-Donald-Trump-s-anti-intellectualism"",""http://www.csmonitor.com/USA/Politics/Decoder/2016/0927/The-roots-of-Donald-Trump-s-anti-intellectualism"",""http://www.csmonitor.com/USA/Politics/Decoder/2016/0927/The-roots-of-Donald-Trump-s-anti-intellectualism""" +"""http://www.dailybreeze.com/government-and-politics/20161001/everything-you-need-to-know-before-tuesdays-vice-presidential-debate"",""http://www.dailybreeze.com/government-and-politics/20161001/everything-you-need-to-know-before-tuesdays-vice-presidential-debate"",""http://www.dailybreeze.com/government-and-politics/20161008/with-only-bad-options-in-syria-us-reluctant-to-alter-course"",""http://www.dailybulletin.com/social-affairs/20161012/are-environmental-laws-making-the-housing-affordability-crisis-worse"",""http://www.dailybulletin.com/social-affairs/20161012/are-environmental-laws-making-the-housing-affordability-crisis-worse""" +"""http://www.dailycamera.com/columnists/ci_30427423/leonard-pitts-jr-does-competence-matter?source=rss"",""http://www.dailycamera.com/columnists/ci_30427423/leonard-pitts-jr-does-competence-matter?source=rss"",""http://www.dailydot.com/layer8/newt-gingrich-julian-assange-donald-trump-hillary-clinton/"",""http://www.dailydot.com/layer8/newt-gingrich-julian-assange-donald-trump-hillary-clinton/"",""http://www.dailydot.com/layer8/newt-gingrich-julian-assange-donald-trump-hillary-clinton/""" +"""http://www.dailykos.com/story/2016/09/26/1574434/-Donald-Trump-Insults-the-Teachings-of-Jesus-Christ"",""http://www.dailykos.com/story/2016/09/26/1574434/-Donald-Trump-Insults-the-Teachings-of-Jesus-Christ"",""http://www.dailykos.com/story/2016/09/26/1574458/-Zach-Galifianakis-explains-why-he-would-NEVER-invite-Donald-Trump-to-be-Between-Two-Ferns-guest"",""http://www.dailykos.com/story/2016/09/26/1574458/-Zach-Galifianakis-explains-why-he-would-NEVER-invite-Donald-Trump-to-be-Between-Two-Ferns-guest"",""http://www.dailykos.com/story/2016/09/26/1574460/-PhD-Psychology-Candidates-For-your-dissertation-Donald-Trump-s-Compulsive-Lying-Disorder""" +"""http://www.dailykos.com/story/2016/09/26/1574460/-PhD-Psychology-Candidates-For-your-dissertation-Donald-Trump-s-Compulsive-Lying-Disorder"",""http://www.dailymail.co.uk/femail/article-3793207/Justin-Bieber-displays-model-good-looks-growing-tattoo-collection-unveils-new-collaboration-Claire-s-Accessories.html"",""http://www.dailymail.co.uk/tvshowbiz/article-3791756/Jana-Kramer-sings-pointed-Carrie-Underwood-song-split-Mike-Caussin.html"",""http://www.dailymail.co.uk/tvshowbiz/article-3797474/Tom-Hiddleston-turns-charm-chatting-pretty-blonde-just-week-Taylor-Swift-split.html"",""http://www.dailynews.com/lifestyle/20161003/universal-studios-hollywood-offers-california-resident-pass-for-119""" +"""http://www.dailynews.com/lifestyle/20161003/universal-studios-hollywood-offers-california-resident-pass-for-119"",""http://www.dailynews.com/lifestyle/20161004/la-greek-festival-among-food-event-this-week-in-the-los-angeles-area"",""http://www.dailynews.com/social-affairs/20161005/el-camino-real-high-school-students-rally-to-save-our-charter"",""http://www.dailynews.com/social-affairs/20161005/el-camino-real-high-school-students-rally-to-save-our-charter"",""http://www.dailyprogress.com/orangenews/news/vsp-investigate-fatal-crash-in-orange-county/article_1dc79f7c-8ca8-11e6-8700-37c82296a262.html""" +"""http://www.dailyrecord.co.uk/sport/football/football-news/celtic-must-right-manchester-city-8924279"",""http://www.dailyrecord.co.uk/sport/football/football-news/celtic-must-right-manchester-city-8924279"",""http://www.dailyrecord.co.uk/sport/football/football-news/craig-gordon-dorus-de-vries-8924825"",""http://www.dailyrecord.co.uk/sport/football/football-news/craig-gordon-dorus-de-vries-8924825"",""http://www.dailyrecord.co.uk/sport/football/football-news/scottish-agent-who-arranged-sam-8926177""" +"""http://www.dailyrecord.co.uk/sport/football/football-news/scottish-agent-who-arranged-sam-8926177"",""http://www.dailysabah.com/energy/2016/10/13/israeli-minister-visits-turkey-to-discuss-natural-gas-transmit"",""http://www.dailysabah.com/energy/2016/10/13/israeli-minister-visits-turkey-to-discuss-natural-gas-transmit"",""http://www.dailystar.co.uk/sport/football/548504/Arsenal-Alexis-Sanchez-Mesut-Ozil-Santi-Cazorla-Garth-Crooks-Gossip"",""http://www.dailystar.co.uk/sport/football/548504/Arsenal-Alexis-Sanchez-Mesut-Ozil-Santi-Cazorla-Garth-Crooks-Gossip""" +"""http://www.dailystar.co.uk/sport/football/548504/Arsenal-Alexis-Sanchez-Mesut-Ozil-Santi-Cazorla-Garth-Crooks-Gossip"",""http://www.dailystar.co.uk/sport/football/548531/Arsenal-News-Laurent-Koscielny-Shkodran-Mustafi-Jamie-Redknapp-Chelsea-Premier-League"",""http://www.dailystar.co.uk/sport/football/548531/Arsenal-News-Laurent-Koscielny-Shkodran-Mustafi-Jamie-Redknapp-Chelsea-Premier-League"",""http://www.dailystar.co.uk/sport/football/548531/Arsenal-News-Laurent-Koscielny-Shkodran-Mustafi-Jamie-Redknapp-Chelsea-Premier-League"",""http://www.dailystar.co.uk/sport/football/548531/Arsenal-News-Laurent-Koscielny-Shkodran-Mustafi-Jamie-Redknapp-Chelsea-Premier-League""" +"""http://www.dailystar.co.uk/sport/football/548531/Arsenal-News-Laurent-Koscielny-Shkodran-Mustafi-Jamie-Redknapp-Chelsea-Premier-League"",""http://www.dailystar.co.uk/sport/football/548548/Julian-Draxler-reveals-Wolfsburg-wouldn-t-sell-Arsenal-and-PSG-star-this-summer"",""http://www.dailystar.co.uk/sport/football/548548/Julian-Draxler-reveals-Wolfsburg-wouldn-t-sell-Arsenal-and-PSG-star-this-summer"",""http://www.dailystar.co.uk/sport/football/548548/Julian-Draxler-reveals-Wolfsburg-wouldn-t-sell-Arsenal-and-PSG-star-this-summer"",""http://www.dailystormer.com/ouch-old-man-le-pen-says-sarkozy-is-closer-to-his-ideals-than-his-daughter/""" +"""http://www.dailystormer.com/ouch-old-man-le-pen-says-sarkozy-is-closer-to-his-ideals-than-his-daughter/"",""http://www.dailystormer.com/ouch-old-man-le-pen-says-sarkozy-is-closer-to-his-ideals-than-his-daughter/"",""http://www.dailytexanonline.com/2016/10/07/student-anti-capitalist-group-works-for-change-they-believe-university-won%E2%80%99t-provide"",""http://www.dailytexanonline.com/2016/10/07/student-anti-capitalist-group-works-for-change-they-believe-university-won%E2%80%99t-provide"",""http://www.dailywire.com/news/9585/9-times-hillary-clinton-threatened-smeared-or-amanda-prestigiacomo#""" +"""http://www.dallasnews.com/news/community-column/2016/10/14/mercedes-oliveragender-gap-clear-among-hispanic-voters"",""http://www.dallasnews.com/news/community-column/2016/10/14/mercedes-oliveragender-gap-clear-among-hispanic-voters"",""http://www.dallasnews.com/news/community-column/2016/10/14/mercedes-oliveragender-gap-clear-among-hispanic-voters"",""http://www.dallasnews.com/news/news/2016/09/29/affluenza-teen-dez-bryant-hillary-clinton-thursday-morning-news-roundup"",""http://www.dallasnews.com/news/news/2016/09/29/affluenza-teen-dez-bryant-hillary-clinton-thursday-morning-news-roundup""" +"""http://www.dallasnews.com/news/news/2016/09/29/affluenza-teen-dez-bryant-hillary-clinton-thursday-morning-news-roundup"",""http://www.dallasnews.com/news/news/2016/09/29/affluenza-teen-dez-bryant-hillary-clinton-thursday-morning-news-roundup"",""http://www.dallasnews.com/news/news/2016/09/29/affluenza-teen-dez-bryant-hillary-clinton-thursday-morning-news-roundup"",""http://www.democracynow.org/2016/10/10/headlines/wikileaks_reveals_parts_of_hillary_clinton_s_speeches_to_wall_street"",""http://www.democracynow.org/2016/10/10/headlines/wikileaks_reveals_parts_of_hillary_clinton_s_speeches_to_wall_street""" +"""http://www.democracynow.org/2016/10/10/headlines/wikileaks_reveals_parts_of_hillary_clinton_s_speeches_to_wall_street"",""http://www.democracynow.org/2016/10/10/headlines/wikileaks_reveals_parts_of_hillary_clinton_s_speeches_to_wall_street"",""http://www.democracynow.org/2016/10/10/headlines/wikileaks_reveals_parts_of_hillary_clinton_s_speeches_to_wall_street"",""http://www.democracynow.org/2016/10/10/headlines/wikileaks_reveals_parts_of_hillary_clinton_s_speeches_to_wall_street"",""http://www.democracynow.org/2016/10/10/headlines/wikileaks_reveals_parts_of_hillary_clinton_s_speeches_to_wall_street""" +"""http://www.democracynow.org/2016/10/10/headlines/wikileaks_reveals_parts_of_hillary_clinton_s_speeches_to_wall_street"",""http://www.democracynow.org/2016/9/28/headlines/israel_former_prime_minister_shimon_peres_dies_at_93"",""http://www.democracynow.org/2016/9/28/headlines/israel_former_prime_minister_shimon_peres_dies_at_93"",""http://www.democracynow.org/2016/9/28/headlines/israel_former_prime_minister_shimon_peres_dies_at_93"",""http://www.democracynow.org/2016/9/28/headlines/israel_former_prime_minister_shimon_peres_dies_at_93""" +"""http://www.democracynow.org/2016/9/28/headlines/israel_former_prime_minister_shimon_peres_dies_at_93"",""http://www.democracynow.org/2016/9/28/headlines/israel_former_prime_minister_shimon_peres_dies_at_93"",""http://www.democracynow.org/2016/9/28/headlines/israel_former_prime_minister_shimon_peres_dies_at_93"",""http://www.democracynow.org/2016/9/28/headlines/israel_former_prime_minister_shimon_peres_dies_at_93"",""http://www.denverhealth.org/for-patients-and-visitors/news/denver-health-le-da-la-bienvenida-a-e2809ccomentarios-del-p250blico-para-el-pr243ximo-l237dere2809d-34175""" +"""http://www.denverpost.com/2016/10/03/hillary-clinton-tears-into-trump-on-taxes/"",""http://www.denverpost.com/2016/10/03/hillary-clinton-tears-into-trump-on-taxes/"",""http://www.denverpost.com/2016/10/03/trump-clinton-tax-plans-affect/"",""http://www.denverpost.com/2016/10/03/trump-clinton-tax-plans-affect/"",""http://www.denverpost.com/2016/10/04/vice-presidential-debate-about-clinton-trump/""" +"""http://www.denverpost.com/2016/10/04/vice-presidential-debate-about-clinton-trump/"",""http://www.derryjournal.com/sport/football/football-mcdermott-relishing-chance-to-test-himself-against-star-studded-french-1-7618401"",""http://www.derryjournal.com/sport/football/football-mcdermott-relishing-chance-to-test-himself-against-star-studded-french-1-7618401"",""http://www.derryjournal.com/sport/football/football-mcdermott-relishing-chance-to-test-himself-against-star-studded-french-1-7618401"",""http://www.derryjournal.com/sport/football/football-mcdermott-relishing-chance-to-test-himself-against-star-studded-french-1-7618401""" +"""http://www.derryjournal.com/sport/football/football-mcdermott-relishing-chance-to-test-himself-against-star-studded-french-1-7618401"",""http://www.desiringgod.org/articles/lord-help-me-know-right-from-wrong"",""http://www.desiringgod.org/interviews/is-the-missionary-greater-than-the-artist"",""http://www.desiringgod.org/interviews/is-the-missionary-greater-than-the-artist"",""http://www.desiringgod.org/labs/think-hard-on-your-way-to-heaven""" +"""http://www.desmogblog.com/2016/10/04/koch-fracking-climate-denier-mike-catanzaro-trump-energy-team"",""http://www.dezeen.com/2016/09/27/alessandro-zambelli-matter-of-stuff-marque-furniture-inlay-oxidised-metal-london-design-festival-2016/"",""http://www.dezeen.com/2016/09/28/barber-osgerby-japanese-minimal-oak-hakone-table-london-design-festival-2016/"",""http://www.dezeen.com/2016/09/28/new-london-design-museum-fear-and-love-first-exhibition-justin-mcguirk/"",""http://www.digitaljournal.com/news/world/unesco-risks-fresh-israel-anger-with-jerusalem-resolutions/article/477170""" +"""http://www.digitalspy.com/music/news/a809279/adele-25-diamond-10-million-sales/"",""http://www.digitalspy.com/music/news/a809279/adele-25-diamond-10-million-sales/"",""http://www.digitalspy.com/music/news/a809279/adele-25-diamond-10-million-sales/"",""http://www.digitalspy.com/music/news/a809279/adele-25-diamond-10-million-sales/"",""http://www.digitalspy.com/tv/game-of-thrones/feature/a793488/game-of-thrones-season-7-release-date-spoilers-cast-and-everything-you-need-to-know/""" +"""http://www.digitalspy.com/tv/game-of-thrones/feature/a793488/game-of-thrones-season-7-release-date-spoilers-cast-and-everything-you-need-to-know/"",""http://www.digitalspy.com/tv/game-of-thrones/feature/a793488/game-of-thrones-season-7-release-date-spoilers-cast-and-everything-you-need-to-know/"",""http://www.digitalspy.com/tv/game-of-thrones/feature/a793488/game-of-thrones-season-7-release-date-spoilers-cast-and-everything-you-need-to-know/"",""http://www.digitalspy.com/tv/game-of-thrones/feature/a793488/game-of-thrones-season-7-release-date-spoilers-cast-and-everything-you-need-to-know/"",""http://www.digitalspy.com/tv/game-of-thrones/feature/a793488/game-of-thrones-season-7-release-date-spoilers-cast-and-everything-you-need-to-know/""" +"""http://www.digitalspy.com/tv/game-of-thrones/feature/a793488/game-of-thrones-season-7-release-date-spoilers-cast-and-everything-you-need-to-know/"",""http://www.digitalspy.com/tv/game-of-thrones/news/a809418/game-of-thrones-tormund-lyanna-mormont-selfie/"",""http://www.digitalspy.com/tv/game-of-thrones/news/a809418/game-of-thrones-tormund-lyanna-mormont-selfie/"",""http://www.digitalspy.com/tv/game-of-thrones/news/a809418/game-of-thrones-tormund-lyanna-mormont-selfie/"",""http://www.dispatch.com/content/stories/local/2016/10/09/from-the-stump-pondering-celestial-bodies-and-two-hole-privies.html""" +"""http://www.dnaindia.com/entertainment/report-jennifer-lawrence-is-hosting-adele-for-thanksgiving-2259151"",""http://www.dnaindia.com/sport/report-saina-nehwal-hopes-to-return-to-courts-by-end-of-next-month-2259536"",""http://www.dogsblog.com/viking-3/"",""http://www.dogsblog.com/viking-3/"",""http://www.dogsblog.com/viking-3/""" +"""http://www.dogster.com/lifestyle/amazing-hearing-assistance-dogs-make-life-easier-for-their-humans"",""http://www.dogster.com/lifestyle/amazing-hearing-assistance-dogs-make-life-easier-for-their-humans"",""http://www.dogster.com/lifestyle/amazing-hearing-assistance-dogs-make-life-easier-for-their-humans"",""http://www.dogster.com/lifestyle/how-an-online-training-course-helped-me-help-my-reactive-dog"",""http://www.dogster.com/lifestyle/how-an-online-training-course-helped-me-help-my-reactive-dog""" +"""http://www.dogster.com/lifestyle/how-i-forgave-myself-for-not-being-with-my-dog-when-he-died"",""http://www.dogster.com/lifestyle/how-i-forgave-myself-for-not-being-with-my-dog-when-he-died"",""http://www.donaldtrump2016online.com/2016/10/rsbn-live-stream-donald-trump-rally-in_11.html"",""http://www.drydenicedogs.net/2016/10/05/dryden-defeats-thunder-bay-in-ot/"",""http://www.drydenicedogs.net/2016/10/10/dryden-gm-ice-dogs-return-to-cjhl-rankings/""" +"""http://www.drydenicedogs.net/2016/10/10/dryden-gm-ice-dogs-return-to-cjhl-rankings/"",""http://www.eastbaytimes.com/2016/10/04/bodies-in-orange-county-triple-homicide-found-with-shotgun-wounds-to-the-head/"",""http://www.eastbaytimes.com/2016/10/04/bodies-in-orange-county-triple-homicide-found-with-shotgun-wounds-to-the-head/"",""http://www.easy-fundraising-ideas.com/products/elementary-school-fundraisers-scratch-cards/"",""http://www.easy-fundraising-ideas.com/products/elementary-school-fundraisers-scratch-cards/""" +"""http://www.easy-fundraising-ideas.com/products/elementary-school-fundraisers-scratch-cards/"",""http://www.easy-fundraising-ideas.com/products/football-fundraising-scratch-cards/"",""http://www.easy-fundraising-ideas.com/products/football-fundraising-scratch-cards/"",""http://www.easy-fundraising-ideas.com/products/football-fundraising-scratch-cards/"",""http://www.easy-fundraising-ideas.com/products/football-fundraising-scratch-cards/""" +"""http://www.easy-fundraising-ideas.com/products/high-school-fundraisers-scratch-cards/"",""http://www.easy-fundraising-ideas.com/products/high-school-fundraisers-scratch-cards/"",""http://www.easy-fundraising-ideas.com/products/high-school-fundraisers-scratch-cards/"",""http://www.easy-fundraising-ideas.com/products/high-school-fundraisers-scratch-cards/"",""http://www.economist.com/blogs/democracyinamerica/2016/09/win-hillary-clinton?spc=scode&spv=xm&ah=9d7f7ab945510a56fa6d37c30b6f1709""" +"""http://www.economist.com/blogs/democracyinamerica/2016/09/win-hillary-clinton?spc=scode&spv=xm&ah=9d7f7ab945510a56fa6d37c30b6f1709"",""http://www.economist.com/news/obituary/21707889-shimon-peres-israeli-statesman-died-september-28th-aged-93-intriguing-peace"",""http://www.economist.com/news/obituary/21707889-shimon-peres-israeli-statesman-died-september-28th-aged-93-intriguing-peace"",""http://www.economist.com/news/science-and-technology/21707915-elon-musk-envisages-human-colony-mars-he-will-have-his-work-cut-out"",""http://www.economist.com/news/science-and-technology/21707915-elon-musk-envisages-human-colony-mars-he-will-have-his-work-cut-out""" +"""http://www.economist.com/news/science-and-technology/21707915-elon-musk-envisages-human-colony-mars-he-will-have-his-work-cut-out"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html""" +"""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html""" +"""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html""" +"""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ecowatch.com/elon-musk-murray-subsidies-2039592767.html"",""http://www.ectnews.com/about/newsalerts/#5"",""http://www.ectnews.com/about/newsalerts/#5""" +"""http://www.ectnews.com/about/newsalerts/#5"",""http://www.ectnews.com/about/newsalerts/#5"",""http://www.efe.com/efe/english/portada/hezbollah-leader-condemns-saudi-intervention-in-yemen-war/50000260-3065774?utm_source=wwwefecom&utm_medium=rss&utm_campaign=rss"",""http://www.efe.com/efe/english/portada/hezbollah-leader-condemns-saudi-intervention-in-yemen-war/50000260-3065774?utm_source=wwwefecom&utm_medium=rss&utm_campaign=rss"",""http://www.efe.com/efe/english/portada/hezbollah-leader-condemns-saudi-intervention-in-yemen-war/50000260-3065774?utm_source=wwwefecom&utm_medium=rss&utm_campaign=rss""" +"""http://www.elle.com/culture/celebrities/news/a39558/justin-theroux-on-jennifer-aniston-brangelina-divorce-headlines/"",""http://www.elle.com/culture/celebrities/news/a39558/justin-theroux-on-jennifer-aniston-brangelina-divorce-headlines/"",""http://www.elle.com/fashion/celebrity-style/news/g28803/taylor-swift-gym-style-evolution/"",""http://www.elle.com/fashion/celebrity-style/news/g28803/taylor-swift-gym-style-evolution/"",""http://www.elle.com/fashion/celebrity-style/news/g28803/taylor-swift-gym-style-evolution/""" +"""http://www.elle.com/fashion/celebrity-style/news/g28803/taylor-swift-gym-style-evolution/"",""http://www.elle.com/fashion/celebrity-style/news/g28803/taylor-swift-gym-style-evolution/"",""http://www.elle.com/fashion/news/a39389/cara-delevingne-rihanna-puma-campaign/"",""http://www.emirates247.com/entertainment/angelina-jolie-hired-the-woman-who-inspired-scandal-to-handle-her-divorce-2016-09-30-1.641287"",""http://www.emirates247.com/entertainment/angelina-jolie-hired-the-woman-who-inspired-scandal-to-handle-her-divorce-2016-09-30-1.641287""" +"""http://www.emirates247.com/entertainment/angelina-jolie-hired-the-woman-who-inspired-scandal-to-handle-her-divorce-2016-09-30-1.641287"",""http://www.emirates247.com/entertainment/angelina-jolie-hired-the-woman-who-inspired-scandal-to-handle-her-divorce-2016-09-30-1.641287"",""http://www.emirates247.com/entertainment/angelina-jolie-hired-the-woman-who-inspired-scandal-to-handle-her-divorce-2016-09-30-1.641287"",""http://www.emirates247.com/entertainment/kim-kardashian-attacked-in-paris-by-the-same-man-who-attacked-gigi-hadid-in-milan-2016-09-29-1.641038"",""http://www.emirates247.com/entertainment/kim-kardashian-attacked-in-paris-by-the-same-man-who-attacked-gigi-hadid-in-milan-2016-09-29-1.641038""" +"""http://www.emirates247.com/entertainment/kim-kardashian-attacked-in-paris-by-the-same-man-who-attacked-gigi-hadid-in-milan-2016-09-29-1.641038"",""http://www.emirates247.com/entertainment/kim-kardashian-attacked-in-paris-by-the-same-man-who-attacked-gigi-hadid-in-milan-2016-09-29-1.641038"",""http://www.emirates247.com/entertainment/kim-kardashian-attacked-in-paris-by-the-same-man-who-attacked-gigi-hadid-in-milan-2016-09-29-1.641038"",""http://www.emirates247.com/entertainment/kim-kardashian-attacked-in-paris-by-the-same-man-who-attacked-gigi-hadid-in-milan-2016-09-29-1.641038"",""http://www.emirates247.com/entertainment/kim-kardashian-sick-of-talking-about-taylor-swift-2016-09-30-1.641038""" +"""http://www.emirates247.com/entertainment/kim-kardashian-sick-of-talking-about-taylor-swift-2016-09-30-1.641038"",""http://www.engadget.com/2016/10/03/verily-s-wearable-microscope-sees-beneath-your-skin/"",""http://www.engadget.com/2016/10/03/verily-s-wearable-microscope-sees-beneath-your-skin/"",""http://www.engadget.com/2016/10/03/verily-s-wearable-microscope-sees-beneath-your-skin/"",""http://www.enstarz.com/articles/174457/20160926/sofia-richie-and-justin-bieber-model-attends-event-with-hailey-baldwin.htm""" +"""http://www.enstarz.com/articles/174457/20160926/sofia-richie-and-justin-bieber-model-attends-event-with-hailey-baldwin.htm"",""http://www.enstarz.com/articles/174457/20160926/sofia-richie-and-justin-bieber-model-attends-event-with-hailey-baldwin.htm"",""http://www.enstarz.com/articles/174515/20160927/selena-gomez-justin-bieber-drug-abuse-breakup.htm"",""http://www.enstarz.com/articles/174515/20160927/selena-gomez-justin-bieber-drug-abuse-breakup.htm"",""http://www.enstarz.com/articles/174515/20160927/selena-gomez-justin-bieber-drug-abuse-breakup.htm""" +"""http://www.eonline.com/news/799143/lady-gaga-explains-the-connection-between-taylor-kinney-and-perfect-illusion"",""http://www.eonline.com/news/799143/lady-gaga-explains-the-connection-between-taylor-kinney-and-perfect-illusion"",""http://www.eonline.com/news/799143/lady-gaga-explains-the-connection-between-taylor-kinney-and-perfect-illusion"",""http://www.eonline.com/news/799143/lady-gaga-explains-the-connection-between-taylor-kinney-and-perfect-illusion"",""http://www.eonline.com/news/799143/lady-gaga-explains-the-connection-between-taylor-kinney-and-perfect-illusion""" +"""http://www.eonline.com/news/799237/kim-kardashian-bound-gagged-and-held-at-gunpoint-exclusive-new-details-on-the-robbery-in-paris"",""http://www.eonline.com/news/799237/kim-kardashian-bound-gagged-and-held-at-gunpoint-exclusive-new-details-on-the-robbery-in-paris"",""http://www.eonline.com/news/799237/kim-kardashian-bound-gagged-and-held-at-gunpoint-exclusive-new-details-on-the-robbery-in-paris"",""http://www.eparisextra.com/911/113921/william-robert-groom-has-died-from-injuries-in-yesterdays-wheelchair-accident"",""http://www.eparisextra.com/all-business/113900/britneys-stepping-out-dance-studio-celebrates-1-year""" +"""http://www.espncricinfo.com/india-v-new-zealand-2016-17/content/story/1059607.html"",""http://www.espncricinfo.com/india-v-new-zealand-2016-17/content/story/1059607.html"",""http://www.espncricinfo.com/india-v-new-zealand-2016-17/content/story/1059923.html"",""http://www.espncricinfo.com/india-v-new-zealand-2016-17/content/story/1059923.html"",""http://www.espncricinfo.com/india-v-new-zealand-2016-17/content/story/1060032.html""" +"""http://www.espnfc.com/blog/marcotti-musings/62/post/2959466/arsenal-play-wengerball-chelsea-have-concerns-madrid-drama-and-mourinho-and-rooney"",""http://www.espnfc.com/club/arsenal/359/blog/post/2959507/arsenal-and-mesut-ozil-must-build-on-rampant-win-over-rivals-chelsea"",""http://www.espnfc.com/paris-saint-germain/story/2959408/psg-defender-serge-aurier-gets-suspended-two-month-prison-sentence"",""http://www.espnfcasia.com/barcelona/story/2967486/ivan-rakitic-barcelona-without-lionel-messi-are-not-the-same"",""http://www.espnfcasia.com/barcelona/story/2970046/neymar-and-samuel-umtiti-in-barcelona-training-potential-lionel-messi-boost""" +"""http://www.esquire.co.uk/style/advice/a10947/roger-federer-is-here-to-show-you-how-to-nail-autumn-style/"",""http://www.essence.com/news/hbcu-students-unite-minimize-voter-suppression-efforts"",""http://www.essence.com/news/hbcu-students-unite-minimize-voter-suppression-efforts"",""http://www.essence.com/news/politics/donald-trump-polling-centers-monitor"",""http://www.essence.com/politics/common-the-view-donald-trump""" +"""http://www.etonline.com/news/198497_kristen_bell_co_hosts_with_ellen_degeneres_quizzes_michael_phelps_post_olympics/"",""http://www.etonline.com/news/198987_brad_pitt_hoping_to_see_his_kids_soon_and_resolve_matters_amicably/"",""http://www.etonline.com/tv/198464_viola_davis_done_with_sex_scenes_how_to_get_away_with_murder/"",""http://www.eurobasket.com/France/news/464216/Chris-Warren-claims-French-ProA-weekly-honour"",""http://www.eurobasket.com/France/news/464216/Chris-Warren-claims-French-ProA-weekly-honour""" +"""http://www.eurobasket.com/France/news/464216/Chris-Warren-claims-French-ProA-weekly-honour"",""http://www.eurobasket.com/France/news/464216/Chris-Warren-claims-French-ProA-weekly-honour"",""http://www.eurobasket.com/France/news/464216/Chris-Warren-claims-French-ProA-weekly-honour"",""http://www.eurobasket.com/France/news/464216/Chris-Warren-claims-French-ProA-weekly-honour"",""http://www.eurobasket.com/France/news/464216/Chris-Warren-claims-French-ProA-weekly-honour""" +"""http://www.euronews.com/2016/09/28/palestinians-express-mixed-reactions-over-death-of-shimon-peres"",""http://www.euronews.com/2016/10/11/france-opens-first-supervised-injection-facility-for-drug-addicts"",""http://www.euronews.com/2016/10/11/france-opens-first-supervised-injection-facility-for-drug-addicts"",""http://www.euronews.com/2016/10/12/reject-the-dark-side-urges-obama-at-a-clinton-campaign-rally"",""http://www.eurosport.com/football/arsene-wenger-sets-sights-on-topping-champions-league-group_sto5875967/story.shtml""" +"""http://www.eurosport.com/football/arsene-wenger-sets-sights-on-topping-champions-league-group_sto5875967/story.shtml"",""http://www.eurosport.com/football/arsene-wenger-sets-sights-on-topping-champions-league-group_sto5875967/story.shtml"",""http://www.eurosport.com/tennis/heather-watson-pulls-out-of-wuhan-open_sto5874282/story.shtml"",""http://www.eurosport.com/tennis/heather-watson-pulls-out-of-wuhan-open_sto5874282/story.shtml"",""http://www.eurosport.com/tennis/konta-relishing-suarez-navarro-tie-at-wuhan-open_sto5875985/story.shtml""" +"""http://www.eurosport.com/tennis/konta-relishing-suarez-navarro-tie-at-wuhan-open_sto5875985/story.shtml"",""http://www.eurweb.com/2016/09/civil-rights-museum-n-c-rejects-disrespectful-donald-trumps-request-visit/"",""http://www.eurweb.com/2016/09/michelle-obama-hugs-george-w-bush-and-hilarious-photoshop-edits-spring-up-on-social-media-photos/"",""http://www.eurweb.com/2016/09/this-is-different-mary-j-blige-does-awkward-interview-with-hillary-clinton-watch/"",""http://www.everydayhealth.com/high-cholesterol/treatment/are-there-alternatives-statins/""" +"""http://www.everydayhealth.com/high-cholesterol/treatment/are-there-alternatives-statins/"",""http://www.everydayhealth.com/hs/hiv-health/hiv-management-apps/"",""http://www.everydayhealth.com/hs/hiv-health/hiv-management-apps/"",""http://www.ew.com/article/2016/09/26/katy-perry-vote-naked-hillary"",""http://www.ew.com/gallery/game-of-thrones-book-tv-changes""" +"""http://www.eweek.com/it-management/apple-to-consolidate-service-teams-to-bolster-revenue-report.html"",""http://www.eweek.com/it-management/apple-to-consolidate-service-teams-to-bolster-revenue-report.html"",""http://www.eweek.com/it-management/apple-to-consolidate-service-teams-to-bolster-revenue-report.html"",""http://www.eweek.com/it-management/apple-to-consolidate-service-teams-to-bolster-revenue-report.html"",""http://www.eweek.com/it-management/apple-to-consolidate-service-teams-to-bolster-revenue-report.html""" +"""http://www.eweek.com/mobile/apple-acquires-machine-learning-vendor-tuplejump-software.html"",""http://www.eweek.com/mobile/apple-acquires-machine-learning-vendor-tuplejump-software.html"",""http://www.eweek.com/mobile/apple-acquires-machine-learning-vendor-tuplejump-software.html"",""http://www.eweek.com/mobile/apple-acquires-machine-learning-vendor-tuplejump-software.html"",""http://www.eweek.com/mobile/apple-acquires-machine-learning-vendor-tuplejump-software.html""" +"""http://www.eweek.com/mobile/apple-steps-up-its-enterprise-business-by-partnering-with-deloitte.html"",""http://www.eweek.com/mobile/apple-steps-up-its-enterprise-business-by-partnering-with-deloitte.html"",""http://www.eweek.com/mobile/apple-steps-up-its-enterprise-business-by-partnering-with-deloitte.html"",""http://www.eweek.com/mobile/apple-steps-up-its-enterprise-business-by-partnering-with-deloitte.html"",""http://www.eweek.com/mobile/apple-steps-up-its-enterprise-business-by-partnering-with-deloitte.html""" +"""http://www.express.co.uk/sport/football/714731/Arsenal-Bournemouth-Jack-Wilshere-Jeff-Mostyn-Chairman-Owner-Transfer-News-Gossip-News"",""http://www.express.co.uk/sport/football/714731/Arsenal-Bournemouth-Jack-Wilshere-Jeff-Mostyn-Chairman-Owner-Transfer-News-Gossip-News"",""http://www.express.co.uk/sport/football/714731/Arsenal-Bournemouth-Jack-Wilshere-Jeff-Mostyn-Chairman-Owner-Transfer-News-Gossip-News"",""http://www.express.co.uk/sport/football/714731/Arsenal-Bournemouth-Jack-Wilshere-Jeff-Mostyn-Chairman-Owner-Transfer-News-Gossip-News"",""http://www.express.co.uk/sport/football/714858/Jack-Wilshere-Gregoire-Defrel-Julian-Draxler-Arsenal-AFC-Transfer-News-Rumours-Gossip""" +"""http://www.express.co.uk/sport/football/714858/Jack-Wilshere-Gregoire-Defrel-Julian-Draxler-Arsenal-AFC-Transfer-News-Rumours-Gossip"",""http://www.express.co.uk/sport/football/714858/Jack-Wilshere-Gregoire-Defrel-Julian-Draxler-Arsenal-AFC-Transfer-News-Rumours-Gossip"",""http://www.express.co.uk/sport/football/714911/Arsene-Wenger-opens-up-Arsenal-transfer-policies-amid-Sam-Allardyce-newspaper-sting-News"",""http://www.express.co.uk/sport/football/714911/Arsene-Wenger-opens-up-Arsenal-transfer-policies-amid-Sam-Allardyce-newspaper-sting-News"",""http://www.extremetech.com/extreme/236363-elon-musk-lays-out-incredible-spacex-plan-for-colonizing-mars""" +"""http://www.fantasyfootballscout.co.uk/2016/09/27/the-big-numbers-gameweek-6-5/"",""http://www.fantasyfootballscout.co.uk/2016/09/27/the-treatment-table-gameweek-6-3/"",""http://www.fantasyfootballscout.co.uk/2016/09/28/frisking-the-fixtures-gameweek-7-the-strong-3/"",""http://www.fashionstylemag.com/2016/celebrity/jennifer-aniston-on-brad-pitts-divorce-thats-karma-for-you/"",""http://www.femalefirst.co.uk/celebrity/miley-cyrus-fills-ellen-degeneres-993855.html""" +"""http://www.femalefirst.co.uk/celebrity/miley-cyrus-fills-ellen-degeneres-993855.html"",""http://www.femalefirst.co.uk/showbiz/miley-cyrus-ist-die-neue-ellen-degeneres-993877.html"",""http://www.femalefirst.co.uk/showbiz/miley-cyrus-ist-die-neue-ellen-degeneres-993877.html"",""http://www.fhm.com/posts/these-limited-edition-lionel-messi-cleats-are-so-sick-that-adidas-only-released-100-pairs-115863"",""http://www.firstpost.com/politics/kanye-west-to-boost-wife-kim-kardashians-security-after-shocking-paris-heist-3035978.html""" +"""http://www.firstpost.com/sports/world-cup-qualifiers-brazil-uruguay-romp-home-argentina-held-without-lionel-messi-3039098.html"",""http://www.fitpregnancy.com/pregnancy/pregnancy-health/i-got-pregnant-on-depo-provera"",""http://www.fitpregnancy.com/pregnancy/pregnancy-health/i-got-pregnant-on-depo-provera"",""http://www.fitsnews.com/2016/10/04/how-donald-trump-could-purge-non-citizens-from-voter-rolls/"",""http://www.fitsnews.com/2016/10/04/how-donald-trump-could-purge-non-citizens-from-voter-rolls/""" +"""http://www.fitsnews.com/2016/10/10/vegas-club-offers-donald-trump-free-lap-dances-for-life/"",""http://www.fiz-x.com/game-thrones-actors-spotted-northern-ireland-far/"",""http://www.floridatoday.com/story/entertainment/2016/09/27/casey-turner-song-space/90829630/"",""http://www.floridatoday.com/story/tech/science/space/2016/09/29/new-generation-weather-satellite-nears-november-launch/91109486/"",""http://www.floridatoday.com/story/tech/science/space/2016/09/29/new-generation-weather-satellite-nears-november-launch/91109486/""" +"""http://www.floridatoday.com/story/tech/science/space/2016/09/29/spacex-targeting-launch-ksc-soon-nov-17/91210636/"",""http://www.floridatoday.com/story/tech/science/space/2016/09/29/spacex-targeting-launch-ksc-soon-nov-17/91210636/"",""http://www.floridatoday.com/story/tech/science/space/2016/09/29/spacex-targeting-launch-ksc-soon-nov-17/91210636/"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed"",""http://www.foodallergy.org/alerts/alerts-feed""" +"""http://www.fool.com/investing/2016/09/27/dont-believe-elon-musk-on-the-powerwall.aspx"",""http://www.fool.com/investing/2016/09/27/dont-believe-elon-musk-on-the-powerwall.aspx"",""http://www.fool.com/investing/2016/09/27/dont-believe-elon-musk-on-the-powerwall.aspx"",""http://www.fool.com/investing/2016/10/02/3-top-biotech-stocks-to-buy-in-october.aspx"",""http://www.fool.com/investing/2016/10/02/3-top-biotech-stocks-to-buy-in-october.aspx""" +"""http://www.fool.com/investing/2016/10/02/3-top-biotech-stocks-to-buy-in-october.aspx"",""http://www.fool.com/investing/2016/10/02/3-top-biotech-stocks-to-buy-in-october.aspx"",""http://www.fool.com/investing/2016/10/07/heres-what-bill-gates-wants-from-trump-and-clinton.aspx?source=iedfolrf0000001"",""http://www.fool.com/investing/2016/10/07/heres-what-bill-gates-wants-from-trump-and-clinton.aspx?source=iedfolrf0000001"",""http://www.fool.com/investing/2016/10/07/heres-what-bill-gates-wants-from-trump-and-clinton.aspx?source=iedfolrf0000001""" +"""http://www.football-italia.net/92120/west-ham-send-zaza-back"",""http://www.football-italia.net/92124/line-ups-dinamo-zagreb-juventus"",""http://www.football-italia.net/92124/line-ups-dinamo-zagreb-juventus"",""http://www.football-italia.net/node/92125"",""http://www.football.co.uk/bayern-munich/atletico-madrid-v-bayern-munich-german-heavyweights-not-mot/7817247/""" +"""http://www.football.co.uk/manchester-city/yaya-toure-trains-with-manchester-city-despite-champions-lea/7817353/"",""http://www.football.co.uk/newcastle-united/newcastle-boss-rafa-benitez-backs-goalkeeper-matz-sels-after/7817825/"",""http://www.football365.com/news/allardyce-expected-to-resign-rather-than-face-sack"",""http://www.football365.com/news/man-united-told-barca-to-stop-fing-about-in-cl-final"",""http://www.football365.com/news/vardy-skittle-vodka-didnt-help-injury-recovery""" +"""http://www.footballaustralia.com.au/article/blockbuster-ffa-cup-semi-final-draw/1c98uzhyhhgqc1pd1v9as8whz4"",""http://www.footballaustralia.com.au/article/blockbuster-ffa-cup-semi-final-draw/1c98uzhyhhgqc1pd1v9as8whz4"",""http://www.footballaustralia.com.au/article/blockbuster-ffa-cup-semi-final-draw/1c98uzhyhhgqc1pd1v9as8whz4"",""http://www.footballaustralia.com.au/article/caltex-socceroos-shine-in-the-championship/1ukrucbrtdc8t162so85m68i9s"",""http://www.footballaustralia.com.au/article/caltex-socceroos-shine-in-the-championship/1ukrucbrtdc8t162so85m68i9s""" +"""http://www.footballaustralia.com.au/article/caltex-socceroos-shine-in-the-championship/1ukrucbrtdc8t162so85m68i9s"",""http://www.footballaustralia.com.au/article/mateship-key-to-ffa-cup-success-says-canberra-boss/yqaqoinyrdhn114bvmemntg4b"",""http://www.footballaustralia.com.au/article/mateship-key-to-ffa-cup-success-says-canberra-boss/yqaqoinyrdhn114bvmemntg4b"",""http://www.footballfancast.com/premier-league/arsenal/arsenal-fans-react-to-coquelins-injury-update"",""http://www.footballfancast.com/premier-league/arsenal/hopefully-this-man-wont-be-wengers-successor-at-arsenal""" +"""http://www.footballfancast.com/premier-league/arsenal/only-one-current-arsenal-player-makes-current-stars-all-time-gunners-xi"",""http://www.footballmanager.com/news/football-manager-mobile-2017-release-date"",""http://www.footballmanager.com/news/football-manager-mobile-2017-release-date"",""http://www.footballmanager.net/news/football-manager-mobile-2017-release-date"",""http://www.footballmanager.net/news/football-manager-mobile-2017-release-date""" +"""http://www.footballperspective.com/guest-post-centers-and-the-hall-of-fame/#comment-319422"",""http://www.footballperspective.com/week-4-2016-game-scripts-exotic-smashmouth-is-here/"",""http://www.footballperspective.com/week-five-2016-college-football-srs-ratings-the-srs-is-back/"",""http://www.footballtips.com/category/uk-football/arsenal-v-swansea-city-tips-20161011-0005/"",""http://www.footballtips.com/category/uk-football/arsenal-v-swansea-city-tips-20161011-0005/""" +"""http://www.foothillsweightloss.com/10/how-obesity-impacts-your-overall-health/"",""http://www.footytube.com/news/guardian/association-of-football-agents-admits-system-is-open-to-abuse-amid-allardyce-fallout-L51622?ref=hp_newsfeed"",""http://www.footytube.com/news/guardian/football-on-the-fringes-life-as-a-us-pro-in-azerbaijan-and-the-faroes-L51613?ref=hp_newsfeed"",""http://www.footytube.com/news/guardian/football-on-the-fringes-life-as-a-us-pro-in-azerbaijan-and-the-faroes-L51613?ref=hp_newsfeed"",""http://www.footytube.com/news/guardian/football-transfer-rumours-manchester-united-back-in-for-jose-fonte-L51611?ref=hp_newsfeed""" +"""http://www.fotosearch.com/CSP995/k16811940/"",""http://www.fotosearch.com/CSP995/k16811940/"",""http://www.fotosearch.com/CSP995/k16811940/"",""http://www.fotosearch.com/CSP995/k16811940/"",""http://www.fotosearch.com/CSP995/k16811940/""" +"""http://www.fotosearch.com/CSP995/k16811940/"",""http://www.fourfourtwo.com/features/do-arsenal-really-have-attacking-balance-win-major-trophies"",""http://www.fourfourtwo.com/features/do-arsenal-really-have-attacking-balance-win-major-trophies"",""http://www.fourfourtwo.com/news/burnley-0-arsenal-1-controversial-winner-ensures-anniversary-celebrations-wenger"",""http://www.fourfourtwo.com/news/burnley-0-arsenal-1-controversial-winner-ensures-anniversary-celebrations-wenger""" +"""http://www.fourfourtwo.com/news/burnley-0-arsenal-1-controversial-winner-ensures-anniversary-celebrations-wenger"",""http://www.fourfourtwo.com/news/vardy-rejected-arsenal-due-style"",""http://www.fourfourtwo.com/news/vardy-rejected-arsenal-due-style"",""http://www.fourfourtwo.com/news/vardy-rejected-arsenal-due-style"",""http://www.foxbusiness.com/markets/2016/10/06/3-biotech-investing-lessons-from-novavax-huge-vaccine-flop.html""" +"""http://www.foxnews.com/politics/2016/09/26/bias-alert-amazon-fixed-reviews-for-hillary-clintons-book.html"",""http://www.foxnews.com/politics/2016/09/26/bias-alert-amazon-fixed-reviews-for-hillary-clintons-book.html"",""http://www.foxsports.com/soccer/story/arsenal-arsene-wenger-dortmund-joe-hart-torino-psg-bilbao-092616"",""http://www.foxsports.com/soccer/story/arsenal-francis-coquelin-injury-an-unfortunate-necessity-092616"",""http://www.foxsports.com/soccer/story/tough-decisions-await-antonio-conte-after-arsenal-loss-092616""" +"""http://www.foxsports.com/soccer/story/tough-decisions-await-antonio-conte-after-arsenal-loss-092616"",""http://www.foxsports.com/soccer/story/tough-decisions-await-antonio-conte-after-arsenal-loss-092616"",""http://www.france-surgery.com/could-going-on-holiday-boost-our-immune-systems/"",""http://www.france-surgery.com/immunotherapy-cancer-drug-a-potential-game-changer/"",""http://www.france-surgery.com/the-zika-virus-detected-in-the-sperm/""" +"""http://www.france24.com/en/20160926-us-presidential-debate-trump-clinton-live-france-24"",""http://www.france24.com/en/20160927-trump-clinton-debate-usa-politics-presidential-election-syria"",""http://www.france24.com/en/20160927-trump-clinton-debate-usa-politics-presidential-election-syria"",""http://www.france24.com/en/mediawatch/20160926-anticipating-debate"",""http://www.france24.com/en/mediawatch/20160926-anticipating-debate""" +"""http://www.freep.com/story/news/politics/2016/10/03/paul-ryan-michigan-trump-tax-story-not-big-deal/91493606/"",""http://www.freep.com/story/news/politics/onpolitics/2016/09/26/donald-trump-sick-well-trumpsniffles/91148760/"",""http://www.freerepublic.com/focus/f-gop/3473792/posts"",""http://www.freerepublic.com/focus/f-gop/3473792/posts"",""http://www.freerepublic.com/focus/f-news/3473479/posts""" +"""http://www.freerepublic.com/focus/f-news/3473479/posts"",""http://www.freerepublic.com/focus/f-news/3473727/posts"",""http://www.freerepublic.com/focus/f-news/3473727/posts"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071690"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071690""" +"""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071690"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071690"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071690"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071690"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071764""" +"""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071764"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071764"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071764"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071764"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071764""" +"""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071764"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071764"",""http://www.fromthetrenchesworldreport.com/fbi-used-agents-as-pawns-to-insulate-hillary-aides-clinton-foundation-from-prosecutions/172086#comment-1071764"",""http://www.fromthetrenchesworldreport.com/house-delays-contempt-vote-on-hillary-clinton-it-aide-bryan-pagliano-until-after-the-election/172250#comment-1072513"",""http://www.fromthetrenchesworldreport.com/house-delays-contempt-vote-on-hillary-clinton-it-aide-bryan-pagliano-until-after-the-election/172250#comment-1072513""" +"""http://www.fromthetrenchesworldreport.com/house-delays-contempt-vote-on-hillary-clinton-it-aide-bryan-pagliano-until-after-the-election/172250#comment-1072513"",""http://www.fromthetrenchesworldreport.com/house-delays-contempt-vote-on-hillary-clinton-it-aide-bryan-pagliano-until-after-the-election/172250#comment-1072513"",""http://www.frontpagemag.com/fpm/264388/flying-while-counter-jihad-robert-spencer"",""http://www.ft.com/cms/s/2/839465ce-3ed3-11e6-8716-a4a71e8140b0.html"",""http://www.ft.com/cms/s/2/839465ce-3ed3-11e6-8716-a4a71e8140b0.html""" +"""http://www.funnyordie.com/articles/268433e69c/full-speech-donald-trump-town-hall-in-sandown-new-hampshire-10-6-2016"",""http://www.funnyordie.com/videos/5d1e818285/donald-trump-and-mike-pence-s-heightgate-scandal-midnight-with-chris-hardwick"",""http://www.funnyordie.com/videos/a52f848184/donald-trump-s-worst-week-ever-midnight-with-chris-hardwick"",""http://www.funnyordie.com/videos/a52f848184/donald-trump-s-worst-week-ever-midnight-with-chris-hardwick"",""http://www.fuse.tv/2016/09/katy-perry-2017-tour-tweet""" +"""http://www.fuse.tv/2016/09/katy-perry-2017-tour-tweet"",""http://www.fuse.tv/2016/09/katy-perry-delivers-sister-baby"",""http://www.fuse.tv/2016/09/zara-larsson-too-good-rihanna-drake-live-lounge-performance"",""http://www.gamenguide.com/articles/54564/20161013/game-of-thrones-season-7-air-date-spoilers-news-update-season-seven-set-is-filming-on-the-northern-irish-location.htm"",""http://www.gamenguide.com/articles/54564/20161013/game-of-thrones-season-7-air-date-spoilers-news-update-season-seven-set-is-filming-on-the-northern-irish-location.htm""" +"""http://www.ganeshaspeaks.com/blog_mercury-enters-virgo-moon-sign-predictions-3-october-2016.action"",""http://www.ganeshaspeaks.com/blog_mercury-enters-virgo-moon-sign-predictions-3-october-2016.action"",""http://www.ganeshaspeaks.com/blog_mercury-enters-virgo-moon-sign-predictions-3-october-2016.action"",""http://www.ganeshaspeaks.com/blog_mercury-enters-virgo-moon-sign-predictions-3-october-2016.action"",""http://www.ganeshaspeaks.com/blog_mercury-enters-virgo-moon-sign-predictions-3-october-2016.action""" +"""http://www.ganeshaspeaks.com/orderForm.action?productId=2526&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20160928"",""http://www.ganeshaspeaks.com/orderForm.action?productId=2526&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20160928"",""http://www.ganeshaspeaks.com/orderForm.action?productId=2526&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20160928"",""http://www.ganeshaspeaks.com/orderForm.action?productId=2526&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20160928"",""http://www.ganeshaspeaks.com/orderForm.action?productId=2526&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20160928""" +"""http://www.ganeshaspeaks.com/orderForm.action?productId=2526&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20160928"",""http://www.ganeshaspeaks.com/orderForm.action?productId=2526&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20160928"",""http://www.ganeshaspeaks.com/orderForm.action?productId=2526&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20160928"",""http://www.ganeshaspeaks.com/orderForm.action?productId=2526&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20160928"",""http://www.ganeshaspeaks.com/orderForm.action?productId=2526&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20160928""" +"""http://www.ganeshaspeaks.com/orderForm.action?productId=5&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20161018"",""http://www.ganeshaspeaks.com/orderForm.action?productId=5&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20161018"",""http://www.ganeshaspeaks.com/orderForm.action?productId=5&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20161018"",""http://www.ganeshaspeaks.com/orderForm.action?productId=5&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20161018"",""http://www.ganeshaspeaks.com/orderForm.action?productId=5&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20161018""" +"""http://www.ganeshaspeaks.com/orderForm.action?productId=5&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20161018"",""http://www.ganeshaspeaks.com/orderForm.action?productId=5&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20161018"",""http://www.ganeshaspeaks.com/orderForm.action?productId=5&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20161018"",""http://www.ganeshaspeaks.com/orderForm.action?productId=5&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20161018"",""http://www.ganeshaspeaks.com/orderForm.action?productId=5&utm_source=Deal-of-the-day-20-April&utm_medium=Website&utm_campaign=Deal-of-the-day-20-April&source=DOD20161018""" +"""http://www.ganisraelchicago.com/blogs/blog_cdo/aid/3449321/jewish/Chabadorg-Is-Now-on-Apple-TV.htm"",""http://www.ganisraelchicago.com/blogs/blog_cdo/aid/3449321/jewish/Chabadorg-Is-Now-on-Apple-TV.htm"",""http://www.ganisraelchicago.com/calendar/view/day.asp?id=156819&tDate=9/28/2016#156819"",""http://www.ganisraelchicago.com/calendar/view/day.asp?id=156819&tDate=9/28/2016#156819"",""http://www.ganisraelchicago.com/calendar/view/day.asp?id=156819&tDate=9/28/2016#156819""" +"""http://www.ganisraelchicago.com/calendar/view/day.asp?id=156819&tDate=9/28/2016#156819"",""http://www.ganisraelchicago.com/calendar/view/day.asp?id=156819&tDate=9/28/2016#156819"",""http://www.ganisraelchicago.com/calendar/view/day.asp?id=158972&tDate=10/5/2016#158972"",""http://www.ganisraelchicago.com/calendar/view/day.asp?id=158972&tDate=10/5/2016#158972"",""http://www.ganisraelchicago.com/calendar/view/day.asp?id=158972&tDate=10/5/2016#158972""" +"""http://www.ganisraelchicago.com/calendar/view/day.asp?id=158972&tDate=10/5/2016#158972"",""http://www.gatorcountry.com/florida-gators-football/charting-the-course-week-4-florida-gators-football/"",""http://www.gatorcountry.com/florida-gators-football/charting-the-course-week-4-florida-gators-football/"",""http://www.gatorcountry.com/florida-gators-football/charting-the-course-week-4-florida-gators-football/#comment-5632"",""http://www.gatorcountry.com/florida-gators-football/charting-the-course-week-4-florida-gators-football/#comment-5632""" +"""http://www.gaytimes.co.uk/culture/50289/adele-invites-gay-dads-baby-stage-selfie/"",""http://www.gearthblog.com/blog/archives/2016/09/post-earthquake-kumamoto-google-earth-3d.html"",""http://www.gearthblog.com/blog/archives/2016/09/post-earthquake-kumamoto-google-earth-3d.html"",""http://www.gearthblog.com/blog/archives/2016/10/antipode-earth-turning-google-earth-inside.html"",""http://www.gearthblog.com/blog/archives/2016/10/antipode-earth-turning-google-earth-inside.html""" +"""http://www.gearthblog.com/blog/archives/2016/10/google-earth-weather-layers-dropped.html"",""http://www.gearthblog.com/blog/archives/2016/10/google-earth-weather-layers-dropped.html"",""http://www.gecko.co.uk/top-tips-for-clean-data-2/"",""http://www.gecko.co.uk/top-tips-for-clean-data-2/"",""http://www.geckolandmarks.com/news_landmark_api_in_stanford_study_2016_10_04.php""" +"""http://www.geekwire.com/2016/bill-gates-urges-presidential-candidates-invest-long-term-innovation/"",""http://www.geekwire.com/2016/bill-gates-urges-presidential-candidates-invest-long-term-innovation/"",""http://www.geelongcats.com.au/news/2016-09-26/will-danger-take-charlie-home"",""http://www.geelongcats.com.au/news/2016-09-27/this-ones-for-you-couchy"",""http://www.georgiadogs.com/genrel/092716aaa.html""" +"""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html"",""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html"",""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html"",""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html"",""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html""" +"""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html"",""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html"",""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html"",""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html"",""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html""" +"""http://www.georgiadogs.com/sports/m-footbl/spec-rel/2016gamedaycentral-06.html"",""http://www.giftstoindia24x7.com/Article/Gift-Ideas/Popular-Gift-Ideas/Popular-Personalized-Gift-Ideas/small-unique-Photo-Keychain-as-gift.aspx"",""http://www.giftstoindia24x7.com/Article/Gift-Ideas/Popular-Gift-Ideas/Popular-Personalized-Gift-Ideas/small-unique-Photo-Keychain-as-gift.aspx"",""http://www.giftstoindia24x7.com/Article/Gift-Ideas/Popular-Gift-Ideas/Popular-Personalized-Gift-Ideas/small-unique-Photo-Keychain-as-gift.aspx"",""http://www.giftstoindia24x7.com/Article/Gift-Ideas/Popular-Gift-Ideas/Popular-Personalized-Gift-Ideas/small-unique-Photo-Keychain-as-gift.aspx""" +"""http://www.giftstoindia24x7.com/Article/Gift-Ideas/Popular-Gift-Ideas/Popular-Personalized-Gift-Ideas/small-unique-Photo-Keychain-as-gift.aspx"",""http://www.giftstoindia24x7.com/Article/Gift-Ideas/Popular-Gift-Ideas/Popular-Personalized-Gift-Ideas/small-unique-Photo-Keychain-as-gift.aspx"",""http://www.giftstoindia24x7.com/Article/Indian-Festivals/Dussehra/When-is-Dussehra/Dussehra-2016-Triumph-of-Good-over-Evil.aspx"",""http://www.giftstoindia24x7.com/Article/Indian-Festivals/Dussehra/When-is-Dussehra/Dussehra-2016-Triumph-of-Good-over-Evil.aspx"",""http://www.giftstoindia24x7.com/Article/Indian-Festivals/Dussehra/When-is-Dussehra/Dussehra-2016-Triumph-of-Good-over-Evil.aspx""" +"""http://www.giftstoindia24x7.com/Article/Indian-Festivals/Dussehra/When-is-Dussehra/Dussehra-2016-Triumph-of-Good-over-Evil.aspx"",""http://www.giftstoindia24x7.com/Article/Indian-Festivals/Dussehra/When-is-Dussehra/Dussehra-2016-Triumph-of-Good-over-Evil.aspx"",""http://www.giftstoindia24x7.com/Article/Indian-Festivals/Karwa-Chauth/Karwa-Chauth-Gift-Ideas/Top-5-Gifts-for-Karwa-Chauth.aspx"",""http://www.giftstoindia24x7.com/Article/Indian-Festivals/Karwa-Chauth/Karwa-Chauth-Gift-Ideas/Top-5-Gifts-for-Karwa-Chauth.aspx"",""http://www.giftstoindia24x7.com/Article/Indian-Festivals/Karwa-Chauth/Karwa-Chauth-Gift-Ideas/Top-5-Gifts-for-Karwa-Chauth.aspx""" +"""http://www.giftstoindia24x7.com/Article/Indian-Festivals/Karwa-Chauth/Karwa-Chauth-Gift-Ideas/Top-5-Gifts-for-Karwa-Chauth.aspx"",""http://www.givemesport.com/879951-santi-cazorla-includes-just-one-current-player-in-alltime-arsenal-xi"",""http://www.givemesport.com/880042-mo-farah-wants-arsenal-fitness-coach-role-once-he-retires"",""http://www.givemesport.com/880406-statistics-suggest-alexis-sanchez-can-be-arsenals-new-thierry-henry"",""http://www.glamour.com/story/jennifer-anistons-husband-said-brad-pitt-and-angelina-jolies-divorce-is-terrible-news-for-their-six-children""" +"""http://www.glamour.com/story/jennifer-anistons-husband-said-brad-pitt-and-angelina-jolies-divorce-is-terrible-news-for-their-six-children"",""http://www.glamour.com/story/kanye-wests-fans-chanted-some-petty-stuff-about-taylor-swift-during-his-concert-this-weekend"",""http://www.glamour.com/story/kanye-wests-fans-chanted-some-petty-stuff-about-taylor-swift-during-his-concert-this-weekend"",""http://www.glamour.com/story/taylor-swift-new-shag-haircut-photos"",""http://www.glamour.com/story/taylor-swift-new-shag-haircut-photos""" +"""http://www.glamourmagazine.co.uk/news/beauty/2016/10/kim-kardashian-no-makeup"",""http://www.glamourmagazine.co.uk/news/beauty/2016/10/kim-kardashian-no-makeup"",""http://www.glamourmagazine.co.uk/news/celebrity/2016/09/19/lady-gaga-superbowl"",""http://www.glamourmagazine.co.uk/news/celebrity/2016/10/03/justin-theroux-talking-about-jennifer-aniston"",""http://www.glennbeck.com/2016/10/04/ten-places-the-obama-administration-says-are-not-in-israel/?""" +"""http://www.glennbeck.com/2016/10/04/ten-places-the-obama-administration-says-are-not-in-israel/?"",""http://www.globalsecurity.org/space/library/news/2016/space-160928-pdo01.htm"",""http://www.globalsecurity.org/space/library/news/2016/space-161004-isna01.htm"",""http://www.globalsecurity.org/space/library/news/2016/space-161005-voa01.htm"",""http://www.globenewswire.com/news-release/2016/10/03/876322/0/en/CIMZIA-certolizumab-pegol-Phase-3-Trial-Meets-Co-primary-Efficacy-Endpoints-in-Patients-with-Moderate-to-Severe-Chronic-Plaque-Psoriasis.html""" +"""http://www.globenewswire.com/news-release/2016/10/03/876322/0/en/CIMZIA-certolizumab-pegol-Phase-3-Trial-Meets-Co-primary-Efficacy-Endpoints-in-Patients-with-Moderate-to-Severe-Chronic-Plaque-Psoriasis.html"",""http://www.globenewswire.com/news-release/2016/10/03/876322/0/en/CIMZIA-certolizumab-pegol-Phase-3-Trial-Meets-Co-primary-Efficacy-Endpoints-in-Patients-with-Moderate-to-Severe-Chronic-Plaque-Psoriasis.html"",""http://www.goal.com/en/news/1716/champions-league/2016/09/26/27910552/arsenal-must-secure-alexis-future"",""http://www.goal.com/en/news/1716/champions-league/2016/09/26/27910552/arsenal-must-secure-alexis-future"",""http://www.goal.com/en/news/1862/premier-league/2016/09/27/27936812/walcott-im-completely-different-now""" +"""http://www.goal.com/en/news/2994/betting/2016/09/27/27871472/betting-arsenal-vs-basel"",""http://www.gokabbalahnow.com/index.php/madness-and-sanity-on-broadway"",""http://www.gokabbalahnow.com/index.php/madness-and-sanity-on-broadway"",""http://www.gokabbalahnow.com/index.php/the-3-pillars-of-learning"",""http://www.gokabbalahnow.com/index.php/the-3-pillars-of-learning""" +"""http://www.golf.com/courses-and-travel/mazel-turf-so-what-if-israel-golf-culture-meh"",""http://www.golf.com/courses-and-travel/mazel-turf-so-what-if-israel-golf-culture-meh"",""http://www.golf.com/courses-and-travel/mazel-turf-so-what-if-israel-golf-culture-meh"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats""" +"""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats""" +"""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats""" +"""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats""" +"""http://www.golocalworcester.com/lifestyle/huestis-meteors-other-astronomical-treats"",""http://www.goodhousekeeping.com/health/diet-nutrition/g3912/worst-weight-loss-advice/"",""http://www.goodhousekeeping.com/health/diet-nutrition/g3912/worst-weight-loss-advice/"",""http://www.goodhousekeeping.com/health/diet-nutrition/g3912/worst-weight-loss-advice/"",""http://www.goodhousekeeping.com/health/diet-nutrition/g3912/worst-weight-loss-advice/""" +"""http://www.goodhousekeeping.com/health/diet-nutrition/g3912/worst-weight-loss-advice/"",""http://www.gossipcop.com/angelina-jolie-divorce-updates-brad-pitt-news/"",""http://www.gossipcop.com/angelina-jolie-divorce-updates-brad-pitt-news/"",""http://www.gossipcop.com/ben-affleck-divorce-off-jennifer-garner-brad-pitt-angelina-jolie-split/"",""http://www.gossipcop.com/ben-affleck-divorce-off-jennifer-garner-brad-pitt-angelina-jolie-split/""" +"""http://www.gossipcop.com/justin-bieber-split-reason-sofia-richie-breakup/"",""http://www.gossipcop.com/justin-bieber-split-reason-sofia-richie-breakup/"",""http://www.gossipcop.com/justin-bieber-split-reason-sofia-richie-breakup/"",""http://www.govexec.com/technology/2016/10/shooting-space-make-life-better-earth/132170/"",""http://www.govexec.com/technology/2016/10/shooting-space-make-life-better-earth/132170/""" +"""http://www.govexec.com/technology/2016/10/shooting-space-make-life-better-earth/132170/"",""http://www.govexec.com/technology/2016/10/shooting-space-make-life-better-earth/132170/"",""http://www.govexec.com/technology/2016/10/shooting-space-make-life-better-earth/132170/"",""http://www.govexec.com/technology/2016/10/shooting-space-make-life-better-earth/132170/"",""http://www.gq.com/story/donald-trump-tax-returns-libel""" +"""http://www.gq.com/story/donald-trump-tax-returns-libel"",""http://www.gq.com/story/elon-musk-say-were-going-to-die-lets-go-to-mars"",""http://www.gq.com/story/elon-musk-say-were-going-to-die-lets-go-to-mars"",""http://www.gqindia.com/get-smart/pop-culture/sarah-jane-dias-and-prateik-heat-things-up-on-the-red-carpet/"",""http://www.gqindia.com/get-smart/pop-culture/we-finally-know-why-ranveer-singh-never-leaves-home-without-his-boombox/""" +"""http://www.greencarreports.com/news/1106613_how-safe-is-tesla-autopilot-parsing-the-statistics-as-suggested-by-elon-musk"",""http://www.greencarreports.com/news/1106613_how-safe-is-tesla-autopilot-parsing-the-statistics-as-suggested-by-elon-musk"",""http://www.greencarreports.com/news/1106613_how-safe-is-tesla-autopilot-parsing-the-statistics-as-suggested-by-elon-musk"",""http://www.greencarreports.com/news/1106613_how-safe-is-tesla-autopilot-parsing-the-statistics-as-suggested-by-elon-musk"",""http://www.griffinhealth.org/about/griffin-health/news/Post/13671/School-of-Allied-Health-Careers-Offers-Accelerated-CNA-Classes""" +"""http://www.guitarplayer.com/artist-videos/1436/how-metallica-would-sound-if-they-played-in-d-tuning/59797"",""http://www.guitarplayer.com/artist-videos/1436/metallica-perform-on-jimmy-fallon-and-reveal-meaning-of-new-album/59984"",""http://www.guitarplayer.com/artist-videos/1436/metallica-perform-on-jimmy-fallon-and-reveal-meaning-of-new-album/59984"",""http://www.haaretz.com/israel-news/.premium-1.742411"",""http://www.haaretz.com/israel-news/.premium-1.742411""" +"""http://www.haaretz.com/israel-news/.premium-1.742411"",""http://www.harpersbazaar.com/beauty/makeup/news/a18035/kim-kardashian-makeup-free-at-balenciaga/"",""http://www.harpersbazaar.com/beauty/makeup/news/a18035/kim-kardashian-makeup-free-at-balenciaga/"",""http://www.harpersbazaar.com/celebrity/latest/news/a18042/kim-kardashian-givenchy-show-pfw-2016/"",""http://www.harpersbazaar.com/celebrity/latest/news/a18063/kim-kardashian-robbery-security-expert/""" +"""http://www.harpersbazaar.com/celebrity/latest/news/a18063/kim-kardashian-robbery-security-expert/"",""http://www.health.com/breast-cancer/double-mastectomy-treatment"",""http://www.health.com/breast-cancer/double-mastectomy-treatment"",""http://www.health.com/food/diy-pumpkin-spice-latte"",""http://www.health.com/food/giada-de-laurentiis-no-takeout-challenge-signup""" +"""http://www.health.harvard.edu/diseases-and-conditions/considering-cataract-surgery-what-you-should-know"",""http://www.health.harvard.edu/diseases-and-conditions/considering-cataract-surgery-what-you-should-know"",""http://www.health.harvard.edu/heart-health/join-the-healthy-heart-trend"",""http://www.health.harvard.edu/heart-health/join-the-healthy-heart-trend"",""http://www.health.harvard.edu/heart-health/join-the-healthy-heart-trend""" +"""http://www.health.harvard.edu/heart-health/join-the-healthy-heart-trend"",""http://www.health.harvard.edu/heart-health/join-the-healthy-heart-trend"",""http://www.health.harvard.edu/staying-healthy/6-things-you-should-know-about-vitamin-d"",""http://www.healthaffairs.org/developingcountries.php"",""http://www.healthaffairs.org/developingcountries.php""" +"""http://www.healthcareitnews.com/news/hddcryptor-ransomware-returns-now-encrypts-entire-hard-drives-not-just-single-files"",""http://www.healthcareitnews.com/news/hddcryptor-ransomware-returns-now-encrypts-entire-hard-drives-not-just-single-files"",""http://www.healthcareitnews.com/news/hddcryptor-ransomware-returns-now-encrypts-entire-hard-drives-not-just-single-files"",""http://www.healthcareitnews.com/news/medtronic-introduces-ibm-watson-powered-sugariq-diabetes-app"",""http://www.healthcareitnews.com/news/medtronic-introduces-ibm-watson-powered-sugariq-diabetes-app""" +"""http://www.healthcareitnews.com/news/medtronic-introduces-ibm-watson-powered-sugariq-diabetes-app"",""http://www.healthcareitnews.com/slideshow/women-health-it-summit-southeast"",""http://www.healthcareitnews.com/slideshow/women-health-it-summit-southeast"",""http://www.healthcareitnews.com/slideshow/women-health-it-summit-southeast"",""http://www.healthnewsreview.org/2016/09/write-addiction-without-promoting-stigma-bias-4-tips-journalists/""" +"""http://www.healthnewsreview.org/2016/09/write-addiction-without-promoting-stigma-bias-4-tips-journalists/"",""http://www.healthnewsreview.org/2016/09/write-addiction-without-promoting-stigma-bias-4-tips-journalists/"",""http://www.healthnewsreview.org/2016/09/write-addiction-without-promoting-stigma-bias-4-tips-journalists/"",""http://www.healthnewsreview.org/news-release-review/dana-farber-touts-potential-leukemia-cure-based-on-study-involving-only-mice/"",""http://www.healthnewsreview.org/news-release-review/dana-farber-touts-potential-leukemia-cure-based-on-study-involving-only-mice/""" +"""http://www.healthnewsreview.org/news-release-review/dana-farber-touts-potential-leukemia-cure-based-on-study-involving-only-mice/"",""http://www.healthnewsreview.org/news-release-review/dana-farber-touts-potential-leukemia-cure-based-on-study-involving-only-mice/"",""http://www.healthnewsreview.org/news-release-review/dana-farber-touts-potential-leukemia-cure-based-on-study-involving-only-mice/"",""http://www.healthnewsreview.org/news-release-review/unc-pr-release-offers-platitudes-but-few-facts-on-new-cochlear-implant-for-adults/"",""http://www.healthnewsreview.org/news-release-review/unc-pr-release-offers-platitudes-but-few-facts-on-new-cochlear-implant-for-adults/""" +"""http://www.healthnewsreview.org/news-release-review/unc-pr-release-offers-platitudes-but-few-facts-on-new-cochlear-implant-for-adults/"",""http://www.healthnewsreview.org/news-release-review/unc-pr-release-offers-platitudes-but-few-facts-on-new-cochlear-implant-for-adults/"",""http://www.healthstream.com/resources/customer-stories/customer-stories/2016/10/10/genesis-health-system"",""http://www.healthstream.com/resources/customer-stories/customer-stories/2016/10/10/genesis-health-system"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40""" +"""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40""" +"""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40""" +"""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=40"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41""" +"""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41""" +"""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41""" +"""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/Insights/whitepapers.aspx?id=41"",""http://www.healthwise.org/insights/"",""http://www.hellomagazine.com/celebrities/2016092633713/cristiano-ronaldo-instagram-new-member/"",""http://www.hellomagazine.com/celebrities/2016092733722/justin-theroux-successful-marriage-jennifer-aniston/""" +"""http://www.hellomagazine.com/healthandbeauty/hair/2016092633720/taylor-swift-debuts-new-edgy-hairstyle/"",""http://www.heraldscotland.com/NEWS/14788901.Ban_on_running_in_playground_overturned_after_Judy_Murray_intervenes/?ref=rss&utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+ScottishNewsHeraldScotland+%28Scottish+News+%7C+Herald+Scotland%29"",""http://www.heraldscotland.com/NEWS/14788901.Ban_on_running_in_playground_overturned_after_Judy_Murray_intervenes/?ref=rss&utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+ScottishNewsHeraldScotland+%28Scottish+News+%7C+Herald+Scotland%29"",""http://www.heraldscotland.com/NEWS/14788901.Ban_on_running_in_playground_overturned_after_Judy_Murray_intervenes/?ref=rss&utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+ScottishNewsHeraldScotland+%28Scottish+News+%7C+Herald+Scotland%29"",""http://www.heraldstaronline.com/news/business/2016/10/real-estate-mogul-to-pay-creditors-286m/""" +"""http://www.heraldstaronline.com/news/business/2016/10/real-estate-mogul-to-pay-creditors-286m/"",""http://www.herefordtimes.com/news/national/14781818.Shakespeare_s_Cleopatra__a_better_role_model_for_girls_than_Kim_Kardashian_/"",""http://www.highsnobiety.com/2016/09/29/rihanna-fenty-puma-ss17/"",""http://www.highsnobiety.com/2016/09/29/rihanna-puma-fenty-creeper-sneaker/"",""http://www.highsnobiety.com/2016/10/11/drake-rihanna-break-up/""" +"""http://www.hindustantimes.com/india-news/j-k-ex-legislator-s-relative-missing-with-security-guard-s-rifle/story-m3V7dgqPHABhkgBJJpLB1O.html"",""http://www.hindustantimes.com/india-news/j-k-ex-legislator-s-relative-missing-with-security-guard-s-rifle/story-m3V7dgqPHABhkgBJJpLB1O.html"",""http://www.hindustantimes.com/india-news/modi-skips-saarc-summit-five-things-in-the-diplomatic-tussle-you-must-know/story-0h1F2zwgAiK9bCO4n1Ja6M.html"",""http://www.hindustantimes.com/india-news/modi-skips-saarc-summit-five-things-in-the-diplomatic-tussle-you-must-know/story-0h1F2zwgAiK9bCO4n1Ja6M.html"",""http://www.hindustantimes.com/india-news/navy-war-room-leak-case-court-imposes-rs-5-000-fine-on-cbi-for-delaying-session/story-cACOTLhoqdHhjHQKVKwMvJ.html""" +"""http://www.hindustantimes.com/india-news/navy-war-room-leak-case-court-imposes-rs-5-000-fine-on-cbi-for-delaying-session/story-cACOTLhoqdHhjHQKVKwMvJ.html"",""http://www.hokiesports.com/football/recaps/20160929aaa.html"",""http://www.hokiesports.com/football/recaps/20161003aaa.html"",""http://www.hollywood.com/celebrities/is-taylor-swift-trying-to-steal-lady-gagas-super-bowl-shine-60642804/"",""http://www.hollywood.com/celebrities/is-taylor-swift-trying-to-steal-lady-gagas-super-bowl-shine-60642804/""" +"""http://www.hollywood.com/celebrities/is-taylor-swift-trying-to-steal-lady-gagas-super-bowl-shine-60642804/?hw_ref=hb-featured"",""http://www.hollywood.com/celebrities/is-taylor-swift-trying-to-steal-lady-gagas-super-bowl-shine-60642804/?hw_ref=hb-featured"",""http://www.hollywood.com/general/lady-gaga-plans-to-push-the-envelope-at-super-bowl-60641803/"",""http://www.hollywoodreporter.com/live-feed/will-grace-reunion-debra-messing-932915"",""http://www.hollywoodreporter.com/news/mtv-emas-nominations-beyonce-justin-932807""" +"""http://www.hollywoodreporter.com/news/who-gets-custody-brangelinas-miraval-932851"",""http://www.homedsgn.com/2016/09/29/nomade-architettura-interior-design-renovate-a-1930s-apartment-in-milan/"",""http://www.homedsgn.com/2016/09/29/nomade-architettura-interior-design-renovate-a-1930s-apartment-in-milan/"",""http://www.homedsgn.com/2016/10/11/bornelo-interior-design-creates-a-stunning-penthouse-with-spectacular-views-in-palma-de-mallorca/"",""http://www.homedsgn.com/2016/10/11/bornelo-interior-design-creates-a-stunning-penthouse-with-spectacular-views-in-palma-de-mallorca/""" +"""http://www.hotnewhiphop.com/first-look-at-rihannas-s1-000-puma-fenty-boots-news.24194.html"",""http://www.hotnewhiphop.com/first-look-at-rihannas-s1-000-puma-fenty-boots-news.24194.html"",""http://www.hotnewhiphop.com/first-look-at-rihannas-s1-000-puma-fenty-boots-news.24194.html"",""http://www.hotnewhiphop.com/kim-kardashian-kanye-gave-me-an-adidas-engraved-ring-after-signing-new-deal-new-video.38687.html"",""http://www.hotnewhiphop.com/kim-kardashian-kanye-gave-me-an-adidas-engraved-ring-after-signing-new-deal-new-video.38687.html""" +"""http://www.hotnewhiphop.com/kim-kardashian-kanye-gave-me-an-adidas-engraved-ring-after-signing-new-deal-new-video.38687.html"",""http://www.hotnewhiphop.com/rihanna-x-puma-creeper-restocking-in-original-colorways-this-week-news.24367.html"",""http://www.hotnewhiphop.com/rihanna-x-puma-creeper-restocking-in-original-colorways-this-week-news.24367.html"",""http://www.houstonpress.com/arts/passion-vs-obsession-in-the-blind-astronomers-daughter-8829271"",""http://www.houstonpress.com/arts/passion-vs-obsession-in-the-blind-astronomers-daughter-8829271""" +"""http://www.houstonpress.com/arts/passion-vs-obsession-in-the-blind-astronomers-daughter-8829271"",""http://www.houstonpress.com/music/margo-price-channels-her-inner-loretta-lynn-at-house-of-blues-8835164"",""http://www.houstonpress.com/music/margo-price-channels-her-inner-loretta-lynn-at-house-of-blues-8835164"",""http://www.hsc.wvu.edu/news/story?headline=wvu-startup-invites-health-professionals-and-public-to-opening-oct-4"",""http://www.huffingtonpost.com/ted-lewis/mexico-and-the-us-presidential-debates_b_12177508.html?utm_hp_ref=barack-obama""" +"""http://www.huffingtonpost.com/ted-lewis/mexico-and-the-us-presidential-debates_b_12177508.html?utm_hp_ref=barack-obama"",""http://www.huffingtonpost.com/terry-krepel/worldnetdaily-will-die-on_b_12095292.html?utm_hp_ref=barack-obama"",""http://www.huffingtonpost.com/terry-krepel/worldnetdaily-will-die-on_b_12095292.html?utm_hp_ref=barack-obama"",""http://www.huffingtonpost.com/william-hartung/the-us-military-is-not-a_b_12199224.html?utm_hp_ref=barack-obama"",""http://www.i4u.com/2016/09/115742/apple-sends-army-5000-deloitte-consultants-businesses""" +"""http://www.i4u.com/2016/09/115742/apple-sends-army-5000-deloitte-consultants-businesses"",""http://www.i4u.com/2016/09/115742/apple-sends-army-5000-deloitte-consultants-businesses"",""http://www.i4u.com/2016/09/115742/apple-sends-army-5000-deloitte-consultants-businesses"",""http://www.i4u.com/2016/09/115778/apple-s-secretly-meeting-world-s-best-hackers"",""http://www.i4u.com/2016/09/115778/apple-s-secretly-meeting-world-s-best-hackers""" +"""http://www.i4u.com/2016/09/115778/apple-s-secretly-meeting-world-s-best-hackers"",""http://www.i4u.com/2016/09/115787/apples-45-million-research-center-china-focus-hardware"",""http://www.i4u.com/2016/09/115787/apples-45-million-research-center-china-focus-hardware"",""http://www.ibtimes.co.uk/arsenal-receive-injury-boost-carl-jenkinson-returns-full-training-1583249"",""http://www.ibtimes.co.uk/arsenal-receive-injury-boost-carl-jenkinson-returns-full-training-1583249""" +"""http://www.ibtimes.co.uk/arsenal-receive-injury-boost-carl-jenkinson-returns-full-training-1583249"",""http://www.ibtimes.co.uk/arsenal-receive-injury-boost-carl-jenkinson-returns-full-training-1583249"",""http://www.ibtimes.co.uk/arsenal-receive-injury-boost-carl-jenkinson-returns-full-training-1583249"",""http://www.ibtimes.com/donald-trump-immigration-plan-better-hillary-clintons-border-group-says-endorsement-2422012"",""http://www.ibtimes.com/donald-trump-immigration-plan-better-hillary-clintons-border-group-says-endorsement-2422012""" +"""http://www.ibtimes.com/donald-trump-immigration-plan-better-hillary-clintons-border-group-says-endorsement-2422012"",""http://www.ibtimes.com/john-oliver-recaps-donald-trump-hillary-clinton-scandals-ahead-first-presidential-2421862"",""http://www.ibtimes.com/john-oliver-recaps-donald-trump-hillary-clinton-scandals-ahead-first-presidential-2421862"",""http://www.ibtimes.com/john-oliver-recaps-donald-trump-hillary-clinton-scandals-ahead-first-presidential-2421862"",""http://www.ibtimes.com/john-oliver-recaps-donald-trump-hillary-clinton-scandals-ahead-first-presidential-2421862""" +"""http://www.idolator.com/7646808/ariana-grande-would-try-country-music"",""http://www.idolator.com/7646808/ariana-grande-would-try-country-music"",""http://www.idolator.com/7646851/2016-mtv-europe-music-awards-nominations-beyonce-justin-bieber"",""http://www.idolator.com/7646979/justin-bieber-post-malone-kanye-west-pharrell"",""http://www.idolator.com/7646979/justin-bieber-post-malone-kanye-west-pharrell""" +"""http://www.ifcj.org/news/stand-for-israel/Hamas-Calls-for-Day-of-Rage-During-Peres-Funeral.html"",""http://www.ifcj.org/news/stand-for-israel/Hamas-Calls-for-Day-of-Rage-During-Peres-Funeral.html"",""http://www.ifcj.org/news/stand-for-israel/Larger-Than-Life-Shimon-Peres-a-Legacy-in-Pictures.html"",""http://www.ifcj.org/news/stand-for-israel/Larger-Than-Life-Shimon-Peres-a-Legacy-in-Pictures.html"",""http://www.iflscience.com/space/everything-you-need-to-know-about-elon-musks-plan-to-colonize-mars/""" +"""http://www.ign.com/articles/2016/09/28/game-of-thrones-coloring-book-debuts-new-jon-snow-art"",""http://www.ign.com/articles/2016/09/28/game-of-thrones-coloring-book-debuts-new-jon-snow-art"",""http://www.ihlondon.com/news/2016/ih-london-social-programme-visits-the-shard/"",""http://www.ihlondon.com/news/2016/ih-london-social-programme-visits-the-shard/"",""http://www.ihlondon.com/news/2016/serhan-aysever-visits-ih-almaty-in-kazakhstan/""" +"""http://www.ihlondon.com/news/2016/serhan-aysever-visits-ih-almaty-in-kazakhstan/"",""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement"",""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement"",""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement"",""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement""" +"""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement"",""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement"",""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement"",""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement"",""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement""" +"""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement"",""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement"",""http://www.imshealth.com/en/thought-leadership/build-customer-trust-and-loyalty-through-more-effective-engagement"",""http://www.inc.com/justin-bariso/this-is-the-most-self-confident-arrogant-profession-in-america-study-says.html"",""http://www.inc.com/justin-bariso/this-is-the-most-self-confident-arrogant-profession-in-america-study-says.html""" +"""http://www.inc.com/justin-bariso/this-is-the-most-self-confident-arrogant-profession-in-america-study-says.html"",""http://www.inc.com/justin-bariso/want-to-raise-creative-kids-with-strong-character-an-award-winning-psychologist-.html"",""http://www.inc.com/justin-bariso/want-to-raise-creative-kids-with-strong-character-an-award-winning-psychologist-.html"",""http://www.inc.com/justin-bariso/want-to-raise-creative-kids-with-strong-character-an-award-winning-psychologist-.html"",""http://www.inc.com/justin-bariso/want-to-raise-creative-kids-with-strong-character-an-award-winning-psychologist-.html""" +"""http://www.inc.com/justin-bariso/you-should-never-give-negative-feedback-through-email-unless-you-do-it-like-this.html"",""http://www.inc.com/justin-bariso/you-should-never-give-negative-feedback-through-email-unless-you-do-it-like-this.html"",""http://www.inc.com/justin-bariso/you-should-never-give-negative-feedback-through-email-unless-you-do-it-like-this.html"",""http://www.independent.co.uk/news/world/americas/first-presidential-debate-live-stream-watch-online-donald-trump-hillary-clinton-election-2016-a7331451.html"",""http://www.independent.co.uk/sport/football/premier-league/ruthless-liverpool-wanted-to-hammer-us-but-arsenal-were-content-on-winning-says-hull-captain-curtis-a7330911.html""" +"""http://www.independent.co.uk/voices/hillary-clinton-donald-trump-us-presidency-misogyny-debating-a7330546.html"",""http://www.india.com/news/world/barack-obama-names-first-ambassador-to-cuba-in-five-decades-1518478/"",""http://www.india.com/news/world/barack-obama-names-first-ambassador-to-cuba-in-five-decades-1518478/"",""http://www.indiainfoline.com/article/news-personal-finance/why-life-insurance-should-not-be-ignored-during-financial-planning-116092200449_1.html"",""http://www.indiainfoline.com/article/news-top-story/nifty-ends-above-8-600-mark-116093000506_1.html""" +"""http://www.indiainfoline.com/article/news-top-story/sun-pharma-to-announce-late-breaking-results-for-investigational-il-23p19-inhibitor-116100100425_1.html"",""http://www.indiaretailing.com/2016/09/28/fashion/khadi-showroom-open-ranchi-airport/"",""http://www.indiaretailing.com/2016/09/28/food/food-service/tata-starbucks-registers-39-per-cent-growth-fy-2015-16/"",""http://www.indiaretailing.com/2016/09/28/retail/snapdeal-lights-festivities-exciting-unbox-diwali-sale-offers/"",""http://www.indiatvnews.com/entertainment/bollywood-udta-punjab-copied-high-society-anurag-kashyap-statement-350105""" +"""http://www.indiatvnews.com/entertainment/bollywood-udta-punjab-copied-high-society-anurag-kashyap-statement-350105"",""http://www.indiatvnews.com/entertainment/bollywood-udta-punjab-copied-high-society-anurag-kashyap-statement-350105"",""http://www.indiatvnews.com/news/india-jadoo-ki-jhappi-to-calm-down-people-of-south-kashmir-army-official-350100?edi-cat-1&utm_source=editor_pick&utm_medium=rhs_widget&utm_campaign=editor_widget"",""http://www.indiatvnews.com/news/india-jadoo-ki-jhappi-to-calm-down-people-of-south-kashmir-army-official-350100?edi-cat-1&utm_source=editor_pick&utm_medium=rhs_widget&utm_campaign=editor_widget"",""http://www.indiatvnews.com/politics/national-saamana-cartoon-row-cartoonist-apologises-for-hurting-maratha-sentiments-350054?utm_source=livetv&utm_medium=livetv_top_story&utm_campaign=top_story_widget""" +"""http://www.indiatvnews.com/politics/national-saamana-cartoon-row-cartoonist-apologises-for-hurting-maratha-sentiments-350054?utm_source=livetv&utm_medium=livetv_top_story&utm_campaign=top_story_widget"",""http://www.indiawaterportal.org/articles/farmers-think-tanks-fight-save-water"",""http://www.indiawaterportal.org/articles/farmers-think-tanks-fight-save-water"",""http://www.indiawaterportal.org/articles/no-fish-water-fishermen-sea"",""http://www.indiawaterportal.org/articles/no-fish-water-fishermen-sea""" +"""http://www.indiawaterportal.org/articles/ways-keep-arsenic-away"",""http://www.indiawaterportal.org/articles/ways-keep-arsenic-away"",""http://www.indiawaterportal.org/articles/ways-keep-arsenic-away"",""http://www.indiawest.com/entertainment/bollywood/tannishtha-chatterjee-walks-out-of-comedy-nights-bachao-pens-open/article_52376c8a-85ad-11e6-84d3-337d7c18d759.html"",""http://www.indiawest.com/entertainment/bollywood/tannishtha-chatterjee-walks-out-of-comedy-nights-bachao-pens-open/article_52376c8a-85ad-11e6-84d3-337d7c18d759.html""" +"""http://www.indiawest.com/entertainment/bollywood/tannishtha-chatterjee-walks-out-of-comedy-nights-bachao-pens-open/article_52376c8a-85ad-11e6-84d3-337d7c18d759.html"",""http://www.indiawest.com/entertainment/global/naatak-s-new-play-mr-india-a-grand-musical/article_abb7a5b4-85a7-11e6-9030-2781ae41e96a.html"",""http://www.indiawest.com/entertainment/global/naatak-s-new-play-mr-india-a-grand-musical/article_abb7a5b4-85a7-11e6-9030-2781ae41e96a.html"",""http://www.indiawest.com/entertainment/global/naatak-s-new-play-mr-india-a-grand-musical/article_abb7a5b4-85a7-11e6-9030-2781ae41e96a.html"",""http://www.indiewire.com/2016/10/taraji-p-henson-brad-pitt-cate-blanchett-benjamin-button-pay-1201735735/""" +"""http://www.indiewire.com/2016/10/taraji-p-henson-brad-pitt-cate-blanchett-benjamin-button-pay-1201735735/"",""http://www.informationng.com/2016/10/cristiano-ronaldo-opens-luxurious-82-room-hotel-in-portugal.html"",""http://www.informationng.com/2016/10/inside-cristiano-ronaldos-multi-million-dollar-hotel-lisbon.html"",""http://www.infowars.com/glenn-beck-breaks-up-with-ted-cruz-over-his-donald-trump-endorsement/"",""http://www.infowars.com/glenn-beck-breaks-up-with-ted-cruz-over-his-donald-trump-endorsement/""" +"""http://www.infowars.com/liberals-sign-petition-to-jail-donald-trump-for-hate-crimes/"",""http://www.infowars.com/liberals-sign-petition-to-jail-donald-trump-for-hate-crimes/"",""http://www.infowars.com/upicvoter-state-polls-donald-trump-ahead-of-hillary-clinton-in-electoral-college/"",""http://www.infowars.com/upicvoter-state-polls-donald-trump-ahead-of-hillary-clinton-in-electoral-college/"",""http://www.infoworld.com/article/3127227/javascript/ecmascript-typescript-lead-among-javascript-flavors.html""" +"""http://www.infoworld.com/article/3127227/javascript/ecmascript-typescript-lead-among-javascript-flavors.html"",""http://www.infoworld.com/article/3127227/javascript/ecmascript-typescript-lead-among-javascript-flavors.html"",""http://www.infoworld.com/article/3127227/javascript/ecmascript-typescript-lead-among-javascript-flavors.html"",""http://www.infoworld.com/article/3127227/javascript/ecmascript-typescript-lead-among-javascript-flavors.html"",""http://www.infoworld.com/article/3128365/javascript/vuejs-javascript-framework-revs-up-rendering.html""" +"""http://www.infoworld.com/article/3128365/javascript/vuejs-javascript-framework-revs-up-rendering.html"",""http://www.infoworld.com/article/3128365/javascript/vuejs-javascript-framework-revs-up-rendering.html"",""http://www.infoworld.com/article/3128365/javascript/vuejs-javascript-framework-revs-up-rendering.html"",""http://www.infoworld.com/article/3128365/javascript/vuejs-javascript-framework-revs-up-rendering.html"",""http://www.infoworld.com/article/3130179/javascript/facebook-spins-yarn-to-replace-npm-packager.html""" +"""http://www.infoworld.com/article/3130179/javascript/facebook-spins-yarn-to-replace-npm-packager.html"",""http://www.infoworld.com/article/3130179/javascript/facebook-spins-yarn-to-replace-npm-packager.html"",""http://www.infoworld.com/article/3130179/javascript/facebook-spins-yarn-to-replace-npm-packager.html"",""http://www.infoworld.com/article/3130179/javascript/facebook-spins-yarn-to-replace-npm-packager.html"",""http://www.inquisitr.com/3522024/2017-nfl-super-bowl-halftime-acts-considered-adele-is-a-no-lady-gaga-a-possibility-as-well-as-j-lo-or-taylor-swift/""" +"""http://www.inquisitr.com/3523016/rihanna-and-drake-dating-update-is-chris-brown-in-denial-as-couple-faces-wedding-rumors/"",""http://www.inquisitr.com/3523815/brad-pitt-and-angelina-jolie-divorcing-and-marion-cotillard-is-the-cause/"",""http://www.insideedition.com/headlines/18914-katy-perry-sheds-her-clothes-to-boost-voter-turnout-let-those-babies-loose"",""http://www.insideedition.com/headlines/18964-new-fat-shaming-allegations-surface-against-trump-including-rant-against-kim-kardashian"",""http://www.institute-of-fundraising.org.uk/about-us/news/government-contributes-245000-to-localgivings-grow-your-tenner/""" +"""http://www.institute-of-fundraising.org.uk/about-us/news/government-contributes-245000-to-localgivings-grow-your-tenner/"",""http://www.institute-of-fundraising.org.uk/about-us/news/government-contributes-245000-to-localgivings-grow-your-tenner/"",""http://www.institute-of-fundraising.org.uk/about-us/news/handbook-to-help-charity-trustees-act-on-fundraising/"",""http://www.institute-of-fundraising.org.uk/about-us/news/handbook-to-help-charity-trustees-act-on-fundraising/"",""http://www.institute-of-fundraising.org.uk/about-us/news/handbook-to-help-charity-trustees-act-on-fundraising/""" +"""http://www.instyle.com/celebrity/brad-pitt-angelina-jolie-cutest-moments?iid=mostpopularmodpinterest"",""http://www.instyle.com/celebrity/brad-pitt-angelina-jolie-cutest-moments?iid=mostpopularmodpinterest"",""http://www.instyle.com/news/kim-kardashian-white-opera-rome-kanye-west"",""http://www.instyle.com/news/kim-kardashian-white-opera-rome-kanye-west"",""http://www.instyle.com/news/taylor-swift-black-minidress-tan-trench-cara-delevingne""" +"""http://www.interiordesign.net/articles/12272-how-muuto-helped-usher-in-a-new-chapter-for-scandinavian-design/"",""http://www.interiordesign.net/articles/12401-10-questions-with-stefanie-shunk-of-gensler/"",""http://www.interiordesign.net/articles/12402-our-most-read-stories-in-september/"",""http://www.interiorsandsources.com/article-details/articleid/20722/title/configura-to-host-9th-annual-cet-designer-user-conference.aspx"",""http://www.interiorsandsources.com/article-details/articleid/20722/title/configura-to-host-9th-annual-cet-designer-user-conference.aspx""" +"""http://www.interiorsandsources.com/interior-design-news/interior-design-news-detail/articleid/20763/title/inscape-expands-sales-team-in-west-coast.aspx"",""http://www.interiorsandsources.com/interior-design-news/interior-design-news-detail/articleid/20764/title/asid-becomes-featured-research-partner-in-new-dodge-data-and-analytics-report.aspx"",""http://www.intouchweekly.com/posts/angelina-jolie-brad-pitt-phone-number-114620"",""http://www.intouchweekly.com/posts/brad-pitt-angelina-jolie-reconciliation-114721"",""http://www.intouchweekly.com/posts/khloe-kardashian-brad-pitt-dating-confession-114702""" +"""http://www.investigativeproject.org/5666/israel-resilient-decency-despite-extreme-terrorism#"",""http://www.investigativeproject.org/5666/israel-resilient-decency-despite-extreme-terrorism#"",""http://www.investigativeproject.org/5666/israel-resilient-decency-despite-extreme-terrorism#"",""http://www.iol.co.za/news/going-back-to-basic-to-fight-aids-2001541"",""http://www.iol.co.za/news/going-back-to-basic-to-fight-aids-2001541""" +"""http://www.iphonefirmware.com/aetna-launching-free-apple-watch-program-for-50000-employees-customer-employer-subsidies-to-lower-price/"",""http://www.iphonefirmware.com/aetna-launching-free-apple-watch-program-for-50000-employees-customer-employer-subsidies-to-lower-price/"",""http://www.iphonefirmware.com/aetna-launching-free-apple-watch-program-for-50000-employees-customer-employer-subsidies-to-lower-price/"",""http://www.iphonefirmware.com/aetna-launching-free-apple-watch-program-for-50000-employees-customer-employer-subsidies-to-lower-price/"",""http://www.iphonefirmware.com/apple-increases-iphone-7-component-orders-for-q4-2016/""" +"""http://www.iphonefirmware.com/apple-increases-iphone-7-component-orders-for-q4-2016/"",""http://www.iphonefirmware.com/apple-increases-iphone-7-component-orders-for-q4-2016/"",""http://www.iphonefirmware.com/manhattans-union-square-cafe-will-outfit-managers-with-apple-watches-to-improve-hospitality/"",""http://www.iphonefirmware.com/manhattans-union-square-cafe-will-outfit-managers-with-apple-watches-to-improve-hospitality/"",""http://www.iphonefirmware.com/manhattans-union-square-cafe-will-outfit-managers-with-apple-watches-to-improve-hospitality/""" +"""http://www.iphonefirmware.com/manhattans-union-square-cafe-will-outfit-managers-with-apple-watches-to-improve-hospitality/"",""http://www.ireland.com/en-gb/what-is-available/ireland-on-screen/game-of-thrones/"",""http://www.ireland.com/en-gb/what-is-available/ireland-on-screen/game-of-thrones/"",""http://www.ireland.com/en-gb/what-is-available/ireland-on-screen/game-of-thrones/"",""http://www.ireland.com/en-gb/what-is-available/ireland-on-screen/game-of-thrones/""" +"""http://www.ireland.com/en-gb/what-is-available/ireland-on-screen/game-of-thrones/"",""http://www.ireland.com/en-gb/what-is-available/ireland-on-screen/game-of-thrones/"",""http://www.irishexaminer.com/ireland/irish-smart-chip-to-revolutionise-how-heart-pacemakers-are-made-work-and-fitted-424402.html"",""http://www.irishexaminer.com/ireland/irish-smart-chip-to-revolutionise-how-heart-pacemakers-are-made-work-and-fitted-424402.html"",""http://www.irishnews.com/news/2016/10/06/news/police-to-hold-talks-with-derry-city-football-club-over-attack-on-visiting-fans-723043/""" +"""http://www.irishnews.com/sport/2016/10/05/news/football-is-still-a-great-game-despite-the-sam-allardyce-controversy---roy-keane-720718/"",""http://www.isagenixhealth.net/plant-based-nutritional-cleansing-isagenix/"",""http://www.israel21c.org/how-israel-is-saving-the-honeybees/#comments"",""http://www.israel21c.org/how-israel-is-saving-the-honeybees/#comments"",""http://www.israel21c.org/how-israel-is-saving-the-honeybees/#comments""" +"""http://www.israel21c.org/petah-tikva-mayor-surprises-residents-in-the-back-of-a-cab/"",""http://www.israel21c.org/petah-tikva-mayor-surprises-residents-in-the-back-of-a-cab/"",""http://www.israel21c.org/petah-tikva-mayor-surprises-residents-in-the-back-of-a-cab/"",""http://www.israel21c.org/shimon-peres-the-world-mourns-with-israel/#comments"",""http://www.israel21c.org/shimon-peres-the-world-mourns-with-israel/#comments""" +"""http://www.israelnationalnews.com/Articles/Article.aspx/19543"",""http://www.israelnationalnews.com/Articles/Article.aspx/19543"",""http://www.israelnationalnews.com/Articles/Article.aspx/19543"",""http://www.israelnationalnews.com/News/News.aspx/215211"",""http://www.israelnationalnews.com/News/News.aspx/215211""" +"""http://www.israelnationalnews.com/News/News.aspx/215252"",""http://www.israeltoday.co.il/NewsItem/tabid/178/nid/30160/Default.aspx"",""http://www.israeltoday.co.il/NewsItem/tabid/178/nid/30160/Default.aspx"",""http://www.israeltoday.co.il/NewsItem/tabid/178/nid/30181/Default.aspx"",""http://www.israeltoday.co.il/NewsItem/tabid/178/nid/30181/Default.aspx""" +"""http://www.israeltoday.co.il/NewsItem/tabid/178/nid/30183/Default.aspx"",""http://www.israeltoday.co.il/NewsItem/tabid/178/nid/30183/Default.aspx"",""http://www.itechpost.com/articles/33737/20160927/fifa-17-fifa-17-news-fifa-17-updates-fifa-17-spoilers-fifa-17-released-date-soccer-football-marco-reus-eden-hazard-james-rodriguez-anthony-martia-cristiano-ronaldo-lionel-messi-neymar.htm"",""http://www.itechpost.com/articles/36882/20161006/boeing-sets-rivalry-against-spacex-to-put-people-on-mars.htm"",""http://www.itechpost.com/articles/39385/20161011/elon-musk-tesla-ceo-launch.htm""" +"""http://www.itftennis.com/news/243247.aspx"",""http://www.itftennis.com/news/243247.aspx"",""http://www.itv.com/news/london/2016-09-26/corbyn-and-khan-havent-spoken-since-the-mayor-backed-leadership-rival/"",""http://www.itv.com/news/london/2016-09-26/dry-cleaner-cat-reunited-with-kittens/"",""http://www.itv.com/news/london/2016-09-26/liverpool-street-station-at-a-standstill/""" +"""http://www.itv.com/news/london/2016-09-26/liverpool-street-station-at-a-standstill/"",""http://www.j-14.com/posts/ariana-grande-talks-about-why-being-in-love-is-so-great-114756"",""http://www.j-14.com/posts/justin-bieber-insults-fans-114623"",""http://www.jambase.com/article/exclusive-premiere-umphreys-mcgee-shares-sad-clint-eastwood-mashup-single"",""http://www.jambase.com/article/exclusive-premiere-umphreys-mcgee-shares-sad-clint-eastwood-mashup-single""" +"""http://www.jambase.com/article/exclusive-premiere-umphreys-mcgee-shares-sad-clint-eastwood-mashup-single"",""http://www.jambase.com/article/exclusive-premiere-umphreys-mcgee-shares-sad-clint-eastwood-mashup-single"",""http://www.japantimes.co.jp/opinion/2016/10/02/commentary/world-commentary/shimon-peres-israels-last-founding-father/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+japantimes+%28The+Japan+Times%3A+All+Stories%29"",""http://www.jdjournal.com/2016/10/03/brad-pitt-reportedly-intimidated-by-angelina-jolies-legal-dream-team/"",""http://www.jerusalemonline.com/news/in-israel/education-and-society/more-than-8.5-million-people-live-in-israel-23890""" +"""http://www.jerusalemonline.com/news/in-israel/education-and-society/more-than-8.5-million-people-live-in-israel-23890"",""http://www.jerusalemonline.com/news/politics-and-military/politics/after-meeting-trump-netanyahu-sat-down-with-clinton-23858"",""http://www.jerusalemonline.com/news/world-news/around-the-globe/poll-clinton-won-first-debate-with-62-23884"",""http://www.jerusalemonline.com/news/world-news/around-the-globe/poll-clinton-won-first-debate-with-62-23884"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/"",""http://www.jerusalemprayerteam.org/pray/pray-for-prime-minister-benjamin-netanyahu/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/""" +"""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/"",""http://www.jerusalemprayerteam.org/pray/pray-for-the-peace-of-jerusalem/""" +"""http://www.jewishjournal.com/israel/article/jewish_groups_praise_shimon_peres_as_respected_statesman_and_peacemaker"",""http://www.jewishjournal.com/israel/article/palestinian_leader_mahmoud_abbas_sends_condolence_letter_to_peres_family"",""http://www.jewishjournal.com/israel/article/shimon_peres_condition_deteriorates_dramatically"",""http://www.jewishpress.com/indepth/analysis/the-palestinians-unsporting-and-illegal-football-war-against-israel/2016/09/28/"",""http://www.jewishpress.com/indepth/analysis/the-palestinians-unsporting-and-illegal-football-war-against-israel/2016/09/28/""" +"""http://www.jewishpress.com/news/breaking-news/as-5777-rolls-in-israels-population-at-8-585-million/2016/09/28/"",""http://www.jewishpress.com/news/breaking-news/as-5777-rolls-in-israels-population-at-8-585-million/2016/09/28/"",""http://www.jewishpress.com/news/breaking-news/large-first-temple-period-gate-shrine-excavated-in-central-israel/2016/09/28/"",""http://www.jewishpress.com/news/breaking-news/large-first-temple-period-gate-shrine-excavated-in-central-israel/2016/09/28/"",""http://www.jewishpress.com/news/breaking-news/large-first-temple-period-gate-shrine-excavated-in-central-israel/2016/09/28/""" +"""http://www.jewsnews.co.il/2016/10/09/this-is-how-the-most-dangerous-man-in-europe-hunted-his-fellow-nazis-for-israel.html"",""http://www.jns.org/latest-articles/2016/9/28/israel-and-the-world-mourn-founding-father-shimon-peres#.V-vrU1fMzdk"",""http://www.jns.org/latest-articles/2016/9/28/israel-and-the-world-mourn-founding-father-shimon-peres#.V-vrU1fMzdk"",""http://www.jns.org/latest-articles/2016/9/28/israel-and-the-world-mourn-founding-father-shimon-peres#.V-vrU1fMzdk"",""http://www.jns.org/latest-articles/2016/9/28/israel-and-the-world-mourn-founding-father-shimon-peres#.V-vrU1fMzdk""" +"""http://www.jns.org/latest-articles/2016/9/28/israel-and-the-world-mourn-founding-father-shimon-peres#.V-vrU1fMzdk"",""http://www.joannejacobs.com/2016/10/french-ask-can-joan-of-arc-unite-us/"",""http://www.journalgazette.net/entertainment/Get-clued-in-on-film-screening-15509556"",""http://www.journalgazette.net/entertainment/Get-clued-in-on-film-screening-15509556"",""http://www.jpost.com/Israel-News/Benjamin-Netanyahu/PMs-office-Netanyahu-was-cheered-not-jeered-at-Broadway-show-468821""" +"""http://www.jpost.com/Israel-News/Benjamin-Netanyahu/PMs-office-Netanyahu-was-cheered-not-jeered-at-Broadway-show-468821"",""http://www.jpost.com/Opinion/Peres-strategic-thinker-468848"",""http://www.jpost.com/Opinion/Peres-strategic-thinker-468848"",""http://www.jpost.com/US-Elections/Good-Times-Come-to-Israel-as-Its-Omitted-from-the-Presidential-Debate-468790"",""http://www.jpost.com/US-Elections/Good-Times-Come-to-Israel-as-Its-Omitted-from-the-Presidential-Debate-468790""" +"""http://www.jpost.com/US-Elections/Good-Times-Come-to-Israel-as-Its-Omitted-from-the-Presidential-Debate-468790"",""http://www.jta.org/2016/09/27/default/when-shimon-peres-needed-a-speechwriter-and-i-needed-a-nap"",""http://www.jta.org/2016/09/27/news-opinion/united-states/obama-delivers-passionate-farewell-to-peres-todah-rabah-shimon"",""http://www.jta.org/2016/09/27/news-opinion/united-states/todah-rabah-shimon-obama-delivers-passionate-farewell-to-peres"",""http://www.justarsenal.com/francis-coquelin-injury-worse-than-expected/65521""" +"""http://www.justarsenal.com/have-arsenal-finally-got-a-new-thierry-henry/65523"",""http://www.justarsenal.com/have-arsenal-finally-got-a-new-thierry-henry/65523"",""http://www.justarsenal.com/young-french-striker-reveals-admits-snubbing-arsenal-and-leicester/65525"",""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/"",""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/""" +"""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/"",""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/"",""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/"",""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/"",""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/""" +"""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/"",""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/"",""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/"",""http://www.justinhavre.com/listing/c4082828-216-heritage-lake-dr-heritage-pointe-alberta-t0l-0x0/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/""" +"""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/""" +"""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/""" +"""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/""" +"""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justinhavre.com/listing/c4082931-325-crawford-cl-cochrane-alberta-t4c-2g8/"",""http://www.justjared.com/2016/09/15/rihanna-is-pretty-in-pink-for-santa-monica-dinner/""" +"""http://www.justjared.com/2016/09/26/brad-pitt-angelina-jolie-had-a-prenup-to-split-properties/"",""http://www.justjared.com/2016/09/26/rihanna-leaves-nyc-for-paris-fashion-week/"",""http://www.justjared.com/2016/09/26/rihanna-leaves-nyc-for-paris-fashion-week/"",""http://www.justjaredjr.com/2016/09/27/justin-bieber-may-have-just-told-some-fans-they-suck/"",""http://www.justjaredjr.com/2016/09/29/lorde-taylor-swift-have-star-studded-dinner-with-besties/""" +"""http://www.justjaredjr.com/2016/10/02/gigi-hadid-zayn-malik-support-bff-kendall-jenner-at-givenchy-show-in-paris/"",""http://www.kabbalahblog.info/2016/09/path-riches-new-world/"",""http://www.kabbalahblog.info/category/four-phases-of-direct-light/"",""http://www.kabbalahblog.info/category/music-feature-of-the-week/"",""http://www.kabbalahblog.info/category/music-feature-of-the-week/""" +"""http://www.kabbalahblog.info/category/music-feature-of-the-week/"",""http://www.kansas.com/news/business/biz-columns-blogs/carrie-rengers/article104132721.html"",""http://www.kansas.com/news/business/biz-columns-blogs/carrie-rengers/article104132721.html"",""http://www.kansas.com/news/business/biz-columns-blogs/carrie-rengers/article104269676.html"",""http://www.kansas.com/news/business/biz-columns-blogs/carrie-rengers/article104541446.html""" +"""http://www.kansas.com/news/business/biz-columns-blogs/carrie-rengers/article104541446.html"",""http://www.kansas.com/news/business/biz-columns-blogs/carrie-rengers/article104541446.html"",""http://www.keepinspiring.me/50-must-read-personal-development-bloggers-thatll-change-your-life/"",""http://www.keepinspiring.me/50-must-read-personal-development-bloggers-thatll-change-your-life/"",""http://www.keepinspiring.me/50-must-read-personal-development-bloggers-thatll-change-your-life/""" +"""http://www.keepinspiring.me/50-must-read-personal-development-bloggers-thatll-change-your-life/"",""http://www.keepinspiring.me/50-must-read-personal-development-bloggers-thatll-change-your-life/"",""http://www.keloland.com/news/article/news/bernie-sanders-asks-obama-to-halt-pipeline-for-full-review"",""http://www.keloland.com/news/article/news/bernie-sanders-asks-obama-to-halt-pipeline-for-full-review"",""http://www.kingston.ac.uk/news/article/1732/28-sep-2016-kingston-university-and-st-georges-university-london-professor-becomes-the-first-nurse-to-be-elected/""" +"""http://www.kingston.ac.uk/news/article/1732/28-sep-2016-kingston-university-and-st-georges-university-of-london-professor-becomes-first-nurse-to-be-elected/"",""http://www.kitco.com/news/2016-10-13/Israel-Q2-GDP-revised-to-4-3-pct-annualised-from-4-0-pct.html"",""http://www.kitco.com/news/2016-10-13/Israel-Q2-GDP-revised-to-4-3-pct-annualised-from-4-0-pct.html"",""http://www.kitco.com/news/2016-10-13/Israel-Turkey-discuss-joint-gas-pipeline-as-ties-resume-after-6-year-rupture.html"",""http://www.kitco.com/news/2016-10-13/Israel-Turkey-discuss-joint-gas-pipeline-as-ties-resume-after-6-year-rupture.html""" +"""http://www.ksla.com/story/33360200/visitor-from-tulsa-oklahoma-missing-after-missing-flight-out-of-new-orleans"",""http://www.ktnv.com/now-trending/debate-questioner-kenneth-bone-becomes-internet-star_73590120"",""http://www.laineygossip.com/Brad-Pitt-likely-to-come-out-swinging-hard-in-second-week-since-split-with-Angelina-Jolie-as-tabloids-attempt-to-elicit-publics-sympathy/45051"",""http://www.laineygossip.com/Jennifer-Aniston-and-Justin-Theroux-out-for-dinner-in-New-York-in-first-photos-together-since-Brange-split/45046"",""http://www.lancashiretelegraph.co.uk/sport/football/burnley_fc/news/14776655.Burnley_boss_Sean_Dyche_believes_Arsenal_manager_Arsene_Wenger_is_a____legend_of_the_game____ahead_of_Gunners_clash/?ref=rss""" +"""http://www.latimes.com/fashion/la-ig-clinton-trump-debate-fashion-20160926-snap-story.html#nt=oft02a-26la1"",""http://www.latimes.com/local/california/la-me-trump-botanicas-20160913-snap-story.html#nt=barker&bn=Barker%2006%20-%20In%20Case%20You%20Missed%20It"",""http://www.latimes.com/local/california/la-me-trump-botanicas-20160913-snap-story.html#nt=barker&bn=Barker%2006%20-%20In%20Case%20You%20Missed%20It"",""http://www.latimes.com/local/california/la-me-trump-botanicas-20160913-snap-story.html#nt=oft02a-10la1"",""http://www.latimes.com/local/california/la-me-trump-botanicas-20160913-snap-story.html#nt=oft02a-10la1""" +"""http://www.laweekly.com/music/in-a-year-of-death-desert-trip-is-a-celebration-of-rocks-survivors-6705292"",""http://www.laweekly.com/music/in-a-year-of-death-desert-trip-is-a-celebration-of-rocks-survivors-6705292"",""http://www.learn2groomdogs.com/can-teach-strip/"",""http://www.learn2groomdogs.com/taking-proactive-approach-managing-time/"",""http://www.learn2groomdogs.com/the-power-of-natural-healing/""" +"""http://www.leek-news.co.uk/mary-a-blagg-the-cheadle-astronomer/story-29797701-detail/story.html"",""http://www.leek-news.co.uk/mary-a-blagg-the-cheadle-astronomer/story-29797701-detail/story.html"",""http://www.leoweekly.com/2016/10/roots-will-make-eat-vegetables-like/"",""http://www.leoweekly.com/2016/10/roots-will-make-eat-vegetables-like/"",""http://www.letour.com/paris-tours/2016/us/pre-race/news/ahc/d-1-120-years-and-going-strong.html""" +"""http://www.letour.com/paris-tours/2016/us/pre-race/news/ahc/d-1-120-years-and-going-strong.html"",""http://www.letourdefrance.com/paris-tours/2016/us/pre-race/news/ahc/d-1-120-years-and-going-strong.html"",""http://www.letourdefrance.com/paris-tours/2016/us/pre-race/news/ahc/d-1-120-years-and-going-strong.html"",""http://www.lex18.com/story/33353783/man-wanted-in-stepfathers-murder-captured"",""http://www.lex18.com/story/33358297/two-stolen-vehicles-recovered-in-laurel-co""" +"""http://www.lfpress.com/2016/10/02/brutal-poverty-plagues-london-like-few-other-cities-across-our-region"",""http://www.lfpress.com/2016/10/02/brutal-poverty-plagues-london-like-few-other-cities-across-our-region"",""http://www.lfpress.com/ur/story/1165816"",""http://www.lgbtqnation.com/2016/09/donald-trump-pledges-sign-anti-lgbtq-first-amendment-defense-act/"",""http://www.lgbtqnation.com/2016/09/donald-trump-pledges-sign-anti-lgbtq-first-amendment-defense-act/""" +"""http://www.lgbtqnation.com/2016/09/lgbtqnation-viewers-guide-tonights-presidential-debates/"",""http://www.lgbtqnation.com/2016/09/will-media-declare-trump-winner-tonights-debate-just-showing/"",""http://www.lifeandstylemag.com/posts/angelina-jolie-and-brad-pitt-s-divorce-here-s-what-the-key-players-have-said-so-far-114639"",""http://www.lifeandstylemag.com/posts/angelina-jolie-and-brad-pitt-s-divorce-here-s-what-the-key-players-have-said-so-far-114639"",""http://www.lifeandstylemag.com/posts/angelina-jolie-and-brad-pitt-s-divorce-here-s-what-the-key-players-have-said-so-far-114639""" +"""http://www.lifeandstylemag.com/posts/angelina-jolie-un-trip-brad-pitt-114762"",""http://www.lifeandstylemag.com/posts/angelina-jolie-un-trip-brad-pitt-114762"",""http://www.lifeandstylemag.com/posts/engaged-wags-nicole-williams-kim-kardashian-lookalike-114647"",""http://www.lifeandstylemag.com/posts/engaged-wags-nicole-williams-kim-kardashian-lookalike-114647"",""http://www.lifeandstylemag.com/posts/engaged-wags-nicole-williams-kim-kardashian-lookalike-114647""" +"""http://www.lifenews.com/2016/10/10/father-frank-pavone-i-am-voting-for-donald-trump-and-pro-life-voters-should-too-heres-why/"",""http://www.lifenews.com/2016/10/10/father-frank-pavone-i-am-voting-for-donald-trump-and-pro-life-voters-should-too-heres-why/"",""http://www.lifescript.com/health/news/reuters/2016/10/19/coke_and_pepsi_sponsor_groups_trying_to_wean_us_off_soda.aspx"",""http://www.lifescript.com/health/news/reuters/2016/10/19/coke_and_pepsi_sponsor_groups_trying_to_wean_us_off_soda.aspx"",""http://www.lifescript.com/health/news/reuters/2016/10/19/coke_and_pepsi_sponsor_groups_trying_to_wean_us_off_soda.aspx""" +"""http://www.lifescript.com/health/news/reuters/2016/10/19/medicare_subsidies_may_help_more_women_stick_with_breast_cancer_drugs.aspx"",""http://www.lifescript.com/health/news/reuters/2016/10/19/medicare_subsidies_may_help_more_women_stick_with_breast_cancer_drugs.aspx"",""http://www.lifescript.com/health/news/reuters/2016/10/19/why_women_should_wait_to_get_pregnant_after_weight_loss_surgery.aspx"",""http://www.lifescript.com/health/news/reuters/2016/10/19/why_women_should_wait_to_get_pregnant_after_weight_loss_surgery.aspx"",""http://www.litterboxcats.com/2016/9/26/12939426/juho-lammikko-florida-panthers-20-under-21-3""" +"""http://www.litterboxcats.com/2016/9/26/12939426/juho-lammikko-florida-panthers-20-under-21-3"",""http://www.litterboxcats.com/2016/9/27/13061206/florida-panthers-nashville-predators-caterwaul--gamethread"",""http://www.litterboxcats.com/2016/9/27/13061206/florida-panthers-nashville-predators-caterwaul--gamethread"",""http://www.litterboxcats.com/2016/9/28/13088482/florida-panthers-nashville-predators-exhibition-game-1-2-recap"",""http://www.litterboxcats.com/2016/9/28/13088482/florida-panthers-nashville-predators-exhibition-game-1-2-recap""" +"""http://www.livemint.com/Opinion/BsriLFVnjkgKEqnNWwpFJM/Call-for-a-multilateral-competition-regime.html"",""http://www.livescience.com/56278-religion-motivates-humanity-space-settlement.html"",""http://www.livescience.com/56278-religion-motivates-humanity-space-settlement.html"",""http://www.livescience.com/56311-hillary-clinton-outlines-health-care-plans-in-medical-journal.html"",""http://www.livescience.com/56311-hillary-clinton-outlines-health-care-plans-in-medical-journal.html""" +"""http://www.livescience.com/56331-how-feasible-is-spacex-mars-plan.html"",""http://www.livesoccertv.com/news/20477/why-arsenal-s-move-for-aubameyang-fell-apart-el-confidencial/"",""http://www.livesoccertv.com/news/20477/why-arsenal-s-move-for-aubameyang-fell-apart-el-confidencial/"",""http://www.livesoccertv.com/news/20479/watch-cristiano-ronaldos-race-back-to-fitness-in-fiery-training-session/"",""http://www.livesoccertv.com/news/20479/watch-cristiano-ronaldos-race-back-to-fitness-in-fiery-training-session/""" +"""http://www.livesoccertv.com/news/20479/watch-cristiano-ronaldos-race-back-to-fitness-in-fiery-training-session/"",""http://www.livesoccertv.com/news/20486/jamie-vardy-explains-why-he-snubbed-arsenal-to-stay-with-leicester-city/"",""http://www.livesoccertv.com/news/20486/jamie-vardy-explains-why-he-snubbed-arsenal-to-stay-with-leicester-city/"",""http://www.livesoccertv.com/news/20486/jamie-vardy-explains-why-he-snubbed-arsenal-to-stay-with-leicester-city/"",""http://www.london.anglican.org/articles/430-commissioned-blessing-backpacks-saints-fulham/""" +"""http://www.london.anglican.org/articles/430-commissioned-blessing-backpacks-saints-fulham/"",""http://www.london.anglican.org/articles/five-tips-telling-bible-story/"",""http://www.london.anglican.org/articles/orient-drawn-lure-diocese/"",""http://www.londonchamber.com/news/details/chair-and-ceo-of-the-ontario-energy-board-ignores-voice-of-business"",""http://www.londonchamber.com/news/details/chair-and-ceo-of-the-ontario-energy-board-ignores-voice-of-business""" +"""http://www.londonchamber.com/news/details/chair-and-ceo-of-the-ontario-energy-board-ignores-voice-of-business"",""http://www.londondesignfestival.com/news/alessandro-isola"",""http://www.londondesignfestival.com/news/alessandro-isola"",""http://www.londondesignfestival.com/news/alessandro-isola"",""http://www.londondesignfestival.com/news/electro-craft-until-15-october""" +"""http://www.londondesignfestival.com/news/electro-craft-until-15-october"",""http://www.londondesignfestival.com/news/hackoff"",""http://www.londondesignfestival.com/news/hackoff"",""http://www.londondesignfestival.com/news/hackoff"",""http://www.londonmet.ac.uk/news/news-stories/university-news-2016/september/launchpad-six-winning-ideas-announced/""" +"""http://www.londonmet.ac.uk/news/news-stories/university-news-2016/september/launchpad-six-winning-ideas-announced/"",""http://www.londonmet.ac.uk/news/news-stories/university-news-2016/september/london-met-academic-speaks-at-international-t20-think-tank-forum/"",""http://www.londonmet.ac.uk/news/news-stories/university-news-2016/september/london-met-academic-speaks-at-international-t20-think-tank-forum/"",""http://www.londonmet.ac.uk/news/news-stories/university-news-2016/september/london-met-continues-to-soar-at-sustainability/"",""http://www.londonmet.ac.uk/news/news-stories/university-news-2016/september/london-met-continues-to-soar-at-sustainability/""" +"""http://www.lonelyplanet.com/france/paris/tours/sightseeing-tours/city-sightseeing-paris-hop-on-hop-off-tour"",""http://www.lonelyplanet.com/france/paris/tours/sightseeing-tours/paris-city-tour-seine-river-cruise-eiffel-tower-lunch"",""http://www.lonelyplanet.com/israel-and-the-palestinian-territories/jerusalem/tours/small-group-tours/2-day-best-israel-tour-old-jerusalem-bethlehem-masada-dead-sea"",""http://www.loopinsight.com/2016/10/03/apple-to-make-macos-sierra-available-as-automatic-download-beginning-today/?utm_source=loopinsight.com/twitter&utm_campaign=twitter&utm_medium=referral"",""http://www.lpga.com/news/2016-field-breakdown-reignwood-lpga-classic""" +"""http://www.lpga.com/news/2016-field-breakdown-reignwood-lpga-classic"",""http://www.lpga.com/news/2016-murphy-usa-el-dorado-shootout-top-storylines"",""http://www.lpga.com/news/2016-murphy-usa-el-dorado-shootout-top-storylines"",""http://www.lpga.com/news/2016-reignwood-lpga-classic-pre-tour-notes-tuesday"",""http://www.macleans.ca/news/canada/rona-ambrose-to-highlight-womens-rights-with-u-k-conservatives/""" +"""http://www.macleans.ca/news/canada/rona-ambrose-to-highlight-womens-rights-with-u-k-conservatives/"",""http://www.macrumors.com/2016/10/03/apple-maps-full-amtrak-support/"",""http://www.macrumors.com/2016/10/03/apple-watch-2016-sales-predictions/"",""http://www.macrumors.com/2016/10/03/apple-watch-2016-sales-predictions/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/""" +"""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/""" +"""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/""" +"""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/""" +"""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/""" +"""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/""" +"""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/""" +"""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/feature/apple/20-apple-watch-tips-secrets-watchos-2-watchos-3-3612271/"",""http://www.macworld.co.uk/how-to/apple/how-set-up-new-apple-watch-pair-it-with-iphone-get-started-3609413/"",""http://www.macworld.co.uk/how-to/apple/how-set-up-new-apple-watch-pair-it-with-iphone-get-started-3609413/""" +"""http://www.macworld.com/article/3124325/hardware/sonos-comes-to-the-apple-store-but-what-does-that-mean-for-beats-speakers.html"",""http://www.macworld.com/article/3124325/hardware/sonos-comes-to-the-apple-store-but-what-does-that-mean-for-beats-speakers.html"",""http://www.macworld.com/article/3124325/hardware/sonos-comes-to-the-apple-store-but-what-does-that-mean-for-beats-speakers.html"",""http://www.mamamia.com.au/celebrity-formal-throwbacks/"",""http://www.manchesterjournal.com/outdoors/ci_30445774/stargazer-finding-uranus-after-dark""" +"""http://www.manchesterjournal.com/outdoors/ci_30445774/stargazer-finding-uranus-after-dark"",""http://www.mapsofindia.com/my-india/festivals/october-festivals-and-observances-in-india#comment-228014"",""http://www.mapsofindia.com/my-india/festivals/october-festivals-and-observances-in-india#comment-228014"",""http://www.mapsofindia.com/my-india/politics/sushma-swaraj-delivers-scathing-reply-to-pakistan-at-unga"",""http://www.mapsofindia.com/my-india/politics/sushma-swaraj-delivers-scathing-reply-to-pakistan-at-unga""" +"""http://www.mapsofindia.com/my-india/politics/sushma-swaraj-delivers-scathing-reply-to-pakistan-at-unga"",""http://www.mapsofindia.com/my-india/sports/isl-2016-what-to-expect"",""http://www.mapsofindia.com/my-india/sports/isl-2016-what-to-expect"",""http://www.marieclaire.com/celebrity/a16727/brad-pitt-angelina-jolie-interview/"",""http://www.marieclaire.com/celebrity/a16727/brad-pitt-angelina-jolie-interview/""" +"""http://www.marieclaire.com/celebrity/news/a22912/taylor-swift-pre-super-bowl-performance/"",""http://www.marieclaire.com/celebrity/news/a22912/taylor-swift-pre-super-bowl-performance/"",""http://www.marieclaire.com/celebrity/news/a22927/kim-kardashian-blames-herself-for-paris-attack/"",""http://www.marieclaire.com/celebrity/news/a22927/kim-kardashian-blames-herself-for-paris-attack/"",""http://www.marketresearchreports.com/qyresearch/china-nanotechnology-medical-devices-market-research-report-2016""" +"""http://www.marketresearchreports.com/qyresearch/china-nanotechnology-medical-devices-market-research-report-2016"",""http://www.marketresearchreports.com/qyresearch/china-nanotechnology-medical-devices-market-research-report-2016"",""http://www.marketresearchreports.com/qyresearch/china-nanotechnology-medical-devices-market-research-report-2016"",""http://www.marketresearchreports.com/qyresearch/china-nanotechnology-medical-devices-market-research-report-2016"",""http://www.marketresearchreports.com/qyresearch/china-nanotechnology-medical-devices-market-research-report-2016""" +"""http://www.marketresearchreports.com/qyresearch/china-nanotechnology-medical-devices-market-research-report-2016"",""http://www.marketresearchreports.com/qyresearch/china-nanotechnology-medical-devices-market-research-report-2016"",""http://www.marketresearchreports.com/qyresearch/china-nanotechnology-medical-devices-market-research-report-2016"",""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016"",""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016""" +"""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016"",""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016"",""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016"",""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016"",""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016""" +"""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016"",""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016"",""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016"",""http://www.marketresearchreports.com/qyresearch/united-states-nitinol-medical-devices-market-report-2016"",""http://www.marketwatch.com/investing/stock/aapl?mod=MW_story_latest_news""" +"""http://www.marketwatch.com/investing/stock/aapl?mod=MW_story_latest_news"",""http://www.marketwatch.com/investing/stock/aapl?mod=MW_story_latest_news"",""http://www.marketwatch.com/investing/stock/aapl?mod=MW_story_latest_news"",""http://www.marketwatch.com/investing/stock/aapl?mod=MW_story_latest_news"",""http://www.marketwatch.com/investing/stock/aapl?mod=MW_story_latest_news""" +"""http://www.marketwatch.com/investing/stock/aapl?mod=MW_story_latest_news"",""http://www.marketwatch.com/story/apple-is-moving-into-londons-iconic-battersea-power-station-2016-09-28?mod=MW_story_latest_news"",""http://www.marketwatch.com/story/elon-musk-unveils-his-plan-for-colonizing-mars-2016-09-27?mod=MW_story_top_stories"",""http://www.masslive.com/politics/index.ssf/2016/09/hillary_clinton_bernie_sanders_7.html"",""http://www.masslive.com/politics/index.ssf/2016/09/new_wbzumass_amherst_poll_hill.html""" +"""http://www.masslive.com/politics/index.ssf/2016/10/us_rep_joe_kennedy_iii_to_atte.html"",""http://www.masslive.com/politics/index.ssf/2016/10/us_rep_joe_kennedy_iii_to_atte.html"",""http://www.mcall.com/news/local/elections/mc-pa-donald-trump-wilkes-barre-20161010-story.html"",""http://www.mcall.com/news/nationworld/pennsylvania/capitol-ideas/mc-pat-toomey-still-doesn-t-say-if-he-20161010-story.html"",""http://www.mcelhearn.com/expanded-version-of-bob-dylan-documentary-no-direction-home-to-be-released/""" +"""http://www.mcelhearn.com/expanded-version-of-bob-dylan-documentary-no-direction-home-to-be-released/"",""http://www.mddionline.com/blog/devicetalk/what-has-medtech-ma-meant-employees-09-30-16"",""http://www.mddionline.com/blog/devicetalk/what-has-medtech-ma-meant-employees-09-30-16"",""http://www.meadjohnson.com/news/press-releases/mead-johnson-schedules-third-quarter-and-nine-month-2016-earnings-conference"",""http://www.mediaite.com/online/harry-reid-goes-there-donald-trump-is-a-racist/""" +"""http://www.mediaite.com/tv/clinton-advisor-dismisses-attacks-polls-showing-her-losing-ground-to-donald-trump/"",""http://www.mediaite.com/uncategorized/watch-donald-trump-have-a-testy-exchange-with-cnns-dana-bash-in-the-spin-room/"",""http://www.medianama.com/2016/09/223-amazon-abof-seller/"",""http://www.medianama.com/2016/09/223-uber-american-express/"",""http://www.medianama.com/2016/09/223-yournest-india-fund-ii-45million/""" +"""http://www.medicalnewstoday.com/categories/medical_devices/1"",""http://www.medicalnewstoday.com/releases/313221.php"",""http://www.medicalnewstoday.com/releases/313221.php"",""http://www.medicalnewstoday.com/releases/313221.php"",""http://www.medicalnewstoday.com/releases/313221.php""" +"""http://www.medicalnewstoday.com/releases/313221.php"",""http://www.medicalnewstoday.com/releases/313245.php"",""http://www.medicalnewstoday.com/releases/313245.php"",""http://www.medicalnewstoday.com/releases/313245.php"",""http://www.medicalnewstoday.com/releases/313245.php""" +"""http://www.medicalnewstoday.com/releases/313245.php"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm""" +"""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm""" +"""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm""" +"""http://www.medicinenet.com/blue_green_algae_spirulina_sp-oral/index.htm"",""http://www.memorialcare.org/about/pressroom/news/memorialcare-health-system-cfos-among-nations-best-2016-09-27"",""http://www.mensfitness.com/weight-loss/burn-fat-fast/how-make-dieting-easier"",""http://www.mensfitness.com/weight-loss/burn-fat-fast/how-make-dieting-easier"",""http://www.mensfitness.com/weight-loss/success-stories/weight-loss-success-story-coming-back-life""" +"""http://www.mensfitness.com/weight-loss/success-stories/weight-loss-success-story-coming-back-life"",""http://www.menshealth.com/health/dentist-can-save-your-heart"",""http://www.menshealth.com/health/dentist-can-save-your-heart"",""http://www.menshealth.com/health/dentist-can-save-your-heart"",""http://www.menshealth.com/health/job-dissatisfaction-leads-to-poor-health-0""" +"""http://www.menshealth.com/health/job-dissatisfaction-leads-to-poor-health-0"",""http://www.menshealth.com/health/job-dissatisfaction-leads-to-poor-health-0"",""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep"",""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep"",""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep""" +"""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep"",""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep"",""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep"",""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep"",""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep""" +"""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep"",""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep"",""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep"",""http://www.menshealth.com/health/reasons-can-not-fall-back-asleep"",""http://www.mensjournal.com/health-fitness/articles/6-sexts-you-should-never-send-w440977""" +"""http://www.mensjournal.com/health-fitness/articles/6-sexts-you-should-never-send-w440977"",""http://www.mensjournal.com/health-fitness/articles/run-negative-splits-in-your-next-marathon-get-free-sneakers-w442076"",""http://www.mensjournal.com/health-fitness/articles/sex-while-shes-pregnant-what-every-man-needs-to-know-w441671"",""http://www.mercurynews.com/2016/10/04/todd-marinovich-charged-for-naked-incident-could-face-three-years-in-jail/"",""http://www.mercurynews.com/2016/10/11/school-scene-science-of-star-wars-to-be-discussed/""" +"""http://www.metal-rules.com/metalnews/2005/10/22/wacken-open-air-2005/?share=reddit"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies""" +"""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies""" +"""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies""" +"""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies""" +"""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies""" +"""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies""" +"""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/av/new-metallica-song-moth-into-flame-features-plenty-of-killer-riffs-and-harmonies"",""http://www.metalinjection.net/latest-news/bummer-alert/metallica-explain-why-they-wont-ever-play-the-super-bowl""" +"""http://www.metalinjection.net/latest-news/bummer-alert/metallica-explain-why-they-wont-ever-play-the-super-bowl"",""http://www.metalinjection.net/photos/killer-photos-of-metallicas-intimate-new-york-city-show"",""http://www.metalinsider.net/interviews/interview-john-bush-talks-armored-saint-live-album-metallica-pledgemusic-campaign"",""http://www.metalinsider.net/interviews/interview-john-bush-talks-armored-saint-live-album-metallica-pledgemusic-campaign"",""http://www.metalinsider.net/interviews/interview-john-bush-talks-armored-saint-live-album-metallica-pledgemusic-campaign""" +"""http://www.metalinsider.net/interviews/interview-john-bush-talks-armored-saint-live-album-metallica-pledgemusic-campaign"",""http://www.metalinsider.net/interviews/interview-john-bush-talks-armored-saint-live-album-metallica-pledgemusic-campaign"",""http://www.metalinsider.net/photos/photos-metallica-webster-hall-nyc-92716"",""http://www.metalinsider.net/tributes/126105"",""http://www.metalinsider.net/tributes/126105""" +"""http://www.metalsucks.net/2016/09/26/metallica-bassist-cliff-burton-tribute-metalsucks-podcast-164/"",""http://www.metalsucks.net/2016/10/10/time-mikael-akerfeldt-made-swedish-rap-demo-jonas-katatonia/"",""http://www.mid-day.com/articles/mumbai-food-celebrate-the-biscuit-and-chai-culture-of-the-city/17671191"",""http://www.mid-day.com/articles/mumbai-food-celebrate-the-biscuit-and-chai-culture-of-the-city/17671191"",""http://www.middleeastrising.com/report-israel-issues-order-intercept-woman-gaza-bound-flotilla/?utm_source=rss&utm_medium=rss&utm_campaign=report-israel-issues-order-intercept-woman-gaza-bound-flotilla""" +"""http://www.middleeastrising.com/report-israel-issues-order-intercept-woman-gaza-bound-flotilla/?utm_source=rss&utm_medium=rss&utm_campaign=report-israel-issues-order-intercept-woman-gaza-bound-flotilla"",""http://www.milb.com/news/article.jsp?ymd=20160927&content_id=203653360&fext=.jsp&vkey=pr_t546&sid=t546"",""http://www.milb.com/news/article.jsp?ymd=20161006&content_id=205144480&fext=.jsp&vkey=news_t463&sid=t463"",""http://www.milb.com/news/article.jsp?ymd=20161006&content_id=205144480&fext=.jsp&vkey=news_t463&sid=t463"",""http://www.mindbodygreen.com/0-26620/9-career-lessons-i-learned-from-my-yoga-practice.html""" +"""http://www.mindbodygreen.com/0-26620/9-career-lessons-i-learned-from-my-yoga-practice.html"",""http://www.mindbodygreen.com/0-26662/how-to-use-yoga-to-drastically-improve-your-mornings.html"",""http://www.mindbodygreen.com/0-26662/how-to-use-yoga-to-drastically-improve-your-mornings.html"",""http://www.mindbodygreen.com/0-26681/want-to-do-yoga-at-home-use-these-6-tips-to-spruce-up-your-space-strengthen-yo.html"",""http://www.mindbodygreen.com/0-26681/want-to-do-yoga-at-home-use-these-6-tips-to-spruce-up-your-space-strengthen-yo.html""" +"""http://www.mintpressnews.com/221284-2/221284/"",""http://www.mintpressnews.com/221284-2/221284/"",""http://www.mirror.co.uk/3am/celebrity-news/jennifer-aniston-best-ignore-brad-8918560"",""http://www.mirror.co.uk/3am/celebrity-news/taylor-swift-reportedly-planning-destroy-8874203"",""http://www.mirror.co.uk/3am/celebrity-news/tom-hiddleston-looks-dapper-hits-8866729""" +"""http://www.mommyish.com/2016/10/03/kim-kardashian-tied-up-and-robbed-at-gunpoint-by-criminals-dressed-as-police/"",""http://www.momtastic.com/pregnancy/652531-why-its-ludicrous-to-call-c-sections-the-easy-way-out/"",""http://www.momtastic.com/pregnancy/652531-why-its-ludicrous-to-call-c-sections-the-easy-way-out/"",""http://www.moneycontrol.com/news/business/indias-solar-dream-intact-despite-wtos-whiplocal-sourcing_7525121.html"",""http://www.moneycontrol.com/news/economy/cbec-chief-bats-for-minimal-exemptions-for-india-inc-under-gst_7539641.html""" +"""http://www.moneycontrol.com/news/economy/cbec-chief-bats-for-minimal-exemptions-for-india-inc-under-gst_7539641.html"",""http://www.moneycontrol.com/news/economy/cbec-chief-bats-for-minimal-exemptions-for-india-inc-under-gst_7539641.html"",""http://www.moneycontrol.com/news/wire-news/mumbai-wealthiest-cityindiatotal-wealthusd820-bn_7535501.html"",""http://www.moneycontrol.com/news/wire-news/mumbai-wealthiest-cityindiatotal-wealthusd820-bn_7535501.html"",""http://www.moneycontrol.com/news/wire-news/mumbai-wealthiest-cityindiatotal-wealthusd820-bn_7535501.html""" +"""http://www.moneymax.ph/blog/5-credit-card-perks-you-didnt-know-about/"",""http://www.moneymax.ph/blog/5-credit-card-perks-you-didnt-know-about/"",""http://www.moneymax.ph/blog/5-credit-card-perks-you-didnt-know-about/"",""http://www.moneymax.ph/blog/5-credit-card-perks-you-didnt-know-about/"",""http://www.moneymax.ph/blog/5-credit-card-perks-you-didnt-know-about/""" +"""http://www.moneymax.ph/blog/5-credit-card-perks-you-didnt-know-about/"",""http://www.moneymax.ph/blog/5-credit-card-perks-you-didnt-know-about/"",""http://www.moroccoworldnews.com/2016/09/197470/shimon-peres-nobel-prize-winner-veteran-israeli-politics-dies-93/"",""http://www.moroccoworldnews.com/2016/09/197470/shimon-peres-nobel-prize-winner-veteran-israeli-politics-dies-93/"",""http://www.motherjones.com/kevin-drum/2016/09/what-donald-trump-hiding-his-taxes""" +"""http://www.motherjones.com/kevin-drum/2016/09/what-donald-trump-hiding-his-taxes"",""http://www.motherjones.com/kevin-drum/2016/09/what-donald-trump-hiding-his-taxes"",""http://www.motherjones.com/politics/2016/09/donald-trump-mitt-romney-one-piece-advice"",""http://www.motherjones.com/politics/2016/09/donald-trump-mitt-romney-one-piece-advice"",""http://www.motherjones.com/politics/2016/09/donald-trump-mitt-romney-one-piece-advice""" +"""http://www.motherjones.com/politics/2016/09/trump-files-fred-trump-funneled-cash-donald-using-casino-chips"",""http://www.motherjones.com/politics/2016/09/trump-files-fred-trump-funneled-cash-donald-using-casino-chips"",""http://www.motherjones.com/politics/2016/09/trump-files-fred-trump-funneled-cash-donald-using-casino-chips"",""http://www.motherjones.com/politics/2016/09/trump-files-fred-trump-funneled-cash-donald-using-casino-chips"",""http://www.motor1.com/news/101059/2017-audi-q5-mexico-production/""" +"""http://www.motor1.com/news/101059/2017-audi-q5-mexico-production/"",""http://www.motor1.com/news/101059/2017-audi-q5-mexico-production/"",""http://www.motor1.com/news/101059/2017-audi-q5-mexico-production/"",""http://www.motor1.com/news/101244/princess-diana-audi-cabriolet-auction/"",""http://www.motor1.com/news/101244/princess-diana-audi-cabriolet-auction/""" +"""http://www.motor1.com/reviews/101203/2017-audi-a4-allroad-first-drive-review/"",""http://www.motor1.com/reviews/101203/2017-audi-a4-allroad-first-drive-review/"",""http://www.motortrend.com/news/french-film-stars-2016-paris-auto-show/"",""http://www.motortrend.com/news/traffic-deaths-jumped-10-4-percent-first-half-year/"",""http://www.mrctv.org/blog/trump-slams-media-throughout-fl-rally-theyre-extension-clintons-campaign""" +"""http://www.msn.com/en-us/news/politics/clinton-and-trump-to-meet-on-debate-stage-virtually-tied-in-national-polls/ar-BBwEGxD"",""http://www.msn.com/en-us/news/politics/clinton-and-trump-to-meet-on-debate-stage-virtually-tied-in-national-polls/ar-BBwEGxD"",""http://www.msn.com/en-us/news/politics/clinton-and-trump-to-meet-on-debate-stage-virtually-tied-in-national-polls/ar-BBwEGxD"",""http://www.msn.com/en-us/news/politics/clinton-and-trump-to-meet-on-debate-stage-virtually-tied-in-national-polls/ar-BBwEGxD"",""http://www.msn.com/en-us/news/politics/personal-insults-now-part-of-the-political-mainstream/ar-BBwFigY""" +"""http://www.msn.com/en-us/news/politics/personal-insults-now-part-of-the-political-mainstream/ar-BBwFigY"",""http://www.msn.com/en-us/news/politics/reid-%e2%80%98donald-trump-is-a-racist%e2%80%99/ar-BBwFkCz"",""http://www.msn.com/en-us/news/politics/reid-%e2%80%98donald-trump-is-a-racist%e2%80%99/ar-BBwFkCz"",""http://www.msn.com/en-us/news/politics/reid-%e2%80%98donald-trump-is-a-racist%e2%80%99/ar-BBwFkCz"",""http://www.msnbc.com/rachel-maddow-show/debate-shows-donald-trump-still-isnt-ready-prime-time""" +"""http://www.msnbc.com/rachel-maddow-show/donald-trump-has-new-casino-problem"",""http://www.msnbc.com/thomas-roberts/watch/is-there-more-pressure-on-hillary-clinton-773370947526"",""http://www.myajc.com/news/sports/college/techs-johnson-commitment-has-to-match-expectations/nsj8Y/"",""http://www.myajc.com/news/sports/college/techs-johnson-commitment-has-to-match-expectations/nsj8Y/"",""http://www.myajc.com/news/sports/college/techs-johnson-commitment-has-to-match-expectations/nsj8Y/""" +"""http://www.mycentraljersey.com/story/news/politics/elections/2016/2016/10/04/gop-insiders-plan-trump-push-four-states/91550724/?from=global&sessionKey=&autologin="",""http://www.myconfinedspace.com/2016/09/26/hang-out-with-me-in-the-chat-room-for-the-first-2016-presidential-debate/#comment-1822950"",""http://www.myconfinedspace.com/2016/09/26/hang-out-with-me-in-the-chat-room-for-the-first-2016-presidential-debate/#comment-1822950"",""http://www.myconfinedspace.com/2016/09/26/make-america-great-again-tattoo/#comment-1822955"",""http://www.myconfinedspace.com/2016/09/26/make-america-great-again-tattoo/#comment-1822955""" +"""http://www.myconfinedspace.com/2016/09/26/twg-spotlight-star-trek-book-club-redux/#comment-1822947"",""http://www.myconfinedspace.com/2016/09/26/twg-spotlight-star-trek-book-club-redux/#comment-1822947"",""http://www.nasdaq.com/article/1-huge-winner-from-the-apple-inc-iphone-7-cm688207"",""http://www.nasdaq.com/article/1-huge-winner-from-the-apple-inc-iphone-7-cm688207"",""http://www.nasdaq.com/article/apple-inc-could-have-3-new-ipads-up-its-sleeve-cm688053""" +"""http://www.nasdaq.com/article/apple-inc-could-have-3-new-ipads-up-its-sleeve-cm688053"",""http://www.nasdaq.com/article/will-apple-inc-ever-give-up-on-numbered-iphones-cm688083"",""http://www.nasdaq.com/article/will-apple-inc-ever-give-up-on-numbered-iphones-cm688083"",""http://www.nationalreview.com/article/440399/donald-trumps-conservative-agenda-reason-hes-gaining-ground"",""http://www.nationalreview.com/article/440399/donald-trumps-conservative-agenda-reason-hes-gaining-ground""" +"""http://www.nationalreview.com/article/440399/donald-trumps-conservative-agenda-reason-hes-gaining-ground"",""http://www.nationalreview.com/article/440399/donald-trumps-conservative-agenda-reason-hes-gaining-ground"",""http://www.nationalreview.com/article/440399/donald-trumps-conservative-agenda-reason-trumps-gaining-ground"",""http://www.nationalreview.com/article/440399/donald-trumps-conservative-agenda-reason-trumps-gaining-ground"",""http://www.nationalreview.com/article/440399/donald-trumps-conservative-agenda-reason-trumps-gaining-ground""" +"""http://www.nationalreview.com/article/440399/donald-trumps-conservative-agenda-reason-trumps-gaining-ground"",""http://www.nationalreview.com/article/440467/donald-trump-liberal-policies-are-sensible-democrats-1960s-and-1970s"",""http://www.nationalreview.com/article/440467/donald-trump-liberal-policies-are-sensible-democrats-1960s-and-1970s"",""http://www.nbcchicago.com/news/politics/Tensions-Flare-as-Republicans-Clash-Over-Donald-Trump--396622971.html"",""http://www.nbcchicago.com/news/politics/Tensions-Flare-as-Republicans-Clash-Over-Donald-Trump--396622971.html""" +"""http://www.nbcchicago.com/news/politics/Why-Evangelicals-Prefer-Donald-Trump-Hillary-Clinton-Election-396637061.html"",""http://www.nbcchicago.com/news/politics/Why-Evangelicals-Prefer-Donald-Trump-Hillary-Clinton-Election-396637061.html"",""http://www.nbcdfw.com/news/politics/Donald-Trump-Presidentila-Debate-Signals-Aggressive-Close-Campaign-396522541.html"",""http://www.nbcdfw.com/news/politics/Donald-Trump-Presidentila-Debate-Signals-Aggressive-Close-Campaign-396522541.html"",""http://www.nbclosangeles.com/news/local/Person-Injured-in-Orange-County-Freeway-Shooting--396598131.html""" +"""http://www.nbclosangeles.com/news/local/Person-Injured-in-Orange-County-Freeway-Shooting--396598131.html"",""http://www.nbclosangeles.com/news/politics/Donald-Trump-Presidentila-Debate-Signals-Aggressive-Close-Campaign-396522541.html"",""http://www.nbclosangeles.com/news/politics/Donald-Trump-Presidentila-Debate-Signals-Aggressive-Close-Campaign-396522541.html"",""http://www.nbcmiami.com/news/politics/Chris-Christie-Donald-Trump-Women-Tape-Apology-Support-Republican-President-396631761.html"",""http://www.nbcmiami.com/news/politics/Chris-Christie-Donald-Trump-Women-Tape-Apology-Support-Republican-President-396631761.html""" +"""http://www.nbcmiami.com/news/politics/Donald-Trump-to-Hold-Rally-in-New-Hampshire-on-Thursday-395243761.html"",""http://www.nbcmiami.com/news/politics/Tensions-Flare-as-Republicans-Clash-Over-Donald-Trump--396622971.html"",""http://www.nbcmiami.com/news/politics/Tensions-Flare-as-Republicans-Clash-Over-Donald-Trump--396622971.html"",""http://www.nbcmiami.com/news/politics/Tensions-Flare-as-Republicans-Clash-Over-Donald-Trump--396622971.html"",""http://www.nbcnews.com/storyline/2016-presidential-debates/analysis-hillary-clinton-s-studies-debate-donald-trump-pay-n655186""" +"""http://www.nbcnews.com/storyline/2016-presidential-debates/howard-dean-donald-trump-coke-user-n655216"",""http://www.nbcnews.com/storyline/2016-presidential-debates/presidential-debate-donald-trump-s-remark-about-paying-taxes-raises-n655261"",""http://www.ndtv.com/world-news/barack-obama-tells-clinton-fundraiser-us-still-grapples-with-powerful-women-1460400"",""http://www.ndtv.com/world-news/us-president-barack-obama-urges-citizens-not-to-succumb-to-fear-1463827"",""http://www.netmums.com/pregnancy/star-wars-baby-names""" +"""http://www.netmums.com/pregnancy/star-wars-baby-names"",""http://www.news-gazette.com/news/local/2016-10-05/shahid-khan-champaigns-69-billion-man.html"",""http://www.news-gazette.com/news/local/2016-10-05/shahid-khan-champaigns-69-billion-man.html"",""http://www.news.com.au/entertainment/celebrity-life/hook-ups-break-ups/angelina-jolies-95000-per-month-malibu-hideaway-with-stunning-panoramic-views/news-story/886bcc33e08318a93d26ac428e7a8d77"",""http://www.news.com.au/entertainment/celebrity-life/hook-ups-break-ups/angelina-jolies-95000-per-month-malibu-hideaway-with-stunning-panoramic-views/news-story/886bcc33e08318a93d26ac428e7a8d77""" +"""http://www.news.com.au/entertainment/celebrity-life/hook-ups-break-ups/brad-pitt-and-angelina-jolies-ironclad-prenup/news-story/769dafa56a63072d2c66b36eca3d6d3d"",""http://www.news.com.au/entertainment/celebrity-life/hook-ups-break-ups/brad-pitt-and-angelina-jolies-ironclad-prenup/news-story/769dafa56a63072d2c66b36eca3d6d3d"",""http://www.news.com.au/finance/business/other-industries/companies-are-cashing-in-on-the-brad-pitt-and-angelina-jolie-split/news-story/46df6d1ab75c6a0a02e2749a4e8dd939"",""http://www.news18.com/news/sports/top-four-comeback-tough-for-roger-federer-stan-wawrinka-1300967.html"",""http://www.news18.com/videos/india/has-cnn-news18-expose-triggered-sharif-vs-sharif-in-pak-1299389.html""" +"""http://www.news24.com/World/News/two-thirds-of-israelis-dont-expect-peace-deal-poll-20161002-2"",""http://www.news24.com/World/News/two-thirds-of-israelis-dont-expect-peace-deal-poll-20161002-2"",""http://www.newsbusters.org/blogs/nb/curtis-houck/2016/10/11/la-daily-news-trump-supporter-spat-protesting-media-bias-outside"",""http://www.newsbusters.org/blogs/nb/curtis-houck/2016/10/11/la-daily-news-trump-supporter-spat-protesting-media-bias-outside"",""http://www.newsbusters.org/blogs/nb/curtis-houck/2016/10/11/la-daily-news-trump-supporter-spat-protesting-media-bias-outside""" +"""http://www.newsbusters.org/blogs/nb/kristine-marsh/2016/10/11/cnn-anchors-hyperventilate-after-crowd-chants-cnn-sucks-trump"",""http://www.newsbusters.org/blogs/nb/kristine-marsh/2016/10/11/cnn-anchors-hyperventilate-after-crowd-chants-cnn-sucks-trump"",""http://www.newsbusters.org/blogs/nb/kristine-marsh/2016/10/11/cnn-anchors-hyperventilate-after-crowd-chants-cnn-sucks-trump"",""http://www.newsbusters.org/blogs/nb/kristine-marsh/2016/10/11/cnn-anchors-hyperventilate-after-crowd-chants-cnn-sucks-trump"",""http://www.newsbusters.org/blogs/nb/kristine-marsh/2016/10/11/cnn-anchors-hyperventilate-after-crowd-chants-cnn-sucks-trump""" +"""http://www.newsbusters.org/blogs/nb/matthew-balan/2016/10/11/cnns-stelter-denies-media-clinton-camp-are-cahoots"",""http://www.newsbusters.org/blogs/nb/matthew-balan/2016/10/11/cnns-stelter-denies-media-clinton-camp-are-cahoots"",""http://www.newscaststudio.com/2016/09/27/msnbc-cnn-graphic/"",""http://www.newscaststudio.com/2016/10/11/cnn-updates-newsroom-studio/"",""http://www.newscorpse.com/ncWP/?p=32791""" +"""http://www.newscorpse.com/ncWP/?p=32791"",""http://www.newscorpse.com/ncWP/?p=32791"",""http://www.newscorpse.com/ncWP/?p=32791"",""http://www.newscorpse.com/ncWP/?p=32841"",""http://www.newscorpse.com/ncWP/?p=32841""" +"""http://www.newscorpse.com/ncWP/?p=32841"",""http://www.newsday.com/entertainment/long-island-events/where-to-watch-the-hillary-clinton-donald-trump-debate-on-li-1.12359730"",""http://www.newsday.com/entertainment/long-island-events/where-to-watch-the-hillary-clinton-donald-trump-debate-on-li-1.12359730"",""http://www.newsday.com/long-island/columnists/dan-janison/in-first-scrap-hillary-clinton-and-donald-trump-face-traps-1.12358228"",""http://www.newsday.com/long-island/columnists/dan-janison/in-first-scrap-hillary-clinton-and-donald-trump-face-traps-1.12358228""" +"""http://www.newsday.com/opinion/watch-the-donald-trump-hillary-clinton-debate-and-play-these-drinking-games-1.12357504"",""http://www.newser.com/story/231843/heres-what-brad-pitt-angelina-jolie-fought-about.html"",""http://www.newser.com/story/231843/heres-what-brad-pitt-angelina-jolie-fought-about.html"",""http://www.newser.com/story/231843/heres-what-brad-pitt-angelina-jolie-fought-about.html"",""http://www.newser.com/story/232235/trump-still-believes-the-central-park-5-are-guilty.html""" +"""http://www.newser.com/story/232235/trump-still-believes-the-central-park-5-are-guilty.html"",""http://www.newser.com/story/232235/trump-still-believes-the-central-park-5-are-guilty.html"",""http://www.newshounds.us/donald_trump_plays_the_victim_while_attacking_alicia_machado_again_092816"",""http://www.newshounds.us/donald_trump_plays_the_victim_while_attacking_alicia_machado_again_092816"",""http://www.newshounds.us/donald_trump_plays_the_victim_while_attacking_alicia_machado_again_092816""" +"""http://www.newshounds.us/donald_trump_plays_the_victim_while_attacking_alicia_machado_again_092816"",""http://www.newshounds.us/donald_trump_plays_the_victim_while_attacking_alicia_machado_again_092816"",""http://www.newsmax.com/Headline/donna-brazile-advises-hillary-talk/2016/09/26/id/750198"",""http://www.newsmax.com/Headline/donna-brazile-advises-hillary-talk/2016/09/26/id/750198"",""http://www.newsmax.com/Headline/donna-brazile-advises-hillary-talk/2016/09/26/id/750198""" +"""http://www.newsmax.com/Headline/donna-brazile-advises-hillary-talk/2016/09/26/id/750198"",""http://www.newsmax.com/Headline/donna-brazile-advises-hillary-talk/2016/09/26/id/750198"",""http://www.newsmax.com/Headline/hillary-leads-trump-virginia/2016/09/26/id/750184"",""http://www.newsmax.com/Headline/hillary-leads-trump-virginia/2016/09/26/id/750184"",""http://www.newsmax.com/Headline/hillary-leads-trump-virginia/2016/09/26/id/750184""" +"""http://www.newsmax.com/Headline/hillary-leads-trump-virginia/2016/09/26/id/750184"",""http://www.newsmax.com/Headline/hillary-leads-trump-virginia/2016/09/26/id/750184"",""http://www.newsmax.com/StreetTalk/donald-trump-hillary-clinton-wilbur-ross-GDP/2016/09/26/id/750188"",""http://www.newsmax.com/StreetTalk/donald-trump-hillary-clinton-wilbur-ross-GDP/2016/09/26/id/750188"",""http://www.newsmax.com/StreetTalk/donald-trump-hillary-clinton-wilbur-ross-GDP/2016/09/26/id/750188""" +"""http://www.newsmax.com/StreetTalk/donald-trump-hillary-clinton-wilbur-ross-GDP/2016/09/26/id/750188"",""http://www.newsmax.com/StreetTalk/donald-trump-hillary-clinton-wilbur-ross-GDP/2016/09/26/id/750188"",""http://www.newsobserver.com/news/local/community/chapel-hill-news/article106167567.html#navlink=Lead"",""http://www.newsobserver.com/news/local/community/chapel-hill-news/article106167567.html#navlink=Lead"",""http://www.newsobserver.com/news/local/community/chapel-hill-news/article106167567.html#navlink=SecList""" +"""http://www.newsobserver.com/news/local/community/chapel-hill-news/article106167567.html#navlink=SecList"",""http://www.newsobserver.com/news/local/community/chapel-hill-news/article106473652.html#navlink=SecList"",""http://www.newsobserver.com/news/local/community/chapel-hill-news/article106473652.html#navlink=SecList"",""http://www.newsobserver.com/news/local/community/chapel-hill-news/article106473652.html#navlink=SecList"",""http://www.newsweek.com/dems-may-back-hillary-clinton-find-it-hard-muster-excitement-502896""" +"""http://www.newsweek.com/dems-may-back-hillary-clinton-find-it-hard-muster-excitement-502896"",""http://www.newsweek.com/donald-trump-andy-kaufman-disguise-election-502292"",""http://www.newsweek.com/donald-trump-foreign-policy-advisor-firm-sued-sexual-harassment-joseph-schmitz-503064"",""http://www.newyorker.com/news/benjamin-wallace-wells/the-new-york-tale-of-donald-trumps-accountant"",""http://www.nfl.com/fantasy/story/0ap3000000714547/article/things-i-learned-in-fantasy-football-week-4""" +"""http://www.nfl.com/fantasy/story/0ap3000000714620/article/week-5-fantasy-football-waiverwire-targets"",""http://www.nfl.com/news/story/0ap3000000715458/article/falcons-agree-to-terms-with-aj-hawk"",""http://www.ngnews.ca/Canada---World/Business/2016-10-01/article-4653984/WHY-IT-MATTERS:-Issues-at-stake-in-election/1"",""http://www.ngnews.ca/Canada---World/Business/2016-10-02/article-4654743/Uncertainty-over-Philippine-president-alarms-investors/1"",""http://www.nj.com/politics/index.ssf/2016/09/trump_advisers_want_christie_to_handle_debate_prep.html""" +"""http://www.nola.com/politics/index.ssf/2016/10/to_make_jefferson_bike_friendl.html"",""http://www.nola.com/politics/index.ssf/2016/10/to_make_jefferson_bike_friendl.html"",""http://www.nola.com/society/index.ssf/2016/10/cookie_johnson_wife_of_nba_leg.html"",""http://www.novinite.com/articles/176793/Israeli+Expert%3A+Turkey%27s+Erdogan+Can+Radicalise+Muslims+in+Bulgaria"",""http://www.novinite.com/articles/176793/Israeli+Expert%3A+Turkey%27s+Erdogan+Can+Radicalise+Muslims+in+Bulgaria""" +"""http://www.npr.org/2016/09/27/495611105/in-post-debate-interview-trump-again-criticizes-pageant-winners-weight"",""http://www.npr.org/2016/09/27/495611105/in-post-debate-interview-trump-again-criticizes-pageant-winners-weight"",""http://www.npr.org/sections/thetwo-way/2016/09/27/495692196/clinton-trump-showdown-is-most-watched-presidential-debate"",""http://www.npr.org/sections/thetwo-way/2016/09/27/495692196/clinton-trump-showdown-is-most-watched-presidential-debate"",""http://www.npr.org/sections/thetwo-way/2016/09/27/495692196/clinton-trump-showdown-is-most-watched-presidential-debate""" +"""http://www.nrtoday.com/trump-suggests-immigrants-allowed-in-illegally-to-vote/article_2eca6148-a188-5f87-be96-886ace515742.html"",""http://www.nrtoday.com/trump-suggests-immigrants-allowed-in-illegally-to-vote/article_2eca6148-a188-5f87-be96-886ace515742.html"",""http://www.nuclearblast.de/en/label/music/band/news/details/73259.70948.nightwish-no-new-singer-before-2007.html"",""http://www.nydailynews.com/entertainment/gossip/kathie-lee-hoda-time-apologize-star-feud-article-1.2792906"",""http://www.nydailynews.com/news/election/audience-clinton-trump-shatter-records-article-1.2807383""" +"""http://www.nytimes.com/2016/09/25/technology/phone-makers-could-cut-off-drivers-so-why-dont-they.html"",""http://www.nytimes.com/2016/09/25/technology/phone-makers-could-cut-off-drivers-so-why-dont-they.html"",""http://www.nytimes.com/2016/09/25/technology/phone-makers-could-cut-off-drivers-so-why-dont-they.html"",""http://www.nytimes.com/2016/09/25/technology/phone-makers-could-cut-off-drivers-so-why-dont-they.html"",""http://www.nytimes.com/2016/09/25/technology/phone-makers-could-cut-off-drivers-so-why-dont-they.html""" +"""http://www.observertoday.com/page/content.detail/id/662988/Not-all-wealth-is-used-selfishly.html"",""http://www.observertoday.com/page/content.detail/id/662988/Not-all-wealth-is-used-selfishly.html"",""http://www.observertoday.com/page/content.detail/id/662988/Not-all-wealth-is-used-selfishly.html"",""http://www.obsev.com/entertainment/jennifer-aniston-and-justin-theroux-get-married.html"",""http://www.obsev.com/entertainment/jennifer-aniston-and-justin-theroux-get-married.html""" +"""http://www.obsev.com/entertainment/jennifer-aniston-selena-gomezs-new-mentor.html"",""http://www.obsev.com/entertainment/jennifer-aniston-selena-gomezs-new-mentor.html"",""http://www.ocregister.com/articles/county-731015-homelessness-homeless.html"",""http://www.ocregister.com/articles/pumpkin-730992-rides-patch.html"",""http://www.ocregister.com/articles/pumpkin-730992-rides-patch.html""" +"""http://www.ocregister.com/articles/pumpkin-730992-rides-patch.html"",""http://www.ocregister.com/articles/pumpkin-730992-rides-patch.html"",""http://www.ocregister.com/articles/pumpkin-730992-rides-patch.html"",""http://www.ocregister.com/articles/ranked-731023-year-billion.html"",""http://www.ocregister.com/articles/ranked-731023-year-billion.html""" +"""http://www.ocregister.com/articles/ranked-731023-year-billion.html"",""http://www.ocregister.com/articles/ranked-731023-year-billion.html"",""http://www.ocweekly.com/news/7-great-orange-county-destinations-for-creepy-clowns-7567688"",""http://www.ocweekly.com/news/7-great-orange-county-destinations-for-creepy-clowns-7567688"",""http://www.ocweekly.com/news/is-the-era-of-the-orange-county-quarterback-over-7565636""" +"""http://www.ocweekly.com/news/is-the-era-of-the-orange-county-quarterback-over-7565636"",""http://www.officiallondontheatre.co.uk/news/first-nights/article/item375235/press-night-the-last-tango/"",""http://www.officiallondontheatre.co.uk/news/first-nights/article/item376432/press-night-the-boys-in-the-band/?"",""http://www.officiallondontheatre.co.uk/news/first-nights/article/item377740/shopping-and-f-king/"",""http://www.okstate.com/news/2016/10/10/mens-golf-cowboys-in-first-through-day-one-in-colorado.aspx""" +"""http://www.okstate.com/news/2016/10/5/mens-golf-kevin-tway-regains-pga-tour-card.aspx"",""http://www.oneindia.com/sports/football/arsenal-midfielder-francis-coquelin-sidelined-3-weeks-2220531.html"",""http://www.oneindia.com/sports/football/ucl-arsenal-barcelona-atletico-win-pep-s-winning-streak-halted-2221951.html"",""http://www.opb.org/news/article/npr-how-effective-was-shimon-peres-social-media-push-for-peace/"",""http://www.opb.org/news/article/npr-how-effective-was-shimon-peres-social-media-push-for-peace/""" +"""http://www.orangecountynyfilm.org/news/urgent-casting-plumbing-commercial-new-hampton-ny-on-october-11th-2016-seeks-couple-in-their-40s/"",""http://www.orangecountynyfilm.org/news/urgent-casting-plumbing-commercial-new-hampton-ny-on-october-11th-2016-seeks-couple-in-their-40s/"",""http://www.orangecountynyfilm.org/news/urgent-casting-plumbing-commercial-new-hampton-ny-on-october-11th-2016-seeks-couple-in-their-40s/"",""http://www.orangecountynyfilm.org/news/urgent-casting-plumbing-commercial-new-hampton-ny-on-october-11th-2016-seeks-couple-in-their-40s/"",""http://www.oregonlive.com/today/index.ssf/2016/10/third-party_backers_may_still.html""" +"""http://www.oregonlive.com/today/index.ssf/2016/10/third-party_backers_may_still.html"",""http://www.orlandosentinel.com/news/space/os-elon-musk-mars-trip-florida-20160927-story.html"",""http://www.orlandosentinel.com/opinion/os-ed-elon-musk-champ-20160929-story.html"",""http://www.orlandosentinel.com/opinion/os-elon-musk-mars-beth-kassab-20161004-column.html"",""http://www.orvis.com/news/dogs/10-popular-dog-names/""" +"""http://www.orvis.com/news/dogs/15-favorite-dog-names-inspired-outdoors/"",""http://www.orvis.com/news/dogs/pro-tips-talk-dog-part-iii-avoiding-common-problems/"",""http://www.outlookindia.com/blog/story/prabhu-deva-does-a-gandi-baat-jig-with-father/3810"",""http://www.outlookindia.com/blog/story/prabhu-deva-does-a-gandi-baat-jig-with-father/3810"",""http://www.outlookindia.com/magazine/story/vanilla-spread-evenly/297865""" +"""http://www.outlookindia.com/magazine/story/vanilla-spread-evenly/297865"",""http://www.outlookindia.com/magazine/story/vanilla-spread-evenly/297865"",""http://www.outlookindia.com/magazine/story/vanilla-spread-evenly/297865"",""http://www.outlookindia.com/newswire/story/corruption-accused-ex-corporate-affairs-dg-bansal-commits-suicide-along-with-son/952122"",""http://www.outlookindia.com/newswire/story/corruption-accused-ex-corporate-affairs-dg-bansal-commits-suicide-along-with-son/952122""" +"""http://www.owlsports.com/news/2016/9/27/football-temple-opens-up-conference-play-vs-smu.aspx"",""http://www.owlsports.com/news/2016/9/28/football-mcgowan-semifinalist-for-pretigious-campbell-trophy.aspx"",""http://www.owlsports.com/news/2016/9/28/football-mcgowan-semifinalist-for-pretigious-campbell-trophy.aspx"",""http://www.owlsports.com/news/2016/9/29/temple-football-goes-the-extra-yard-for-teachers.aspx"",""http://www.paloaltoonline.com/news/2016/10/12/when-irish-eyes-are-smiling""" +"""http://www.papermag.com/kim-kardashian-seeking-legal-action-against-vitalii-sediuk-2021153859.html"",""http://www.papermag.com/kim-kardashian-selling-laughing-kanye-one-day-only-2017451021.html"",""http://www.parents.com/pregnancy/everything-pregnancy/keys-to-a-healty-pregnancy-diet-exercise-and-a-good-relationship/"",""http://www.parents.com/pregnancy/everything-pregnancy/keys-to-a-healty-pregnancy-diet-exercise-and-a-good-relationship/"",""http://www.parents.com/pregnancy/everything-pregnancy/keys-to-a-healty-pregnancy-diet-exercise-and-a-good-relationship/""" +"""http://www.parispi.net/news/state_national_world/national/article_334286ba-7f50-11e6-b7f6-7bcbc4de01fc.html"",""http://www.parispi.net/news/state_national_world/national/article_334286ba-7f50-11e6-b7f6-7bcbc4de01fc.html"",""http://www.parispi.net/news/state_national_world/national/article_334286ba-7f50-11e6-b7f6-7bcbc4de01fc.html"",""http://www.parispi.net/news/state_national_world/national/article_334286ba-7f50-11e6-b7f6-7bcbc4de01fc.html"",""http://www.parispi.net/news/state_national_world/national/article_56b82ca4-7f4f-11e6-a739-639dc008849f.html""" +"""http://www.parispi.net/news/state_national_world/national/article_56b82ca4-7f4f-11e6-a739-639dc008849f.html"",""http://www.parispi.net/news/state_national_world/national/article_70144e9e-7f4f-11e6-8588-d7b04f028bab.html"",""http://www.parispi.net/news/state_national_world/national/article_70144e9e-7f4f-11e6-8588-d7b04f028bab.html"",""http://www.parispi.net/news/state_national_world/national/article_70144e9e-7f4f-11e6-8588-d7b04f028bab.html"",""http://www.parispi.net/news/state_national_world/national/article_70144e9e-7f4f-11e6-8588-d7b04f028bab.html""" +"""http://www.pasadenastarnews.com/general-news/20161007/shimon-peres-honored-by-la-jewish-leaders"",""http://www.patentlyapple.com/patently-apple/2016/10/apple-wins-another-patent-covering-touch-id-moving-to-beneath-the-display-of-an-ios-device.html"",""http://www.patentlyapple.com/patently-apple/2016/10/apple-wins-another-patent-covering-touch-id-moving-to-beneath-the-display-of-an-ios-device.html"",""http://www.patentlyapple.com/patently-apple/2016/10/new-iphone-6-touch-disease-class-action-lawsuits-filed-against-apple-in-canada-is-a-troublesome-trend.html"",""http://www.patentlyapple.com/patently-apple/2016/10/new-iphone-6-touch-disease-class-action-lawsuits-filed-against-apple-in-canada-is-a-troublesome-trend.html""" +"""http://www.patentlyapple.com/patently-apple/2016/10/new-iphone-6-touch-disease-class-action-lawsuits-filed-against-apple-in-canada-is-a-troublesome-trend.html"",""http://www.patentlyapple.com/patently-apple/2016/10/new-iphone-6-touch-disease-class-action-lawsuits-filed-against-apple-in-canada-is-a-troublesome-trend.html"",""http://www.patentlyapple.com/patently-apple/2016/10/new-iphone-6-touch-disease-class-action-lawsuits-filed-against-apple-in-canada-is-a-troublesome-trend.html"",""http://www.pbs.org/newshour/bb/hillary-clinton-donald-trump-want-first-debate/"",""http://www.pbs.org/newshour/bb/hillary-clinton-donald-trump-want-first-debate/""" +"""http://www.pbs.org/newshour/bb/hillary-clinton-donald-trump-want-first-debate/"",""http://www.pbs.org/newshour/rundown/trump-suggests-vets-ptsd-cant-handle/"",""http://www.pbs.org/newshour/rundown/trump-suggests-vets-ptsd-cant-handle/"",""http://www.pbs.org/newshour/rundown/trump-suggests-vets-ptsd-cant-handle/"",""http://www.pcmag.com/article2/0,2817,1977715,00.asp""" +"""http://www.pcmag.com/article2/0,2817,1977715,00.asp"",""http://www.pcmag.com/article2/0,2817,1977715,00.asp"",""http://www.pcmag.com/article2/0,2817,1977715,00.asp"",""http://www.pennlive.com/news/2016/10/in_pennsylvania_preserving_a_c.html"",""http://www.people.com/article/hillary-clinton-donald-trump-debate-prep-instagram""" +"""http://www.people.com/article/hillary-clinton-donald-trump-debate-prep-instagram"",""http://www.people.com/people/article/0,,21032291,00.html"",""http://www.people.com/people/article/0,,21032291,00.html"",""http://www.pethealthnetwork.com/dog-health/dog-surgery-a-z/ear-infections-dogs-and-total-ear-canal-ablation-teca"",""http://www.pethealthnetwork.com/dog-health/dog-surgery-a-z/ear-infections-dogs-and-total-ear-canal-ablation-teca""" +"""http://www.pethealthnetwork.com/dog-health/dog-surgery-a-z/ear-infections-dogs-and-total-ear-canal-ablation-teca"",""http://www.philly.com/philly/sports/The-Dallas-Cowboys-employ-a-man-whose-job-is-to-make-problems-go-away.html"",""http://www.philly.com/philly/sports/The-Dallas-Cowboys-employ-a-man-whose-job-is-to-make-problems-go-away.html"",""http://www.philly.com/philly/sports/The-Dallas-Cowboys-employ-a-man-whose-job-is-to-make-problems-go-away.html"",""http://www.phillymag.com/news/2016/09/27/donald-trump-song-rocky-theme-bill-conti/""" +"""http://www.phillymag.com/news/2016/09/27/donald-trump-song-rocky-theme-bill-conti/"",""http://www.phillymag.com/news/2016/09/27/donald-trump-song-rocky-theme-bill-conti/"",""http://www.phillymag.com/news/2016/09/29/penn-letter-petition-disavow-trump/"",""http://www.phillymag.com/news/2016/09/29/penn-letter-petition-disavow-trump/"",""http://www.phillymag.com/news/2016/09/29/penn-letter-petition-disavow-trump/""" +"""http://www.phillymag.com/news/2016/09/29/penn-letter-petition-disavow-trump/"",""http://www.phillymag.com/news/2016/10/04/apprentice-contestants-donald-trump-sexist-erin-elmore/"",""http://www.phillymag.com/news/2016/10/04/apprentice-contestants-donald-trump-sexist-erin-elmore/"",""http://www.phillymag.com/news/2016/10/04/apprentice-contestants-donald-trump-sexist-erin-elmore/"",""http://www.phillymag.com/news/2016/10/04/apprentice-contestants-donald-trump-sexist-erin-elmore/""" +"""http://www.phoenixnewtimes.com/music/the-10-best-bob-dylan-albums-and-why-theyre-so-good-8716547"",""http://www.phoenixnewtimes.com/music/the-10-best-bob-dylan-albums-and-why-theyre-so-good-8716547"",""http://www.phoenixnewtimes.com/music/the-10-best-bob-dylan-albums-and-why-theyre-so-good-8716547"",""http://www.phonearena.com/news/9-out-of-10-iPhone-accessories-sold-on-Amazon-are-fake-Apple-warns-and-sues_id86793"",""http://www.phonearena.com/news/9-out-of-10-iPhone-accessories-sold-on-Amazon-are-fake-Apple-warns-and-sues_id86793""" +"""http://www.phonearena.com/news/9-out-of-10-iPhone-accessories-sold-on-Amazon-are-fake-Apple-warns-and-sues_id86793"",""http://www.phonearena.com/news/9-out-of-10-iPhone-accessories-sold-on-Amazon-are-fake-Apple-warns-and-sues_id86793"",""http://www.phonearena.com/news/Apple-to-announce-new-devices-next-week-on-October-27th_id86750"",""http://www.phonearena.com/news/Apple-to-announce-new-devices-next-week-on-October-27th_id86750"",""http://www.phonearena.com/news/Apple-to-announce-new-devices-next-week-on-October-27th_id86750""" +"""http://www.phonearena.com/reviews/Apple-iPhone-7-vs-HTC-10_id4265"",""http://www.phonearena.com/reviews/Apple-iPhone-7-vs-HTC-10_id4265"",""http://www.phonearena.com/reviews/Apple-iPhone-7-vs-HTC-10_id4265"",""http://www.physics-astronomy.com/2016/10/brian-cox-explains-why-we-havent-seen.html"",""http://www.physics-astronomy.com/2016/10/brian-cox-explains-why-we-havent-seen.html""" +"""http://www.playbill.com/article/carrie-cast-members-to-star-in-the-rage-carrie-2-musical-parody"",""http://www.playbill.com/article/carrie-cast-members-to-star-in-the-rage-carrie-2-musical-parody"",""http://www.politico.com/blogs/under-the-radar/2016/09/clinton-email-release-foia-228674"",""http://www.politico.com/magazine/story/2016/09/hillary-clinton-2016-debate-214291"",""http://www.politico.com/magazine/story/2016/09/hillary-clinton-2016-debate-214291""" +"""http://www.politico.com/story/2016/09/barack-obama-donald-trump-228649"",""http://www.popdust.com/rihanna-dreadlocks-beautiful-2031754620.html"",""http://www.popsci.com/elon-musks-master-plan-for-colonizing-mars-gives-us-sci-fi-future-we-crave"",""http://www.popsci.com/elon-musks-master-plan-for-colonizing-mars-gives-us-sci-fi-future-we-crave"",""http://www.popsci.com/spacex-investigating-possible-sabotage-exploded-rocket""" +"""http://www.popsci.com/spacex-investigating-possible-sabotage-exploded-rocket"",""http://www.popsci.com/watch-sneak-peak-at-spacexs-interplanetary-transport-system"",""http://www.popsci.com/watch-sneak-peak-at-spacexs-interplanetary-transport-system"",""http://www.popsugar.com/celebrity/Scott-Eastwood-Ellen-DeGeneres-Show-September-2016-42393488"",""http://www.popsugar.com/celebrity/Scott-Eastwood-Ellen-DeGeneres-Show-September-2016-42393488""" +"""http://www.popsugar.com/celebrity/Scott-Eastwood-Ellen-DeGeneres-Show-September-2016-42393488"",""http://www.popsugar.com/celebrity/Scott-Eastwood-Ellen-DeGeneres-Show-September-2016-42393488"",""http://www.popsugar.com/celebrity/Viola-Davis-Ellen-DeGeneres-Show-September-2016-42418253"",""http://www.popsugar.com/celebrity/Viola-Davis-Ellen-DeGeneres-Show-September-2016-42418253"",""http://www.popsugar.com/celebrity/Viola-Davis-Ellen-DeGeneres-Show-September-2016-42418253""" +"""http://www.popsugar.com/moms/Mom-Breastfeeding-While-Doing-Yoga-42419037"",""http://www.popsugar.com/moms/Mom-Breastfeeding-While-Doing-Yoga-42419037"",""http://www.popsugar.com/moms/Mom-Breastfeeding-While-Doing-Yoga-42419037"",""http://www.popsugar.com/moms/Mom-Breastfeeding-While-Doing-Yoga-42419037"",""http://www.popularmechanics.com/space/moon-mars/a23068/black-moon-september-2016/""" +"""http://www.popularmechanics.com/space/moon-mars/a23072/how-much-would-it-cost-to-live-on-the-moon/"",""http://www.popularmechanics.com/space/rockets/a23080/spacex-elon-musk-itar/"",""http://www.popularmechanics.com/space/rockets/a23080/spacex-elon-musk-itar/"",""http://www.post-gazette.com/opinion/editorials/2016/10/09/Mideast-static-Obama-s-null-legacy-in-Israeli-Palestinian-peace/stories/201610080018"",""http://www.post-gazette.com/opinion/editorials/2016/10/09/Mideast-static-Obama-s-null-legacy-in-Israeli-Palestinian-peace/stories/201610080018""" +"""http://www.postandcourier.com/20161002/161009874/coopersmith-martins-to-clash-in-ltp-final"",""http://www.postmagazine.com/Press-Center/Daily-News/2016/Carrie-Underwood-returns-to-open-i-Sunday-Night-.aspx"",""http://www.postmagazine.com/Press-Center/Daily-News/2016/Carrie-Underwood-returns-to-open-i-Sunday-Night-.aspx"",""http://www.postmagazine.com/Press-Center/Daily-News/2016/Carrie-Underwood-returns-to-open-i-Sunday-Night-.aspx"",""http://www.pressconnects.com/story/news/politics/2016/10/11/last-100-days-obama-still-has-lengthy--do-list/91901790/?from=global&sessionKey=&autologin=""" +"""http://www.pressconnects.com/story/news/politics/elections/2016/10/12/trump-election-decide-whether-we-remain-free-country/91932234/?from=global&sessionKey=&autologin="",""http://www.pressconnects.com/story/news/politics/elections/2016/10/12/trump-election-decide-whether-we-remain-free-country/91932234/?from=global&sessionKey=&autologin="",""http://www.pressconnects.com/story/news/politics/elections/2016/10/12/trump-election-decide-whether-we-remain-free-country/91932234/?from=global&sessionKey=&autologin="",""http://www.pressconnects.com/story/news/politics/elections/2016/10/12/trump-election-decide-whether-we-remain-free-country/91932234/?from=global&sessionKey=&autologin="",""http://www.pressdemocrat.com/news/6138309-181/israel-mourns-as-preparations-begin?ref=TSM""" +"""http://www.pressdemocrat.com/news/6138309-181/israel-mourns-as-preparations-begin?ref=TSM"",""http://www.presstelegram.com/general-news/20161003/drivers-plea-deal-in-fatal-torrance-crash-angers-victim-families"",""http://www.presstelegram.com/general-news/20161003/drivers-plea-deal-in-fatal-torrance-crash-angers-victim-families"",""http://www.presstelegram.com/general-news/20161004/violent-crime-way-down-in-california-deaths-in-custody-way-up"",""http://www.presstelegram.com/general-news/20161007/heres-what-we-know-about-hurricane-matthew-right-now""" +"""http://www.prevention.com/fitness/12-ways-you-can-get-more-out-of-your-yoga-class"",""http://www.prevention.com/fitness/12-ways-you-can-get-more-out-of-your-yoga-class"",""http://www.prevention.com/fitness/12-ways-you-can-get-more-out-of-your-yoga-class"",""http://www.prevention.com/fitness/12-ways-you-can-get-more-out-of-your-yoga-class"",""http://www.prevention.com/fitness/12-ways-you-can-get-more-out-of-your-yoga-class""" +"""http://www.prevention.com/fitness/12-ways-you-can-get-more-out-of-your-yoga-class"",""http://www.prevention.com/fitness/12-ways-you-can-get-more-out-of-your-yoga-class"",""http://www.prevention.com/fitness/12-ways-you-can-get-more-out-of-your-yoga-class"",""http://www.prevention.com/fitness/4-best-yoga-poses-if-you-have-allergies-or-asthma"",""http://www.prevention.com/fitness/4-best-yoga-poses-if-you-have-allergies-or-asthma""" +"""http://www.prevention.com/fitness/4-best-yoga-poses-if-you-have-allergies-or-asthma"",""http://www.prevention.com/fitness/4-best-yoga-poses-if-you-have-allergies-or-asthma"",""http://www.prevention.com/fitness/4-best-yoga-poses-if-you-have-allergies-or-asthma"",""http://www.prevention.com/fitness/4-best-yoga-poses-if-you-have-allergies-or-asthma"",""http://www.prevention.com/fitness/4-best-yoga-poses-if-you-have-allergies-or-asthma""" +"""http://www.prevention.com/weight-loss/this-is-your-perfect-day-for-weight-loss"",""http://www.prevention.com/weight-loss/this-is-your-perfect-day-for-weight-loss"",""http://www.prevention.com/weight-loss/this-is-your-perfect-day-for-weight-loss"",""http://www.prnewswire.com/news-releases/arcturus-therapeutics-to-report-identification-of-lunar-hbv-a-potent-combination-of-three-una-oligomers-targeting-all-hepatitis-b-virus-genotypes-at-the-aasld-liver-meeting-2016-300337730.html"",""http://www.prnewswire.com/news-releases/arcturus-therapeutics-to-report-identification-of-lunar-hbv-a-potent-combination-of-three-una-oligomers-targeting-all-hepatitis-b-virus-genotypes-at-the-aasld-liver-meeting-2016-300337730.html""" +"""http://www.prnewswire.com/news-releases/arcturus-therapeutics-to-report-identification-of-lunar-hbv-a-potent-combination-of-three-una-oligomers-targeting-all-hepatitis-b-virus-genotypes-at-the-aasld-liver-meeting-2016-300337730.html"",""http://www.prnewswire.com/news-releases/boston-scientific-to-webcast-conference-call-discussing-third-quarter-2016-financial-results-on-october-26-300337436.html"",""http://www.prnewswire.com/news-releases/boston-scientific-to-webcast-conference-call-discussing-third-quarter-2016-financial-results-on-october-26-300337436.html"",""http://www.prnewswire.com/news-releases/boston-scientific-to-webcast-conference-call-discussing-third-quarter-2016-financial-results-on-october-26-300337436.html"",""http://www.prnewswire.com/news-releases/the-breast-cancer-research-foundation-commits-57-million-to-fund-cancer-research-worldwide-300337784.html""" +"""http://www.prnewswire.com/news-releases/the-breast-cancer-research-foundation-commits-57-million-to-fund-cancer-research-worldwide-300337784.html"",""http://www.prnewswire.com/news-releases/the-breast-cancer-research-foundation-commits-57-million-to-fund-cancer-research-worldwide-300337784.html"",""http://www.profootballweekly.com/2016/09/27/indianapolis-colts-put-linebacker-trent-cole-on-injured-reserve/avqovyx/"",""http://www.profootballweekly.com/2016/09/27/indianapolis-colts-put-linebacker-trent-cole-on-injured-reserve/avqovyx/"",""http://www.profootballweekly.com/2016/09/27/report-chicago-bears-rb-jeremy-langford-could-miss-4-6-weeks/aeyvdfd/""" +"""http://www.profootballweekly.com/2016/09/27/report-chicago-bears-rb-jeremy-langford-could-miss-4-6-weeks/aeyvdfd/"",""http://www.profootballweekly.com/2016/09/27/report-chicago-bears-rb-jeremy-langford-could-miss-4-6-weeks/aeyvdfd/"",""http://www.profootballweekly.com/lists/2016/09/27/8fc7094e16ab4f27a916de60fa285812/index.xml"",""http://www.projectcasting.com/casting-calls-acting-auditions/house-cards-season-5-baltimore-casting-call-billionaire-types"",""http://www.projectcasting.com/casting-calls-acting-auditions/house-cards-season-5-baltimore-casting-call-billionaire-types""" +"""http://www.projectcasting.com/casting-calls-acting-auditions/house-cards-season-5-baltimore-casting-call-billionaire-types"",""http://www.projectcasting.com/casting-calls-acting-auditions/house-cards-season-5-baltimore-casting-call-models"",""http://www.projectcasting.com/casting-calls-acting-auditions/house-cards-season-5-baltimore-casting-call-models"",""http://www.projectcasting.com/casting-calls-acting-auditions/house-cards-season-5-baltimore-casting-call-models"",""http://www.projectcasting.com/casting-calls-acting-auditions/house-cards-season-5-baltimore-casting-call-new-talent""" +"""http://www.projectcasting.com/casting-calls-acting-auditions/house-cards-season-5-baltimore-casting-call-new-talent"",""http://www.psg.fr/en/News/003001/Article/77167/Official-Club-Statement"",""http://www.psg.fr/en/News/003001/Article/77182/The-match-in-numbers"",""http://www.psg.fr/en/News/101001/Breaking-News/77166/4-generations-of-Parisian-keepers"",""http://www.ptinews.com/news/7922307_Armaan-scores-a-double-as-India-beat-Malaysian-Blues-in-AHL-""" +"""http://www.ptinews.com/news/7924694_India-were-136-3-at-tea-on-day-1-of-2nd-Test-"",""http://www.ptinews.com/news/7933095_India-set-NZ-376-run-target-to-win-second-Test-"",""http://www.punditarena.com/football/adrumm/manchester-city-set-meet-arsenals-reported-asking-price-hector-bellerin-report/"",""http://www.punditarena.com/football/adrumm/manchester-city-set-meet-arsenals-reported-asking-price-hector-bellerin-report/"",""http://www.punditarena.com/football/adrumm/manchester-city-set-meet-arsenals-reported-asking-price-hector-bellerin-report/""" +"""http://www.punditarena.com/football/jmurphy/manchester-united-move-belgian-young-footballer-year-espn/"",""http://www.punditarena.com/football/jmurphy/manchester-united-move-belgian-young-footballer-year-espn/"",""http://www.punditarena.com/football/nomahony/another-one-bites-the-dust-arsenal-and-chelsea-target-signs-improved-contract/"",""http://www.punditarena.com/football/nomahony/another-one-bites-the-dust-arsenal-and-chelsea-target-signs-improved-contract/"",""http://www.quattroworld.com/audi-r8-e-tron/electric-audi-r8-e-tron-quietly-discontinued/""" +"""http://www.radiotimes.com/news/2016-10-05/how-the-girl-on-the-train-went-from-london-to-new-york"",""http://www.radiotimes.com/news/2016-10-05/how-the-girl-on-the-train-went-from-london-to-new-york"",""http://www.raise-funds.com/2016/make-your-mission-statement-a-fundraising-tool/"",""http://www.rappler.com/nation/147405-philippines-duterte-ndf-communist-rebels-malacanang-dinner"",""http://www.rappler.com/nation/147405-philippines-duterte-ndf-communist-rebels-malacanang-dinner""" +"""http://www.rappler.com/nation/147405-philippines-duterte-ndf-communist-rebels-malacanang-dinner"",""http://www.rappler.com/the-wrap/147428-daily-news-highlights-september-27-2016-edition"",""http://www.rappler.com/the-wrap/147428-daily-news-highlights-september-27-2016-edition"",""http://www.rappler.com/the-wrap/147428-daily-news-highlights-september-27-2016-edition"",""http://www.rawstory.com/2016/10/donald-trump-showed-all-he-can-do-is-prowl-and-fume/""" +"""http://www.rawstory.com/2016/10/john-oliver-just-unleashed-the-most-epic-smack-down-of-warthog-in-a-red-power-tie-donald-trump/"",""http://www.rawstory.com/2016/10/john-oliver-just-unleashed-the-most-epic-smack-down-of-warthog-in-a-red-power-tie-donald-trump/"",""http://www.rawstory.com/2016/10/seth-meyers-slams-pervert-on-the-bus-donald-trump-for-unleashing-his-inner-dictator-at-the-debate/"",""http://www.rawstory.com/2016/10/seth-meyers-slams-pervert-on-the-bus-donald-trump-for-unleashing-his-inner-dictator-at-the-debate/"",""http://www.readybytes.net/blog/item/front-end-technologies-to-create-awesome-user-experience.html""" +"""http://www.readybytes.net/blog/item/front-end-technologies-to-create-awesome-user-experience.html"",""http://www.realclearpolitics.com/articles/2016/10/04/trump_used_foundation_funds_for_2016_run_filings_suggest.html"",""http://www.realitytea.com/2016/10/03/kim-kardashian-family-hit-paris-fashion-week-photos/"",""http://www.realitytea.com/2016/10/03/kim-kardashian-family-hit-paris-fashion-week-photos/"",""http://www.realitytvworld.com/news/carrie-underwood-my-son-life-is-not-all-glamorous-1049750.php""" +"""http://www.realitytvworld.com/news/carrie-underwood-my-son-life-is-not-all-glamorous-1049750.php"",""http://www.realitytvworld.com/news/carrie-underwood-shares-photos-of-sesame-place-visit-with-her-son-isaiah-1049502.php"",""http://www.realitytvworld.com/news/carrie-underwood-shares-photos-of-sesame-place-visit-with-her-son-isaiah-1049502.php"",""http://www.recordonline.com/news/20161003/orange-county-marks-domestic-violence-awareness-month"",""http://www.recordonline.com/news/20161004/circleville-man-charged-with-destroying-evidence-in-speights-homicide""" +"""http://www.rediff.com/getahead/report/glamour-kim-kardashian-leaves-little-to-the-imagination/20161002.htm"",""http://www.rediff.com/getahead/report/glamour-kim-kardashian-leaves-little-to-the-imagination/20161002.htm"",""http://www.rediff.com/getahead/report/glamour-kim-kardashian-leaves-little-to-the-imagination/20161002.htm"",""http://www.rediff.com/sports/report/sania-strycova-enter-third-round-of-wuhan-open-tennis/20160927.htm"",""http://www.rediff.com/sports/report/sania-strycova-enter-third-round-of-wuhan-open-tennis/20160927.htm""" +"""http://www.redlondon.net/2016/10/great-news-for-arsenal-key-player-makes-return-on-friday/"",""http://www.redorbit.com/news/space/1113415992/congress-mandates-manned-mars-mission-092616/"",""http://www.redorbit.com/news/space/1113415992/congress-mandates-manned-mars-mission-092616/"",""http://www.redorbit.com/news/space/1113415994/liquid-ocean-pluto-092616/"",""http://www.redorbit.com/news/space/1113415994/liquid-ocean-pluto-092616/""" +"""http://www.redorbit.com/news/space/1113416012/tectonic-activity-mercury-092716/"",""http://www.redorbit.com/news/space/1113416012/tectonic-activity-mercury-092716/"",""http://www.refinery29.com/2016/09/123493/puma-cara-delevingne-rihanna-do-you-campaign"",""http://www.refinery29.com/2016/09/124397/drake-please-forgive-me-short-film-rihanna"",""http://www.refinery29.com/2016/09/124397/drake-please-forgive-me-short-film-rihanna""" +"""http://www.refinery29.com/2016/09/124397/drake-please-forgive-me-short-film-rihanna"",""http://www.refinery29.com/2016/09/124397/drake-please-forgive-me-short-film-rihanna"",""http://www.refinery29.com/2016/09/124397/drake-please-forgive-me-short-film-rihanna"",""http://www.refinery29.com/2016/09/124397/drake-please-forgive-me-short-film-rihanna"",""http://www.reformer.com/ovation/ci_30462771/chico-freeman-plus-tet-at-vermont-jazz-center""" +"""http://www.reformer.com/ovation/ci_30462771/chico-freeman-plus-tet-at-vermont-jazz-center"",""http://www.reformer.com/ovation/ci_30462771/chico-freeman-plus-tet-at-vermont-jazz-center"",""http://www.reginarams.com/news/2016/10/3/football-danny-nesbitt-named-canada-west-defensive-player-of-the-week.aspx"",""http://www.reginarams.com/news/2016/10/5/football-nesbitt-earns-cis-player-of-the-week-honours.aspx"",""http://www.reginarams.com/news/2016/9/28/football-mitchell-picton-named-cis-offensive-player-of-the-week.aspx""" +"""http://www.reuters.com/article/us-usa-election-mexico-idUSKCN11W2EE"",""http://www.reuters.com/article/us-usa-election-mexico-idUSKCN11W2EE"",""http://www.reuters.com/article/us-usa-election-mexico-idUSKCN11W2EE"",""http://www.rferl.org/a/french-minister-ayrault-says-putin-embarrassed-discuss-syria-bombing-aleppo/28050051.html"",""http://www.rferl.org/a/french-minister-ayrault-says-putin-embarrassed-discuss-syria-bombing-aleppo/28050051.html""" +"""http://www.rferl.org/a/french-minister-ayrault-says-putin-embarrassed-discuss-syria-bombing-aleppo/28050051.html"",""http://www.rferl.org/a/russia-math-competition-patriotism/28048232.html"",""http://www.rferl.org/a/russia-math-competition-patriotism/28048232.html"",""http://www.rferl.org/a/russia-math-competition-patriotism/28048232.html"",""http://www.richardsilverstein.com/2016/09/28/shimon-peres-stole-bomb-bluff-military-censor-doesnt-want-israelis-know/""" +"""http://www.richardsilverstein.com/2016/10/08/shimon-peres-dont-mourn-palestine/"",""http://www.richardsilverstein.com/2016/10/08/shimon-peres-dont-mourn-palestine/"",""http://www.rihanna-diva.com/rihanna-decroche-trois-nominations-pour-la-prochaine-ceremonie-des-mtv-europe-music-awards-2016/"",""http://www.rihanna-diva.com/rihanna-repete-pour-son-defile-fentyxpuma-a-paris/"",""http://www.rihanna-diva.com/rihanna-se-rend-dans-un-studio-photo-a-paris/""" +"""http://www.rihanna-diva.com/rihanna-se-rend-dans-un-studio-photo-a-paris/"",""http://www.riotgames.com/articles/20160929/2338/day-life-product-manager"",""http://www.riotgames.com/articles/20161003/2338/day-life-product-manager"",""http://www.riotgames.com/articles/20161003/2338/day-life-product-manager"",""http://www.riotgames.com/articles/20161003/2338/day-life-product-manager""" +"""http://www.riotgames.com/articles/20161003/2338/day-life-product-manager"",""http://www.rnews.co.za/article/11188/corobrik-provides-landscaping-technology-students-at-the-cape-peninsula-university-of-technology-construction-week-with-a-hands-on-learning-experience"",""http://www.rnews.co.za/article/11188/corobrik-provides-landscaping-technology-students-at-the-cape-peninsula-university-of-technology-construction-week-with-a-hands-on-learning-experience"",""http://www.rolexmagazine.com/2008/12/arnold-palmer-rolex-day-date-ad-from.html"",""http://www.rolexmagazine.com/2008/12/arnold-palmer-rolex-day-date-ad-from.html""" +"""http://www.rolexmagazine.com/2008/12/arnold-palmer-rolex-day-date-ad-from.html"",""http://www.rolexmagazine.com/2008/12/arnold-palmer-rolex-day-date-ad-from.html"",""http://www.rolexmagazine.com/2008/12/arnold-palmer-rolex-day-date-ad-from.html"",""http://www.rolexmagazine.com/2010/02/rolex-hotness-elle-macpherson-yellow.html"",""http://www.rolexmagazine.com/2010/02/rolex-hotness-elle-macpherson-yellow.html""" +"""http://www.rolexmagazine.com/2010/02/rolex-hotness-elle-macpherson-yellow.html"",""http://www.rolexmagazine.com/2010/07/rolex-studio-shot-of-day-rolex-deep-sea.html"",""http://www.rollingstone.com/country/news/ariana-grande-on-possible-country-crossover-gotta-make-that-happen-w442137"",""http://www.rollingstone.com/politics/features/why-not-to-vote-for-trump-from-a-to-z-w441964"",""http://www.rollingstone.com/politics/features/why-not-to-vote-for-trump-from-a-to-z-w441964""" +"""http://www.rollingstone.com/politics/news/donald-trump-on-not-paying-taxes-that-makes-me-smart-w442163"",""http://www.romereports.com/2016/09/28/pope-will-not-be-able-to-travel-to-israel-on-friday-to-attend-the-funeral-of-shimon-peres"",""http://www.romereports.com/2016/09/28/pope-will-not-be-able-to-travel-to-israel-on-friday-to-attend-the-funeral-of-shimon-peres"",""http://www.romereports.com/2016/09/28/pope-will-not-be-able-to-travel-to-israel-on-friday-to-attend-the-funeral-of-shimon-peres"",""http://www.romereports.com/2016/09/28/remembering-pope-francis-encounters-with-shimon-peres""" +"""http://www.romereports.com/2016/09/28/remembering-pope-francis-encounters-with-shimon-peres"",""http://www.romereports.com/2016/09/28/remembering-pope-francis-encounters-with-shimon-peres"",""http://www.romfordrecorder.co.uk/news/tennis_star_pat_cash_makes_trip_to_queen_s_hospital_1_4718188"",""http://www.romfordrecorder.co.uk/news/tennis_star_pat_cash_makes_trip_to_queen_s_hospital_1_4718188"",""http://www.rte.ie/entertainment/2016/1017/824678-from-genesis-to-revelations-phil-collins-is-back/""" +"""http://www.rxlist.com/obesity_weight_loss/page11.htm#what_about_herbal_fen/phen"",""http://www.rxlist.com/obesity_weight_loss/page11.htm#what_about_herbal_fen/phen"",""http://www.salon.com/2016/09/26/of-course-gender-is-a-factor-being-a-woman-is-still-hillary-clintons-biggest-liability/"",""http://www.salon.com/2016/09/26/of-course-gender-is-a-factor-being-a-woman-is-still-hillary-clintons-biggest-liability/"",""http://www.salon.com/2016/09/26/of-course-gender-is-a-factor-being-a-woman-is-still-hillary-clintons-biggest-liability/""" +"""http://www.salon.com/2016/09/27/watch-the-2016-presidential-debate-donald-trump-vs-hillary-clinton/"",""http://www.salon.com/2016/09/27/watch-the-2016-presidential-debate-donald-trump-vs-hillary-clinton/"",""http://www.salon.com/2016/09/27/watch-the-2016-presidential-debate-donald-trump-vs-hillary-clinton/"",""http://www.sandiegouniontribune.com/bal-millennials-offer-new-hope-in-the-fight-to-reclaim-democracy-20161010-story.html"",""http://www.sandiegouniontribune.com/bal-millennials-offer-new-hope-in-the-fight-to-reclaim-democracy-20161010-story.html""" +"""http://www.sbsun.com/sports/20161010/veteran-catcher-carlos-ruizs-pinch-hit-home-run-is-a-vintage-performance"",""http://www.sbsun.com/sports/20161010/veteran-catcher-carlos-ruizs-pinch-hit-home-run-is-a-vintage-performance"",""http://www.sbsun.com/sports/20161017/yasmani-grandal-accuses-cubs-of-stealing-signs"",""http://www.sbsun.com/sports/20161017/yasmani-grandal-accuses-cubs-of-stealing-signs"",""http://www.sci-tech-today.com/story.xhtml?story_id=022001MZ9LTK""" +"""http://www.sci-tech-today.com/story.xhtml?story_id=022001MZ9LTK"",""http://www.scientificamerican.com/article/osiris-rex-spacecraft-blazes-trail-for-asteroid-miners/"",""http://www.scientificamerican.com/article/osiris-rex-spacecraft-blazes-trail-for-asteroid-miners/"",""http://www.scmp.com/news/hong-kong/law-crime/article/2027104/hong-kong-police-hope-have-anti-riot-vehicles-ready-time"",""http://www.scotsman.com/sport/football/teams/celtic/rumour-mill-arsenal-to-sign-celtic-star-strachan-hails-outstanding-martin-youth-key-for-rangers-future-1-4253069""" +"""http://www.scotsman.com/sport/football/teams/celtic/rumour-mill-arsenal-to-sign-celtic-star-strachan-hails-outstanding-martin-youth-key-for-rangers-future-1-4253069"",""http://www.scotsman.com/sport/football/teams/celtic/rumour-mill-arsenal-to-sign-celtic-star-strachan-hails-outstanding-martin-youth-key-for-rangers-future-1-4253069"",""http://www.scotsman.com/sport/football/teams/celtic/rumour-mill-arsenal-to-sign-celtic-star-strachan-hails-outstanding-martin-youth-key-for-rangers-future-1-4253069"",""http://www.scotsman.com/sport/football/teams/celtic/rumour-mill-arsenal-to-sign-celtic-star-strachan-hails-outstanding-martin-youth-key-for-rangers-future-1-4253069"",""http://www.scout.com/junior-college-football/story/1711200-hambright-continuing-to-add-offers""" +"""http://www.scout.com/junior-college-football/story/1711200-hambright-continuing-to-add-offers"",""http://www.scunthorpetelegraph.co.uk/someone-like-you-back-home-as-adele-singer-returns-to-scunthorpe/story-29780987-detail/whatson/story.html"",""http://www.seattletimes.com/business/spacex-founder-musk-endeavors-to-find-perfect-starship-name/?"",""http://www.seattletimes.com/business/spacex-founder-musk-endeavors-to-find-perfect-starship-name/?"",""http://www.seattletimes.com/business/spacex-founder-musk-endeavors-to-find-perfect-starship-name/?""" +"""http://www.seattletimes.com/business/spacex-founder-musk-endeavors-to-find-perfect-starship-name/?"",""http://www.seattletimes.com/business/spacex-founder-musk-endeavors-to-find-perfect-starship-name/?"",""http://www.seattletimes.com/business/spacex-founder-musk-endeavors-to-find-perfect-starship-name/?"",""http://www.self.com/story/carrie-underwood-i-will-always-love-you"",""http://www.self.com/story/carrie-underwood-i-will-always-love-you""" +"""http://www.seventeen.com/celebrity/a43006/kanye-west-nashville-taylor-swift-famous/"",""http://www.seventeen.com/celebrity/music/news/a43129/this-is-when-taylor-swift-might-drop-a-surprise-album/"",""http://www.sfgate.com/bayarea/article/Californians-slacking-off-on-saving-water-amid-9775842.php"",""http://www.sfgate.com/bayarea/article/Californians-slacking-off-on-saving-water-amid-9775842.php"",""http://www.sfgate.com/bayarea/article/Californians-slacking-off-on-saving-water-amid-9775842.php""" +"""http://www.sfgate.com/bayarea/article/Californians-slacking-off-on-saving-water-amid-9775842.php"",""http://www.sfgate.com/bayarea/article/Californians-slacking-off-on-saving-water-amid-9775842.php"",""http://www.sfgate.com/bayarea/article/Californians-slacking-off-on-saving-water-amid-9775842.php"",""http://www.sfgate.com/bayarea/article/Californians-slacking-off-on-saving-water-amid-9775842.php"",""http://www.sfgate.com/bayarea/article/Californians-slacking-off-on-saving-water-amid-9775842.php""" +"""http://www.sfgate.com/bayarea/article/Californians-slacking-off-on-saving-water-amid-9775842.php"",""http://www.sfgate.com/bayarea/article/Californians-slacking-off-on-saving-water-amid-9775842.php"",""http://www.sfgate.com/health/article/Federal-officials-encourage-flu-shots-not-9443901.php"",""http://www.sfgate.com/health/article/Federal-officials-encourage-flu-shots-not-9443901.php"",""http://www.sfgate.com/health/article/Federal-officials-encourage-flu-shots-not-9443901.php""" +"""http://www.sfgate.com/technology/businessinsider/article/Where-Hillary-Clinton-and-Donald-Trump-stand-on-9283519.php"",""http://www.sgvtribune.com/lifestyle/20161008/there-arent-enough-section-8-vouchers-to-match-the-need-in-southern-californias-rental-market"",""http://www.shefinds.com/2016/whats-a-better-ode-to-brangelina-than-doing-a-mr-mrs-smith-costume-for-halloween/"",""http://www.shefinds.com/2016/whats-a-better-ode-to-brangelina-than-doing-a-mr-mrs-smith-costume-for-halloween/"",""http://www.shefinds.com/2016/whats-a-better-ode-to-brangelina-than-doing-a-mr-mrs-smith-costume-for-halloween/""" +"""http://www.shefinds.com/2016/whats-a-better-ode-to-brangelina-than-doing-a-mr-mrs-smith-costume-for-halloween/"",""http://www.shefinds.com/2016/whats-a-better-ode-to-brangelina-than-doing-a-mr-mrs-smith-costume-for-halloween/"",""http://www.sheknows.com/entertainment/articles/1128564/apparently-angelina-jolie-johnny-depp-wont-be-just-friends-for-long"",""http://www.sheknows.com/entertainment/articles/1128564/apparently-angelina-jolie-johnny-depp-wont-be-just-friends-for-long"",""http://www.sheknows.com/entertainment/articles/1128575/marion-cotillards-boyfriend""" +"""http://www.sheknows.com/entertainment/articles/1128575/marion-cotillards-boyfriend"",""http://www.sheknows.com/entertainment/articles/1128624/brad-pitts-statement-makes-it-clear-hes-focusing-on-his-family-problems-right-now"",""http://www.sheknows.com/entertainment/articles/1128624/brad-pitts-statement-makes-it-clear-hes-focusing-on-his-family-problems-right-now"",""http://www.si.com/college-football/2016/09/27/acc-championship-game-orlando-camping-world-stadium-charlotte"",""http://www.si.com/college-football/2016/09/27/acc-championship-game-orlando-camping-world-stadium-charlotte""" +"""http://www.si.com/college-football/2016/09/27/acc-championship-game-orlando-camping-world-stadium-charlotte"",""http://www.si.com/college-football/2016/09/27/college-football-bowl-projections-playoff-week-4"",""http://www.si.com/college-football/2016/09/27/college-football-bowl-projections-playoff-week-4"",""http://www.si.com/college-football/2016/09/27/college-football-bowl-projections-playoff-week-4"",""http://www.si.com/college-football/2016/09/27/college-football-bowl-projections-playoff-week-4""" +"""http://www.si.com/college-football/2016/09/27/heisman-trophy-watch-week-4"",""http://www.si.com/college-football/2016/09/27/heisman-trophy-watch-week-4"",""http://www.si.com/college-football/2016/09/27/heisman-trophy-watch-week-4"",""http://www.si.com/college-football/2016/09/27/heisman-trophy-watch-week-4"",""http://www.siasat.com/news/india-39th-competitive-economy-world-world-economic-forum-1029940/""" +"""http://www.siasat.com/news/india-appears-type-namak-haraam-country-google-1029852/"",""http://www.siasat.com/news/udaipur-kashmiri-students-raise-anti-india-slogans-abvp-stages-protest-1030095/"",""http://www.sigmalive.com/en/news/energy/149408/cyprus-greece-israel-electricity-highway-set-to-be-built"",""http://www.siliconbeat.com/2016/10/10/elon-musk-tesla-lift-veil-new-products-month/"",""http://www.siliconbeat.com/2016/10/10/elon-musk-tesla-lift-veil-new-products-month/""" +"""http://www.skinnyvscurvy.com/kim-kardashian/kim-kardashians-latest-risque-outfits.html"",""http://www.skyandtelescope.com/astronomy-blogs/astronomy-space-david-dickinson/fast-worlds-largest-radio-telescope-open/"",""http://www.skyandtelescope.com/astronomy-news/alma-galactic-gold-hubble-ultra-deep-field/"",""http://www.skyandtelescope.com/astronomy-news/alma-galactic-gold-hubble-ultra-deep-field/"",""http://www.skyandtelescope.com/astronomy-news/alma-galactic-gold-hubble-ultra-deep-field/""" +"""http://www.skyandtelescope.com/observing/astronomy-podcasts/astronomy-podcast-october-2016/"",""http://www.skysports.com/football/bristol-c-vs-leeds/358222"",""http://www.skysports.com/football/news/11095/10595662/friday-night-football-carling-in-off-the-bar-returns"",""http://www.skysports.com/football/news/12038/10594123/martin-tylers-stats-goal-scoring-records-the-half-time-premier-league-table"",""http://www.slashgear.com/apple-healthkit-to-morph-into-diagnostic-tool-27457679/""" +"""http://www.slashgear.com/new-apple-hq-headed-for-battersea-power-station-28457918/"",""http://www.slashgear.com/sonos-play1-play5-comes-to-apple-com-apple-stores-on-oct-5-27457660/"",""http://www.slashgear.com/sonos-play1-play5-comes-to-apple-com-apple-stores-on-oct-5-27457660/"",""http://www.slate.com/articles/podcasts/gist/2016/09/donald_trump_s_communication_style_is_poor_confusing_and_weak.html"",""http://www.slate.com/articles/podcasts/gist/2016/09/donald_trump_s_communication_style_is_poor_confusing_and_weak.html""" +"""http://www.slate.com/articles/podcasts/gist/2016/09/donald_trump_s_communication_style_is_poor_confusing_and_weak.html"",""http://www.slate.com/blogs/browbeat/2016/09/26/john_oliver_uses_raisins_to_explain_clinton_and_trump_s_scandals_video.html"",""http://www.slate.com/blogs/the_slatest/2016/09/26/donald_trump_has_to_do_these_3_things_to_win_the_debate.html"",""http://www.slate.com/blogs/the_slatest/2016/09/26/donald_trump_has_to_do_these_3_things_to_win_the_debate.html"",""http://www.slate.com/blogs/the_slatest/2016/09/26/donald_trump_has_to_do_these_3_things_to_win_the_debate.html""" +"""http://www.smartwatchesandroid.com/index.php/2016/10/04/best-smartwatch-2017-android-apple-pebble-samsung-sony-garmin-2017/"",""http://www.smartwatchesandroid.com/index.php/2016/10/04/for-real-success-the-smartwatches-need-bots/"",""http://www.smartwatchesandroid.com/index.php/2016/10/04/for-real-success-the-smartwatches-need-bots/"",""http://www.smartwatchesandroid.com/index.php/2016/10/04/how-to-set-and-customize-smartwatch/"",""http://www.smartwatchesandroid.com/index.php/2016/10/04/how-to-set-and-customize-smartwatch/""" +"""http://www.smartwristwrap.com/shop/smart-watches/pebble-time-round-14mm-smartwatch-appleandroid-devices-silverstone/"",""http://www.smartwristwrap.com/shop/smart-watches/pebble-time-round-14mm-smartwatch-appleandroid-devices-silverstone/"",""http://www.smh.com.au/entertainment/movies/brad-pitt-cancels-red-carpet-appearance-to-focus-on-family-situation-20160929-grrvbp.html"",""http://www.smh.com.au/world/peace-is-not-perfect-shimon-peres-words-of-wisdom-from-israels-elder-statesman-20160928-grqc31.html"",""http://www.smh.com.au/world/thousands-gather-for-the-funeral-of-israels-man-of-peace-shimon-peres-20160930-grsmne.html""" +"""http://www.smh.com.au/world/thousands-gather-for-the-funeral-of-israels-man-of-peace-shimon-peres-20160930-grsmne.html"",""http://www.smh.com.au/world/thousands-gather-for-the-funeral-of-israels-man-of-peace-shimon-peres-20160930-grsmne.html"",""http://www.snopes.com/debate-secret-hand-signals/"",""http://www.snopes.com/debate-secret-hand-signals/"",""http://www.snopes.com/debate-secret-hand-signals/""" +"""http://www.snopes.com/debate-secret-hand-signals/"",""http://www.snopes.com/donald-trump-global-warming-hoax/"",""http://www.snopes.com/donald-trump-global-warming-hoax/"",""http://www.snopes.com/donald-trump-global-warming-hoax/"",""http://www.snopes.com/donald-trump-global-warming-hoax/""" +"""http://www.snopes.com/donald-trump-iraq-war/"",""http://www.snopes.com/donald-trump-iraq-war/"",""http://www.soccernews.com/martino-knew-messi-would-come-out-of-retirement/211593/"",""http://www.soccernews.com/martino-knew-messi-would-come-out-of-retirement/211593/"",""http://www.soccernews.com/martino-knew-messi-would-come-out-of-retirement/211593/""" +"""http://www.soccernews.com/menotti-ronaldo-never-played-in-a-team-like-messis/211446/"",""http://www.soccernews.com/menotti-ronaldo-never-played-in-a-team-like-messis/211446/"",""http://www.socceroos.com.au/article/bailey-wrights-magic-memories-of-saudi-arabia-clash-in-london/1t6vzi5e61nny1s3ykjvy0zcqg"",""http://www.socceroos.com.au/article/bailey-wrights-magic-memories-of-saudi-arabia-clash-in-london/1t6vzi5e61nny1s3ykjvy0zcqg"",""http://www.socceroos.com.au/article/bailey-wrights-magic-memories-of-saudi-arabia-clash-in-london/1t6vzi5e61nny1s3ykjvy0zcqg""" +"""http://www.socceroos.com.au/article/caltex-socceroos-to-embrace-cauldron-in-saudi-arabia/1gep89jxdj0fz1k8djbmden6dp"",""http://www.socceroos.com.au/article/caltex-socceroos-to-embrace-cauldron-in-saudi-arabia/1gep89jxdj0fz1k8djbmden6dp"",""http://www.socceroos.com.au/article/caltex-socceroos-to-embrace-cauldron-in-saudi-arabia/1gep89jxdj0fz1k8djbmden6dp"",""http://www.socialmediaexaminer.com/26-tips-for-better-facebook-page-engagement/"",""http://www.socialmediaexaminer.com/26-tips-for-better-facebook-page-engagement/""" +"""http://www.socialmediaexaminer.com/26-tips-for-better-facebook-page-engagement/"",""http://www.socialmediaexaminer.com/26-tips-for-better-facebook-page-engagement/"",""http://www.socialmediaexaminer.com/6-tips-to-optimize-your-facebook-page/"",""http://www.socialmediaexaminer.com/6-tips-to-optimize-your-facebook-page/"",""http://www.socialmediaexaminer.com/6-tips-to-optimize-your-facebook-page/""" +"""http://www.socialmediaexaminer.com/6-tips-to-optimize-your-facebook-page/"",""http://www.socialmediaexaminer.com/6-ways-to-use-facebook-360-photos-for-business/"",""http://www.socialmediaexaminer.com/6-ways-to-use-facebook-360-photos-for-business/"",""http://www.socialmediaexaminer.com/6-ways-to-use-facebook-360-photos-for-business/"",""http://www.socialmediaexaminer.com/6-ways-to-use-facebook-360-photos-for-business/""" +"""http://www.space.com/34172-europa-subsurface-ocean-what-we-know.html"",""http://www.space.com/34172-europa-subsurface-ocean-what-we-know.html"",""http://www.space.com/34182-massimino-spaceman-preorder-shuttle-gift.html"",""http://www.space.com/34182-massimino-spaceman-preorder-shuttle-gift.html"",""http://www.space.com/34182-massimino-spaceman-preorder-shuttle-gift.html""" +"""http://www.space.com/34191-astronaut-artifacts-african-american-history-museum.html"",""http://www.space.com/34191-astronaut-artifacts-african-american-history-museum.html"",""http://www.spaceibiza.com/en/news.feed"",""http://www.spaceref.com/news/viewsr.html?pid=49402"",""http://www.spaceref.com/news/viewsr.html?pid=49402""" +"""http://www.spaceref.com/news/viewsr.html?pid=49404"",""http://www.spaceref.com/news/viewsr.html?pid=49404"",""http://www.spectator.co.uk/2016/10/barcelonas-latest-big-tourist-attraction-lionel-messi/"",""http://www.spectator.co.uk/2016/10/barcelonas-latest-big-tourist-attraction-lionel-messi/"",""http://www.spirulinasource.com/2014/02/future-of-urban-farming/""" +"""http://www.spirulinasource.com/2014/02/future-of-urban-farming/"",""http://www.spirulinasource.com/2014/02/future-of-urban-farming/"",""http://www.spirulinasource.com/2016/01/readers-poll-winner/"",""http://www.spirulinasource.com/2016/01/readers-poll-winner/"",""http://www.spokesman.com/stories/2016/oct/05/trudy-rubin-keeping-shimon-peres-dream-of-peace-al/""" +"""http://www.spokesman.com/stories/2016/oct/05/trudy-rubin-keeping-shimon-peres-dream-of-peace-al/"",""http://www.spokesman.com/stories/2016/oct/12/love-stories-musical-connection-holds-strong-throu/"",""http://www.sportinglife.com/football/news/article/165/10595323/arsenals-francis-coquelin-out-for-three-weeks-with-knee-injury"",""http://www.sportinglife.com/football/news/article/165/10596456/sunderlands-adnan-januzaj-ruled-out-for-minimum-of-six-weeks"",""http://www.sportinglife.com/tennis/news/article/553/10595682/wuhan-open-johanna-konta-sets-up-clash-with-carla-suarez-navarro""" +"""http://www.sportinglife.com/tennis/news/article/553/10595682/wuhan-open-johanna-konta-sets-up-clash-with-carla-suarez-navarro"",""http://www.sportinglife.com/tennis/news/article/553/10595682/wuhan-open-johanna-konta-sets-up-clash-with-carla-suarez-navarro"",""http://www.sportinglife.com/tennis/news/article/553/10595682/wuhan-open-johanna-konta-sets-up-clash-with-carla-suarez-navarro"",""http://www.sportinglife.com/tennis/news/article/553/10595682/wuhan-open-johanna-konta-sets-up-clash-with-carla-suarez-navarro"",""http://www.sportinglife.com/tennis/news/article/553/10595682/wuhan-open-johanna-konta-sets-up-clash-with-carla-suarez-navarro""" +"""http://www.sportinglife.com/tennis/news/article/553/10595682/wuhan-open-johanna-konta-sets-up-clash-with-carla-suarez-navarro"",""http://www.sportingnews.com/ncaa-football/list/heisman-watch-week-4-lamar-jackson-christian-mccaffery-jt-barrett-donnel-pumphrey-jabrill-peppers/qt7ggfmsnez21aq2yjoxfqh42"",""http://www.sportingnews.com/ncaa-football/list/heisman-watch-week-4-lamar-jackson-christian-mccaffery-jt-barrett-donnel-pumphrey-jabrill-peppers/qt7ggfmsnez21aq2yjoxfqh42"",""http://www.sportingnews.com/ncaa-football/list/heisman-watch-week-4-lamar-jackson-christian-mccaffery-jt-barrett-donnel-pumphrey-jabrill-peppers/qt7ggfmsnez21aq2yjoxfqh42"",""http://www.sportingnews.com/ncaa-football/list/heisman-watch-week-4-lamar-jackson-christian-mccaffery-jt-barrett-donnel-pumphrey-jabrill-peppers/qt7ggfmsnez21aq2yjoxfqh42""" +"""http://www.sportingnews.com/ncaa-football/list/heisman-watch-week-4-lamar-jackson-christian-mccaffery-jt-barrett-donnel-pumphrey-jabrill-peppers/qt7ggfmsnez21aq2yjoxfqh42"",""http://www.sportingnews.com/ncaa-football/list/heisman-watch-week-4-lamar-jackson-christian-mccaffery-jt-barrett-donnel-pumphrey-jabrill-peppers/qt7ggfmsnez21aq2yjoxfqh42"",""http://www.sportingnews.com/ncaa-football/list/heisman-watch-week-4-lamar-jackson-christian-mccaffery-jt-barrett-donnel-pumphrey-jabrill-peppers/qt7ggfmsnez21aq2yjoxfqh42"",""http://www.sportingnews.com/ncaa-football/list/unbeaten-teams-fbs-october-forecast-alabama-clemsson-louisville-ohio-state-michigan-houston/6o0o1ihflwi517asc9z9v1han"",""http://www.sportingnews.com/ncaa-football/list/unbeaten-teams-fbs-october-forecast-alabama-clemsson-louisville-ohio-state-michigan-houston/6o0o1ihflwi517asc9z9v1han""" +"""http://www.sportingnews.com/ncaa-football/list/unbeaten-teams-fbs-october-forecast-alabama-clemsson-louisville-ohio-state-michigan-houston/6o0o1ihflwi517asc9z9v1han"",""http://www.sportingnews.com/ncaa-football/news/michgan-state-mylan-hicks-tribute-mark-dantonio-indiana-college-football/5h5sfhva2hz81i669h8fhtzwk"",""http://www.sportingnews.com/ncaa-football/news/michgan-state-mylan-hicks-tribute-mark-dantonio-indiana-college-football/5h5sfhva2hz81i669h8fhtzwk"",""http://www.sportskeeda.com/football/cristiano-ronaldo-could-set-new-european-scoring-record-tonight/"",""http://www.sportskeeda.com/football/real-madrid-fans-feel-zinedine-zidanes-decision-take-off-cristiano-ronaldo-against-las-palmas-right/""" +"""http://www.sportskeeda.com/football/real-madrid-manager-zinedine-zidane-relationship-cristiano-ronaldo-back-normal/"",""http://www.sportskeeda.com/football/real-madrid-manager-zinedine-zidane-relationship-cristiano-ronaldo-back-normal/"",""http://www.sportsmole.co.uk/football/arsenal/transfer-talk/news/draxler-to-stay-at-wolfsburg-for-season_282033.html"",""http://www.sportsmole.co.uk/football/arsenal/transfer-talk/news/draxler-to-stay-at-wolfsburg-for-season_282033.html"",""http://www.sportsmole.co.uk/football/real-madrid/champions-league/team-news/team-news-ronaldo-starts-for-real-madrid-at-dortmund_282131.html""" +"""http://www.sportsmole.co.uk/football/real-madrid/champions-league/team-news/team-news-ronaldo-starts-for-real-madrid-at-dortmund_282131.html"",""http://www.sportsmole.co.uk/football/real-madrid/champions-league/team-news/team-news-ronaldo-starts-for-real-madrid-at-dortmund_282131.html"",""http://www.sportsmole.co.uk/football/real-madrid/news/cristiano-ronaldo-swore-as-he-left-pitch_282072.html"",""http://www.sportsmole.co.uk/football/real-madrid/news/cristiano-ronaldo-swore-as-he-left-pitch_282072.html"",""http://www.sportsonearth.com/article/205453814/oklahoma-beats-texas-charlie-strong-hot-seat""" +"""http://www.sportsonearth.com/article/205479214/michigan-rutgers-78-0-blowout-fun-facts"",""http://www.sportsonearth.com/writer/matt_brown/"",""http://www.sportsrageous.com/tennis/tennis-news-roger-federer-rafael-nadal-no-longer-part-top-5-rankings-first-time-since-2003/50535/"",""http://www.squawka.com/news/gregoire-defrel-scouted-by-arsenal-three-times-this-season-report/782698"",""http://www.squawka.com/news/hull-city-players-have-been-taught-a-lesson-by-arsenal-and-liverpool-drubbings-mike-phelan/781973""" +"""http://www.squawka.com/news/jens-lehmann-wenger-apologised-to-me-when-arsenal-were-crowned-champions/782290"",""http://www.stack.com/a/will-fuller-ran-faster-than-every-other-nfl-player-on-his-supersonic-67-yard-punt-return-td"",""http://www.stack.com/a/will-fuller-ran-faster-than-every-other-nfl-player-on-his-supersonic-67-yard-punt-return-td"",""http://www.standard.co.uk/homesandproperty/this-interior-designer-maximised-space-in-his-holland-park-home-without-digging-a-basement-and-added-a3353871.html"",""http://www.standard.co.uk/homesandproperty/this-interior-designer-maximised-space-in-his-holland-park-home-without-digging-a-basement-and-added-a3353871.html""" +"""http://www.standard.co.uk/homesandproperty/this-interior-designer-maximised-space-in-his-holland-park-home-without-digging-a-basement-and-added-a3353871.html"",""http://www.standard.co.uk/showbiz/celebrity-news/tim-burtons-peculiar-children-unleashed-across-london-a3354466.html"",""http://www.standard.co.uk/sport/football/karren-brady-thanks-west-ham-fans-for-staying-united-in-disappointing-london-stadium-loss-to-a3354526.html"",""http://www.standard.co.uk/sport/football/karren-brady-thanks-west-ham-fans-for-staying-united-in-disappointing-london-stadium-loss-to-a3354526.html"",""http://www.standard.co.uk/sport/football/karren-brady-thanks-west-ham-fans-for-staying-united-in-disappointing-london-stadium-loss-to-a3354526.html""" +"""http://www.staradvertiser.com/2016/10/10/breaking-news/debate-questioner-kenneth-bone-becomes-internet-star/"",""http://www.startribune.com/gophers-football-team-entering-a-pivotal-stretch/395042491/"",""http://www.startribune.com/gophers-football-team-entering-a-pivotal-stretch/395042491/"",""http://www.stripes.com/news/middle-east/showdown-between-israeli-settlers-and-netanyahu-looms-over-illegal-outpost-1.432210"",""http://www.stuff.co.nz/national/politics/85020524/green-mp-marama-davidson-detained-by-israeli-authorities-on-boat-in-international-waters--reports""" +"""http://www.sun-sentinel.com/florida-jewish-journal/jj-israel-cries-foul-over-unesco-resolution-on-jerusalem-s-religious-sites-20161019-story.html"",""http://www.sunseekerlondon.com/news/more/event-round-up-sunseeker-london-groups-southampton-boat-show-results-exceed-the-successes-at-cannes-yachting-festival"",""http://www.sunseekerlondon.com/news/more/event-round-up-sunseeker-london-groups-southampton-boat-show-results-exceed-the-successes-at-cannes-yachting-festival"",""http://www.sunstar.com.ph/baguio/local-news/2016/10/06/town-ordinance-enforcement-team-eyed-502038"",""http://www.sunstar.com.ph/baguio/local-news/2016/10/06/town-ordinance-enforcement-team-eyed-502038""" +"""http://www.sunstar.com.ph/baguio/local-news/2016/10/06/town-ordinance-enforcement-team-eyed-502038"",""http://www.supersport.com/football/nigeria/news/161006/Baraje_dismisses_NPFL_twelfth_spot"",""http://www.supersport.com/football/nigeria/news/161006/Baraje_dismisses_NPFL_twelfth_spot"",""http://www.supersport.com/football/nigeria/news/161006/Baraje_dismisses_NPFL_twelfth_spot"",""http://www.supersport.com/football/nigeria/news/161006/Dogo_shifts_ticket_dream_to_Cup""" +"""http://www.supersport.com/football/nigeria/news/161006/Dogo_shifts_ticket_dream_to_Cup"",""http://www.supersport.com/football/nigeria/news/161006/Dogo_shifts_ticket_dream_to_Cup"",""http://www.supersport.com/football/telkom-knockout/news/161006/Chiefs_draw_Maritzburg_in_TKO"",""http://www.supersport.com/football/telkom-knockout/news/161006/Chiefs_draw_Maritzburg_in_TKO"",""http://www.supersport.com/football/telkom-knockout/news/161006/Chiefs_draw_Maritzburg_in_TKO""" +"""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation""" +"""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation""" +"""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/noaa-scales-explanation""" +"""http://www.swpc.noaa.gov/noaa-scales-explanation"",""http://www.swpc.noaa.gov/products/geospace-ground-magnetic-perturbation-maps"",""http://www.swpc.noaa.gov/products/geospace-ground-magnetic-perturbation-maps"",""http://www.swpc.noaa.gov/products/geospace-ground-magnetic-perturbation-maps"",""http://www.symmetrymagazine.org/article/creating-the-universe-in-a-computer""" +"""http://www.symmetrymagazine.org/article/creating-the-universe-in-a-computer"",""http://www.symmetrymagazine.org/article/creating-the-universe-in-a-computer"",""http://www.symmetrymagazine.org/article/creating-the-universe-in-a-computer"",""http://www.tabletmag.com/scroll/214967/u-s-flags-to-fly-at-half-staff-for-shimon-peres"",""http://www.tabletmag.com/scroll/214967/u-s-flags-to-fly-at-half-staff-for-shimon-peres""" +"""http://www.tabletmag.com/scroll/215004/white-house-announces-u-s-delegation-to-shimon-peress-funeral"",""http://www.tabletmag.com/scroll/215004/white-house-announces-u-s-delegation-to-shimon-peress-funeral"",""http://www.tabletmag.com/scroll/215004/white-house-announces-u-s-delegation-to-shimon-peress-funeral"",""http://www.tabletmag.com/scroll/215004/white-house-announces-u-s-delegation-to-shimon-peress-funeral"",""http://www.talkingbaws.com/2016/10/arsenals-alexis-sanchez-talks-football-saved-life-poverty/""" +"""http://www.talkingbaws.com/2016/10/theo-walcott-hints-hes-given-away-arsenal-secrets-whilst-england-duty/"",""http://www.talkingbaws.com/2016/10/theo-walcott-hints-hes-given-away-arsenal-secrets-whilst-england-duty/"",""http://www.tampabay.com/news/weather/hurricanes/in-storm-battered-haiti-the-tension-is-rising/2297221"",""http://www.tarot.com/tarot/best-tarot-cards-for-money"",""http://www.tarot.com/tarot/best-tarot-cards-for-money""" +"""http://www.teamtalk.com/news/fabregas-and-sanchez-feature-among-wengers-best-arsenal-xi"",""http://www.teamtalk.com/news/power-rankings-liverpool-close-on-leaders-arsenal-surge"",""http://www.teamtalk.com/news/rumour-mill-united-eye-sporting-winger-arsenal-track-liverpool-target"",""http://www.teaparty.org/hillary-clinton-set-exit-presidential-race-190007/"",""http://www.teaparty.org/hillary-clinton-set-exit-presidential-race-190007/""" +"""http://www.teaparty.org/michael-reagan-nancy-voted-hillary-clinton-190202/"",""http://www.teaparty.org/michael-reagan-nancy-voted-hillary-clinton-190202/"",""http://www.teaparty.org/michael-reagan-nancy-voted-hillary-clinton-190202/"",""http://www.teaparty.org/stunning-photo-even-press-blows-hillary-clintons-akron-ohio-rally-190216/"",""http://www.teaparty.org/stunning-photo-even-press-blows-hillary-clintons-akron-ohio-rally-190216/""" +"""http://www.teaparty.org/stunning-photo-even-press-blows-hillary-clintons-akron-ohio-rally-190216/"",""http://www.teaparty.org/stunning-photo-even-press-blows-hillary-clintons-akron-ohio-rally-190216/"",""http://www.techplz.com/kim-kardashian-robbery-conspiracy-theories-publicity-stunt-pink-panther-gang-involvement-donald-trump/172170/"",""http://www.techplz.com/kim-kardashian-robbery-conspiracy-theories-publicity-stunt-pink-panther-gang-involvement-donald-trump/172170/"",""http://www.techradar.com/news/car-tech/tesla-s-elon-musk-teases-unexpected-new-product-for-october-17-1330220""" +"""http://www.techradar.com/news/car-tech/tesla-s-elon-musk-teases-unexpected-new-product-for-october-17-1330220"",""http://www.techradar.com/news/world-of-tech/elon-musk-mars-colonization-plan-1329460"",""http://www.techtimes.com/articles/179735/20160928/could-astroneer-be-the-no-mans-sky-killer-weve-been-waiting-for.htm"",""http://www.techtimes.com/articles/179735/20160928/could-astroneer-be-the-no-mans-sky-killer-weve-been-waiting-for.htm"",""http://www.teen.com/2016/09/26/quizzes-personality-trivia-teen-girls/ariana-grande-sassy-quote-personality-match-quiz/""" +"""http://www.teen.com/2016/09/28/celebrities/celebrity-quotes/miley-cyrus-says-disney-channel-underpaid-her-for-hannah-montana/"",""http://www.teen.com/2016/09/28/celebrities/celebrity-quotes/miley-cyrus-says-disney-channel-underpaid-her-for-hannah-montana/"",""http://www.teen.com/2016/09/28/celebrities/celebrity-quotes/miley-cyrus-says-disney-channel-underpaid-her-for-hannah-montana/"",""http://www.teen.com/2016/09/28/celebrities/celebrity-quotes/miley-cyrus-says-disney-channel-underpaid-her-for-hannah-montana/"",""http://www.teen.com/2016/09/28/celebrities/celebrity-quotes/miley-cyrus-says-disney-channel-underpaid-her-for-hannah-montana/""" +"""http://www.teen.com/2016/09/28/celebrities/celebrity-quotes/miley-cyrus-says-disney-channel-underpaid-her-for-hannah-montana/"",""http://www.teen.com/2016/09/28/celebrities/celebrity-quotes/miley-cyrus-says-disney-channel-underpaid-her-for-hannah-montana/"",""http://www.teen.com/2016/09/28/celebrities/celebrity-quotes/miley-cyrus-says-disney-channel-underpaid-her-for-hannah-montana/"",""http://www.teen.com/2016/09/28/celebrities/celebrity-quotes/miley-cyrus-says-disney-channel-underpaid-her-for-hannah-montana/"",""http://www.teen.com/2016/09/28/celebrities/celebrity-quotes/miley-cyrus-says-disney-channel-underpaid-her-for-hannah-montana/""" +"""http://www.teenvogue.com/story/ariana-grande-dangerous-woman-tour-instagram"",""http://www.teenvogue.com/story/ariana-grande-dangerous-woman-tour-set-list-snapchat"",""http://www.telegraph.co.uk/football/2016/09/26/taulant-xhaka-granit-needs-to-be-patient-at-arsenal-but-he-can-p/"",""http://www.telegraph.co.uk/football/2016/09/26/taulant-xhaka-granit-needs-to-be-patient-at-arsenal-but-he-can-p/"",""http://www.telegraph.co.uk/football/2016/09/26/taulant-xhaka-granit-needs-to-be-patient-at-arsenal-but-he-can-p/""" +"""http://www.telegraph.co.uk/football/2016/09/26/taulant-xhaka-granit-needs-to-be-patient-at-arsenal-but-he-can-p/"",""http://www.telegraph.co.uk/football/2016/09/26/taulant-xhaka-granit-needs-to-be-patient-at-arsenal-but-he-can-p/"",""http://www.telegraph.co.uk/football/2016/09/26/taulant-xhaka-granit-needs-to-be-patient-at-arsenal-but-he-can-p/"",""http://www.telegraph.co.uk/football/2016/09/27/arsene-wenger-20-years-at-arsenal-who-have-been-the-managers-20/"",""http://www.telegraph.co.uk/football/2016/09/27/arsene-wenger-20-years-at-arsenal-who-have-been-the-managers-20/""" +"""http://www.telegraph.co.uk/opinion/2016/09/26/barack-obama-was-right-to-veto-the-911-bill-and-protect-us-allie/"",""http://www.telegraph.co.uk/opinion/2016/09/26/barack-obama-was-right-to-veto-the-911-bill-and-protect-us-allie/"",""http://www.tennessean.com/story/entertainment/music/2016/10/04/lady-gaga-play-nashville-dive-bar-wednesday/91550732/?from=global&sessionKey=&autologin="",""http://www.tennessean.com/story/entertainment/music/2016/10/04/lady-gaga-play-nashville-dive-bar-wednesday/91550732/?from=global&sessionKey=&autologin="",""http://www.tennis-x.com/xblog/2016-09-26/24264.php""" +"""http://www.tennis-x.com/xblog/2016-09-26/24266.php"",""http://www.tennis.com.au/news/2016/09/27/biggest-movers-oconnell-catapults-into-top-300"",""http://www.tennis.com/pro-game/2016/08/dynamic-doubles-duo-federer-nadal-to-team-up-in-laver-cup/60161/"",""http://www.tennis.com/pro-game/2016/08/dynamic-doubles-duo-federer-nadal-to-team-up-in-laver-cup/60161/"",""http://www.tennis.com/pro-game/2016/08/dynamic-doubles-duo-federer-nadal-to-team-up-in-laver-cup/60161/""" +"""http://www.tennis.com/pro-game/2016/08/federer-djokovic-us-open-tennis/60186/"",""http://www.tennis.com/pro-game/2016/08/federer-djokovic-us-open-tennis/60186/"",""http://www.tennisbc.org/tennis-bc-elects-new-president-board-members/"",""http://www.tennisbc.org/vanlawn-vancouvers-dream-tennis-job-hiring/"",""http://www.tennisbc.org/vanlawn-vancouvers-dream-tennis-job-hiring/""" +"""http://www.tennisguru.net/2016/09/andy-murray-wins-third-scottish-sportsperson-year-accolade/"",""http://www.tennisguru.net/2016/09/shenzhen-open-2016-live-scores-order-play/"",""http://www.tennisguru.net/2016/09/shenzhen-open-2016-live-scores-order-play/"",""http://www.tennisguru.net/2016/09/wilson-2017-blade-line-gets-technology-boost/"",""http://www.tennishk.org/en/more-top-stories/1951-crucial-davis-cup-win-seals-hong-kong-s-group-ii-promotion""" +"""http://www.tennishk.org/en/more-top-stories/1951-crucial-davis-cup-win-seals-hong-kong-s-group-ii-promotion"",""http://www.tennisnow.com/News/2016/October/Could-Karen-Khachanov-be-the-Real-Deal.aspx"",""http://www.tennisnow.com/News/2016/October/Could-Karen-Khachanov-be-the-Real-Deal.aspx"",""http://www.tennisnow.com/News/2016/October/Khachanov-Captures-First-Title-in-Chengdu.aspx"",""http://www.tennisnow.com/News/2016/September/Kvitova-Conquers-Kerber,-Cramps-in-Epic-Wuhan-Win.aspx""" +"""http://www.tennisnow.com/News/2016/September/Kvitova-Conquers-Kerber,-Cramps-in-Epic-Wuhan-Win.aspx"",""http://www.tennisrecruiting.net/article.asp?id=2535"",""http://www.tennisrecruiting.net/article.asp?id=2535"",""http://www.tennisrecruiting.net/article.asp?id=2535"",""http://www.tennisrecruiting.net/article.asp?id=2539""" +"""http://www.tennisrecruiting.net/article.asp?id=2539"",""http://www.tennisrecruiting.net/article.asp?id=2539"",""http://www.tennisrecruiting.net/article.asp?id=2549"",""http://www.tennisrecruiting.net/article.asp?id=2549"",""http://www.tennisworldusa.org/news/news/Roger_Federer/35896/severin-luthi-i-d-not-be-surprised-to-see-federer-in-the-best-physical-condition-ever-early-next-year-/""" +"""http://www.tennisworldusa.org/news/news/Roger_Federer/36457/hopman-cup-roger-federer-s-comeback-has-a-date-and-time/"",""http://www.tennisworldusa.org/news/news/Roger_Federer/36457/hopman-cup-roger-federer-s-comeback-has-a-date-and-time/"",""http://www.tennisworldusa.org/news/news/Roger_Federer/36568/iptl-schedule-announced-there-will-be-nadal-federer-and-serena-williams-/"",""http://www.tennisworldusa.org/news/news/Roger_Federer/36568/iptl-schedule-announced-there-will-be-nadal-federer-and-serena-williams-/"",""http://www.terrorizer.com/news/heavy-scotland-announce-behemoth-arch-enemy-and-more/""" +"""http://www.terrorizer.com/news/heavy-scotland-announce-behemoth-arch-enemy-and-more/"",""http://www.terrorizer.com/news/heavy-scotland-announce-behemoth-arch-enemy-and-more/"",""http://www.terrorizer.com/news/heavy-scotland-announce-behemoth-arch-enemy-and-more/"",""http://www.terrorizer.com/news/heavy-scotland-announce-behemoth-arch-enemy-and-more/?share=reddit"",""http://www.teslarati.com/humans-will-colonize-mars-elon-musk-livestream/""" +"""http://www.teslarati.com/leonardo-dicaprio-signs-up-elon-musk-mars-expedition/"",""http://www.teslarati.com/tesla-222-million-miles-autopilot-fleet-learning/"",""http://www.texarkanagazette.com/news/international/story/2016/oct/01/death-peres-brings-israelis-and-palestinians-together/642775/"",""http://www.texasfootball.com/cowboys-six-shooter-six-thoughts-week-5-six-man-football/"",""http://www.texasfootball.com/cowboys-six-shooter-six-thoughts-week-5-six-man-football/""" +"""http://www.texasfootball.com/craven-rub-houston-hard-hang-football-success/"",""http://www.texasfootball.com/craven-rub-houston-hard-hang-football-success/"",""http://www.texasfootball.com/vote-built-nature-assistant-coach-week-week-5/"",""http://www.thatericalper.com/2016/09/29/justin-biebers-sister-named-ambassador-for-tech-start-up/"",""http://www.theage.com.au/world/kashmir-crisis-nuclear-rivals-india-pakistan-in-new-standoff-20161001-grt1td""" +"""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/""" +"""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/""" +"""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/""" +"""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theamericanmirror.com/video-supporters-mob-trump-tower-donald-wades-crowd-sidewalk/"",""http://www.theatermania.com/broadway/news/grumpy-cat-joins-cats-on-broadway_78622.html?cid=mostviewed"",""http://www.theatermania.com/broadway/news/grumpy-cat-joins-cats-on-broadway_78622.html?cid=mostviewed""" +"""http://www.theatermania.com/broadway/news/sutton-foster-and-stephen-colbert-cats-parody_78605.html?cid=mostviewed"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/""" +"""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/""" +"""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/""" +"""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/""" +"""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/""" +"""http://www.theatlantic.com/politics/archive/2016/09/donald-trump-immigration-debate/501872/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/""" +"""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/""" +"""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/""" +"""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/""" +"""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/""" +"""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/""" +"""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/how-hillary-clinton-took-care-of-business-on-debate-night/501755/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/""" +"""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/""" +"""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/""" +"""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/""" +"""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/""" +"""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/"",""http://www.theatlantic.com/politics/archive/2016/09/where-republicans-stand-on-donald-trump-a-cheat-sheet/481449/""" +"""http://www.theatlanticwire.com/entertainment/2012/10/why-did-lady-gaga-visit-julian-assange-ecuadorian-embassy/57739/"",""http://www.theblaze.com/stories/2016/09/29/cnns-jake-tapper-tells-trump-supporter-the-gop-nominee-is-surrounded-by-a-philanderers-club/"",""http://www.theblaze.com/stories/2016/10/02/several-newspapers-that-endorsed-hillary-clinton-for-president-have-taken-huge-subscriber-hits/"",""http://www.theblaze.com/stories/2016/10/03/kim-kardashian-west-tied-up-robbed-of-over-10-million-in-jewelry-by-armed-thieves-in-paris/"",""http://www.thedailybeast.com/articles/2016/09/26/bill-o-reilly-and-ellen-degeneres-debate-donald-trump-vs-hillary-clinton.html""" +"""http://www.thedailybeast.com/articles/2016/09/26/bill-o-reilly-and-ellen-degeneres-debate-donald-trump-vs-hillary-clinton.html"",""http://www.thedailybeast.com/articles/2016/09/26/hillary-clinton-reform-candidate-yes-she-can-and-must.html"",""http://www.thedailybeast.com/articles/2016/09/26/hillary-clinton-reform-candidate-yes-she-can-and-must.html"",""http://www.thedailybeast.com/articles/2016/09/26/hillary-clinton-reform-candidate-yes-she-can-and-must.html"",""http://www.thedailybeast.com/articles/2016/09/26/hillary-clinton-reform-candidate-yes-she-can-and-must.html""" +"""http://www.thedailybeast.com/articles/2016/09/26/watch-saturday-night-live-s-best-fake-debates.html"",""http://www.thedailymeal.com/news/entertain/lady-gaga-will-be-promoting-her-new-album-dive-bars/100516"",""http://www.thedailymeal.com/news/entertain/lady-gaga-will-be-promoting-her-new-album-dive-bars/100516"",""http://www.thedailystar.net/backpage/israeli-tanks-fire-gaza-response-rocket-1295287"",""http://www.theepochtimes.com/n3/2164381-reports-brad-pitt-submitted-to-drug-test-for-alleged-child-abuse-investigation/""" +"""http://www.theepochtimes.com/n3/2164381-reports-brad-pitt-submitted-to-drug-test-for-alleged-child-abuse-investigation/"",""http://www.theepochtimes.com/n3/2169617-report-fbi-will-not-investigate-brad-pitt-over-alleged-child-abuse-allegations/"",""http://www.theepochtimes.com/n3/2169617-report-fbi-will-not-investigate-brad-pitt-over-alleged-child-abuse-allegations/"",""http://www.theestablishment.co/2016/10/19/how-hillary-can-land-that-knockout-punch-in-tonights-debate/"",""http://www.theestablishment.co/2016/10/19/how-hillary-can-land-that-knockout-punch-in-tonights-debate/""" +"""http://www.thefrisky.com/2016-09-26/heres-how-much-money-donald-trump-started-with-since-eric-thinks-he-started-with-just-about-nothing/"",""http://www.thefrisky.com/2016-09-26/heres-how-much-money-donald-trump-started-with-since-eric-thinks-he-started-with-just-about-nothing/"",""http://www.thefrisky.com/2016-09-27/katy-perry-gets-naked-to-encourage-people-to-vote-but-please-wear-clothes/"",""http://www.thefrisky.com/2016-09-27/katy-perry-gets-naked-to-encourage-people-to-vote-but-please-wear-clothes/"",""http://www.thefrisky.com/2016-09-27/katy-perry-gets-naked-to-encourage-people-to-vote-but-please-wear-clothes/""" +"""http://www.thefrisky.com/2016-09-27/romance-fanfiction-about-rihanna-and-the-french-president-is-now-a-thing-that-exists/"",""http://www.thefrisky.com/2016-09-27/romance-fanfiction-about-rihanna-and-the-french-president-is-now-a-thing-that-exists/"",""http://www.thegatewaypundit.com/2016/10/amish-voters-rally-donald-trump-pennsylvania-video/"",""http://www.thegatewaypundit.com/2016/10/amish-voters-rally-donald-trump-pennsylvania-video/"",""http://www.thegatewaypundit.com/2016/10/amish-voters-rally-donald-trump-pennsylvania-video/""" +"""http://www.thegatewaypundit.com/2016/10/amish-voters-rally-donald-trump-pennsylvania-video/"",""http://www.thegauntlet.com/article/31062/Metallica-Hardwired-is-in-the-Can-"",""http://www.theglobeandmail.com/news/politics/trudeau-praises-late-former-israeli-pm-shimon-peres-as-a-friend-to-canada/article32100319/"",""http://www.theglobeandmail.com/news/world/former-israeli-pm-shimon-peres-dies-at-93/article32097484/"",""http://www.theglobeandmail.com/opinion/shimon-peres-an-early-hawk-an-ultimate-peacemaker/article32112859/""" +"""http://www.thegoodlifefrance.com/best-virtual-meeting-platform-for-your-company-4-things-to-consider/"",""http://www.thegoodlifefrance.com/best-virtual-meeting-platform-for-your-company-4-things-to-consider/"",""http://www.thegoodlifefrance.com/best-virtual-meeting-platform-for-your-company-4-things-to-consider/"",""http://www.thegoodlifefrance.com/google-art-institute-paris-mind-blowing-technology/"",""http://www.thegoodlifefrance.com/google-art-institute-paris-mind-blowing-technology/""" +"""http://www.thegoodlifefrance.com/google-art-institute-paris-mind-blowing-technology/"",""http://www.thegreenespace.org/story/brian-lehrer-show-yo-miss-performance-and-talkback/?utm_source=local&utm_medium=treatment&utm_campaign=daMost&utm_content=damostviewed"",""http://www.thegreenespace.org/story/brian-lehrer-show-yo-miss-performance-and-talkback/?utm_source=local&utm_medium=treatment&utm_campaign=daMost&utm_content=damostviewed"",""http://www.thegreenespace.org/story/brian-lehrer-show-yo-miss-performance-and-talkback/?utm_source=local&utm_medium=treatment&utm_campaign=daMost&utm_content=damostviewed"",""http://www.thegreenespace.org/story/golden-record-remastered-cosmic-mixtape/?utm_source=local&utm_medium=treatment&utm_campaign=daMost&utm_content=damostviewed""" +"""http://www.thegreenespace.org/story/golden-record-remastered-cosmic-mixtape/?utm_source=local&utm_medium=treatment&utm_campaign=daMost&utm_content=damostviewed"",""http://www.thegreenespace.org/story/watch-live-chevalier-de-saint-georges-performed-st-lukes-chamber-ensemble/?utm_source=local&utm_medium=treatment&utm_campaign=daMost&utm_content=damostviewed"",""http://www.thehealthsite.com/news/hormone-levels-measured-in-hair-can-predict-likelihood-of-pregnancy-in-ivf-ag1016/"",""http://www.thehindu.com/news/cities/Visakhapatnam/now-chimps-from-israel-to-regale-visitors-at-zoo/article9209835.ece"",""http://www.thehindu.com/news/cities/Visakhapatnam/now-chimps-from-israel-to-regale-visitors-at-zoo/article9209835.ece""" +"""http://www.thehindu.com/news/cities/Visakhapatnam/now-chimps-from-israel-to-regale-visitors-at-zoo/article9209835.ece"",""http://www.thehindu.com/news/cities/Visakhapatnam/now-chimps-from-israel-to-regale-visitors-at-zoo/article9209835.ece"",""http://www.thehindu.com/news/cities/Visakhapatnam/now-chimps-from-israel-to-regale-visitors-at-zoo/article9209835.ece"",""http://www.thehindu.com/news/cities/Visakhapatnam/now-chimps-from-israel-to-regale-visitors-at-zoo/article9209835.ece"",""http://www.thehollywoodgossip.com/2016/09/brad-pitt-angelina-jolie-is-too-busy-to-be-a-mom/""" +"""http://www.thehollywoodgossip.com/2016/09/brad-pitt-angelina-jolie-is-too-busy-to-be-a-mom/"",""http://www.thehollywoodgossip.com/2016/09/brad-pitt-when-did-he-last-see-his-kids/"",""http://www.thehollywoodgossip.com/2016/09/brad-pitt-when-did-he-last-see-his-kids/"",""http://www.thehollywoodgossip.com/2016/09/taylor-swift-hangs-with-who-at-liberty-ross-birthday-party/"",""http://www.thehollywoodgossip.com/2016/09/taylor-swift-hangs-with-who-at-liberty-ross-birthday-party/""" +"""http://www.thejc.com/news/israel-news/163896/shimon-peress-coffin-lie-state"",""http://www.thejc.com/news/israel-news/163896/shimon-peress-coffin-lie-state"",""http://www.thejc.com/news/israel-news/163896/shimon-peress-coffin-lie-state"",""http://www.thejc.com/news/israel-news/164115/world-leaders-honour-shimon-peres-his-funeral"",""http://www.thejc.com/news/israel-news/164115/world-leaders-honour-shimon-peres-his-funeral""" +"""http://www.thejc.com/news/israel-news/164115/world-leaders-honour-shimon-peres-his-funeral"",""http://www.thejc.com/news/israel-news/164115/world-leaders-honour-shimon-peres-his-funeral"",""http://www.thejewishweek.com/features/beginning/pulling-all-nighter-shimon-peres"",""http://www.thejewishweek.com/news/national/final-rosh-hashanah-greeting-obama-cites-shimon-peres"",""http://www.thejewishweek.com/news/national/final-rosh-hashanah-greeting-obama-cites-shimon-peres""" +"""http://www.thejewishweek.com/news/national/final-rosh-hashanah-greeting-obama-cites-shimon-peres"",""http://www.thenational.ae/sport/football/without-lionel-messi-barcelona-suffer-shock-loss-for-second-straight-year-to-celta-vigo--in-pictures"",""http://www.thenational.ae/sport/football/without-lionel-messi-barcelona-suffer-shock-loss-for-second-straight-year-to-celta-vigo--in-pictures"",""http://www.thenational.ae/sport/world-cup-2018/argentina-missing-lionel-messi-and-manchester-city-pair-patch-up-for-world-cup-qualifier-against-paraguay"",""http://www.thenewamerican.com/usnews/foreign-policy/item/24271-hillary-clinton-admits-in-e-mail-qatar-and-saudi-arabia-are-clandestinely-helping-isis""" +"""http://www.thenewamerican.com/usnews/foreign-policy/item/24271-hillary-clinton-admits-in-e-mail-qatar-and-saudi-arabia-are-clandestinely-helping-isis"",""http://www.theonion.com/article/michelle-obama-throws-out-bunch-baracks-old-number-54167"",""http://www.theonion.com/article/michelle-obama-throws-out-bunch-baracks-old-number-54167"",""http://www.theonion.com/article/michelle-obama-throws-out-bunch-baracks-old-number-54167"",""http://www.theonion.com/article/onion-has-obtained-donald-trumps-tax-returns-and-h-54085""" +"""http://www.theonion.com/article/onion-has-obtained-donald-trumps-tax-returns-and-h-54085"",""http://www.theonion.com/article/onion-has-obtained-donald-trumps-tax-returns-and-h-54085"",""http://www.theonion.com/article/onion-has-obtained-donald-trumps-tax-returns-and-h-54085"",""http://www.thepoliticalinsider.com/hillary-clinton-lies-emails/"",""http://www.thepoliticalinsider.com/hillary-clinton-lies-emails/""" +"""http://www.thepoliticalinsider.com/hillary-dead-broke-proof-after-leaving-white-house/"",""http://www.thepoliticalinsider.com/hillary-dead-broke-proof-after-leaving-white-house/"",""http://www.thepoliticalinsider.com/hillary-dead-broke-proof-after-leaving-white-house/"",""http://www.thepoliticalinsider.com/hillarys-clinton-stealing-election-silicon-valley/"",""http://www.theprp.com/2016/09/26/news/faith-no-reflect-kinship-metallica-cliff-burton/""" +"""http://www.theprp.com/2016/09/26/news/faith-no-reflect-kinship-metallica-cliff-burton/"",""http://www.theprp.com/2016/09/26/news/metallica-pay-tribute-motorheads-lemmy-new-song-murder-one/#comment-2919909713"",""http://www.theprp.com/2016/09/26/news/watch-metallica-perform-live-howard-stern-show/"",""http://www.thesportreview.com/tsr/2016/10/chelsea-star-eden-hazard-opens-up-about-arsenal-legend/"",""http://www.thesportreview.com/tsr/2016/10/former-arsenal-midfielder-reveals-arsene-wengers-biggest-strength/""" +"""http://www.thesportreview.com/tsr/2016/10/mesut-ozil-what-i-really-think-about-arsenal-starlet-alex-iwobi/"",""http://www.thestreet.com/video/13840858/mylan-s-generic-epipen-reportedly-ready-by-end-of-year.html"",""http://www.thestreet.com/video/13840858/mylan-s-generic-epipen-reportedly-ready-by-end-of-year.html"",""http://www.thestreet.com/video/13840858/mylan-s-generic-epipen-reportedly-ready-by-end-of-year.html"",""http://www.thesuperficial.com/john-oliver-hillary-clinton-scandals-donald-trump-last-week-tonight-09-2016""" +"""http://www.thesuperficial.com/katy-perry-naked-funny-or-die-09-2016"",""http://www.thesuperficial.com/kim-kardashian-security-pink-panther-gang-social-media-10-2016"",""http://www.thetimes.co.uk/magazine/the-sunday-times-magazine/the-interview-justin-theroux-mr-jennifer-aniston-f2tw08j7h"",""http://www.thetimes.co.uk/magazine/the-sunday-times-magazine/the-interview-justin-theroux-mr-jennifer-aniston-f2tw08j7h"",""http://www.theunion.com/opinion/24132405-113/paula-orloff-which-version-of-israel-palestine-history""" +"""http://www.thevalleydispatch.com/ci_30445548/u-n-criticism-trump-prompts-russian-response"",""http://www.thevalleydispatch.com/ci_30445548/u-n-criticism-trump-prompts-russian-response"",""http://www.theverge.com/2016/9/27/13014746/mars-mission-astronauts-home-to-earth-rocket-landing-elon-musk"",""http://www.theverge.com/2016/9/27/13014746/mars-mission-astronauts-home-to-earth-rocket-landing-elon-musk"",""http://www.theverge.com/2016/9/27/13014746/mars-mission-astronauts-home-to-earth-rocket-landing-elon-musk""" +"""http://www.theverge.com/2016/9/27/13079472/elon-musk-mars-space-x-tesla-funding-dream"",""http://www.theverge.com/2016/9/27/13079472/elon-musk-mars-space-x-tesla-funding-dream"",""http://www.theverge.com/2016/9/27/13080468/elon-musk-spacex-mars-expedition-self-sustaining-civilization"",""http://www.theverge.com/2016/9/27/13080468/elon-musk-spacex-mars-expedition-self-sustaining-civilization"",""http://www.theverge.com/2016/9/27/13080468/elon-musk-spacex-mars-expedition-self-sustaining-civilization""" +"""http://www.thewrap.com/crisis-in-six-scenes-review-woody-allen-gets-burgled-by-miley-cyrus/"",""http://www.thewrap.com/crisis-in-six-scenes-review-woody-allen-gets-burgled-by-miley-cyrus/"",""http://www.thewrap.com/crisis-in-six-scenes-review-woody-allen-gets-burgled-by-miley-cyrus/"",""http://www.thewrap.com/hillary-clinton-did-not-call-millennials-basement-dwellers/"",""http://www.thewrap.com/hillary-clinton-did-not-call-millennials-basement-dwellers/""" +"""http://www.thewrap.com/hillary-clinton-did-not-call-millennials-basement-dwellers/"",""http://www.thewrap.com/hillary-clinton-did-not-call-millennials-basement-dwellers/"",""http://www.thewrap.com/katy-perry-votes-naked-funny-or-die-joel-mchale-clinton-nude/"",""http://www.thewrap.com/katy-perry-votes-naked-funny-or-die-joel-mchale-clinton-nude/"",""http://www.thewrap.com/katy-perry-votes-naked-funny-or-die-joel-mchale-clinton-nude/""" +"""http://www.timesofisrael.com/shimon-peres-relentless-advocate-of-a-better-israel-a-better-world/"",""http://www.timesofisrael.com/shimon-peres-urged-israel-to-dream-and-innovate/"",""http://www.timesofisrael.com/shimon-peres-urged-israel-to-dream-and-innovate/"",""http://www.timesofisrael.com/shimon-peres-worked-tirelessly-for-israel-says-his-son/"",""http://www.timesunion.com/technology/businessinsider/article/Here-s-where-Donald-Trump-stands-on-energy-issues-9957054.php""" +"""http://www.timesunion.com/technology/businessinsider/article/Here-s-where-Donald-Trump-stands-on-energy-issues-9957054.php"",""http://www.timesunion.com/technology/businessinsider/article/Here-s-where-Donald-Trump-stands-on-energy-issues-9957054.php"",""http://www.timesunion.com/technology/businessinsider/article/Here-s-where-Donald-Trump-stands-on-energy-issues-9957054.php"",""http://www.timesunion.com/technology/businessinsider/article/Here-s-where-Donald-Trump-stands-on-energy-issues-9957054.php"",""http://www.tmz.com/2016/09/27/bob-arum-hillary-clinton-donald-trump-knockout/""" +"""http://www.tmz.com/videos/0-v4xqogcc/?adid=video_lightbox"",""http://www.today.com/health/3-common-beginner-workout-mistakes-how-stay-track-t3766"",""http://www.today.com/health/5-sneaky-ways-women-gain-weight-t103191"",""http://www.today.com/health/six-biggest-health-mistakes-women-make-their-40s-t41621"",""http://www.todaysparent.com/pregnancy/10-spooky-halloween-inspired-baby-names/""" +"""http://www.todaysparent.com/pregnancy/10-spooky-halloween-inspired-baby-names/"",""http://www.todaysparent.com/pregnancy/10-spooky-halloween-inspired-baby-names/"",""http://www.todaysparent.com/pregnancy/10-spooky-halloween-inspired-baby-names/"",""http://www.todaysparent.com/pregnancy/10-spooky-halloween-inspired-baby-names/"",""http://www.todaysparent.com/pregnancy/the-truth-about-pelvic-prolapse/""" +"""http://www.todaysparent.com/pregnancy/the-truth-about-pelvic-prolapse/"",""http://www.todaysparent.com/pregnancy/the-truth-about-pelvic-prolapse/"",""http://www.todaysparent.com/pregnancy/the-truth-about-pelvic-prolapse/"",""http://www.todaysparent.com/pregnancy/the-truth-about-pelvic-prolapse/"",""http://www.todaysparent.com/pregnancy/the-truth-about-pelvic-prolapse/""" +"""http://www.toledoblade.com/Politics/2016/10/12/Records-Pete-Gerken-arrested-at-1984-Toledo-labor-riot.html"",""http://www.toledoblade.com/Politics/2016/10/12/Records-Pete-Gerken-arrested-at-1984-Toledo-labor-riot.html"",""http://www.topgear.com/india/car-news/bloodhound-sscs-lead-sponsor-is-chinese-carmaker-geely/itemid-50"",""http://www.topgear.com/india/car-news/bloodhound-sscs-lead-sponsor-is-chinese-carmaker-geely/itemid-50"",""http://www.topgear.com/india/car-news/meet-the-new-jeep-compass/itemid-50""" +"""http://www.topgear.com/india/car-news/this-is-mclarens-all-new-open-top-all-electric-p1-for-kids/itemid-50"",""http://www.topgear.com/india/car-news/this-is-mclarens-all-new-open-top-all-electric-p1-for-kids/itemid-50"",""http://www.topix.com/forum/city/paris-tx/TK2O8OU3SU15SECE3"",""http://www.topix.com/forum/city/paris-tx/TK2O8OU3SU15SECE3"",""http://www.topix.com/forum/city/paris-tx/TK2O8OU3SU15SECE3""" +"""http://www.topix.com/forum/city/paris-tx/TK2O8OU3SU15SECE3"",""http://www.topix.com/who/ellen-degeneres/2016/09/new-docuseries-little-funny-from-ellen-degeneres-heading-to-a-e"",""http://www.topspeed.com/cars/car-news/porsche-hints-that-its-msb-platform-could-underpin-panamera-coupe-and-audi-a9-coupe-ar174719.html"",""http://www.topspeed.com/cars/car-news/porsche-hints-that-its-msb-platform-could-underpin-panamera-coupe-and-audi-a9-coupe-ar174719.html"",""http://www.topspeed.com/cars/car-news/porsche-hints-that-its-msb-platform-could-underpin-panamera-coupe-and-audi-a9-coupe-ar174719.html""" +"""http://www.torontosun.com/2016/10/05/vicious-angelina-jolie-drags-jen-aniston-to-divorce-court"",""http://www.travelandleisure.com/culture-design/tv-movies/france-netflix-tax"",""http://www.travelandleisure.com/culture-design/tv-movies/france-netflix-tax"",""http://www.travelandleisure.com/culture-design/tv-movies/france-netflix-tax"",""http://www.travelandleisure.com/flight-deals/air-france-airfare-sale""" +"""http://www.travelandleisure.com/flight-deals/air-france-airfare-sale"",""http://www.tribalfootball.com/articles/chelsea-loanee-abraham-likened-by-bristol-city-to-ex-arsenal-striker-wright-4148350"",""http://www.tribalfootball.com/articles/dein-why-not-a-british-manager-at-arsenal-4148466"",""http://www.tribalfootball.com/articles/ex-arsenal-chief-dein-how-do-you-replace-wenger-4148464"",""http://www.tribute.ca/news/index.php/brad-pitt-and-marion-cotillard-fuel-emotionally-fraught-allied-trailer/2016/10/05/""" +"""http://www.tribute.ca/news/index.php/pirates-of-the-caribbean-set-sail-in-this-weeks-new-trailers/2016/10/07/"",""http://www.trinidadexpress.com/20161008/editorial/no-ruction-no-riot-nervous-imbert-budget-boast"",""http://www.triplepundit.com/2016/10/theranos-23andme-zenefits-medical-startups-still-struggling/"",""http://www.triplepundit.com/2016/10/theranos-23andme-zenefits-medical-startups-still-struggling/"",""http://www.truth-out.org/news/item/37962-women-s-boat-to-gaza-13-activists-detained-by-israel-weeks-after-us-approves-38-billion-in-military-aid""" +"""http://www.truth-out.org/news/item/37962-women-s-boat-to-gaza-13-activists-detained-by-israel-weeks-after-us-approves-38-billion-in-military-aid"",""http://www.truth-out.org/news/item/37962-women-s-boat-to-gaza-13-activists-detained-by-israel-weeks-after-us-approves-38-billion-in-military-aid"",""http://www.truth-out.org/news/item/37962-women-s-boat-to-gaza-13-activists-detained-by-israel-weeks-after-us-approves-38-billion-in-military-aid"",""http://www.truth-out.org/news/item/37962-women-s-boat-to-gaza-13-activists-detained-by-israel-weeks-after-us-approves-38-billion-in-military-aid"",""http://www.truth-out.org/news/item/37962-women-s-boat-to-gaza-13-activists-detained-by-israel-weeks-after-us-approves-38-billion-in-military-aid""" +"""http://www.tulsa-health.org/news/tulsa-health-department-keeps-fairgoers-safe-2"",""http://www.tulsa-health.org/news/tulsa-health-department-offer-seasonal-flu-vaccines-october-3rd"",""http://www.tulsaworld.com/"",""http://www.tulsaworld.com/"",""http://www.tulsaworld.com/""" +"""http://www.tulsaworld.com/"",""http://www.tv7israelnews.com/iran-rejects-oil-deal-riyadh/"",""http://www.tv7israelnews.com/turkish-foreign-minister-cooperation-ypg-threat-syria/"",""http://www.tvguide.com/news/donald-trump-the-apprentice-sexism/"",""http://www.tvguide.com/news/presidential-debate-how-to-watch-stream-donald-trump-hillary-clinton/""" +"""http://www.tvguide.com/news/watch-kristen-bell-and-ellen-degeneres-spice-girls-audition/"",""http://www.twcnews.com/nc/charlotte/news/2016/10/2/hillary-clinton-speaks-at-little-rock-ame-church-in-charlotte.html"",""http://www.twcnews.com/nc/charlotte/news/2016/10/2/hillary-clinton-speaks-at-little-rock-ame-church-in-charlotte.html"",""http://www.twcnews.com/nys/capital-region/crime/2016/10/8/man-awaiting-extradition-after-i-84-crash--wanted-in-pittsfield-for-cocaine-possession.html"",""http://www.twcnews.com/nys/capital-region/crime/2016/10/8/man-awaiting-extradition-after-i-84-crash--wanted-in-pittsfield-for-cocaine-possession.html""" +"""http://www.uhnd.com/"",""http://www.uhnd.com/football/2016-season/notre-dame-depth-chart-syracuse-32088/"",""http://www.uhnd.com/history/top-25-players/1-george-gipp-notre-dame/"",""http://www.uhnd.com/history/top-25-players/1-george-gipp-notre-dame/"",""http://www.uncut.co.uk/news/bob-dylan-announces-36cd-box-set-1966-live-recordings-96294""" +"""http://www.uncut.co.uk/news/desert-trip-set-lists-clips-bob-dylan-rolling-stones-neil-young-paul-mccartney-roger-waters-96932"",""http://www.uncut.co.uk/news/desert-trip-set-lists-clips-bob-dylan-rolling-stones-neil-young-paul-mccartney-roger-waters-96932"",""http://www.uncut.co.uk/news/special-edition-bob-dylans-no-direction-home-include-unseen-footage-96736"",""http://www.universetoday.com/130977/tears-hunter-guide-2016-orionid-meteor-shower/"",""http://www.universetoday.com/131070/europas-venting-global-ocean-may-easier-reach-thought/""" +"""http://www.universetoday.com/131070/europas-venting-global-ocean-may-easier-reach-thought/"",""http://www.universetoday.com/131075/ep-421-space-games/"",""http://www.unlv.edu/news-story/daily-debate-digest-oct-17-2016-monday"",""http://www.unlv.edu/news-story/daily-debate-digest-oct-17-2016-monday"",""http://www.unlv.edu/news-story/daily-debate-digest-oct-19-2016-wednesday""" +"""http://www.unlv.edu/news-story/daily-debate-digest-oct-19-2016-wednesday"",""http://www.unlv.edu/news-story/daily-debate-digest-oct-19-2016-wednesday"",""http://www.upi.com/Entertainment_News/2016/09/20/Justin-Bieber-Sofia-Richie-split-after-brief-romance/5921474376384/"",""http://www.upi.com/Entertainment_News/2016/09/20/Justin-Bieber-Sofia-Richie-split-after-brief-romance/5921474376384/"",""http://www.upi.com/Top_News/US/2016/09/26/Presidential-debate-Hillary-Clinton-Donald-Trump-trade-barbs-over-economy-birther-movement/4601474934394/""" +"""http://www.upi.com/Top_News/US/2016/09/26/UPICVoter-poll-Hillary-Clinton-Donald-Trump-in-virtual-tie-heading-into-first-debate/8181474896561/"",""http://www.urbandesignlondon.com/design-literate-leadership-event-councillors-20th-oct-2016/"",""http://www.usanetwork.com/suits/blog/13-times-abigail-spencer-killed-it-as-scottie-on-suits"",""http://www.usanetwork.com/suits/blog/13-times-abigail-spencer-killed-it-as-scottie-on-suits"",""http://www.usanetwork.com/suits/blog/celebrate-national-coffee-day-like-the-suits-cast""" +"""http://www.usanetwork.com/suits/blog/celebrate-national-coffee-day-like-the-suits-cast"",""http://www.usatoday.com/story/life/seasons/fall/2016/09/25/fernet-apple-hot-toddy/89773792/"",""http://www.usatoday.com/story/news/politics/onpolitics/2016/09/26/green-party-candidate-jill-stein-escorted-off-debate-premises-may-try-again-get/91128002/"",""http://www.usatoday.com/story/news/politics/onpolitics/2016/09/26/green-party-candidate-jill-stein-escorted-off-debate-premises-may-try-again-get/91128002/"",""http://www.usatoday.com/story/news/politics/onpolitics/2016/09/26/green-party-candidate-jill-stein-escorted-off-debate-premises-may-try-again-get/91128002/""" +"""http://www.usga.org/videos/2016/09/26/0916-palmer-conversation-mp4-5141365364001.html"",""http://www.usga.org/videos/2016/09/26/160419-palmer-obit-voice-over-mp4-5140778421001.html"",""http://www.usmagazine.com/stylish/news/jennifer-aniston-wears-evil-eye-necklace-post-brad-pitt-angelina-jolie-split-w441996"",""http://www.usmagazine.com/stylish/news/taylor-swift-debuts-shag-cut-with-bangs-at-liberty-ross-birthday-w441969"",""http://www.valleyhealthlink.com/News/2016/October/Construction-Launched-on-New-Valley-Health-Urgen.aspx""" +"""http://www.vanguardngr.com/2016/09/no-fear-gladbach-messi-less-barca/"",""http://www.vanguardngr.com/2016/09/no-fear-gladbach-messi-less-barca/"",""http://www.vanguardngr.com/2016/10/fifas-dilemma-over-calls-to-expel-israeli-clubs/"",""http://www.vanguardngr.com/2016/10/fifas-dilemma-over-calls-to-expel-israeli-clubs/"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce""" +"""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce""" +"""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce""" +"""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce""" +"""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/jennifer-aniston-angelina-jolie-brad-pitt-divorce"",""http://www.vanityfair.com/style/2016/09/taylor-swift-gareth-bromell-interview"",""http://www.vanityfair.com/style/2016/09/taylor-swift-gareth-bromell-interview"",""http://www.vanityfair.com/style/2016/10/taylor-swift-dakota-johnson-birthday""" +"""http://www.vanityfair.com/style/2016/10/taylor-swift-dakota-johnson-birthday"",""http://www.veteranstoday.com/2016/10/02/pro-regime-airstrikes-shut-aleppo-hospital-cut-water-supply/"",""http://www.veteranstoday.com/2016/10/02/pro-regime-airstrikes-shut-aleppo-hospital-cut-water-supply/"",""http://www.viator.com/tours/Paris/City-Sightseeing-Paris-Hop-On-Hop-Off-Tour/d479-2916PAR?eap=lonelyplanet-main-6296&aid=vba6296en?label=viator-no-review-score-badge"",""http://www.viator.com/tours/Paris/City-Sightseeing-Paris-Hop-On-Hop-Off-Tour/d479-2916PAR?eap=lonelyplanet-main-6296&aid=vba6296en?label=viator-no-review-score-badge""" +"""http://www.viator.com/tours/Paris/City-Sightseeing-Paris-Hop-On-Hop-Off-Tour/d479-2916PAR?eap=lonelyplanet-main-6296&aid=vba6296en?label=viator-no-review-score-badge"",""http://www.viator.com/tours/Paris/City-Sightseeing-Paris-Hop-On-Hop-Off-Tour/d479-2916PAR?eap=lonelyplanet-main-6296&aid=vba6296en?label=viator-no-review-score-badge"",""http://www.viator.com/tours/Paris/City-Sightseeing-Paris-Hop-On-Hop-Off-Tour/d479-2916PAR?eap=lonelyplanet-main-6296&aid=vba6296en?label=viator-no-review-score-badge"",""http://www.viator.com/tours/Paris/City-Sightseeing-Paris-Hop-On-Hop-Off-Tour/d479-2916PAR?eap=lonelyplanet-main-6296&aid=vba6296en?label=viator-no-review-score-badge"",""http://www.viator.com/tours/Paris/City-Sightseeing-Paris-Hop-On-Hop-Off-Tour/d479-2916PAR?eap=lonelyplanet-main-6296&aid=vba6296en?label=viator-no-review-score-badge""" +"""http://www.viator.com/tours/Paris/City-Sightseeing-Paris-Hop-On-Hop-Off-Tour/d479-2916PAR?eap=lonelyplanet-main-6296&aid=vba6296en?label=viator-no-review-score-badge"",""http://www.viator.com/tours/Paris/City-Sightseeing-Paris-Hop-On-Hop-Off-Tour/d479-2916PAR?eap=lonelyplanet-main-6296&aid=vba6296en?label=viator-no-review-score-badge"",""http://www.viator.com/tours/Paris/City-Sightseeing-Paris-Hop-On-Hop-Off-Tour/d479-2916PAR?eap=lonelyplanet-main-6296&aid=vba6296en?label=viator-no-review-score-badge"",""http://www.vibe.com/2016/09/global-citizens-festival-rihanna-usher-central-park/"",""http://www.viewpointisrael.com/israel-buses-syrian-children-medical-treatment/""" +"""http://www.viewpointisrael.com/israel-world-mourn-founding-father-shimon-peres/"",""http://www.viewpointisrael.com/words-famous-quotes-founding-father-shimon-peres/"",""http://www.vikings.com/news/article-1/Vikings-Fans-Israel-Football-Leader-Make-Overseas-Trip-to-US-Bank-Stadium/b3a52017-4102-4999-b759-7b2922cc1325"",""http://www.vikings.com/news/article-1/Vikings-Fans-Israel-Football-Leader-Make-Overseas-Trip-to-US-Bank-Stadium/b3a52017-4102-4999-b759-7b2922cc1325"",""http://www.vikings.com/news/article-1/Vikings-Fans-Israel-Football-Leader-Make-Overseas-Trip-to-US-Bank-Stadium/b3a52017-4102-4999-b759-7b2922cc1325""" +"""http://www.vikings.com/news/article-1/Vikings-Fans-Israel-Football-Leader-Make-Overseas-Trip-to-US-Bank-Stadium/b3a52017-4102-4999-b759-7b2922cc1325"",""http://www.voanews.com/a/turkey-bans-large-scale-commemorations-first-anniversary-suicide-attacks/3544327.html"",""http://www.voanews.com/a/turkey-bans-large-scale-commemorations-first-anniversary-suicide-attacks/3544327.html"",""http://www.voanews.com/a/us-group-advocates-change-but-not-regime-change-in-north-korea/3535959.html"",""http://www.voanews.com/a/us-group-advocates-change-but-not-regime-change-in-north-korea/3535959.html""" +"""http://www.vogue.com/13483533/taylor-swift-breakup-haircuts-bobs-shags-red-lipstick/"",""http://www.vogue.com/13483533/taylor-swift-breakup-haircuts-bobs-shags-red-lipstick/"",""http://www.vogue.com/13483938/hillary-clinton-fashion-inspiration-hillarystreetstyle-instagram/"",""http://www.vogue.com/13483938/hillary-clinton-fashion-inspiration-hillarystreetstyle-instagram/"",""http://www.vogue.com/13483958/hillary-clinton-red-suit-2016-presidential-debate/""" +"""http://www.vogue.com/13483958/hillary-clinton-red-suit-2016-presidential-debate/"",""http://www.vogue.com/13483958/hillary-clinton-red-suit-2016-presidential-debate/"",""http://www.vox.com/policy-and-politics/2016/10/10/13233338/alex-jones-trump-clinton-demon"",""http://www.vox.com/policy-and-politics/2016/10/10/13233338/alex-jones-trump-clinton-demon"",""http://www.vox.com/policy-and-politics/2016/10/10/13233338/alex-jones-trump-clinton-demon""" +"""http://www.vox.com/science-and-health/2016/10/10/13227682/trump-clinton-climate-energy-difference"",""http://www.vox.com/science-and-health/2016/10/10/13227682/trump-clinton-climate-energy-difference"",""http://www.vox.com/science-and-health/2016/10/10/13227682/trump-clinton-climate-energy-difference"",""http://www.vox.com/science-and-health/2016/10/10/13227682/trump-clinton-climate-energy-difference"",""http://www.vulture.com/2016/10/inside-the-game-of-thrones-concert-tour.html""" +"""http://www.vulture.com/2016/10/inside-the-game-of-thrones-concert-tour.html"",""http://www.vulture.com/2016/10/taraji-henson-made-sofa-change-compared-to-brad-pitt.html"",""http://www.vulture.com/2016/10/taraji-henson-made-sofa-change-compared-to-brad-pitt.html"",""http://www.walesonline.co.uk/lifestyle/tv/you-see-luke-evans-smash-11970873"",""http://www.waow.com/story/33379706/2016/10/13/update-9-officers-being-treated-for-injuries-trauma-in-boston-shooting""" +"""http://www.waow.com/story/33379706/2016/10/13/update-9-officers-being-treated-for-injuries-trauma-in-boston-shooting"",""http://www.waow.com/story/33379706/2016/10/13/update-9-officers-being-treated-for-injuries-trauma-in-boston-shooting"",""http://www.waow.com/story/33379706/2016/10/13/update-9-officers-being-treated-for-injuries-trauma-in-boston-shooting"",""http://www.wareable.com/smartwatches/the-best-smartwatches-in-the-world"",""http://www.washingtonexaminer.com/at-debate-time-hillary-clinton-and-donald-trump-locked-in-dead-heat/article/2602881""" +"""http://www.washingtonexaminer.com/at-debate-time-hillary-clinton-and-donald-trump-locked-in-dead-heat/article/2602881"",""http://www.washingtonexaminer.com/hillary-clinton-won-the-debate-but-it-was-a-real-fight/article/2602928"",""http://www.washingtonexaminer.com/hillary-clinton-won-the-debate-but-it-was-a-real-fight/article/2602928"",""http://www.washingtonexaminer.com/three-ways-hillary-clinton-won-the-debate-and-two-reasons-it-might-not-matter/article/2602949"",""http://www.washingtonexaminer.com/three-ways-hillary-clinton-won-the-debate-and-two-reasons-it-might-not-matter/article/2602949""" +"""http://www.washingtontimes.com/news/2016/sep/26/hillary-clinton-calls-us-racist-debate/"",""http://www.washingtontimes.com/news/2016/sep/26/trump-campaign-debates-are-not-hillary-clintons-sw/"",""http://www.washingtontimes.com/news/2016/sep/27/black-lives-matter-likes-hillary-clintons-implicit/"",""http://www.watchtime.com/blog/5-affordable-rolex-watches-for-new-collectors/"",""http://www.watchtime.com/featured/tracking-the-rolex-daytona-a-53-year-history/""" +"""http://www.watchtime.com/featured/when-rolex-went-quartz/"",""http://www.watertowndailytimes.com/curr/debut-author-nathan-hill-talks-about-writing-the-nix-20161002"",""http://www.watertowndailytimes.com/curr/debut-author-nathan-hill-talks-about-writing-the-nix-20161002"",""http://www.watertowndailytimes.com/curr/debut-author-nathan-hill-talks-about-writing-the-nix-20161002"",""http://www.wbur.org/cognoscenti/2016/09/27/first-debate-clinton-trump-joanna-weiss""" +"""http://www.wbur.org/cognoscenti/2016/09/29/hillary-clinton-donald-trump-fitness-rich-barlow"",""http://www.wbur.org/cognoscenti/2016/10/19/trump-goes-low-clintons-poll-numbers-go-high-erika-fine"",""http://www.wbur.org/cognoscenti/2016/10/19/trump-goes-low-clintons-poll-numbers-go-high-erika-fine"",""http://www.wcpo.com/news/region-indiana/dearborn-county/parade-float-maker-apologizes-sort-of-for-depicting-trump-executing-clinton-in-electric-chair"",""http://www.wdrb.com/story/33303459/vigil-planned-for-teen-killed-at-uk-party""" +"""http://www.wdrb.com/story/33303459/vigil-planned-for-teen-killed-at-uk-party"",""http://www.wearetennis.com/en_UK/2016/09/28/the-art-of-the-final-by-stan-wawrinka/6798"",""http://www.wearetennis.com/en_UK/2016/10/05/the-day-when-a-player-ranked-453rd-at-the-atp-won-the-lyon-tournament/6823"",""http://www.westernjournalism.com/eric-trump-notes-hillary-clinton-lived-off-tax-dollars-others/"",""http://www.westernjournalism.com/eric-trump-notes-hillary-clinton-lived-off-tax-dollars-others/""" +"""http://www.westernjournalism.com/former-miss-usa-competitor-has-message-for-women-about-donald-trump/"",""http://www.westernjournalism.com/former-miss-usa-competitor-has-message-for-women-about-donald-trump/"",""http://www.westernjournalism.com/thepoint/2016/10/03/hillary-campaign-holds-breath-wikileaks-founder-makes-massive-announcement/"",""http://www.westernjournalism.com/thepoint/2016/10/03/hillary-campaign-holds-breath-wikileaks-founder-makes-massive-announcement/"",""http://www.westsussextoday.co.uk/news/rusty-racquets-on-court-as-tennis-enjoys-a-golden-spell-1-7633247""" +"""http://www.westsussextoday.co.uk/news/rusty-racquets-on-court-as-tennis-enjoys-a-golden-spell-1-7633247"",""http://www.westsussextoday.co.uk/news/rusty-racquets-on-court-as-tennis-enjoys-a-golden-spell-1-7633247"",""http://www.westsussextoday.co.uk/news/rusty-racquets-on-court-as-tennis-enjoys-a-golden-spell-1-7633247"",""http://www.westsussextoday.co.uk/news/rusty-racquets-on-court-as-tennis-enjoys-a-golden-spell-1-7633247"",""http://www.westsussextoday.co.uk/sport/football/ardingly-college-s-sophie-s-on-top-football-form-1-7609001""" +"""http://www.westsussextoday.co.uk/sport/football/ardingly-college-s-sophie-s-on-top-football-form-1-7609001"",""http://www.westsussextoday.co.uk/sport/football/ardingly-college-s-sophie-s-on-top-football-form-1-7609001"",""http://www.westsussextoday.co.uk/sport/football/ardingly-college-s-sophie-s-on-top-football-form-1-7609001"",""http://www.westsussextoday.co.uk/sport/football/ardingly-college-s-sophie-s-on-top-football-form-1-7609001"",""http://www.westsussextoday.co.uk/sport/football/midweek-football-round-up-hillians-unbeaten-run-continues-after-six-goal-thriller-1-7612486""" +"""http://www.westsussextoday.co.uk/sport/football/midweek-football-round-up-hillians-unbeaten-run-continues-after-six-goal-thriller-1-7612486"",""http://www.westsussextoday.co.uk/sport/football/midweek-football-round-up-hillians-unbeaten-run-continues-after-six-goal-thriller-1-7612486"",""http://www.westsussextoday.co.uk/sport/football/midweek-football-round-up-hillians-unbeaten-run-continues-after-six-goal-thriller-1-7612486"",""http://www.westsussextoday.co.uk/sport/football/midweek-football-round-up-hillians-unbeaten-run-continues-after-six-goal-thriller-1-7612486"",""http://www.wetpaint.com/basketball-wives-january-gessert-kim-kardashian-1526681/""" +"""http://www.wetpaint.com/game-of-thrones-season-7-battle-details-1526314/"",""http://www.wetpaint.com/game-of-thrones-season-7-battle-details-1526314/"",""http://www.wetpaint.com/game-of-thrones-season-7-battle-details-1526314/"",""http://www.wetpaint.com/game-of-thrones-season-7-battle-details-1526314/"",""http://www.wetpaint.com/kim-kardashian-braless-sisters-photos-1526780/""" +"""http://www.wfaa.com/sports/baylors-title-ix-coordinator-resigns/328799659"",""http://www.whatsonstage.com/london-theatre/news/imelda-staunton-gypsy-dvd_41865.html?cid=homepage_news"",""http://www.whatsonstage.com/london-theatre/news/imelda-staunton-gypsy-dvd_41865.html?cid=homepage_news"",""http://www.whatsonstage.com/london-theatre/news/matt-trueman-music-powerful-theatre_41862.html?cid=homepage_news"",""http://www.whatsonstage.com/london-theatre/news/matt-trueman-music-powerful-theatre_41862.html?cid=homepage_news""" +"""http://www.whatsonstage.com/london-theatre/news/photos-graham-norton-west-end-bares-_41861.html?cid=homepage_news"",""http://www.whatsonstage.com/london-theatre/news/photos-graham-norton-west-end-bares-_41861.html?cid=homepage_news"",""http://www.whattoexpect.com/pregnancy/asthma-during-pregnancy"",""http://www.whattoexpect.com/pregnancy/asthma-during-pregnancy"",""http://www.whattoexpect.com/pregnancy/asthma-during-pregnancy""" +"""http://www.whattoexpect.com/pregnancy/fasting-while-pregnant-breastfeeding/"",""http://www.whattoexpect.com/pregnancy/fasting-while-pregnant-breastfeeding/"",""http://www.whattoexpect.com/pregnancy/fasting-while-pregnant-breastfeeding/"",""http://www.whattoexpect.com/pregnancy/lupus/"",""http://www.whattoexpect.com/pregnancy/lupus/""" +"""http://www.whittierdailynews.com/government-and-politics/20161004/philippine-leader-duterte-to-obama-you-can-go-to-hell-threatens-to-break-up-with-america"",""http://www.who.int/entity/life-course/partners/global-strategy/en/index.html"",""http://www.whoateallthepies.tv/kits/244938/adidas-knock-out-new-limited-edition-lionel-messi-boots-that-are-only-available-in-his-size-photos.html"",""http://www.whoateallthepies.tv/kits/244938/adidas-knock-out-new-limited-edition-lionel-messi-boots-that-are-only-available-in-his-size-photos.html"",""http://www.wholehogsports.com/news/2016/oct/06/early-college-football-signing-period-moves-closer/""" +"""http://www.wholehogsports.com/news/2016/oct/06/early-college-football-signing-period-moves-closer/"",""http://www.wholehogsports.com/news/2016/oct/06/early-college-football-signing-period-moves-closer/"",""http://www.wholehogsports.com/news/2016/oct/06/early-college-football-signing-period-moves-closer/"",""http://www.wholehogsports.com/news/2016/oct/06/early-college-football-signing-period-moves-closer/"",""http://www.wholehogsports.com/news/2016/oct/06/early-college-football-signing-period-moves-closer/""" +"""http://www.wholehogsports.com/news/2016/oct/06/early-college-football-signing-period-moves-closer/"",""http://www.wholehogsports.com/news/2016/oct/06/early-college-football-signing-period-moves-closer/"",""http://www.wholehogsports.com/news/2016/oct/06/early-college-football-signing-period-moves-closer/"",""http://www.wholehogsports.com/news/2016/oct/07/5-things-watch-arkansas-measures-progress-against-/"",""http://www.wholehogsports.com/news/2016/oct/07/5-things-watch-arkansas-measures-progress-against-/""" +"""http://www.wholehogsports.com/news/2016/oct/07/5-things-watch-arkansas-measures-progress-against-/"",""http://www.wholehogsports.com/news/2016/oct/07/5-things-watch-arkansas-measures-progress-against-/"",""http://www.wholehogsports.com/news/2016/oct/07/5-things-watch-arkansas-measures-progress-against-/"",""http://www.whyisrael.org/2016/09/28/shimon-peres-former-president-and-veteran-israeli-statesman-dies-at-93/"",""http://www.windowscentral.com/slack-pc-includes-reloading-improvements-and-much-more""" +"""http://www.wmagazine.com/gallery/kim-kardashian-is-likely-to-approve-of-olivier-rousteings-latest-balmain-show"",""http://www.wmagazine.com/story/meet-the-skin-care-expert-beloved-by-jessica-alba-and-kim-kardashian"",""http://www.wnba.com/news/2016-wnba-finals-keys-game-5/"",""http://www.wnd.com/2016/09/stocks-close-sharply-lower-just-hours-before-debate/?cat_orig=money"",""http://www.wnd.com/2016/10/bill-clinton-rape-victim-hillary-knew/""" From 0a3940c5fe98c18ad8e9d12436124f596b63e3bf Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Wed, 6 Sep 2017 15:15:02 +0300 Subject: [PATCH 07/14] add: add the original url to the result --- modules/api/views.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/api/views.js b/modules/api/views.js index af5108bb6..234375f9d 100644 --- a/modules/api/views.js +++ b/modules/api/views.js @@ -466,7 +466,7 @@ module.exports = function(app) { mediaPriority: getBooleanParam(req, 'media'), omit_css: getBooleanParam(req, 'omit_css') }); - cb(null,oembed) + cb(null,{url,oembed}) }) } From 77852f94519a877b027533285712d4e0effa7490 Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Wed, 6 Sep 2017 16:06:36 +0300 Subject: [PATCH 08/14] refactor: modify to match embedly bulk result format --- modules/api/views.js | 11 ++++++----- 1 file changed, 6 insertions(+), 5 deletions(-) diff --git a/modules/api/views.js b/modules/api/views.js index 234375f9d..319baf2ba 100644 --- a/modules/api/views.js +++ b/modules/api/views.js @@ -426,11 +426,11 @@ module.exports = function(app) { let processUrlOEmbed = (req,url,cb) => { var uri = prepareUri(url); if (!uri) { - return cb({url:url,error:"empty url"}); + return cb({url:url,error:"empty url",error_code:"EMPTYURI"},null); } if (!CONFIG.DEBUG && uri.split('/')[2].indexOf('.') === -1) { - return cb({url:url,error:"local domains not supported"}); + return cb({url:url,error:"local domains not supported",error_code:"LOCALDOMAIN"},null); } log(req, 'Loading /oembed for', uri); @@ -451,7 +451,7 @@ module.exports = function(app) { ], function(error, result) { if (error) { - return cb({url:url,error:error},null) + return cb({url:url,error:error,error_code:error.code || error},null) } iframelyCore.sortLinks(result.links); @@ -466,7 +466,8 @@ module.exports = function(app) { mediaPriority: getBooleanParam(req, 'media'), omit_css: getBooleanParam(req, 'omit_css') }); - cb(null,{url,oembed}) + oembed.url = url + cb(null,oembed) }) } @@ -484,7 +485,7 @@ module.exports = function(app) { let [errors,results] = _.partition(result,(r) => r.error) let errorUrls = _.pluck(errors,'error') let resultUrls = _.pluck(results,'value') - let response = {errors:errorUrls,results:resultUrls} + let response = errorUrls.concat(resultUrls) res.jsonpCached(response); }); From 4220246f013acc066213e921239f87a963f3f365 Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Sun, 10 Sep 2017 15:29:40 +0300 Subject: [PATCH 09/14] fix: return urls in same order of request. dont override oembed url. add: field orgUrl - the original url of request (in case of redirects) --- modules/api/views.js | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/modules/api/views.js b/modules/api/views.js index 319baf2ba..1a6698d46 100644 --- a/modules/api/views.js +++ b/modules/api/views.js @@ -466,7 +466,9 @@ module.exports = function(app) { mediaPriority: getBooleanParam(req, 'media'), omit_css: getBooleanParam(req, 'omit_css') }); - oembed.url = url + if(!oembed.url) + oembed.url = url + oembed.orgUrl = url cb(null,oembed) }) } @@ -482,10 +484,7 @@ module.exports = function(app) { if (err) { return handleIframelyError(error, res, next); } - let [errors,results] = _.partition(result,(r) => r.error) - let errorUrls = _.pluck(errors,'error') - let resultUrls = _.pluck(results,'value') - let response = errorUrls.concat(resultUrls) + let response = _.map(result,r => r.error || r.value) res.jsonpCached(response); }); From 6e7968ff86f8d515be75f90c9109c29735b0f578 Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Sun, 10 Sep 2017 18:01:49 +0300 Subject: [PATCH 10/14] fix: sort a copy of the body request url --- utils.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/utils.js b/utils.js index 10352f23b..dbbb8a7d6 100644 --- a/utils.js +++ b/utils.js @@ -104,7 +104,8 @@ var urlObj = urlLib.parse(req.url, true); var query = urlObj.query; - var postUrls = req.body.urls + //use slice to generate a copy of array so sort doesnt modify the original + var postUrls = req.body.urls.slice(0) if(postUrls) postUrls.sort() From 5bae9910a60ae5fa98cb1399c5de4d08b4ff4340 Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Mon, 11 Sep 2017 11:49:33 +0300 Subject: [PATCH 11/14] fix: handle empty body on get requests --- utils.js | 10 +++++++--- 1 file changed, 7 insertions(+), 3 deletions(-) diff --git a/utils.js b/utils.js index dbbb8a7d6..2c8dcdd9b 100644 --- a/utils.js +++ b/utils.js @@ -105,9 +105,13 @@ var query = urlObj.query; //use slice to generate a copy of array so sort doesnt modify the original - var postUrls = req.body.urls.slice(0) - if(postUrls) - postUrls.sort() + var postUrls = [] + if(req.body & req.body.urls) + { + postUrls = req.body.urls.slice(0) + if(postUrls) + postUrls.sort() + } delete query.refresh; From 1d724eb1685bf06289847323f2ec622f87bdd3a6 Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Mon, 11 Sep 2017 14:08:06 +0300 Subject: [PATCH 12/14] fix: bulk cache key --- utils.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/utils.js b/utils.js index 2c8dcdd9b..230f3c081 100644 --- a/utils.js +++ b/utils.js @@ -106,7 +106,7 @@ var query = urlObj.query; //use slice to generate a copy of array so sort doesnt modify the original var postUrls = [] - if(req.body & req.body.urls) + if(req.body && req.body.urls) { postUrls = req.body.urls.slice(0) if(postUrls) From dd420e926d6543d2a24136378c5ad77477cda654 Mon Sep 17 00:00:00 2001 From: sirpy Date: Wed, 13 Sep 2017 13:25:54 +0300 Subject: [PATCH 13/14] Update README.md --- README.md | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/README.md b/README.md index 3689e4d47..9fb2ffc8c 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,8 @@ +# Knil Version + - /oembed.bulk Post end point to process upto 10 urls in async + - fix to include unshortened final url + - fix to use oemebed type if available (didnt work for facebook videos) + # Iframely API for Responsive Web Embeds This is the self-hosted version of Iframely's APIs and parsers. From 6ea0fb9686ad56f909110d6aadaec2ab451beec7 Mon Sep 17 00:00:00 2001 From: Hadar Rottenberg Date: Sun, 17 Sep 2017 15:39:19 +0300 Subject: [PATCH 14/14] add: print uri causing response error --- lib/core.js | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/lib/core.js b/lib/core.js index 7caaa8352..53fbca38d 100644 --- a/lib/core.js +++ b/lib/core.js @@ -1035,7 +1035,7 @@ var link2 = canonical.replace(/\/+$/, ''); if (link1 === link2 && link.rel.indexOf(CONFIG.R.oembed) == -1) { - // allow the canonical links for oEmbeds, as such mistakes are usually made for OG and Twitter: + // allow the canonical links for oEmbeds, as such mistakes are usually made for OG and Twitter: // if publisher has oEmbed, he is most likely to have the valid embed codes link.error = "Removed canonical link"; } @@ -1193,18 +1193,18 @@ } } - function findResponseStatusCode(result) { + function findResponseStatusCode(result,uri) { if (result) { for(var i = 0; i < result.length; i++) { var r = result[i]; if (r.error && r.error[SYS_ERRORS.responseStatusCode]) { - sysUtils.log(' -- response (by "' + r.method.pluginId + '")', r.error[SYS_ERRORS.responseStatusCode]); + sysUtils.log(' -- response (by "' + r.method.pluginId + '")', r.error[SYS_ERRORS.responseStatusCode], uri); return r.error[SYS_ERRORS.responseStatusCode]; } if (r.error && r.error === SYS_ERRORS.timeout) { - sysUtils.log(' -- response (by "' + r.method.pluginId + '")', SYS_ERRORS.timeout); + sysUtils.log(' -- response (by "' + r.method.pluginId + '")', SYS_ERRORS.timeout, uri); return SYS_ERRORS.timeout; } } @@ -1413,7 +1413,7 @@ } // Abort on error response code. - var errorResponseCode = findResponseStatusCode(result); + var errorResponseCode = findResponseStatusCode(result,uri); if (errorResponseCode) { abortCurrentRequest(); aborted = true; @@ -1506,4 +1506,4 @@ exports.getOembed = oembedUtils.getOembed; -})(exports); \ No newline at end of file +})(exports);