Skip to content

Instantly share code, notes, and snippets.

@arthuralvim
Forked from malemi/word2vecRecommender.ipynb
Created October 19, 2017 19:14
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save arthuralvim/14bcfc7faa0235a9aac2a8e372f8a95e to your computer and use it in GitHub Desktop.
Save arthuralvim/14bcfc7faa0235a9aac2a8e372f8a95e to your computer and use it in GitHub Desktop.
Word2vec
Display the source blob
Display the rendered blob
Raw
{
"cells": [
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "D7tqLMoKF6uq"
},
"source": [
"Word2vec from Manaus\n",
"=============\n",
"\n",
"Taken from [Udacity Course](https://github.com/tensorflow/tensorflow/blob/master/tensorflow/examples/udacity/5_word2vec.ipynb) assignment 5.\n",
"\n",
"What it does\n",
"------------\n",
"\n",
"Accept list of lists of keyword and predict the similarity of keywords according to their companions.\n",
"\n",
"GPU or CPU?\n",
"----------\n",
"\n",
"Unless you have NVidia, it's CPU because Tensorflow does not support OpenCL. At the moment it does not work with [tf-coriander](https://github.com/hughperkins/tf-coriander).\n"
]
},
{
"cell_type": "code",
"execution_count": 1,
"metadata": {
"cellView": "both",
"colab": {
"autoexec": {
"startup": false,
"wait_interval": 0
}
},
"colab_type": "code",
"collapsed": true,
"id": "0K1ZyLn04QZf"
},
"outputs": [],
"source": [
"# These are all the modules we'll be using later. Make sure you can import them\n",
"# before proceeding further.\n",
"from __future__ import print_function\n",
"from __future__ import division\n",
"import itertools\n",
"import collections\n",
"import math\n",
"import numpy as np\n",
"from scipy.spatial.distance import cosine\n",
"import os\n",
"import random\n",
"import tensorflow as tf\n",
"import re\n",
"# import zipfile\n",
"from matplotlib import pylab\n",
"from six.moves import range\n",
"from six.moves.urllib.request import urlretrieve\n",
"from sklearn.manifold import TSNE\n"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "aCjPJE944bkV"
},
"source": [
"Download the data from the source website if necessary."
]
},
{
"cell_type": "code",
"execution_count": 2,
"metadata": {
"cellView": "both",
"colab": {
"autoexec": {
"startup": false,
"wait_interval": 0
},
"output_extras": [
{
"item_id": 1
}
]
},
"colab_type": "code",
"collapsed": false,
"executionInfo": {
"elapsed": 14640,
"status": "ok",
"timestamp": 1445964482948,
"user": {
"color": "#1FA15D",
"displayName": "Vincent Vanhoucke",
"isAnonymous": false,
"isMe": true,
"permissionId": "05076109866853157986",
"photoUrl": "//lh6.googleusercontent.com/-cCJa7dTDcgQ/AAAAAAAAAAI/AAAAAAAACgw/r2EZ_8oYer4/s50-c-k-no/photo.jpg",
"sessionId": "2f1ffade4c9f20de",
"userId": "102167687554210253930"
},
"user_tz": 420
},
"id": "RJ-o3UBUFtCw",
"outputId": "c4ec222c-80b5-4298-e635-93ca9f79c3b7"
},
"outputs": [],
"source": [
"filename = 'keywords.fsecure.tsv'"
]
},
{
"cell_type": "code",
"execution_count": 3,
"metadata": {
"cellView": "both",
"colab": {
"autoexec": {
"startup": false,
"wait_interval": 0
},
"output_extras": [
{
"item_id": 1
}
]
},
"colab_type": "code",
"collapsed": false,
"executionInfo": {
"elapsed": 28844,
"status": "ok",
"timestamp": 1445964497165,
"user": {
"color": "#1FA15D",
"displayName": "Vincent Vanhoucke",
"isAnonymous": false,
"isMe": true,
"permissionId": "05076109866853157986",
"photoUrl": "//lh6.googleusercontent.com/-cCJa7dTDcgQ/AAAAAAAAAAI/AAAAAAAACgw/r2EZ_8oYer4/s50-c-k-no/photo.jpg",
"sessionId": "2f1ffade4c9f20de",
"userId": "102167687554210253930"
},
"user_tz": 420
},
"id": "Mvf09fjugFU_",
"outputId": "e3a928b4-1645-4fe8-be17-fcf47de5716d"
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Data size 105185\n"
]
}
],
"source": [
"def read_data(filename):\n",
" \"\"\"Extract all words all alpha and not uppercase\n",
" words: list of all words\n",
" sentences: list of lists, each list a sentence\n",
" sentences_index: list, each element how to find that word in sentences: (4,3) word 3 in sentence 4\n",
" \"\"\"\n",
" # list of list of words\n",
" sentences = list()\n",
" # all words in order of apparence (repeated)\n",
" words = list()\n",
" # (sentence_index_in_sentences, word_index_in_sentence) => index in words\n",
" sentences_index_dict = dict()\n",
" # index in words => (sentence_index_in_sentences, word_index_in_sentence)\n",
" sentences_index = []\n",
" with open(filename) as f:\n",
" sentence_count = 0\n",
" for line in f.readlines():\n",
" sentence = list()\n",
" word_count = 0\n",
" for word in line.replace('\"', ' ').replace('|', ' ').replace('\";\"', ' ').split():\n",
" if word.isalpha() and not word.isupper():\n",
" #print(word)\n",
" words.append(word)\n",
" sentence.append(word)\n",
" sentences_index_dict[(sentence_count, word_count)] = len(words) - 1\n",
" sentences_index.append((sentence_count, word_count))\n",
" word_count += 1\n",
" sentences.append(sentence)\n",
" sentence_count += 1\n",
" \n",
" return words, sentences, sentences_index, sentences_index_dict\n",
" \n",
"words, sentences, sentences_index, sentences_index_dict = read_data(filename)\n",
"print('Data size %d' % len(words))"
]
},
{
"cell_type": "code",
"execution_count": 4,
"metadata": {
"collapsed": false
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"['jacob', 'validation', 'imac', 'aware', 'ios', 'activation', 'activated', 'currently', 'installing']\n",
"[['jacob', 'validation', 'imac', 'aware', 'ios', 'activation', 'activated', 'currently', 'installing', 'mac', 'reset', 'app', 'device', 'devices'], ['wild', 'wed', 'exede', 'assure', 'directed', 'immediately', 'web', 'site'], ['charlie', 'anywhere', 'applet', 'clicked'], ['trial', 'expired', 'code', 'subscription', 'install'], ['unsure', 'false', 'showed', 'response', 'details', 'freedome']]\n",
"[(0, 0), (0, 1), (0, 2), (0, 3), (0, 4), (0, 5), (0, 6), (0, 7)]\n",
"0\n"
]
}
],
"source": [
"print(words[:9])\n",
"print(sentences[:5])\n",
"print(sentences_index[:8])\n",
"print(sentences_index_dict[(0, 0)])"
]
},
{
"cell_type": "markdown",
"metadata": {
"collapsed": false
},
"source": [
"#### Add possible synonyms"
]
},
{
"cell_type": "code",
"execution_count": 5,
"metadata": {
"collapsed": true
},
"outputs": [],
"source": [
"# Libraries for Lev distance\n",
"def _edit_dist_init(len1, len2):\n",
" lev = []\n",
" for i in range(len1):\n",
" lev.append([0] * len2) # initialize 2D array to zero\n",
" for i in range(len1):\n",
" lev[i][0] = i # column 0: 0,1,2,3,4,...\n",
" for j in range(len2):\n",
" lev[0][j] = j # row 0: 0,1,2,3,4,...\n",
" return lev\n",
"\n",
"\n",
"def _edit_dist_step(lev, i, j, s1, s2, substitution_cost=1, transpositions=False):\n",
" c1 = s1[i - 1]\n",
" c2 = s2[j - 1]\n",
"\n",
" # skipping a character in s1\n",
" a = lev[i - 1][j] + 1\n",
" # skipping a character in s2\n",
" b = lev[i][j - 1] + 1\n",
" # substitution\n",
" c = lev[i - 1][j - 1] + (substitution_cost if c1 != c2 else 0)\n",
"\n",
" # transposition\n",
" d = c + 1 # never picked by default\n",
" if transpositions and i > 1 and j > 1:\n",
" if s1[i - 2] == c2 and s2[j - 2] == c1:\n",
" d = lev[i - 2][j - 2] + 1\n",
"\n",
" # pick the cheapest\n",
" lev[i][j] = min(a, b, c, d)\n",
"\n",
"\n",
"def edit_distance(s1, s2, substitution_cost=1, transpositions=False):\n",
" \"\"\"\n",
" Calculate the Levenshtein edit-distance between two strings.\n",
" The edit distance is the number of characters that need to be\n",
" substituted, inserted, or deleted, to transform s1 into s2. For\n",
" example, transforming \"rain\" to \"shine\" requires three steps,\n",
" consisting of two substitutions and one insertion:\n",
" \"rain\" -> \"sain\" -> \"shin\" -> \"shine\". These operations could have\n",
" been done in other orders, but at least three steps are needed.\n",
"\n",
" Allows specifying the cost of substitution edits (e.g., \"a\" -> \"b\"),\n",
" because sometimes it makes sense to assign greater penalties to substitutions.\n",
"\n",
" This also optionally allows transposition edits (e.g., \"ab\" -> \"ba\"),\n",
" though this is disabled by default.\n",
"\n",
" :param s1, s2: The strings to be analysed\n",
" :param transpositions: Whether to allow transposition edits\n",
" :type s1: str\n",
" :type s2: str\n",
" :type substitution_cost: int\n",
" :type transpositions: bool\n",
" :rtype int\n",
" \"\"\"\n",
" # set up a 2-D array\n",
" len1 = len(s1)\n",
" len2 = len(s2)\n",
" lev = _edit_dist_init(len1 + 1, len2 + 1)\n",
"\n",
" # iterate over the array\n",
" for i in range(len1):\n",
" for j in range(len2):\n",
" _edit_dist_step(lev, i + 1, j + 1, s1, s2,\n",
" substitution_cost=substitution_cost, transpositions=transpositions)\n",
" return lev[len1][len2]\n",
"\n",
"def jaccard_distance(label1, label2):\n",
" \"\"\"Distance metric comparing set-similarity.\n",
"\n",
" \"\"\"\n",
" return (len(label1.union(label2)) - len(label1.intersection(label2)))/len(label1.union(label2))\n",
"\n",
"def masi_distance(label1, label2):\n",
" \"\"\"Distance metric that takes into account partial agreement when multiple\n",
" labels are assigned.\n",
"\n",
" >>> from nltk.metrics import masi_distance\n",
" >>> masi_distance(set([1, 2]), set([1, 2, 3, 4]))\n",
" 0.335\n",
"\n",
" Passonneau 2006, Measuring Agreement on Set-Valued Items (MASI)\n",
" for Semantic and Pragmatic Annotation.\n",
" \"\"\"\n",
"\n",
" len_intersection = len(label1.intersection(label2))\n",
" len_union = len(label1.union(label2))\n",
" len_label1 = len(label1)\n",
" len_label2 = len(label2)\n",
" if len_label1 == len_label2 and len_label1 == len_intersection:\n",
" m = 1\n",
" elif len_intersection == min(len_label1, len_label2):\n",
" m = 0.67\n",
" elif len_intersection > 0:\n",
" m = 0.33\n",
" else:\n",
" m = 0\n",
"\n",
" return (1 - (len_intersection / float(len_union))) * m\n",
"\n",
"\n",
"\n",
"def interval_distance(label1,label2):\n",
" \"\"\"Krippendorff's interval distance metric\n",
"\n",
" >>> from nltk.metrics import interval_distance\n",
" >>> interval_distance(1,10)\n",
" 81\n",
"\n",
" Krippendorff 1980, Content Analysis: An Introduction to its Methodology\n",
" \"\"\"\n",
"\n",
" try:\n",
" return pow(label1 - label2, 2)\n",
"# return pow(list(label1)[0]-list(label2)[0],2)\n",
" except:\n",
" print(\"non-numeric labels not supported with interval distance\")\n",
"\n",
"\n",
"\n",
"def presence(label):\n",
" \"\"\"Higher-order function to test presence of a given label\n",
" \"\"\"\n",
"\n",
" return lambda x, y: 1.0 * ((label in x) == (label in y))\n",
"\n",
"\n",
"\n",
"def fractional_presence(label):\n",
" return lambda x, y:\\\n",
" abs(((1.0 / len(x)) - (1.0 / len(y)))) * (label in x and label in y) \\\n",
" or 0.0 * (label not in x and label not in y) \\\n",
" or abs((1.0 / len(x))) * (label in x and label not in y) \\\n",
" or ((1.0 / len(y))) * (label not in x and label in y)\n",
"\n",
"\n",
"\n",
"def custom_distance(file):\n",
" data = {}\n",
" with open(file, 'r') as infile:\n",
" for l in infile:\n",
" labelA, labelB, dist = l.strip().split(\"\\t\")\n",
" labelA = frozenset([labelA])\n",
" labelB = frozenset([labelB])\n",
" data[frozenset([labelA,labelB])] = float(dist)\n",
" return lambda x,y:data[frozenset([x,y])]\n",
"\n",
"def binary_distance(label1, label2):\n",
" \"\"\"Simple equality test.\n",
"\n",
" 0.0 if the labels are identical, 1.0 if they are different.\n",
"\n",
" >>> from nltk.metrics import binary_distance\n",
" >>> binary_distance(1,1)\n",
" 0.0\n",
"\n",
" >>> binary_distance(1,3)\n",
" 1.0\n",
" \"\"\"\n",
"\n",
" return 0.0 if label1 == label2 else 1.0\n",
"\n",
"\n",
"def demo():\n",
" edit_distance_examples = [\n",
" (\"install\", \"installation\"), (\"abcdef\", \"acbdef\"), (\"implementation\", \"installation\"),\n",
" (\"language\", \"lnaugage\"), (\"language\", \"lngauage\")]\n",
" for s1, s2 in edit_distance_examples:\n",
" print(\"Edit distance between '%s' and '%s':\" % (s1, s2), edit_distance(s1, s2))\n",
" for s1, s2 in edit_distance_examples:\n",
" print(\"Edit distance with transpositions between '%s' and '%s' with Transpo:\" % (s1, s2), edit_distance(s1, s2, transpositions=True))\n",
" for s1, s2 in edit_distance_examples:\n",
" print(\"Edit distance with transpositions between '%s' and '%s' NO Transpo:\" % (s1, s2), edit_distance(s1, s2, transpositions=False))\n",
" for s1, s2 in edit_distance_examples:\n",
" print(\"TRUNCATED Edit distance with transpositions between '%s' and '%s':\" % (s1, s2), edit_distance(s1[4:min(8, len(s1), len(s2))], s2[4:min(8, len(s1), len(s2))]))\n",
" for s1, s2 in edit_distance_examples:\n",
" print(\"Jaccard distance between '%s' and '%s':\" % (s1, s2), jaccard_distance(set(s1), set(s2)))\n",
" for s1, s2 in edit_distance_examples:\n",
" print(\"MASI distance between '%s' and '%s':\" % (s1, s2), masi_distance(set(s1), set(s2)))\n",
"\n"
]
},
{
"cell_type": "code",
"execution_count": null,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"#demo()"
]
},
{
"cell_type": "code",
"execution_count": 6,
"metadata": {
"collapsed": true
},
"outputs": [],
"source": [
"def synonyms_candidates(words):\n",
" words = set(words)\n",
" syn_sentences = []\n",
" while len(words) > 1:\n",
" w = words.pop()\n",
" sentence = [w]\n",
" for w2 in words:\n",
" L = min(8, len(w), len(w2))\n",
" if w[:4] == w2[:4] and edit_distance(w[4:L], w2[4:L]) < 2:\n",
" sentence.append(w2)\n",
" words.difference_update(set(sentence))\n",
" if len(sentence) > 1:\n",
" syn_sentences.append(sentence)\n",
" return(syn_sentences)"
]
},
{
"cell_type": "code",
"execution_count": 7,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"# sentences += synonyms_candidates(set(words))\n",
"synonyms = synonyms_candidates(set(words))"
]
},
{
"cell_type": "code",
"execution_count": 8,
"metadata": {
"collapsed": false
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"[['treetment', 'tree'], ['foud', 'foudn'], ['secondly', 'seconds'], ['instalations', 'install', 'instal', 'instalation', 'installtion', 'instalar'], ['advices', 'advice', 'advise'], ['andre', 'andrus', 'andrew', 'andrea', 'andreas', 'android', 'andrej', 'andriod'], ['internert', 'interfering', 'internetsecurity', 'interner', 'internet', 'internett', 'inter', 'interfere'], ['hanging', 'hang', 'hangs'], ['gabriella', 'gabrielle'], ['fredrik', 'fred', 'freda'], ['unblocked', 'unblock'], ['intro', 'intrusion', 'intrusive', 'introduced', 'introduce'], ['visable', 'visa'], ['contained', 'containing', 'cont', 'contd', 'contains', 'contain'], ['differend', 'differently', 'differant', 'differance', 'differ', 'difference', 'differences'], ['refunding', 'refunds', 'refund'], ['swap', 'swapping', 'swapped'], ['offending', 'offer'], ['digit', 'digital', 'digits'], ['activation', 'activating', 'active', 'activated', 'activ', 'activations', 'activate', 'activationcode'], ['kaspersky', 'kasper'], ['raymondcustomer', 'raymond'], ['malfunctioned', 'malfunction'], ['affect', 'affecting', 'affected'], ['basics', 'basis', 'basic', 'basically'], ['reformatted', 'reformat'], ['companies', 'company', 'comp'], ['charter', 'charle', 'charge'], ['force', 'forced', 'forces'], ['specially', 'specialist', 'special'], ['warns', 'warn', 'warned', 'warnings', 'warning'], ['likely', 'liked'], ['available', 'avail', 'availability'], ['melvin', 'melvyn'], ['theory', 'theo'], ['errors', 'error', 'errormessage'], ['preferences', 'prefer'], ['integrity', 'integrated'], ['fingers', 'finger', 'fingerprint'], ['lights', 'lighter', 'light'], ['probelm', 'probs', 'prob'], ['poorly', 'poor'], ['interrupting', 'interrupted', 'interrupt'], ['reported', 'reports', 'report'], ['china', 'chinthaka', 'chinese'], ['hers', 'herself'], ['cardboard', 'card', 'cards'], ['covers', 'coverd', 'cover', 'coverage', 'covering', 'covered'], ['reactivated', 'reactivate', 'reactive', 'reach'], ['reinstallation', 'reino', 'reinstal', 'reinstalled', 'reinstated', 'reinstall', 'reinstalling', 'reinstate'], ['credit', 'cred', 'creditcard', 'credited'], ['karin', 'karien', 'kari'], ['pack', 'package', 'packag', 'packet', 'packed', 'packard', 'packages', 'packaging', 'packs'], ['cancellation', 'cancelled', 'cancel', 'cancell', 'cancelling'], ['remotly', 'remote', 'remot'], ['joshua', 'josh'], ['unin', 'uninstalling', 'uninstallation', 'unintentionally', 'uninstaller', 'uninstalled', 'uninstal', 'uninstall', 'uninstalls'], ['campaign', 'camp', 'campain'], ['explained', 'explain', 'explaining', 'explaination', 'explaind', 'explains'], ['lynne', 'lynn'], ['automated', 'automaticly', 'automatical', 'automatic', 'automatically', 'auto'], ['costas', 'costs', 'cost'], ['janine', 'jani', 'janis', 'janice'], ['counts', 'country', 'counter', 'counted', 'countries', 'count', 'counting'], ['unit', 'unitool', 'unitoool', 'united', 'units'], ['spoke', 'spoken'], ['browse', 'browsers', 'browsing', 'browser', 'brown'], ['remenber', 'remembering', 'remembered'], ['grahame', 'graham'], ['diederik', 'died'], ['emailaddress', 'emailadress', 'emailed', 'emailadres', 'emai', 'email', 'emails'], ['therefore', 'therefor', 'theres', 'ther'], ['recommend', 'recommended', 'recommendations', 'recommendation'], ['reconnection', 'reconnected', 'reconnect', 'reconnecting'], ['type', 'typed', 'types', 'typer'], ['barry', 'barrie'], ['expiring', 'expiry', 'expire'], ['paperwork', 'paper', 'papers'], ['posting', 'post', 'posts'], ['relay', 'relax', 'relaunch', 'relating', 'related', 'relatively', 'relation', 'relates'], ['successful', 'success', 'successfull', 'successfully'], ['expose', 'exposed'], ['hereby', 'heres'], ['ware', 'warehouse'], ['locked', 'locks', 'lock'], ['organized', 'organization'], ['updated', 'updates', 'update'], ['currency', 'current'], ['bluescreen', 'blue'], ['mail', 'mailing', 'mailaddress', 'mailadress', 'mails', 'mailbox', 'mailed'], ['appearance', 'appearing', 'appear', 'appears'], ['preferably', 'preferable'], ['satu', 'saturday'], ['complaining', 'complaint', 'complain', 'complaints', 'compra', 'complained', 'complains'], ['travel', 'travelling', 'traveling'], ['damage', 'damaged'], ['machine', 'machines', 'mach'], ['mite', 'miten'], ['faulty', 'fault'], ['ronnie', 'ronny']]\n"
]
}
],
"source": [
"print(synonyms[:100])"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "Zdw6i4F8glpp"
},
"source": [
"#### Build the dictionary variables"
]
},
{
"cell_type": "code",
"execution_count": 34,
"metadata": {
"cellView": "both",
"colab": {
"autoexec": {
"startup": false,
"wait_interval": 0
},
"output_extras": [
{
"item_id": 1
}
]
},
"colab_type": "code",
"collapsed": false,
"executionInfo": {
"elapsed": 28849,
"status": "ok",
"timestamp": 1445964497178,
"user": {
"color": "#1FA15D",
"displayName": "Vincent Vanhoucke",
"isAnonymous": false,
"isMe": true,
"permissionId": "05076109866853157986",
"photoUrl": "//lh6.googleusercontent.com/-cCJa7dTDcgQ/AAAAAAAAAAI/AAAAAAAACgw/r2EZ_8oYer4/s50-c-k-no/photo.jpg",
"sessionId": "2f1ffade4c9f20de",
"userId": "102167687554210253930"
},
"user_tz": 420
},
"id": "gAL1EECXeZsD",
"outputId": "3fb4ecd1-df67-44b6-a2dc-2291730970b2"
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Most common words: [('subscription', 1137), ('email', 1006), ('install', 979), ('internet', 741), ('installed', 724), ('account', 701), ('download', 645), ('windows', 642), ('renew', 624), ('devices', 618), ('product', 609), ('laptop', 600), ('license', 583), ('link', 566), ('computer', 559), ('password', 554), ('code', 553), ('freedome', 508), ('device', 492), ('log', 457), ('virus', 445), ('address', 439), ('program', 439), ('mail', 416), ('licence', 394), ('protection', 385), ('virgin', 375), ('expired', 374), ('version', 372), ('fsecure', 360), ('software', 357), ('reinstall', 357), ('page', 349), ('key', 347), ('renewal', 342), ('dont', 342), ('cant', 341), ('purchased', 340), ('website', 334), ('update', 333), ('security', 332), ('click', 331), ('contact', 325), ('purchase', 321), ('chat', 318), ('payment', 318), ('error', 316), ('computers', 313), ('received', 306), ('site', 304), ('uninstall', 304), ('trial', 302), ('agent', 301), ('access', 300), ('customer', 296), ('screen', 295), ('downloaded', 291), ('activate', 287), ('protected', 285), ('issue', 280), ('details', 278), ('option', 277), ('remove', 276), ('add', 274), ('bought', 273), ('licenses', 268), ('login', 262), ('installation', 255), ('renewed', 254), ('valid', 253), ('anti', 252), ('thats', 247), ('using', 244), ('paid', 244), ('app', 244), ('logged', 242), ('via', 233), ('mobile', 233), ('online', 232), ('scan', 230), ('enter', 227), ('media', 225), ('current', 224), ('reset', 222), ('file', 218), ('confirm', 216), ('system', 211), ('secure', 210), ('info', 210), ('mac', 205), ('support', 204), ('web', 199), ('tablet', 190), ('message', 189), ('delete', 186), ('android', 184), ('remote', 184), ('active', 183), ('peter', 181), ('antivirus', 179), ('installing', 179), ('card', 179), ('shows', 177), ('booster', 176), ('machine', 175), ('button', 174), ('reference', 174), ('google', 174), ('instructions', 174), ('browser', 170), ('registered', 170), ('desktop', 169), ('robert', 169), ('licences', 169), ('available', 168), ('ipad', 167), ('vpn', 164), ('however', 163), ('service', 159), ('chrome', 156), ('cancel', 153), ('currently', 152), ('session', 151), ('removed', 150), ('https', 149), ('clicked', 148), ('above', 148), ('register', 147), ('files', 147), ('month', 144), ('upgrade', 143), ('confirmation', 143), ('expire', 143), ('uninstalled', 142), ('emails', 142), ('etc', 140), ('unable', 140), ('connect', 140), ('refund', 139), ('expires', 136), ('several', 135), ('user', 133), ('icon', 133), ('products', 132), ('covered', 130), ('onto', 128), ('iphone', 128), ('cleverbridge', 127), ('wont', 127), ('updates', 124), ('previous', 123), ('colin', 123), ('freedom', 122), ('further', 122), ('banking', 120), ('malware', 120), ('invoice', 120), ('its', 119), ('receive', 119), ('due', 119), ('package', 118), ('create', 117), ('yesterday', 116), ('deleted', 116), ('keeps', 115), ('settings', 115), ('process', 115), ('allow', 115), ('portal', 115), ('mysafe', 114), ('restart', 114), ('brian', 114), ('updated', 113), ('checked', 112), ('martin', 110), ('box', 110), ('load', 110), ('ive', 109), ('richard', 108), ('applet', 108), ('tells', 108), ('tool', 107), ('connected', 106), ('activated', 105), ('appears', 105), ('alan', 105), ('connection', 103), ('blocked', 103), ('works', 101), ('recently', 101), ('existing', 100), ('price', 100), ('english', 100), ('continue', 98), ('ref', 98), ('issues', 97), ('facebook', 96), ('sent', 96), ('installer', 95), ('assistance', 95), ('showing', 94), ('keys', 94), ('period', 94), ('reinstalled', 93), ('bank', 93), ('activation', 93), ('solve', 92), ('problems', 92), ('fix', 91), ('data', 90), ('automatically', 90), ('cover', 89), ('failed', 89), ('application', 88), ('entered', 88), ('pop', 88), ('original', 87), ('jan', 87), ('window', 87), ('william', 87), ('asks', 87), ('cannot', 86), ('subscriptions', 86), ('offer', 85), ('firefox', 85), ('mark', 85), ('reply', 85), ('machines', 84), ('andrew', 84), ('provide', 83), ('options', 83), ('store', 82), ('server', 82), ('codes', 81), ('solution', 81), ('copy', 81), ('provided', 81), ('microsoft', 79), ('messages', 79), ('pcs', 79), ('didnt', 79), ('earlier', 78), ('campaign', 78), ('customers', 78), ('kindly', 77), ('programs', 77), ('resolve', 77), ('ian', 77), ('accounts', 77), ('paypal', 76), ('information', 76), ('credit', 76), ('anne', 76), ('janet', 75), ('resolved', 75), ('client', 75), ('added', 75), ('following', 74), ('correctly', 74), ('contacted', 74), ('programme', 74), ('steps', 73), ('accept', 73), ('request', 73), ('latest', 73), ('james', 73), ('below', 73), ('note', 72), ('search', 72), ('doesnt', 72), ('shall', 71), ('opened', 71), ('type', 71), ('main', 71), ('appear', 70), ('renewing', 70), ('ronald', 70), ('although', 69), ('explorer', 68), ('network', 68), ('switch', 68), ('gives', 67), ('patrick', 67), ('provider', 67), ('downloading', 66), ('complete', 66), ('runs', 66), ('ended', 66), ('upgraded', 66), ('voucher', 66), ('apple', 66), ('dave', 65), ('response', 65), ('forward', 65), ('follow', 65), ('june', 65), ('charles', 64), ('accepted', 64), ('linda', 63), ('created', 63), ('longer', 62), ('checking', 61), ('elaine', 61), ('remotely', 61), ('signed', 61), ('platform', 61), ('helpful', 61), ('followed', 60), ('proceed', 60), ('patricia', 59), ('thankyou', 59), ('don', 59), ('susan', 59), ('stephen', 59), ('properly', 58), ('thomas', 58), ('discount', 58), ('incorrect', 58), ('steve', 58), ('listed', 57), ('sites', 57), ('states', 57), ('cost', 57), ('sending', 57), ('directly', 57), ('manage', 57), ('fixed', 57), ('downloads', 57), ('ticket', 57), ('during', 56), ('previously', 56), ('setup', 56), ('ios', 56), ('items', 55), ('confirmed', 55), ('tab', 55), ('transfer', 55), ('loaded', 54), ('browsing', 54), ('form', 54), ('reboot', 54), ('third', 54), ('assume', 54), ('laptops', 54), ('assist', 54), ('chatting', 54), ('bottom', 53), ('shop', 53), ('hopefully', 53), ('advise', 53), ('invalid', 52), ('anthony', 52), ('march', 52), ('manually', 52), ('regarding', 52), ('users', 52), ('list', 51), ('december', 51), ('confused', 51), ('instead', 51), ('lap', 50), ('norton', 50), ('additional', 50), ('chris', 50), ('mike', 50), ('expiry', 49), ('updating', 49), ('ken', 49), ('http', 49), ('logging', 49), ('features', 49), ('lars', 49), ('registration', 49), ('scanning', 48), ('samsung', 48), ('firewall', 48), ('simply', 48), ('sub', 48), ('regards', 48), ('press', 48), ('macbook', 47), ('within', 47), ('kevin', 47), ('successfully', 47), ('paying', 47), ('status', 47), ('solved', 46), ('sorted', 46), ('nope', 46), ('phones', 46), ('neil', 46), ('manager', 46), ('passwords', 46), ('top', 46), ('sethu', 46), ('choose', 46), ('noticed', 46), ('slow', 45), ('october', 45), ('extra', 45), ('receiving', 45), ('fully', 45), ('per', 45), ('direct', 45), ('setting', 45), ('gmail', 45), ('apps', 45), ('therefore', 44), ('mcafee', 44), ('finnish', 44), ('mails', 44), ('charged', 44), ('cancelled', 44), ('numbers', 44), ('changes', 44), ('twice', 44), ('clicking', 44), ('locked', 43), ('desk', 43), ('restore', 43), ('normal', 43), ('coupon', 43), ('services', 43), ('automatic', 43), ('included', 43), ('extend', 42), ('november', 42), ('completed', 42), ('ill', 42), ('win', 42), ('manual', 42), ('mary', 42), ('disconnected', 42), ('barbara', 42), ('havent', 42), ('trail', 42), ('dan', 42), ('description', 42), ('given', 42), ('multiple', 42), ('contract', 42), ('warning', 42), ('daniel', 41), ('notice', 41), ('payed', 41), ('michael', 41), ('forgot', 41), ('mins', 41), ('folder', 41), ('smartphone', 41), ('august', 41), ('virginmedia', 41), ('buy', 41), ('procedure', 41), ('view', 41), ('method', 40), ('location', 40), ('written', 40), ('happening', 40), ('offered', 40), ('tom', 40), ('requested', 40), ('graham', 40), ('july', 40), ('closed', 40), ('tech', 39), ('licens', 39), ('confusing', 39), ('mentioned', 39), ('kenneth', 39), ('till', 39), ('changed', 39), ('unfortunately', 39), ('double', 39), ('edge', 39), ('include', 39), ('select', 38), ('pressed', 38), ('spam', 38), ('aware', 38), ('order', 38), ('pad', 38), ('pat', 38), ('separate', 38), ('example', 37), ('lock', 37), ('raymond', 37), ('blocking', 37), ('imac', 37), ('url', 37), ('necessary', 37), ('payments', 37), ('recommend', 37), ('kim', 37), ('managed', 37), ('difference', 37), ('text', 37), ('panel', 37), ('patience', 37), ('gary', 37), ('recognise', 37), ('locate', 37), ('uninstalling', 36), ('exe', 36), ('verify', 36), ('auto', 36), ('wendy', 36), ('notification', 36), ('connecting', 36), ('finished', 36), ('crashed', 36), ('pro', 36), ('wifi', 36), ('defender', 36), ('present', 36), ('sms', 35), ('sandra', 35), ('menu', 35), ('release', 35), ('possible', 35), ('allowed', 35), ('restarted', 35), ('username', 35), ('language', 35), ('antti', 35), ('karen', 35), ('reinstalling', 35), ('stated', 35), ('plus', 35), ('changing', 35), ('removal', 35), ('basically', 35), ('rid', 35), ('whether', 35), ('kent', 34), ('spoke', 34), ('scott', 34), ('shown', 34), ('forgotten', 34), ('adress', 34), ('weekend', 34), ('unlock', 34), ('steven', 34), ('suggest', 34), ('require', 34), ('subscribed', 34), ('disabled', 34), ('opening', 34), ('contacting', 34), ('receipt', 33), ('typing', 33), ('buying', 33), ('community', 33), ('technical', 33), ('systems', 33), ('block', 33), ('nicholas', 33), ('mode', 33), ('compatible', 33), ('christopher', 33), ('vista', 33), ('accustomer', 33), ('premium', 33), ('otherwise', 33), ('philip', 33), ('derek', 33), ('report', 33), ('charge', 33), ('released', 33), ('loading', 33), ('showed', 32), ('result', 32), ('worked', 32), ('tools', 32), ('await', 32), ('ends', 32), ('nokia', 32), ('advised', 32), ('joan', 32), ('selected', 32), ('telephone', 32), ('sue', 32), ('disable', 32), ('linked', 32), ('easier', 31), ('prefer', 31), ('send', 31), ('sec', 31), ('input', 31), ('removing', 31), ('catherine', 31), ('total', 31), ('scanner', 31), ('clean', 31), ('ordered', 31), ('control', 31), ('transaction', 31), ('appeared', 31), ('others', 31), ('reminder', 31), ('return', 31), ('administrator', 31), ('april', 31), ('avg', 31), ('causing', 30), ('strange', 30), ('colleague', 30), ('servers', 30), ('appreciate', 30), ('logo', 30), ('spyware', 30), ('amount', 30), ('greg', 30), ('jeff', 30), ('remaining', 30), ('required', 30), ('thru', 30), ('helps', 30), ('local', 30), ('jean', 30), ('screenshot', 30), ('anna', 30), ('related', 30), ('expiring', 29), ('exist', 29), ('feature', 29), ('stuart', 29), ('surely', 29), ('malcolm', 29), ('write', 29), ('speed', 29), ('stopped', 29), ('ups', 29), ('older', 29), ('tina', 29), ('keith', 29), ('advice', 29), ('ones', 29), ('paste', 29), ('extension', 29), ('respond', 28), ('team', 28), ('sign', 28), ('entering', 28), ('pages', 28), ('action', 28), ('seemed', 28), ('links', 28), ('purchasing', 28), ('immediately', 28), ('technician', 28), ('eric', 28), ('marie', 28), ('maria', 28), ('infected', 28), ('mikko', 28), ('lynn', 28), ('alex', 28), ('offers', 28), ('factory', 28), ('fails', 28), ('september', 28), ('isnt', 28), ('instruction', 28), ('serial', 28), ('originally', 27), ('initiate', 27), ('phil', 27), ('caused', 27), ('section', 27), ('colleagues', 27), ('akd', 27), ('sarah', 27), ('promotion', 27), ('based', 27), ('attempt', 27), ('answered', 27), ('parental', 27), ('itself', 27), ('writing', 27), ('ran', 27), ('sold', 27), ('nuzula', 27), ('noted', 27), ('sim', 27), ('looked', 27), ('promo', 27), ('replace', 26), ('joseph', 26), ('webpage', 26), ('gordon', 26), ('repair', 26), ('stops', 26), ('expiration', 26), ('thx', 26), ('finland', 26), ('indeed', 26), ('nor', 26), ('backup', 26), ('prompt', 26), ('goodbye', 26), ('somehow', 26), ('whats', 26), ('item', 26), ('bob', 26), ('according', 26), ('barry', 26), ('profile', 26), ('operating', 26), ('viruses', 26), ('disappeared', 26), ('lets', 26), ('websites', 26), ('whilst', 26), ('boot', 26), ('feedback', 25), ('recommended', 25), ('wondering', 25), ('jim', 25), ('shahriman', 25), ('enable', 25), ('broadband', 25), ('carol', 25), ('clearly', 25), ('boxes', 25), ('takes', 25), ('database', 25), ('success', 25), ('recieved', 25), ('weeks', 25), ('ending', 25), ('sean', 25), ('simple', 25), ('programmes', 25), ('scans', 25), ('normally', 25), ('limited', 25), ('julie', 25), ('tim', 25), ('sons', 25), ('stolen', 25), ('apply', 25), ('conversation', 25), ('hence', 25), ('unknown', 25), ('guniz', 24), ('successful', 24), ('typed', 24), ('instal', 24), ('possibility', 24), ('roger', 24), ('concerned', 24), ('clients', 24), ('perform', 24), ('january', 24), ('missing', 24), ('temporary', 24), ('uses', 24), ('similar', 24), ('suggested', 24), ('laura', 24), ('marko', 24), ('dennis', 24), ('subcription', 24), ('morten', 24), ('supported', 24), ('copied', 24), ('protect', 24), ('annoying', 24), ('disk', 24), ('allows', 24), ('units', 24), ('digit', 23), ('errors', 23), ('activating', 23), ('billing', 23), ('sebastian', 23), ('odd', 23), ('nazula', 23), ('hans', 23), ('maximum', 23), ('michelle', 23), ('lol', 23), ('bryan', 23), ('circle', 23), ('guide', 23), ('university', 23), ('tryed', 23), ('henrik', 23), ('personal', 23), ('bar', 23), ('suppose', 23), ('dutch', 23), ('wifes', 23), ('beginning', 23), ('expert', 23), ('multi', 23), ('pops', 23), ('quickly', 23), ('ensure', 23), ('hacked', 23), ('ideal', 23), ('wrote', 23), ('perhaps', 23), ('record', 23), ('trusted', 22), ('disconnect', 22), ('retrieve', 22), ('refunded', 22), ('pass', 22), ('company', 22), ('everytime', 22), ('format', 22), ('video', 22), ('sharon', 22), ('false', 22), ('function', 22), ('johanna', 22), ('tony', 22), ('switched', 22), ('sylvia', 22), ('outlook', 22), ('scanned', 22), ('loose', 22), ('step', 22), ('wil', 22), ('net', 22), ('reload', 22), ('yep', 22), ('reseller', 22), ('extended', 22), ('christine', 22), ('orders', 22), ('popup', 22), ('trojan', 22), ('partner', 22), ('allready', 22), ('signing', 22), ('specific', 22), ('rob', 22), ('except', 22), ('marcus', 22), ('generate', 22), ('initially', 22), ('stating', 22), ('complaint', 22), ('ignore', 22), ('subscribe', 22), ('temp', 22), ('understanding', 21), ('complicated', 21), ('cheers', 21), ('geoffrey', 21), ('submit', 21), ('opens', 21), ('yrs', 21), ('ihave', 21), ('months', 21), ('non', 21), ('carl', 21), ('talktalk', 21), ('sales', 21), ('evening', 21), ('pack', 21), ('sten', 21), ('addresses', 21), ('located', 21), ('jill', 21), ('ben', 21), ('effect', 21), ('arrived', 21), ('understood', 21), ('starting', 21), ('detected', 21), ('task', 21), ('directed', 21), ('jason', 21), ('galaxy', 21), ('frank', 21), ('helped', 21), ('harmful', 21), ('versions', 21), ('roy', 21), ('ann', 21), ('kaspersky', 20), ('recent', 20), ('matti', 20), ('corporate', 20), ('applications', 20), ('records', 20), ('janne', 20), ('olli', 20), ('results', 20), ('meantime', 20), ('paul', 20), ('letters', 20), ('taken', 20), ('appreciated', 20), ('amanda', 20), ('asap', 20), ('assumed', 20), ('usual', 20), ('yourselves', 20), ('cloud', 20), ('couldnt', 20), ('rebooted', 20), ('subs', 20), ('jens', 20), ('nearly', 20), ('shopping', 20), ('inbox', 20), ('frustrating', 20), ('happens', 20), ('forum', 20), ('confirming', 20), ('lisence', 20), ('associated', 20), ('difficult', 20), ('margaret', 20), ('reported', 19), ('explained', 19), ('yahoo', 19), ('ole', 19), ('informed', 19), ('harry', 19), ('installations', 19), ('deactivate', 19), ('interface', 19), ('replacement', 19), ('younited', 19), ('upload', 19), ('bruce', 19), ('adding', 19), ('unsure', 19), ('escalate', 19), ('tablets', 19), ('cart', 19), ('answers', 19), ('unistall', 19), ('linux', 19), ('suite', 19), ('admin', 19), ('reinstallation', 19), ('helen', 19), ('covers', 19), ('policy', 19), ('nettie', 19), ('carry', 19), ('registering', 19), ('jonas', 19), ('oke', 19), ('print', 19), ('theft', 19), ('annual', 19), ('chatted', 19), ('bill', 19), ('often', 19), ('fee', 19), ('names', 19), ('insert', 19), ('pauline', 19), ('advanced', 19), ('jennifer', 19), ('detect', 19), ('refresh', 19), ('hidden', 18), ('needed', 18), ('unprotected', 18), ('michele', 18), ('prevent', 18), ('validity', 18), ('monthly', 18), ('representative', 18), ('leonardo', 18), ('delay', 18), ('blocks', 18), ('visa', 18), ('reactivate', 18), ('recovery', 18), ('identify', 18), ('applied', 18), ('finish', 18), ('francis', 18), ('area', 18), ('decide', 18), ('douglas', 18), ('jonathan', 18), ('including', 18), ('content', 18), ('starts', 18), ('round', 18), ('speaking', 18), ('browsers', 18), ('common', 18), ('query', 18), ('toshiba', 18), ('retail', 18), ('narendra', 18), ('actual', 18), ('pin', 18), ('blue', 18), ('oct', 18), ('shortly', 18), ('maureen', 18), ('quick', 18), ('rene', 18), ('jon', 18), ('reach', 18), ('theres', 18), ('allowing', 18), ('carole', 18), ('okey', 18), ('mika', 18), ('van', 18), ('junk', 18), ('heidi', 18), ('future', 17), ('instructed', 17), ('refer', 17), ('terry', 17), ('returned', 17), ('prior', 17), ('sell', 17), ('wipe', 17), ('occurred', 17), ('notebook', 17), ('jussi', 17), ('saved', 17), ('post', 17), ('usually', 17), ('impossible', 17), ('craig', 17), ('blank', 17), ('wasnt', 17), ('useless', 17), ('perfectly', 17), ('affect', 17), ('yea', 17), ('offering', 17), ('subscribtion', 17), ('suggestion', 17), ('irene', 17), ('emailed', 17), ('safari', 17), ('upgrading', 17), ('yvonne', 17), ('pal', 17), ('recall', 17), ('etienne', 17), ('difficulty', 17), ('build', 17), ('cell', 17), ('assuming', 17), ('pia', 17), ('eileen', 17), ('attempted', 17), ('andy', 17), ('pre', 17), ('comp', 17), ('friday', 17), ('kjetil', 17), ('questions', 17), ('chose', 17), ('thus', 17), ('presume', 17), ('dns', 16), ('allan', 16), ('whit', 16), ('husbands', 16), ('facility', 16), ('ddos', 16), ('spare', 16), ('graeme', 16), ('external', 16), ('lynda', 16), ('wayne', 16), ('johan', 16), ('alexei', 16), ('denmark', 16), ('waste', 16), ('avoid', 16), ('recognised', 16), ('eventually', 16), ('ther', 16), ('wasted', 16), ('circles', 16), ('com', 16), ('tha', 16), ('nov', 16), ('german', 16), ('default', 16), ('moved', 16), ('icons', 16), ('history', 16), ('tries', 16), ('deleting', 16), ('hotmail', 16), ('addition', 16), ('erik', 16), ('likely', 16), ('untill', 16), ('attempts', 16), ('basic', 16), ('afternoon', 16), ('attached', 16), ('daily', 16), ('restored', 16), ('waited', 16), ('requesting', 16), ('generated', 16), ('particular', 16), ('purchases', 16), ('statement', 16), ('replaced', 16), ('pekka', 16), ('putting', 16), ('progress', 16), ('julia', 16), ('maccustomer', 16), ('level', 16), ('msg', 16), ('swedish', 16), ('inform', 16), ('accordingly', 16), ('easily', 16), ('acer', 16), ('directions', 16), ('malfunction', 16), ('cleaned', 16), ('various', 16), ('subsciption', 16), ('marian', 16), ('simon', 16), ('anywhere', 16), ('centre', 16), ('frustrated', 16), ('sky', 16), ('danish', 15), ('lots', 15), ('country', 15), ('timo', 15), ('boost', 15), ('logon', 15), ('spoken', 15), ('yosef', 15), ('resend', 15), ('btw', 15), ('less', 15), ('jesse', 15), ('edward', 15), ('clarify', 15), ('carlos', 15), ('standard', 15), ('installs', 15), ('terms', 15), ('plz', 15), ('prompted', 15), ('knut', 15), ('registry', 15), ('referring', 15), ('happend', 15), ('management', 15), ('aug', 15), ('adware', 15), ('isp', 15), ('testing', 15), ('digital', 15), ('accidentally', 15), ('group', 15), ('subscrition', 15), ('track', 15), ('broken', 15), ('fill', 15), ('jutta', 15), ('dec', 15), ('extremely', 15), ('popping', 15), ('apparently', 15), ('min', 15), ('knowledge', 15), ('center', 15), ('petteri', 15), ('stuck', 15), ('russell', 15), ('iam', 15), ('brief', 15), ('avast', 15), ('rather', 15), ('finding', 15), ('georgio', 15), ('lone', 15), ('helping', 15), ('sheila', 15), ('frontier', 15), ('joy', 15), ('reports', 14), ('jouni', 14), ('resetting', 14), ('nigel', 14), ('exact', 14), ('positive', 14), ('esko', 14), ('sandeep', 14), ('turned', 14), ('caroline', 14), ('detailed', 14), ('small', 14), ('ftp', 14), ('elsewhere', 14), ('command', 14), ('recognize', 14), ('itunes', 14), ('mistake', 14), ('audrey', 14), ('trusteer', 14), ('wam', 14), ('whenever', 14), ('concern', 14), ('contains', 14), ('battery', 14), ('shortcut', 14), ('requires', 14), ('mariko', 14), ('limit', 14), ('across', 14), ('silly', 14), ('regular', 14), ('reuse', 14), ('initial', 14), ('sample', 14), ('computor', 14), ('pamela', 14), ('beta', 14), ('reading', 14), ('jeffrey', 14), ('wiped', 14), ('ages', 14), ('permission', 14), ('cheaper', 14), ('individual', 14), ('expensive', 14), ('ray', 14), ('letting', 14), ('lena', 14), ('stub', 14), ('reached', 14), ('explanation', 14), ('proper', 14), ('nikolaos', 14), ('excellent', 14), ('tis', 14), ('cleared', 14), ('apologies', 14), ('communicate', 14), ('trevor', 14), ('threat', 14), ('malicious', 14), ('nick', 14), ('usb', 14), ('crash', 14), ('wall', 14), ('unit', 13), ('master', 13), ('matt', 13), ('tore', 13), ('didn', 13), ('revert', 13), ('redirected', 13), ('awaiting', 13), ('uninstaller', 13), ('tested', 13), ('suggestions', 13), ('pdf', 13), ('hoping', 13), ('euro', 13), ('fresh', 13), ('andreas', 13), ('poul', 13), ('warren', 13), ('upon', 13), ('discounted', 13), ('joyce', 13), ('bother', 13), ('india', 13), ('green', 13), ('deborah', 13), ('visited', 13), ('kept', 13), ('grateful', 13), ('recover', 13), ('touch', 13), ('pounds', 13), ('event', 13), ('expecting', 13), ('kindle', 13), ('charlotte', 13), ('kari', 13), ('alexander', 13), ('walter', 13), ('grant', 13), ('department', 13), ('lesley', 13), ('final', 13), ('providing', 13), ('partners', 13), ('drive', 13), ('devises', 13), ('terence', 13), ('rescue', 13), ('lenovo', 13), ('mini', 13), ('restarting', 13), ('visible', 13), ('channel', 13), ('corner', 13), ('cleaning', 13), ('edwin', 13), ('running', 13), ('disappointed', 13), ('drivers', 13), ('hour', 13), ('rapport', 13), ('geoff', 13), ('redeem', 13), ('usa', 13), ('retailer', 13), ('single', 13), ('cynthia', 13), ('closing', 13), ('clive', 13), ('literate', 13), ('relevant', 13), ('protecting', 13), ('supplier', 13), ('henri', 13), ('diane', 13), ('despite', 13), ('confusion', 13), ('sept', 13), ('til', 13), ('secured', 13), ('term', 13), ('realise', 13), ('kimmo', 13), ('nicola', 13), ('engine', 13), ('communication', 13), ('functioning', 13), ('numerous', 13), ('notes', 13), ('clever', 13), ('infection', 13), ('cross', 13), ('valerie', 13), ('realised', 13), ('yellow', 12), ('dell', 12), ('hav', 12), ('notifications', 12), ('router', 12), ('printed', 12), ('mick', 12), ('dawn', 12), ('experience', 12), ('stewart', 12), ('operation', 12), ('unused', 12), ('asus', 12), ('nowhere', 12), ('ferenc', 12), ('zip', 12), ('reminders', 12), ('doug', 12), ('familiar', 12), ('monday', 12), ('logs', 12), ('judith', 12), ('albert', 12), ('speak', 12), ('norwegian', 12), ('accessed', 12), ('heikki', 12), ('psb', 12), ('janette', 12), ('elias', 12), ('workstation', 12), ('safety', 12), ('quote', 12), ('uninstallation', 12), ('urgent', 12), ('popped', 12), ('wich', 12), ('membership', 12), ('quarantine', 12), ('notices', 12), ('companies', 12), ('conflict', 12), ('enjoy', 12), ('explain', 12), ('programm', 12), ('rune', 12), ('visit', 12), ('effort', 12), ('sunday', 12), ('needing', 12), ('backend', 12), ('carlo', 12), ('named', 12), ('private', 12), ('invoices', 12), ('red', 12), ('oops', 12), ('stored', 12), ('esa', 12), ('alistair', 12), ('diana', 12), ('donald', 12), ('malinda', 12), ('gerard', 12), ('eset', 12), ('opera', 12), ('acct', 12), ('afterwards', 12), ('driver', 12), ('felix', 12), ('sony', 12), ('short', 12), ('creating', 12), ('seperate', 12), ('linges', 12), ('holiday', 12), ('obtain', 12), ('clyde', 12), ('leon', 12), ('arne', 12), ('brings', 11), ('rich', 11), ('fail', 11), ('possibly', 11), ('brilliant', 11), ('behalf', 11), ('full', 11), ('corrected', 11), ('gerald', 11), ('missed', 11), ('self', 11), ('kelly', 11), ('kathleen', 11), ('unsafe', 11), ('continues', 11), ('risstad', 11), ('anita', 11), ('playstore', 11), ('buttons', 11), ('hardware', 11), ('stage', 11), ('repeat', 11), ('affected', 11), ('packages', 11), ('concerning', 11), ('asking', 11), ('wasting', 11), ('responding', 11), ('test', 11), ('displayed', 11), ('norway', 11), ('increase', 11), ('correction', 11), ('instalation', 11), ('coverage', 11), ('blocker', 11), ('tuomas', 11), ('doesn', 11), ('isak', 11), ('quit', 11), ('began', 11), ('display', 11), ('contained', 11), ('ware', 11), ('rosemary', 11), ('background', 11), ('dealing', 11), ('suspect', 11), ('french', 11), ('france', 11), ('answering', 11), ('black', 11), ('fsafe', 11), ('dates', 11), ('sami', 11), ('critical', 11), ('remain', 11), ('gavin', 11), ('alternative', 11), ('invite', 11), ('joel', 11), ('mention', 11), ('sweden', 11), ('transcript', 11), ('assure', 11), ('mcaffee', 11), ('pending', 11), ('brand', 11), ('bug', 11), ('detail', 11), ('virtual', 11), ('bundle', 11), ('risk', 11), ('adrian', 11), ('corect', 11), ('eila', 11), ('solutions', 11), ('expected', 11), ('apart', 11), ('appearing', 11), ('scure', 11), ('ron', 11), ('antitheft', 11), ('engineer', 11), ('returns', 11), ('penelope', 11), ('heather', 11), ('screens', 11), ('investigate', 11), ('threats', 11), ('daughters', 11), ('elin', 11), ('tray', 11), ('pleased', 11), ('rename', 11), ('cliff', 11), ('karin', 10), ('ruth', 10), ('alert', 10), ('atm', 10), ('letter', 10), ('ment', 10), ('avail', 10), ('push', 10), ('osx', 10), ('loads', 10), ('locations', 10), ('harald', 10), ('wanting', 10), ('asknet', 10), ('verified', 10), ('image', 10), ('homepage', 10), ('silva', 10), ('shadiq', 10), ('tricia', 10), ('thor', 10), ('rebecca', 10), ('sorting', 10), ('jonne', 10), ('ordering', 10), ('invited', 10), ('matthew', 10), ('emma', 10), ('haha', 10), ('somewhere', 10), ('fsis', 10), ('flash', 10), ('turns', 10), ('market', 10), ('approx', 10), ('unwanted', 10), ('invitation', 10), ('transferred', 10), ('samuel', 10), ('renewals', 10), ('bugs', 10), ('launch', 10), ('passed', 10), ('clear', 10), ('dialogue', 10), ('marco', 10), ('wouldnt', 10), ('reghan', 10), ('dosent', 10), ('claire', 10), ('privacy', 10), ('impression', 10), ('denise', 10), ('gloria', 10), ('skype', 10), ('debit', 10), ('garry', 10), ('mina', 10), ('consumer', 10), ('failing', 10), ('filled', 10), ('massage', 10), ('useful', 10), ('thanx', 10), ('advance', 10), ('booted', 10), ('trace', 10), ('satisfied', 10), ('middle', 10), ('markus', 10), ('erase', 10), ('deep', 10), ('folders', 10), ('ronny', 10), ('supply', 10), ('spent', 10), ('guidance', 10), ('february', 10), ('frans', 10), ('comment', 10), ('darren', 10), ('smart', 10), ('matreetta', 10), ('forums', 10), ('fred', 10), ('sync', 10), ('detection', 10), ('aha', 10), ('logmein', 10), ('toolbar', 10), ('vodafone', 10), ('hugh', 10), ('tero', 10), ('cards', 10), ('connections', 10), ('kelvin', 10), ('marjet', 10), ('hmmm', 10), ('teh', 10), ('christian', 10), ('informations', 10), ('fona', 10), ('acount', 10), ('refuses', 10), ('canal', 10), ('abonnement', 10), ('cache', 10), ('occured', 10), ('discuss', 10), ('searching', 10), ('prices', 9), ('cancellation', 9), ('damage', 9), ('louise', 9), ('bobby', 9), ('authorized', 9), ('awesome', 9), ('photos', 9), ('costs', 9), ('preventing', 9), ('causes', 9), ('joined', 9), ('phillip', 9), ('scam', 9), ('replied', 9), ('occurs', 9), ('immediate', 9), ('shadig', 9), ('banner', 9), ('knowing', 9), ('eva', 9), ('firm', 9), ('owen', 9), ('campaing', 9), ('performed', 9), ('appropriate', 9), ('definitely', 9), ('bianca', 9), ('fredome', 9), ('lee', 9), ('tied', 9), ('directs', 9), ('haven', 9), ('documents', 9), ('temporarily', 9), ('paula', 9), ('tick', 9), ('calum', 9), ('incompatible', 9), ('labtechcustomer', 9), ('giovanni', 9), ('indicated', 9), ('angelika', 9), ('rejected', 9), ('wat', 9), ('physical', 9), ('freezes', 9), ('compatibility', 9), ('size', 9), ('ersin', 9), ('equipment', 9), ('elkjop', 9), ('iphones', 9), ('eddie', 9), ('unlocked', 9), ('unblock', 9), ('communicating', 9), ('referred', 9), ('persists', 9), ('liz', 9), ('maurice', 9), ('phishing', 9), ('empty', 9), ('loop', 9), ('raimo', 9), ('stafcustomer', 9), ('attach', 9), ('submitted', 9), ('popups', 9), ('databases', 9), ('legitimate', 9), ('neither', 9), ('sara', 9), ('dose', 9), ('gail', 9), ('faulty', 9), ('ove', 9), ('turning', 9), ('dwaipayan', 9), ('dowload', 9), ('subject', 9), ('malwarebytes', 9), ('fsb', 9), ('farhad', 9), ('arrive', 9), ('rachel', 9), ('checks', 9), ('kirsten', 9), ('dated', 9), ('considering', 9), ('parag', 9), ('credentials', 9), ('chats', 9), ('field', 9), ('public', 9), ('jackie', 9), ('share', 9), ('ceren', 9), ('messed', 9), ('unhappy', 9), ('entry', 9), ('source', 9), ('bin', 9), ('prepared', 9), ('identified', 9), ('rex', 9), ('south', 9), ('bear', 9), ('carsten', 9), ('exists', 9), ('ads', 9), ('host', 9), ('uninstal', 9), ('path', 9), ('digits', 9), ('henry', 9), ('london', 9), ('notified', 9), ('saturday', 9), ('newly', 9), ('primary', 9), ('hearing', 9), ('securety', 9), ('efforts', 9), ('unistalled', 9), ('whereas', 9), ('mowahid', 9), ('distributor', 9), ('george', 9), ('shirley', 9), ('nathan', 9), ('ideas', 9), ('review', 9), ('xsall', 9), ('geir', 9), ('flashing', 9), ('provides', 9), ('faster', 9), ('gwilym', 9), ('agentraman', 9), ('sven', 9), ('worcustomer', 9), ('wondered', 9), ('formatted', 9), ('cancelling', 9), ('whom', 9), ('vendor', 9), ('impressed', 9), ('fast', 9), ('gert', 9), ('glen', 9), ('supports', 9), ('tommi', 9), ('dorothy', 9), ('nobuo', 9), ('upgrades', 9), ('sally', 9), ('arno', 9), ('gabrielle', 8), ('vouchers', 8), ('damaged', 8), ('jani', 8), ('dealer', 8), ('rolf', 8), ('everywhere', 8), ('easiest', 8), ('sad', 8), ('fsdiag', 8), ('inserted', 8), ('marlene', 8), ('marnix', 8), ('harvey', 8), ('yearly', 8), ('situation', 8), ('traffic', 8), ('vaughan', 8), ('agree', 8), ('terri', 8), ('adam', 8), ('iina', 8), ('offline', 8), ('debby', 8), ('campain', 8), ('internal', 8), ('reverted', 8), ('indicating', 8), ('licensed', 8), ('bent', 8), ('matthias', 8), ('lloyd', 8), ('jacqueline', 8), ('acces', 8), ('guessing', 8), ('alessandro', 8), ('juhani', 8), ('spain', 8), ('conflicting', 8), ('crome', 8), ('torstein', 8), ('selecting', 8), ('official', 8), ('elisabeth', 8), ('comcast', 8), ('thet', 8), ('germany', 8), ('coz', 8), ('requests', 8), ('tho', 8), ('photo', 8), ('belongs', 8), ('kofod', 8), ('downloader', 8), ('space', 8), ('discovered', 8), ('crashing', 8), ('article', 8), ('euros', 8), ('early', 8), ('benefit', 8), ('poor', 8), ('selling', 8), ('ziggo', 8), ('liked', 8), ('header', 8), ('described', 8), ('maintenance', 8), ('obviously', 8), ('crossed', 8), ('fscure', 8), ('stepen', 8), ('viktor', 8), ('processed', 8), ('contain', 8), ('succeed', 8), ('tuesday', 8), ('trials', 8), ('loss', 8), ('gillian', 8), ('carolyn', 8), ('glenn', 8), ('star', 8), ('andre', 8), ('connects', 8), ('rights', 8), ('keyboard', 8), ('mandy', 8), ('seek', 8), ('phoned', 8), ('alarm', 8), ('bas', 8), ('gerry', 8), ('super', 8), ('bert', 8), ('pierre', 8), ('failure', 8), ('bot', 8), ('bosko', 8), ('ids', 8), ('max', 8), ('monitor', 8), ('lisences', 8), ('switching', 8), ('giulia', 8), ('roughly', 8), ('mixed', 8), ('manuel', 8), ('sergei', 8), ('former', 8), ('abo', 8), ('stella', 8), ('africa', 8), ('stil', 8), ('gotten', 8), ('confirms', 8), ('purpose', 8), ('indication', 8), ('contacts', 8), ('patient', 8), ('hoped', 8), ('hudl', 8), ('attachment', 8), ('lines', 8), ('reloading', 8), ('apologize', 8), ('reg', 8), ('recieve', 8), ('unless', 8), ('attempting', 8), ('rodger', 8), ('amit', 8), ('chuck', 8), ('amazon', 8), ('stopping', 8), ('claes', 8), ('macafee', 8), ('virgil', 8), ('sometime', 8), ('ashish', 8), ('nexus', 8), ('crashes', 8), ('viggo', 8), ('outcome', 8), ('cheap', 8), ('state', 8), ('didier', 8), ('informing', 8), ('briefly', 8), ('directory', 8), ('jerome', 8), ('lisa', 8), ('tel', 8), ('sum', 8), ('suddenly', 8), ('flag', 8), ('juha', 8), ('rikke', 8), ('bernadette', 8), ('script', 8), ('wilson', 8), ('disappointing', 8), ('janice', 8), ('lorraine', 8), ('meaning', 8), ('scroll', 8), ('gina', 8), ('fed', 8), ('feb', 8), ('tap', 8), ('straight', 8), ('tommy', 8), ('planning', 8), ('jos', 8), ('duane', 8), ('utku', 8), ('addres', 8), ('safely', 8), ('console', 8), ('fingers', 7), ('china', 7), ('paperwork', 7), ('wind', 7), ('akash', 7), ('series', 7), ('speedy', 7), ('corne', 7), ('teresa', 7), ('maciej', 7), ('pads', 7), ('fro', 7), ('remind', 7), ('losing', 7), ('intend', 7), ('fake', 7), ('afford', 7), ('repaired', 7), ('suggesting', 7), ('telia', 7), ('specifically', 7), ('ridiculous', 7), ('translate', 7), ('sas', 7), ('sale', 7), ('freezing', 7), ('isabel', 7), ('technology', 7), ('singapore', 7), ('bernards', 7), ('accessing', 7), ('het', 7), ('large', 7), ('guest', 7), ('adrianus', 7), ('accepting', 7), ('sep', 7), ('startup', 7), ('courtney', 7), ('surprised', 7), ('agreement', 7), ('posted', 7), ('verification', 7), ('uploaded', 7), ('continued', 7), ('experiencing', 7), ('stephanie', 7), ('prompts', 7), ('terminate', 7), ('horia', 7), ('pictures', 7), ('rectify', 7), ('eustace', 7), ('petra', 7), ('michal', 7), ('marianne', 7), ('indicates', 7), ('detecting', 7), ('electronic', 7), ('hannu', 7), ('kyle', 7), ('jacques', 7), ('payd', 7), ('dewi', 7), ('welcome', 7), ('loyal', 7), ('zone', 7), ('upper', 7), ('marked', 7), ('natasha', 7), ('occur', 7), ('ring', 7), ('professional', 7), ('hve', 7), ('inquiry', 7), ('document', 7), ('describe', 7), ('danielle', 7), ('bikila', 7), ('advertising', 7), ('broke', 7), ('occasions', 7), ('ipads', 7), ('urgently', 7), ('lic', 7), ('meanwhile', 7), ('sasja', 7), ('compromised', 7), ('accidently', 7), ('reads', 7), ('null', 7), ('technicians', 7), ('evaluate', 7), ('statistics', 7), ('newer', 7), ('friendly', 7), ('ryan', 7), ('remains', 7), ('becomes', 7), ('spelling', 7), ('brendan', 7), ('completely', 7), ('timed', 7), ('bitdefender', 7), ('configure', 7), ('tabs', 7), ('erling', 7), ('surface', 7), ('jesper', 7), ('devise', 7), ('functions', 7), ('skills', 7), ('force', 7), ('cindy', 7), ('jarmo', 7), ('murray', 7), ('lorena', 7), ('enabled', 7), ('seem', 7), ('dos', 7), ('whitelist', 7), ('probs', 7), ('unfair', 7), ('dit', 7), ('adds', 7), ('teamviewer', 7), ('acceptable', 7), ('claim', 7), ('designed', 7), ('listing', 7), ('norman', 7), ('complaints', 7), ('ongoing', 7), ('everyday', 7), ('christina', 7), ('refers', 7), ('marc', 7), ('resolving', 7), ('mentions', 7), ('complain', 7), ('repeating', 7), ('insurance', 7), ('pleasant', 7), ('built', 7), ('exede', 7), ('xfinity', 7), ('encountered', 7), ('italy', 7), ('greyed', 7), ('matters', 7), ('follows', 7), ('continuing', 7), ('lydia', 7), ('ellen', 7), ('responded', 7), ('billed', 7), ('laurie', 7), ('eur', 7), ('rep', 7), ('mate', 7), ('sirak', 7), ('plugin', 7), ('denis', 7), ('reporting', 7), ('resolution', 7), ('naim', 7), ('supplied', 7), ('netherlands', 7), ('xenophon', 7), ('accont', 7), ('advising', 7), ('jose', 7), ('charlie', 7), ('uploading', 7), ('kjell', 7), ('comments', 7), ('deirdre', 7), ('gwynfryn', 7), ('permissions', 7), ('estore', 7), ('yup', 7), ('ilona', 7), ('college', 7), ('escalated', 7), ('preinstalled', 7), ('hasnt', 7), ('symbol', 7), ('includes', 7), ('derrick', 7), ('lack', 7), ('disc', 7), ('delivery', 7), ('ted', 7), ('explains', 7), ('benjamin', 7), ('notify', 7), ('luckily', 7), ('amar', 7), ('reasons', 7), ('java', 7), ('higher', 7), ('lower', 7), ('inactive', 7), ('keycode', 7), ('dialog', 7), ('pleas', 7), ('capitan', 7), ('edit', 7), ('ipod', 7), ('deactivated', 7), ('jaslin', 7), ('sufficient', 7), ('member', 7), ('student', 7), ('supersafe', 7), ('usage', 7), ('jeremy', 7), ('liscence', 7), ('val', 7), ('mads', 7), ('seservice', 7), ('charter', 6), ('dna', 6), ('milkah', 6), ('effective', 6), ('helsinki', 6), ('yoiu', 6), ('ingrid', 6), ('pattaraporn', 6), ('goggle', 6), ('incomplete', 6), ('jarle', 6), ('pity', 6), ('khaled', 6), ('restarts', 6), ('player', 6), ('fot', 6), ('yoko', 6), ('dollars', 6), ('hallo', 6), ('choice', 6), ('costumer', 6), ('collegue', 6), ('wherever', 6), ('avira', 6), ('indicate', 6), ('printer', 6), ('otis', 6), ('worries', 6), ('wangui', 6), ('exit', 6), ('rebuild', 6), ('carminia', 6), ('certain', 6), ('suspected', 6), ('maggie', 6), ('tiia', 6), ('keeping', 6), ('troubleshoot', 6), ('gold', 6), ('resent', 6), ('bytes', 6), ('tamasin', 6), ('comming', 6), ('fixing', 6), ('scratch', 6), ('survey', 6), ('chosen', 6), ('kpn', 6), ('owner', 6), ('misunderstand', 6), ('reloaded', 6), ('jay', 6), ('powered', 6), ('moments', 6), ('riskware', 6), ('advert', 6), ('places', 6), ('placed', 6), ('oldest', 6), ('validated', 6), ('greek', 6), ('deducted', 6), ('sampad', 6), ('genuine', 6), ('latter', 6), ('claims', 6), ('phase', 6), ('pasted', 6), ('mohamed', 6), ('sends', 6), ('accepts', 6), ('promised', 6), ('global', 6), ('htc', 6), ('staff', 6), ('angela', 6), ('pacustomer', 6), ('discussion', 6), ('dawood', 6), ('correspondence', 6), ('drop', 6), ('domain', 6), ('overview', 6), ('validate', 6), ('discontinue', 6), ('developers', 6), ('processor', 6), ('cate', 6), ('sashi', 6), ('louis', 6), ('nina', 6), ('kasper', 6), ('rylund', 6), ('hackers', 6), ('loggin', 6), ('resellers', 6), ('steffen', 6), ('salminen', 6), ('translated', 6), ('jacek', 6), ('alison', 6), ('mimoun', 6), ('uta', 6), ('accout', 6), ('appstore', 6), ('convert', 6), ('mijn', 6), ('kamilla', 6), ('route', 6), ('lists', 6), ('freeze', 6), ('christer', 6), ('smartphones', 6), ('demo', 6), ('advertised', 6), ('imei', 6), ('didi', 6), ('library', 6), ('validation', 6), ('herbert', 6), ('asim', 6), ('drew', 6), ('suitable', 6), ('joshua', 6), ('fantastic', 6), ('diederik', 6), ('automaticly', 6), ('operate', 6), ('adobe', 6), ('fields', 6), ('sorts', 6), ('presumably', 6), ('lovely', 6), ('near', 6), ('mouse', 6), ('entitled', 6), ('opportunity', 6), ('programe', 6), ('assigned', 6), ('separately', 6), ('subsription', 6), ('fore', 6), ('shift', 6), ('aidan', 6), ('reviews', 6), ('mal', 6), ('agin', 6), ('elizabeth', 6), ('wonder', 6), ('sylvi', 6), ('seconds', 6), ('blueyonder', 6), ('cleanup', 6), ('publisher', 6), ('members', 6), ('taht', 6), ('screenshots', 6), ('visiting', 6), ('jaakko', 6), ('decision', 6), ('constant', 6), ('explaining', 6), ('fatal', 6), ('lapse', 6), ('miska', 6), ('bridget', 6), ('dat', 6), ('arlene', 6), ('jessica', 6), ('sadly', 6), ('messing', 6), ('comfortable', 6), ('concerns', 6), ('jeannie', 6), ('netbook', 6), ('general', 6), ('jeanette', 6), ('seth', 6), ('adr', 6), ('noise', 6), ('guard', 6), ('repeated', 6), ('wise', 6), ('replying', 6), ('leighann', 6), ('remeber', 6), ('encounter', 6), ('enquiry', 6), ('charging', 6), ('mess', 6), ('tot', 6), ('agnes', 6), ('nus', 6), ('finger', 6), ('suscription', 6), ('cam', 6), ('gift', 6), ('orlando', 6), ('executable', 6), ('skcustomer', 6), ('froze', 6), ('leads', 6), ('slower', 6), ('cecile', 6), ('problematic', 6), ('counting', 6), ('olubunmi', 6), ('secures', 6), ('succeeded', 6), ('suzanne', 6), ('exclamation', 6), ('succesfully', 6), ('europe', 6), ('ant', 6), ('glenys', 6), ('hillel', 6), ('stanley', 6), ('ways', 6), ('continuation', 6), ('turkey', 6), ('actions', 6), ('gregory', 6), ('amber', 6), ('determine', 6), ('regard', 6), ('calls', 6), ('thursday', 6), ('belonging', 6), ('ticked', 6), ('ican', 6), ('booting', 6), ('therese', 6), ('shouldnt', 6), ('reconnect', 6), ('leanne', 6), ('expect', 6), ('dint', 6), ('cleaner', 6), ('suspicious', 6), ('florian', 6), ('activity', 6), ('declined', 6), ('anurag', 6), ('johannes', 6), ('reduction', 6), ('yosemite', 6), ('analysis', 6), ('bounced', 6), ('retired', 6), ('retry', 6), ('seller', 6), ('prog', 6), ('prob', 6), ('niclas', 6), ('kathryn', 6), ('deals', 6), ('lysandros', 6), ('sort', 6), ('proof', 6), ('honestly', 6), ('philippa', 6), ('anyhow', 6), ('shell', 6), ('dena', 6), ('mainly', 6), ('mccustomer', 6), ('dll', 6), ('ability', 6), ('rodney', 6), ('wale', 6), ('windos', 6), ('jaimee', 6), ('lumia', 5), ('tired', 5), ('hers', 5), ('browse', 5), ('emailaddress', 5), ('jmk', 5), ('currency', 5), ('complaining', 5), ('travel', 5), ('gaming', 5), ('interfering', 5), ('speeds', 5), ('ahmed', 5), ('signatures', 5), ('busy', 5), ('rick', 5), ('mandatory', 5), ('downgrade', 5), ('cardboard', 5), ('intrusion', 5), ('brayn', 5), ('kurian', 5), ('ola', 5), ('narayan', 5), ('slightly', 5), ('thankful', 5), ('jane', 5), ('logical', 5), ('ips', 5), ('kamil', 5), ('spot', 5), ('troubles', 5), ('amazing', 5), ('seriously', 5), ('conny', 5), ('janis', 5), ('anyways', 5), ('clayton', 5), ('fyns', 5), ('advertisement', 5), ('bernardo', 5), ('brita', 5), ('noor', 5), ('acc', 5), ('acg', 5), ('hes', 5), ('taskbar', 5), ('ideally', 5), ('miriam', 5), ('consider', 5), ('cable', 5), ('quicker', 5), ('vip', 5), ('pearl', 5), ('ludy', 5), ('upto', 5), ('superantispyware', 5), ('grace', 5), ('incase', 5), ('narvid', 5), ('emai', 5), ('agents', 5), ('reginald', 5), ('emergency', 5), ('alexandre', 5), ('cansu', 5), ('transactions', 5), ('certificate', 5), ('netflix', 5), ('supervisor', 5), ('tara', 5), ('wrongly', 5), ('multiplatform', 5), ('promotional', 5), ('purchaced', 5), ('counter', 5), ('stalled', 5), ('merge', 5), ('forwarded', 5), ('licenc', 5), ('valentyna', 5), ('viewer', 5), ('brazil', 5), ('davicustomer', 5), ('meant', 5), ('gbp', 5), ('darryl', 5), ('phivos', 5), ('combine', 5), ('increased', 5), ('monique', 5), ('mohd', 5), ('choosing', 5), ('jojo', 5), ('literally', 5), ('iris', 5), ('interest', 5), ('int', 5), ('softcustomer', 5), ('established', 5), ('petri', 5), ('liscense', 5), ('sever', 5), ('ordinary', 5), ('stefano', 5), ('las', 5), ('japan', 5), ('oskar', 5), ('creates', 5), ('forced', 5), ('joona', 5), ('mostafa', 5), ('hrs', 5), ('beleive', 5), ('gitte', 5), ('steam', 5), ('cos', 5), ('rockettab', 5), ('thi', 5), ('usable', 5), ('hassle', 5), ('aurelie', 5), ('guessed', 5), ('encrypt', 5), ('brothers', 5), ('notepad', 5), ('rosemarie', 5), ('rarely', 5), ('prove', 5), ('prompting', 5), ('clue', 5), ('maarten', 5), ('chip', 5), ('norah', 5), ('noy', 5), ('entirely', 5), ('directing', 5), ('mostly', 5), ('begin', 5), ('forever', 5), ('unistalling', 5), ('configuration', 5), ('trick', 5), ('canceled', 5), ('aleksi', 5), ('complained', 5), ('valuable', 5), ('giuseppe', 5), ('reima', 5), ('central', 5), ('wolf', 5), ('sry', 5), ('henning', 5), ('fraud', 5), ('riikka', 5), ('yoy', 5), ('cprogram', 5), ('exclude', 5), ('stayed', 5), ('banks', 5), ('krzysztof', 5), ('symbian', 5), ('identity', 5), ('norma', 5), ('anticipate', 5), ('macs', 5), ('translation', 5), ('nayan', 5), ('won', 5), ('conditions', 5), ('delivered', 5), ('processing', 5), ('utc', 5), ('dvd', 5), ('youtube', 5), ('kath', 5), ('picked', 5), ('gene', 5), ('wim', 5), ('crap', 5), ('tauri', 5), ('handy', 5), ('advisor', 5), ('mariano', 5), ('apologise', 5), ('bee', 5), ('nuisance', 5), ('buyed', 5), ('exspired', 5), ('erased', 5), ('willi', 5), ('controlled', 5), ('ecid', 5), ('frequently', 5), ('mistaken', 5), ('twitter', 5), ('secondly', 5), ('todays', 5), ('typo', 5), ('adult', 5), ('root', 5), ('ranja', 5), ('royce', 5), ('harriet', 5), ('isn', 5), ('katerina', 5), ('gerlach', 5), ('folks', 5), ('discs', 5), ('flagged', 5), ('omg', 5), ('basis', 5), ('mohammad', 5), ('exception', 5), ('disappear', 5), ('nicolai', 5), ('vanessa', 5), ('awhile', 5), ('precise', 5), ('lauri', 5), ('international', 5), ('ariel', 5), ('adverts', 5), ('interesting', 5), ('adres', 5), ('canada', 5), ('workaround', 5), ('continuous', 5), ('efficient', 5), ('performance', 5), ('repeatedly', 5), ('maxine', 5), ('worrying', 5), ('calendar', 5), ('sudden', 5), ('produkt', 5), ('arvid', 5), ('returning', 5), ('component', 5), ('wizard', 5), ('establish', 5), ('none', 5), ('pressing', 5), ('connectivity', 5), ('seeking', 5), ('uhm', 5), ('oki', 5), ('backed', 5), ('lease', 5), ('clarifying', 5), ('jukka', 5), ('signup', 5), ('gopi', 5), ('sector', 5), ('renewd', 5), ('alot', 5), ('unsuccessful', 5), ('kathy', 5), ('functionality', 5), ('arrange', 5), ('entire', 5), ('giving', 5), ('exchange', 5), ('implement', 5), ('gateway', 5), ('obvious', 5), ('native', 5), ('bothered', 5), ('dominick', 5), ('shutting', 5), ('age', 5), ('willing', 5), ('installers', 5), ('postpone', 5), ('unlikely', 5), ('mix', 5), ('shahrukh', 5), ('clearing', 5), ('ralph', 5), ('discounts', 5), ('difficulties', 5), ('optional', 5), ('copies', 5), ('finishes', 5), ('ayush', 5), ('begining', 5), ('screwed', 5), ('cpu', 5), ('sammie', 5), ('voice', 5), ('ect', 5), ('svante', 5), ('kees', 5), ('jochen', 5), ('danny', 5), ('nita', 5), ('associate', 5), ('ton', 5), ('toolbox', 5), ('shots', 5), ('boss', 5), ('fault', 5), ('games', 5), ('containing', 5), ('millie', 5), ('els', 5), ('malaysia', 5), ('proceeding', 5), ('redownload', 5), ('misleading', 5), ('ahh', 5), ('gil', 5), ('removes', 5), ('verlopen', 5), ('vinoth', 5), ('essentials', 5), ('advantage', 5), ('stands', 5), ('preorder', 5), ('weird', 5), ('sessions', 5), ('mailaddress', 5), ('minimum', 5), ('costas', 5), ('rosco', 5), ('plastic', 5), ('sera', 5), ('sells', 5), ('surf', 5), ('considered', 5), ('howard', 5), ('subscriber', 5), ('seure', 5), ('amend', 5), ('drives', 5), ('polish', 5), ('samples', 5), ('tower', 5), ('reduced', 5), ('suswet', 5), ('willl', 5), ('jus', 5), ('trash', 5), ('yasmin', 5), ('rate', 5), ('ringing', 5), ('protects', 5), ('surjit', 5), ('reflect', 5), ('developer', 5), ('resort', 5), ('asako', 5), ('hangs', 5), ('slowed', 5), ('jst', 5), ('fone', 5), ('securing', 5), ('typos', 5), ('vincent', 5), ('achieved', 5), ('prescription', 5), ('risto', 5), ('became', 5), ('finds', 5), ('katarzyna', 5), ('frozen', 5), ('arrives', 5), ('reinstate', 5), ('collect', 5), ('refused', 5), ('handled', 5), ('completing', 5), ('dealt', 5), ('traveling', 5), ('connie', 5), ('attend', 5), ('joanna', 5), ('tran', 5), ('conflicts', 5), ('misunderstood', 5), ('loged', 5), ('gain', 5), ('brenda', 5), ('agreed', 5), ('nearer', 5), ('words', 5), ('doesnot', 5), ('unclear', 5), ('withdrawn', 5), ('choices', 5), ('nicki', 5), ('hamshya', 5), ('funds', 5), ('deepguard', 5), ('reformat', 5), ('kinda', 5), ('lori', 4), ('kaushal', 4), ('prize', 4), ('wednesday', 4), ('melvin', 4), ('robin', 4), ('lynne', 4), ('maximilian', 4), ('hoe', 4), ('khunou', 4), ('types', 4), ('fit', 4), ('financial', 4), ('upc', 4), ('recognising', 4), ('assured', 4), ('emailing', 4), ('fair', 4), ('askes', 4), ('puter', 4), ('administrative', 4), ('fairly', 4), ('lasse', 4), ('santiago', 4), ('completly', 4), ('peder', 4), ('terminated', 4), ('malcom', 4), ('constantly', 4), ('launching', 4), ('modely', 4), ('loren', 4), ('solves', 4), ('unaware', 4), ('ipv', 4), ('verlengen', 4), ('alastair', 4), ('locks', 4), ('gzw', 4), ('monitoring', 4), ('parameter', 4), ('definitions', 4), ('unacceptable', 4), ('pieter', 4), ('programming', 4), ('routed', 4), ('ont', 4), ('santander', 4), ('sophie', 4), ('allen', 4), ('sat', 4), ('altered', 4), ('vetty', 4), ('refreshed', 4), ('loging', 4), ('mant', 4), ('ckeck', 4), ('mehrdad', 4), ('ants', 4), ('vacation', 4), ('internett', 4), ('elina', 4), ('wired', 4), ('interrupt', 4), ('stationary', 4), ('josip', 4), ('thailand', 4), ('heb', 4), ('pull', 4), ('watched', 4), ('novice', 4), ('cpp', 4), ('ddoser', 4), ('appointment', 4), ('elena', 4), ('harri', 4), ('adjust', 4), ('pasi', 4), ('sended', 4), ('mugcustomer', 4), ('referencenumber', 4), ('resources', 4), ('hugo', 4), ('plans', 4), ('signature', 4), ('signe', 4), ('panu', 4), ('lowell', 4), ('gadget', 4), ('england', 4), ('ernie', 4), ('proxy', 4), ('licencing', 4), ('swipe', 4), ('saint', 4), ('niklas', 4), ('nikolay', 4), ('naomi', 4), ('matteo', 4), ('sen', 4), ('sem', 4), ('rita', 4), ('tristan', 4), ('thou', 4), ('hitting', 4), ('handling', 4), ('reliable', 4), ('pound', 4), ('amy', 4), ('normaly', 4), ('eero', 4), ('ivar', 4), ('ivan', 4), ('iwant', 4), ('konsta', 4), ('aswell', 4), ('troubleshooting', 4), ('jonny', 4), ('erick', 4), ('storing', 4), ('chai', 4), ('chay', 4), ('mailing', 4), ('anton', 4), ('les', 4), ('opinion', 4), ('confidence', 4), ('duplicate', 4), ('doubt', 4), ('challenge', 4), ('thin', 4), ('martyn', 4), ('lisense', 4), ('tiago', 4), ('realized', 4), ('element', 4), ('efrem', 4), ('technically', 4), ('succesfull', 4), ('disapear', 4), ('geert', 4), ('safdar', 4), ('unsubscribe', 4), ('extensions', 4), ('edition', 4), ('wire', 4), ('viris', 4), ('mikelis', 4), ('figured', 4), ('eduardo', 4), ('wee', 4), ('gained', 4), ('assess', 4), ('annette', 4), ('agian', 4), ('gaynor', 4), ('count', 4), ('inv', 4), ('inn', 4), ('compared', 4), ('lasted', 4), ('searched', 4), ('webside', 4), ('panda', 4), ('obtained', 4), ('tahira', 4), ('highly', 4), ('becouse', 4), ('worm', 4), ('cancle', 4), ('versus', 4), ('thee', 4), ('thick', 4), ('ingmar', 4), ('rated', 4), ('nicklas', 4), ('inger', 4), ('youre', 4), ('navigate', 4), ('realy', 4), ('hanne', 4), ('lewis', 4), ('sigve', 4), ('cooperation', 4), ('air', 4), ('applies', 4), ('whereby', 4), ('portuguese', 4), ('marketing', 4), ('wan', 4), ('anew', 4), ('optimisation', 4), ('holding', 4), ('entries', 4), ('mariusz', 4), ('ragip', 4), ('ithink', 4), ('supporting', 4), ('labeled', 4), ('aol', 4), ('irwin', 4), ('benny', 4), ('affraid', 4), ('yeap', 4), ('honest', 4), ('forwarding', 4), ('checker', 4), ('danial', 4), ('learning', 4), ('emyr', 4), ('goran', 4), ('responce', 4), ('generally', 4), ('disinstalled', 4), ('twelve', 4), ('duration', 4), ('bless', 4), ('recorded', 4), ('dies', 4), ('tdc', 4), ('throw', 4), ('youe', 4), ('delayed', 4), ('freddy', 4), ('pointing', 4), ('onno', 4), ('hima', 4), ('donnie', 4), ('pushed', 4), ('rude', 4), ('gauthier', 4), ('documentation', 4), ('assign', 4), ('solving', 4), ('extention', 4), ('base', 4), ('dirk', 4), ('voor', 4), ('american', 4), ('grey', 4), ('alongside', 4), ('cumbersome', 4), ('kan', 4), ('kay', 4), ('mack', 4), ('approved', 4), ('parameters', 4), ('xgyj', 4), ('collected', 4), ('katherine', 4), ('petar', 4), ('thnaks', 4), ('lacking', 4), ('een', 4), ('donna', 4), ('registrered', 4), ('pcustomer', 4), ('abroad', 4), ('regester', 4), ('seeing', 4), ('rolls', 4), ('russian', 4), ('paolo', 4), ('dashes', 4), ('resubscribe', 4), ('arin', 4), ('boots', 4), ('unhelpful', 4), ('wit', 4), ('providers', 4), ('reestablish', 4), ('avalible', 4), ('ricky', 4), ('ecc', 4), ('purcahsed', 4), ('xperia', 4), ('instance', 4), ('cellphone', 4), ('hector', 4), ('slows', 4), ('procedures', 4), ('processes', 4), ('desperate', 4), ('nightmare', 4), ('kes', 4), ('dominique', 4), ('slowly', 4), ('ours', 4), ('licese', 4), ('capture', 4), ('generic', 4), ('patricio', 4), ('haldane', 4), ('recognizes', 4), ('utility', 4), ('tineke', 4), ('ned', 4), ('bogdan', 4), ('guus', 4), ('counts', 4), ('wary', 4), ('maintain', 4), ('helena', 4), ('aborted', 4), ('lucy', 4), ('luck', 4), ('iso', 4), ('grade', 4), ('progs', 4), ('ulrich', 4), ('dom', 4), ('annoyed', 4), ('chinthaka', 4), ('referance', 4), ('earl', 4), ('bay', 4), ('emailadress', 4), ('personally', 4), ('neal', 4), ('shame', 4), ('elly', 4), ('sentence', 4), ('hotspot', 4), ('nevermind', 4), ('tracked', 4), ('runing', 4), ('jones', 4), ('ville', 4), ('elses', 4), ('merely', 4), ('peru', 4), ('sharing', 4), ('joris', 4), ('tasleem', 4), ('idid', 4), ('purl', 4), ('map', 4), ('ramanlal', 4), ('shield', 4), ('yest', 4), ('potential', 4), ('especially', 4), ('dianne', 4), ('yosmel', 4), ('unusual', 4), ('mari', 4), ('eudeen', 4), ('struggling', 4), ('peace', 4), ('extensive', 4), ('serves', 4), ('images', 4), ('outi', 4), ('roar', 4), ('references', 4), ('downstairs', 4), ('fellow', 4), ('creditcard', 4), ('vill', 4), ('liam', 4), ('alberto', 4), ('straightforward', 4), ('reminding', 4), ('zero', 4), ('diag', 4), ('urchased', 4), ('harddrive', 4), ('eye', 4), ('mozilla', 4), ('den', 4), ('loosing', 4), ('secur', 4), ('mystery', 4), ('micro', 4), ('callum', 4), ('mistakenly', 4), ('instances', 4), ('utilized', 4), ('para', 4), ('express', 4), ('mailbox', 4), ('reverse', 4), ('foreign', 4), ('hobrawyld', 4), ('cuz', 4), ('easter', 4), ('pricing', 4), ('lara', 4), ('remembered', 4), ('oem', 4), ('kirsty', 4), ('presently', 4), ('eshadiq', 4), ('sucure', 4), ('terje', 4), ('bing', 4), ('nasty', 4), ('programmer', 4), ('ree', 4), ('harold', 4), ('confirmations', 4), ('bijoy', 4), ('conection', 4), ('mbps', 4), ('mid', 4), ('mis', 4), ('hazel', 4), ('herman', 4), ('selection', 4), ('chromebook', 4), ('poping', 4), ('controls', 4), ('thorsten', 4), ('joanne', 4), ('greece', 4), ('melvyn', 4), ('administration', 4), ('position', 4), ('stores', 4), ('fyi', 4), ('soft', 4), ('woud', 4), ('justin', 4), ('bud', 4), ('partially', 4), ('dangerous', 4), ('corporation', 4), ('sunscription', 4), ('christiano', 4), ('integrated', 4), ('zack', 4), ('martti', 4), ('leaves', 4), ('shoot', 4), ('join', 4), ('lukas', 4), ('guarantee', 4), ('demanding', 4), ('befor', 4), ('ultimate', 4), ('dregol', 4), ('eugene', 4), ('prevented', 4), ('yvette', 4), ('zubair', 4), ('hang', 4), ('stopvirus', 4), ('frankly', 4), ('ram', 4), ('thr', 4), ('partition', 4), ('ulla', 4), ('random', 4), ('corrupt', 4), ('approach', 4), ('tolsa', 4), ('dept', 4), ('dashboard', 4), ('mclaughlan', 4), ('garan', 4), ('beside', 4), ('paavo', 4), ('characters', 4), ('nandha', 4), ('mentioning', 4), ('keld', 4), ('teunis', 4), ('hung', 4), ('advertise', 4), ('plug', 4), ('existed', 4), ('margareta', 4), ('techs', 4), ('reconsider', 4), ('rog', 4), ('ibrahim', 4), ('posts', 4), ('trend', 4), ('sucks', 4), ('memory', 4), ('cases', 4), ('stream', 4), ('clone', 4), ('istall', 4), ('exclusive', 4), ('moms', 4), ('uitool', 4), ('intended', 4), ('donwloaded', 4), ('dissapointed', 4), ('ans', 4), ('gustavo', 4), ('tks', 4), ('hack', 4), ('ignored', 4), ('replies', 4), ('nassir', 4), ('yhe', 4), ('wher', 4), ('rose', 4), ('blog', 4), ('correcting', 4), ('legal', 4), ('freed', 4), ('exept', 4), ('zeev', 4), ('cba', 4), ('stylianos', 4), ('rod', 4), ('programms', 4), ('gerrard', 4), ('ticks', 4), ('behaviour', 4), ('appliances', 4), ('tought', 4), ('misspelled', 4), ('cookie', 4), ('mobiles', 4), ('convinced', 4), ('jsut', 4), ('ccleaner', 4), ('warnings', 4), ('hoorweg', 4), ('cds', 4), ('tommorow', 4), ('jeanne', 4), ('optus', 4), ('everson', 4), ('nicol', 4), ('behavior', 4), ('rik', 4), ('deletion', 4), ('fescure', 4), ('ioannis', 4), ('sinds', 4), ('streaming', 4), ('standalone', 4), ('complimentary', 4), ('issued', 4), ('wished', 4), ('unavailable', 4), ('pushing', 4), ('explore', 4), ('suggests', 4), ('redo', 4), ('fron', 4), ('tat', 4), ('united', 4), ('stockmann', 4), ('byt', 4), ('material', 4), ('tomcustomer', 4), ('doubled', 4), ('relates', 4), ('informs', 4), ('priority', 4), ('sian', 4), ('commence', 4), ('inernet', 4), ('niet', 4), ('queries', 4), ('closer', 4), ('walt', 4), ('vicki', 4), ('deinstalled', 4), ('dual', 4), ('percent', 4), ('elke', 4), ('carried', 4), ('automated', 4), ('lance', 4), ('refunding', 3), ('reformatted', 3), ('grahame', 3), ('preferably', 3), ('hop', 3), ('misunderstanding', 3), ('barclays', 3), ('fir', 3), ('effects', 3), ('debug', 3), ('ofcourse', 3), ('tilaus', 3), ('hiya', 3), ('glyn', 3), ('rectified', 3), ('entail', 3), ('hub', 3), ('dummy', 3), ('richar', 3), ('altogether', 3), ('saul', 3), ('deebu', 3), ('carbon', 3), ('wuld', 3), ('harmik', 3), ('commerce', 3), ('split', 3), ('tops', 3), ('waht', 3), ('trond', 3), ('hae', 3), ('hat', 3), ('czech', 3), ('foe', 3), ('raised', 3), ('soi', 3), ('proved', 3), ('adejuwon', 3), ('becuase', 3), ('chain', 3), ('pen', 3), ('labtech', 3), ('settle', 3), ('tasks', 3), ('bloody', 3), ('relating', 3), ('jarna', 3), ('visual', 3), ('logos', 3), ('expeired', 3), ('alzheimers', 3), ('orginal', 3), ('internetsecurity', 3), ('surfing', 3), ('instantly', 3), ('fesecure', 3), ('square', 3), ('commencing', 3), ('nuzulla', 3), ('remainder', 3), ('dunno', 3), ('saving', 3), ('bits', 3), ('emei', 3), ('pasword', 3), ('laws', 3), ('prabath', 3), ('robb', 3), ('assistant', 3), ('outlet', 3), ('worried', 3), ('affecting', 3), ('logins', 3), ('quarantined', 3), ('consultant', 3), ('ivo', 3), ('otto', 3), ('nothin', 3), ('alfredo', 3), ('gdn', 3), ('dare', 3), ('inter', 3), ('satisfactory', 3), ('kole', 3), ('unsuccessfully', 3), ('power', 3), ('iconia', 3), ('acn', 3), ('niall', 3), ('act', 3), ('parties', 3), ('hel', 3), ('ohh', 3), ('yoga', 3), ('disgraceful', 3), ('posible', 3), ('tyfy', 3), ('tricks', 3), ('groom', 3), ('elvin', 3), ('subscriptionkey', 3), ('smile', 3), ('diary', 3), ('margrit', 3), ('clock', 3), ('hash', 3), ('social', 3), ('vic', 3), ('tester', 3), ('juliette', 3), ('pravar', 3), ('instuctions', 3), ('gaynel', 3), ('paper', 3), ('alle', 3), ('alla', 3), ('alls', 3), ('userid', 3), ('authorisation', 3), ('reduce', 3), ('definition', 3), ('subscribtions', 3), ('belmar', 3), ('major', 3), ('bzdrh', 3), ('reinstal', 3), ('februar', 3), ('wording', 3), ('knowledgeable', 3), ('inhester', 3), ('preparing', 3), ('licenes', 3), ('purched', 3), ('sek', 3), ('project', 3), ('javascript', 3), ('apurv', 3), ('coincidence', 3), ('admire', 3), ('priit', 3), ('triple', 3), ('stacy', 3), ('viewing', 3), ('rudolph', 3), ('simo', 3), ('formal', 3), ('communications', 3), ('curious', 3), ('kashif', 3), ('melbourne', 3), ('fzk', 3), ('bios', 3), ('doh', 3), ('considerable', 3), ('occasional', 3), ('lang', 3), ('tri', 3), ('halshow', 3), ('consideration', 3), ('rasmus', 3), ('vmhn', 3), ('touched', 3), ('iain', 3), ('insists', 3), ('pieces', 3), ('tien', 3), ('educational', 3), ('robot', 3), ('webroot', 3), ('operative', 3), ('installment', 3), ('overwrote', 3), ('tracey', 3), ('whew', 3), ('mutch', 3), ('ivor', 3), ('bak', 3), ('repeats', 3), ('muhammad', 3), ('riise', 3), ('trusting', 3), ('recontact', 3), ('proble', 3), ('redirect', 3), ('swith', 3), ('wouter', 3), ('configured', 3), ('packet', 3), ('renwed', 3), ('figures', 3), ('brinley', 3), ('fsec', 3), ('caanot', 3), ('wed', 3), ('become', 3), ('thief', 3), ('schedule', 3), ('iwas', 3), ('revise', 3), ('naturally', 3), ('jocustomer', 3), ('compute', 3), ('lately', 3), ('searches', 3), ('saves', 3), ('worth', 3), ('jacob', 3), ('lisens', 3), ('brb', 3), ('bundled', 3), ('trojans', 3), ('ere', 3), ('vergin', 3), ('tnk', 3), ('workstations', 3), ('uac', 3), ('micki', 3), ('hong', 3), ('law', 3), ('tricked', 3), ('sohail', 3), ('bjorn', 3), ('logg', 3), ('bouht', 3), ('rejects', 3), ('approximately', 3), ('grandchildren', 3), ('target', 3), ('minus', 3), ('iwill', 3), ('forces', 3), ('maddy', 3), ('hanno', 3), ('fitted', 3), ('enjoyed', 3), ('roberta', 3), ('stead', 3), ('observer', 3), ('rudie', 3), ('abdelrahman', 3), ('con', 3), ('engines', 3), ('launcher', 3), ('property', 3), ('incorrectly', 3), ('margaretha', 3), ('rain', 3), ('tht', 3), ('quoted', 3), ('board', 3), ('jeffery', 3), ('denied', 3), ('strangely', 3), ('becoming', 3), ('inquiring', 3), ('evidence', 3), ('interested', 3), ('walton', 3), ('cheated', 3), ('stick', 3), ('appdata', 3), ('somthing', 3), ('dissatisfied', 3), ('presented', 3), ('fusager', 3), ('nother', 3), ('incoming', 3), ('regardless', 3), ('sincerely', 3), ('penalized', 3), ('gautam', 3), ('phrase', 3), ('produce', 3), ('grandson', 3), ('michel', 3), ('colm', 3), ('nod', 3), ('noe', 3), ('hall', 3), ('recived', 3), ('cary', 3), ('ikke', 3), ('fecure', 3), ('television', 3), ('prbz', 3), ('title', 3), ('sathu', 3), ('enabling', 3), ('hvj', 3), ('moreover', 3), ('rebuilt', 3), ('thcustomer', 3), ('favorites', 3), ('sotty', 3), ('charges', 3), ('ijust', 3), ('greetings', 3), ('renewel', 3), ('selma', 3), ('amd', 3), ('willie', 3), ('rougetel', 3), ('operator', 3), ('yous', 3), ('lou', 3), ('allright', 3), ('embedded', 3), ('knud', 3), ('storage', 3), ('minded', 3), ('karien', 3), ('nany', 3), ('suport', 3), ('strong', 3), ('cathy', 3), ('invalidate', 3), ('sits', 3), ('menue', 3), ('anytime', 3), ('tresorit', 3), ('sofware', 3), ('marcin', 3), ('asa', 3), ('randomly', 3), ('karl', 3), ('sets', 3), ('aqp', 3), ('flicker', 3), ('malwarebyte', 3), ('randy', 3), ('recommendations', 3), ('witht', 3), ('engineers', 3), ('dieuwke', 3), ('angie', 3), ('wou', 3), ('sensitive', 3), ('outstanding', 3), ('prenumeration', 3), ('match', 3), ('jpg', 3), ('vulnerable', 3), ('ihsan', 3), ('unitoool', 3), ('reviewed', 3), ('cheryl', 3), ('overriding', 3), ('terminology', 3), ('creation', 3), ('umle', 3), ('lasts', 3), ('messaging', 3), ('nonsense', 3), ('kristian', 3), ('nag', 3), ('nad', 3), ('frances', 3), ('drag', 3), ('trough', 3), ('believed', 3), ('camera', 3), ('meen', 3), ('drops', 3), ('dogits', 3), ('protecttion', 3), ('dosnt', 3), ('thiery', 3), ('withdrawal', 3), ('jouko', 3), ('christoph', 3), ('precisely', 3), ('whitelisted', 3), ('julian', 3), ('issuing', 3), ('aww', 3), ('reminds', 3), ('ammarah', 3), ('encrypted', 3), ('launchpad', 3), ('hade', 3), ('employer', 3), ('kong', 3), ('widow', 3), ('spotted', 3), ('erno', 3), ('pointer', 3), ('tens', 3), ('interfere', 3), ('approval', 3), ('gita', 3), ('treat', 3), ('costumers', 3), ('minimise', 3), ('andadcid', 3), ('simona', 3), ('parts', 3), ('inc', 3), ('annie', 3), ('ought', 3), ('sanjit', 3), ('highest', 3), ('rahul', 3), ('generating', 3), ('btinternet', 3), ('additionally', 3), ('fredrik', 3), ('protections', 3), ('swap', 3), ('recycle', 3), ('malwares', 3), ('unrelated', 3), ('cesar', 3), ('preferences', 3), ('nee', 3), ('med', 3), ('janine', 3), ('morag', 3), ('lennart', 3), ('oscar', 3), ('xhj', 3), ('config', 3), ('replacing', 3), ('loyalty', 3), ('registred', 3), ('differently', 3), ('compatable', 3), ('persist', 3), ('thenk', 3), ('mounth', 3), ('subscritption', 3), ('extract', 3), ('ccid', 3), ('resume', 3), ('struggle', 3), ('ist', 3), ('disappearing', 3), ('intall', 3), ('spending', 3), ('useing', 3), ('modern', 3), ('sakari', 3), ('marit', 3), ('assisting', 3), ('doc', 3), ('competitors', 3), ('shashank', 3), ('libary', 3), ('disconnecting', 3), ('decided', 3), ('pete', 3), ('sais', 3), ('proceeded', 3), ('trigger', 3), ('balance', 3), ('complains', 3), ('unfortunate', 3), ('smoke', 3), ('thoughts', 3), ('aside', 3), ('human', 3), ('character', 3), ('save', 3), ('supervisory', 3), ('nestoras', 3), ('bold', 3), ('lies', 3), ('ihad', 3), ('srfpz', 3), ('raman', 3), ('jarkko', 3), ('pavilion', 3), ('prevents', 3), ('temdw', 3), ('mulitple', 3), ('antero', 3), ('vps', 3), ('alerts', 3), ('excel', 3), ('hannspree', 3), ('hijacked', 3), ('daryl', 3), ('adviser', 3), ('string', 3), ('divice', 3), ('staples', 3), ('currant', 3), ('aristides', 3), ('leonieke', 3), ('aym', 3), ('franco', 3), ('thre', 3), ('ahhh', 3), ('shaheryar', 3), ('quoting', 3), ('andrus', 3), ('palle', 3), ('beverley', 3), ('ido', 3), ('uae', 3), ('parco', 3), ('tile', 3), ('gesture', 3), ('texas', 3), ('goto', 3), ('zarouhi', 3), ('yess', 3), ('currenlty', 3), ('afee', 3), ('topics', 3), ('refunds', 3), ('einar', 3), ('representatives', 3), ('dick', 3), ('reps', 3), ('gen', 3), ('secondary', 3), ('finishing', 3), ('declared', 3), ('virpi', 3), ('dkr', 3), ('among', 3), ('mars', 3), ('deron', 3), ('hdd', 3), ('antithift', 3), ('amazed', 3), ('adjustments', 3), ('ksenia', 3), ('mow', 3), ('mod', 3), ('facing', 3), ('intenet', 3), ('specified', 3), ('sorrel', 3), ('woudl', 3), ('sophisticated', 3), ('wiping', 3), ('subscritpion', 3), ('examine', 3), ('students', 3), ('reluctant', 3), ('icant', 3), ('fall', 3), ('forth', 3), ('donovan', 3), ('kunnen', 3), ('opted', 3), ('tuan', 3), ('compare', 3), ('secue', 3), ('neede', 3), ('dhaval', 3), ('licenties', 3), ('secs', 3), ('paz', 3), ('filters', 3), ('authentication', 3), ('wlfr', 3), ('hyphens', 3), ('compter', 3), ('ports', 3), ('fist', 3), ('lawrence', 3), ('hassen', 3), ('satish', 3), ('treated', 3), ('leaking', 3), ('significant', 3), ('particularly', 3), ('carefully', 3), ('chrom', 3), ('hgwr', 3), ('responses', 3), ('ike', 3), ('intrusive', 3), ('bengt', 3), ('gap', 3), ('aileen', 3), ('development', 3), ('prevention', 3), ('melinda', 3), ('disks', 3), ('ourselves', 3), ('kaei', 3), ('harmfull', 3), ('kellie', 3), ('mavericks', 3), ('zhc', 3), ('favourite', 3), ('initiating', 3), ('vmware', 3), ('anther', 3), ('sing', 3), ('debbie', 3), ('themselves', 3), ('alim', 3), ('erwin', 3), ('holds', 3), ('hege', 3), ('subsequently', 3), ('anivirus', 3), ('dai', 3), ('warned', 3), ('morris', 3), ('mats', 3), ('dissapeared', 3), ('synne', 3), ('acquire', 3), ('flashes', 3), ('dementia', 3), ('mij', 3), ('linton', 3), ('tomasz', 3), ('jaap', 3), ('bohdan', 3), ('gather', 3), ('occasion', 3), ('seucre', 3), ('areas', 3), ('caches', 3), ('vigdis', 3), ('compters', 3), ('instant', 3), ('creat', 3), ('essentially', 3), ('cor', 3), ('agai', 3), ('value', 3), ('antonio', 3), ('resetted', 3), ('citizen', 3), ('tests', 3), ('icid', 3), ('articles', 3), ('italian', 3), ('accessible', 3), ('wfct', 3), ('pavithra', 3), ('tomi', 3), ('introduced', 3), ('biggest', 3), ('hotspots', 3), ('bur', 3), ('caitlin', 3), ('insured', 3), ('primoz', 3), ('special', 3), ('poorly', 3), ('stafafn', 3), ('guidelines', 3), ('studio', 3), ('atandt', 3), ('carmen', 3), ('rackspace', 3), ('insecure', 3), ('becaus', 3), ('oneid', 3), ('filling', 3), ('quality', 3), ('rang', 3), ('koen', 3), ('tou', 3), ('serve', 3), ('bridge', 3), ('qym', 3), ('flow', 3), ('enterprise', 3), ('desktops', 3), ('sage', 3), ('och', 3), ('proposed', 3), ('florent', 3), ('rbkd', 3), ('countries', 3), ('nut', 3), ('kapersky', 3), ('mum', 3), ('improve', 3), ('faced', 3), ('hellmuth', 3), ('subscribing', 3), ('confident', 3), ('xxx', 3), ('positives', 3), ('cycle', 3), ('dads', 3), ('campbell', 3), ('deactive', 3), ('cnt', 3), ('christmas', 3), ('core', 3), ('corp', 3), ('deletes', 3), ('attacks', 3), ('spybot', 3), ('mistyped', 3), ('removel', 3), ('ruined', 3), ('node', 3), ('netvu', 3), ('collegues', 3), ('marion', 3), ('thaks', 3), ('porn', 3), ('obsolete', 3), ('port', 3), ('properties', 3), ('msn', 3), ('devendra', 3), ('baught', 3), ('ahve', 3), ('corrupted', 3), ('requirements', 3), ('fourth', 3), ('granddaughter', 3), ('adguard', 3), ('possibilities', 3), ('lockscreen', 3), ('intalled', 3), ('discontinued', 3), ('whith', 3), ('white', 3), ('cope', 3), ('holder', 3), ('specify', 3), ('ana', 3), ('clearer', 3), ('pleasure', 3), ('senior', 3), ('ssl', 3), ('trade', 3), ('lnk', 3), ('insted', 3), ('region', 3), ('pakistan', 3), ('color', 3), ('lucilia', 3), ('bypass', 3), ('cheralyn', 3), ('andrea', 3), ('comuter', 3), ('sence', 3), ('buys', 3), ('components', 3), ('model', 3), ('justify', 3), ('cease', 3), ('tinesh', 3), ('wbr', 3), ('joking', 3), ('discussed', 3), ('inviting', 3), ('ali', 3), ('licentie', 3), ('alt', 3), ('als', 3), ('kkcm', 3), ('faq', 3), ('worst', 3), ('sun', 3), ('clarification', 3), ('verry', 3), ('permanently', 3), ('division', 3), ('arise', 3), ('goal', 3), ('alyson', 3), ('tesco', 3), ('ardy', 3), ('instaled', 3), ('emmanuel', 3), ('avenue', 3), ('alter', 3), ('ocustomer', 3), ('aksoy', 3), ('mikael', 3), ('fiona', 3), ('chairman', 3), ('gill', 3), ('font', 3), ('rebooting', 3), ('hiw', 3), ('proces', 3), ('anouk', 3), ('bart', 3), ('ari', 3), ('inge', 3), ('logmeinre', 3), ('consecutive', 3), ('elsine', 3), ('competent', 3), ('simpler', 3), ('transferring', 3), ('wierd', 3), ('moving', 3), ('celia', 3), ('essential', 3), ('puneet', 3), ('jumps', 3), ('yli', 3), ('nadiav', 3), ('reassurance', 3), ('raising', 3), ('svend', 3), ('throug', 3), ('impatient', 3), ('seltic', 3), ('anyting', 3), ('lloyds', 3), ('intouch', 3), ('smaller', 3), ('haywood', 3), ('kris', 3), ('larger', 3), ('cad', 3), ('egypt', 3), ('apl', 3), ('freedum', 3), ('detects', 3), ('inaccessible', 3), ('tae', 3), ('tag', 3), ('six', 3), ('camilla', 3), ('sil', 3), ('permanent', 3), ('zxdqt', 3), ('wolfgang', 3), ('andriod', 3), ('fingerprint', 3), ('beeing', 3), ('nfd', 3), ('nfu', 3), ('zxk', 3), ('slider', 3), ('surfspot', 3), ('bougt', 3), ('wht', 3), ('kurt', 3), ('cqthy', 3), ('thousands', 3), ('tjibbe', 3), ('requirement', 3), ('acquired', 3), ('actvation', 3), ('amex', 3), ('succesful', 3), ('atleast', 3), ('table', 3), ('fsecre', 3), ('ave', 3), ('approve', 3), ('firstly', 3), ('patrik', 3), ('jari', 3), ('wesley', 3), ('obed', 3), ('weather', 3), ('intention', 3), ('tamar', 3), ('volume', 3), ('mailed', 3), ('webpages', 3), ('myf', 3), ('downlaod', 3), ('conclusion', 3), ('hacker', 3), ('kinds', 3), ('tzeni', 3), ('treetment', 2), ('foud', 2), ('instalations', 2), ('advices', 2), ('hanging', 2), ('desinstall', 2), ('eligible', 2), ('enrollment', 2), ('specially', 2), ('forgetting', 2), ('lakshminarayanan', 2), ('specialist', 2), ('remotly', 2), ('chnged', 2), ('linceses', 2), ('txp', 2), ('dnt', 2), ('reconnection', 2), ('tying', 2), ('hola', 2), ('circumstances', 2), ('concepts', 2), ('matilda', 2), ('household', 2), ('wanr', 2), ('caution', 2), ('incontact', 2), ('alias', 2), ('raymondcustomer', 2), ('partnered', 2), ('grzegorz', 2), ('receiver', 2), ('fin', 2), ('timeout', 2), ('pbtl', 2), ('millions', 2), ('shipped', 2), ('instruct', 2), ('yiu', 2), ('saeed', 2), ('vfffv', 2), ('recheck', 2), ('sceure', 2), ('joakim', 2), ('goodness', 2), ('responsible', 2), ('instructs', 2), ('disappered', 2), ('susie', 2), ('mouth', 2), ('professor', 2), ('uinstall', 2), ('bonnie', 2), ('unmanaged', 2), ('turkeyandcomment', 2), ('burak', 2), ('clarified', 2), ('okaikoi', 2), ('rings', 2), ('nature', 2), ('planned', 2), ('vain', 2), ('fri', 2), ('frm', 2), ('dots', 2), ('doubts', 2), ('secuity', 2), ('remembering', 2), ('cyberghost', 2), ('nvxw', 2), ('marja', 2), ('thingy', 2), ('dhd', 2), ('bougth', 2), ('subcribe', 2), ('saids', 2), ('tune', 2), ('webstore', 2), ('nezula', 2), ('enters', 2), ('hal', 2), ('manfred', 2), ('east', 2), ('disconnects', 2), ('oly', 2), ('botton', 2), ('pleyms', 2), ('creative', 2), ('raport', 2), ('umm', 2), ('substituted', 2), ('annar', 2), ('som', 2), ('administer', 2), ('waite', 2), ('melanie', 2), ('helloooooooooo', 2), ('actuallly', 2), ('province', 2), ('intent', 2), ('obito', 2), ('whoever', 2), ('phonenumber', 2), ('tecnician', 2), ('ver', 2), ('alris', 2), ('stays', 2), ('abdullah', 2), ('axel', 2), ('unintentionally', 2), ('hompegage', 2), ('bevestigd', 2), ('accomplished', 2), ('compueter', 2), ('bookmarks', 2), ('opposed', 2), ('calgary', 2), ('replacment', 2), ('jarne', 2), ('acouple', 2), ('locale', 2), ('winter', 2), ('sotware', 2), ('divides', 2), ('edinburgh', 2), ('dats', 2), ('suck', 2), ('ordinarily', 2), ('pulled', 2), ('djh', 2), ('limbo', 2), ('retails', 2), ('repairer', 2), ('establishing', 2), ('smtp', 2), ('irina', 2), ('blu', 2), ('investigation', 2), ('squares', 2), ('curbz', 2), ('reopen', 2), ('ons', 2), ('onw', 2), ('city', 2), ('antiv', 2), ('proving', 2), ('lience', 2), ('entryid', 2), ('rzq', 2), ('evgeniy', 2), ('prospect', 2), ('serials', 2), ('finlands', 2), ('pastor', 2), ('abut', 2), ('emailadres', 2), ('llqm', 2), ('equipped', 2), ('prime', 2), ('asnd', 2), ('bourght', 2), ('vision', 2), ('refreshes', 2), ('navigated', 2), ('krijg', 2), ('dome', 2), ('anette', 2), ('boat', 2), ('extant', 2), ('eeva', 2), ('bootable', 2), ('engineering', 2), ('ctrl', 2), ('canot', 2), ('binary', 2), ('reverts', 2), ('wpk', 2), ('tracking', 2), ('nothig', 2), ('nearby', 2), ('summer', 2), ('pnet', 2), ('compatibel', 2), ('idealworld', 2), ('aspects', 2), ('darn', 2), ('installeren', 2), ('alredy', 2), ('vesion', 2), ('beverly', 2), ('lebanon', 2), ('helpfull', 2), ('tvs', 2), ('desctop', 2), ('restoring', 2), ('clarice', 2), ('hej', 2), ('thelma', 2), ('rush', 2), ('antivius', 2), ('russ', 2), ('johnny', 2), ('migrate', 2), ('stealing', 2), ('tight', 2), ('someones', 2), ('natalia', 2), ('azhar', 2), ('viurs', 2), ('norm', 2), ('dinosaur', 2), ('displays', 2), ('delet', 2), ('leif', 2), ('kerstin', 2), ('rbarq', 2), ('gosh', 2), ('preloaded', 2), ('ragnar', 2), ('initiated', 2), ('endpoint', 2), ('mall', 2), ('betaling', 2), ('sense', 2), ('respective', 2), ('ish', 2), ('atr', 2), ('sfae', 2), ('frrom', 2), ('donload', 2), ('clevebridge', 2), ('rowdy', 2), ('registed', 2), ('suported', 2), ('signs', 2), ('travelling', 2), ('propose', 2), ('olivia', 2), ('ulrik', 2), ('forefox', 2), ('upstairs', 2), ('grandmothers', 2), ('research', 2), ('jeremiah', 2), ('abnormally', 2), ('imagine', 2), ('owners', 2), ('excluding', 2), ('misinformed', 2), ('differ', 2), ('elswhere', 2), ('tatu', 2), ('subcrition', 2), ('onlly', 2), ('consult', 2), ('aan', 2), ('aah', 2), ('symatic', 2), ('aas', 2), ('nikolaj', 2), ('organisations', 2), ('packag', 2), ('nikolas', 2), ('internat', 2), ('happeneing', 2), ('recognizing', 2), ('armarni', 2), ('debited', 2), ('tpo', 2), ('administrate', 2), ('xcode', 2), ('ugu', 2), ('wndows', 2), ('sayin', 2), ('writes', 2), ('sucsess', 2), ('aashish', 2), ('cry', 2), ('inbuilt', 2), ('crg', 2), ('ses', 2), ('unitool', 2), ('bransom', 2), ('mybe', 2), ('announcement', 2), ('incident', 2), ('improved', 2), ('hyperlink', 2), ('konstantinos', 2), ('maynur', 2), ('anitvirus', 2), ('bell', 2), ('darlene', 2), ('publishing', 2), ('acceptance', 2), ('firt', 2), ('lzbk', 2), ('von', 2), ('binding', 2), ('moto', 2), ('englishandcomment', 2), ('rules', 2), ('resulting', 2), ('comprehensive', 2), ('copmuter', 2), ('sesure', 2), ('downlod', 2), ('sime', 2), ('unti', 2), ('crying', 2), ('hwow', 2), ('tomas', 2), ('australia', 2), ('liscenses', 2), ('tweaks', 2), ('fasle', 2), ('sight', 2), ('dating', 2), ('pietro', 2), ('icloud', 2), ('garbage', 2), ('trackingname', 2), ('redeemed', 2), ('chad', 2), ('chap', 2), ('stoping', 2), ('geraldine', 2), ('hella', 2), ('walker', 2), ('webchat', 2), ('refound', 2), ('unzip', 2), ('marry', 2), ('errormessage', 2), ('licenser', 2), ('quenten', 2), ('indian', 2), ('firms', 2), ('pfyk', 2), ('led', 2), ('gathered', 2), ('len', 2), ('ubuntu', 2), ('maker', 2), ('standing', 2), ('liisa', 2), ('rubbish', 2), ('thid', 2), ('purposes', 2), ('itune', 2), ('activeted', 2), ('reinstated', 2), ('scammed', 2), ('efficiently', 2), ('redundant', 2), ('erasing', 2), ('produces', 2), ('automatical', 2), ('subsctiption', 2), ('therefor', 2), ('docs', 2), ('bothering', 2), ('realize', 2), ('damian', 2), ('beneath', 2), ('dissappeared', 2), ('static', 2), ('softeware', 2), ('sacure', 2), ('bag', 2), ('frend', 2), ('installled', 2), ('opengl', 2), ('substatus', 2), ('length', 2), ('pwcqd', 2), ('exp', 2), ('partnership', 2), ('spelled', 2), ('viewed', 2), ('mechanism', 2), ('printers', 2), ('rjh', 2), ('handle', 2), ('circulation', 2), ('gbj', 2), ('stijn', 2), ('qty', 2), ('bth', 2), ('quickest', 2), ('youll', 2), ('miroslav', 2), ('tls', 2), ('tlv', 2), ('juhana', 2), ('dobromir', 2), ('conclude', 2), ('authorised', 2), ('wiat', 2), ('keying', 2), ('openvpn', 2), ('graphics', 2), ('rbl', 2), ('delaying', 2), ('foudn', 2), ('optimistic', 2), ('ransom', 2), ('highlighted', 2), ('pauli', 2), ('expand', 2), ('illogical', 2), ('acknowledgement', 2), ('audio', 2), ('kontakt', 2), ('newest', 2), ('registrated', 2), ('wen', 2), ('accouts', 2), ('belgium', 2), ('coudlnt', 2), ('homesafe', 2), ('michaela', 2), ('flickering', 2), ('receved', 2), ('terminal', 2), ('thier', 2), ('doen', 2), ('threl', 2), ('puts', 2), ('kingsley', 2), ('yry', 2), ('packard', 2), ('convince', 2), ('virsus', 2), ('distribution', 2), ('hvae', 2), ('ind', 2), ('cutomer', 2), ('effected', 2), ('torgeir', 2), ('rule', 2), ('jyrki', 2), ('accescode', 2), ('isd', 2), ('nirsoft', 2), ('stinks', 2), ('porno', 2), ('litle', 2), ('eirl', 2), ('cmd', 2), ('wweft', 2), ('tryied', 2), ('cameron', 2), ('chen', 2), ('microsofts', 2), ('simultaneously', 2), ('aks', 2), ('employees', 2), ('vinesh', 2), ('stofa', 2), ('welika', 2), ('negative', 2), ('xzan', 2), ('choosed', 2), ('bunnies', 2), ('kode', 2), ('tnm', 2), ('malgorzata', 2), ('adblocker', 2), ('novis', 2), ('aanschaffen', 2), ('secre', 2), ('lab', 2), ('suing', 2), ('strt', 2), ('fan', 2), ('zen', 2), ('woked', 2), ('thes', 2), ('alexis', 2), ('helpme', 2), ('balint', 2), ('logn', 2), ('thorugh', 2), ('ntl', 2), ('nto', 2), ('reconnected', 2), ('timothy', 2), ('rates', 2), ('reregistering', 2), ('design', 2), ('nothign', 2), ('reall', 2), ('alcatel', 2), ('overnight', 2), ('assorting', 2), ('donica', 2), ('jeniffer', 2), ('pearson', 2), ('covering', 2), ('compensation', 2), ('rudimentary', 2), ('downgraded', 2), ('kitchen', 2), ('ile', 2), ('cod', 2), ('receives', 2), ('spear', 2), ('toni', 2), ('jaye', 2), ('nalle', 2), ('dozens', 2), ('pcannet', 2), ('launches', 2), ('reija', 2), ('formatting', 2), ('launched', 2), ('cont', 2), ('proplem', 2), ('authorise', 2), ('jerry', 2), ('wheel', 2), ('independent', 2), ('secuirty', 2), ('evip', 2), ('mesage', 2), ('niw', 2), ('nit', 2), ('thy', 2), ('thw', 2), ('ths', 2), ('newton', 2), ('donwload', 2), ('nabeel', 2), ('shoul', 2), ('josh', 2), ('collegeas', 2), ('puters', 2), ('capt', 2), ('caps', 2), ('unfounded', 2), ('bpt', 2), ('honored', 2), ('sendt', 2), ('bootup', 2), ('freebox', 2), ('sadiq', 2), ('onthe', 2), ('theirs', 2), ('gursewak', 2), ('delighted', 2), ('enything', 2), ('malewarebytes', 2), ('freedomevpn', 2), ('mth', 2), ('firewalls', 2), ('expertise', 2), ('joni', 2), ('belive', 2), ('fox', 2), ('whitout', 2), ('switches', 2), ('anand', 2), ('supposedly', 2), ('bruan', 2), ('anonymous', 2), ('gui', 2), ('happends', 2), ('gus', 2), ('soooo', 2), ('hte', 2), ('regret', 2), ('discover', 2), ('shares', 2), ('stefan', 2), ('didnot', 2), ('botek', 2), ('adresses', 2), ('subscraption', 2), ('exiting', 2), ('mnbv', 2), ('mobil', 2), ('advn', 2), ('genelyn', 2), ('ibm', 2), ('cab', 2), ('spy', 2), ('dedicated', 2), ('topic', 2), ('andname', 2), ('jfmt', 2), ('fortunately', 2), ('pqr', 2), ('exsiting', 2), ('typical', 2), ('acknowledge', 2), ('noo', 2), ('halt', 2), ('nog', 2), ('introduce', 2), ('permanantly', 2), ('stockholm', 2), ('vpns', 2), ('yeas', 2), ('accomplish', 2), ('scaning', 2), ('diagnostic', 2), ('argh', 2), ('inputting', 2), ('isidoro', 2), ('lindsey', 2), ('blind', 2), ('idoits', 2), ('fsecures', 2), ('frame', 2), ('thas', 2), ('macine', 2), ('thay', 2), ('googel', 2), ('remained', 2), ('engin', 2), ('shevonne', 2), ('america', 2), ('mru', 2), ('ismael', 2), ('wasnot', 2), ('subfolders', 2), ('doesent', 2), ('choise', 2), ('paied', 2), ('patricai', 2), ('malcustomer', 2), ('ordernumber', 2), ('keyed', 2), ('ckqa', 2), ('burst', 2), ('physically', 2), ('namely', 2), ('actively', 2), ('landline', 2), ('virgile', 2), ('analyzed', 2), ('bilal', 2), ('resides', 2), ('nils', 2), ('renewall', 2), ('exploit', 2), ('oder', 2), ('elvis', 2), ('eis', 2), ('bjarne', 2), ('vyxq', 2), ('widows', 2), ('everythime', 2), ('helge', 2), ('vestercustomer', 2), ('ccc', 2), ('redirects', 2), ('seams', 2), ('ditt', 2), ('hover', 2), ('listening', 2), ('lady', 2), ('blackberry', 2), ('questionnaire', 2), ('unlocker', 2), ('epson', 2), ('equivalent', 2), ('habe', 2), ('dzg', 2), ('greatly', 2), ('underway', 2), ('invested', 2), ('freeing', 2), ('accoount', 2), ('lignes', 2), ('yout', 2), ('aref', 2), ('lof', 2), ('msoffice', 2), ('coustemer', 2), ('christos', 2), ('yor', 2), ('dadspc', 2), ('acutally', 2), ('spyhunter', 2), ('couse', 2), ('overseas', 2), ('monte', 2), ('connectionmalfunction', 2), ('lammert', 2), ('confidential', 2), ('bombarded', 2), ('vera', 2), ('study', 2), ('cookies', 2), ('nano', 2), ('bernhard', 2), ('iran', 2), ('arend', 2), ('jrh', 2), ('glitch', 2), ('jry', 2), ('ash', 2), ('strobleshoot', 2), ('avaialble', 2), ('fraudster', 2), ('authorization', 2), ('terrible', 2), ('valueable', 2), ('oriel', 2), ('compagny', 2), ('utilize', 2), ('reject', 2), ('optimism', 2), ('thnak', 2), ('held', 2), ('helo', 2), ('reluctance', 2), ('undestand', 2), ('goodmorning', 2), ('mamdouh', 2), ('foor', 2), ('swapping', 2), ('payee', 2), ('iff', 2), ('ooops', 2), ('obligated', 2), ('wwhen', 2), ('beyond', 2), ('timeline', 2), ('puf', 2), ('pensioner', 2), ('earliest', 2), ('creagh', 2), ('opps', 2), ('kuno', 2), ('reflected', 2), ('isnot', 2), ('horse', 2), ('aplications', 2), ('eddy', 2), ('toward', 2), ('proected', 2), ('lil', 2), ('lik', 2), ('lis', 2), ('experienced', 2), ('securiry', 2), ('knwo', 2), ('randd', 2), ('rigth', 2), ('myfsecure', 2), ('throwing', 2), ('practice', 2), ('probable', 2), ('wot', 2), ('davina', 2), ('incompatibility', 2), ('zipped', 2), ('dana', 2), ('medion', 2), ('stoped', 2), ('packs', 2), ('rwc', 2), ('rember', 2), ('josiane', 2), ('belong', 2), ('marieta', 2), ('wnat', 2), ('shal', 2), ('poland', 2), ('vye', 2), ('savvy', 2), ('coul', 2), ('nikki', 2), ('submission', 2), ('signal', 2), ('ychm', 2), ('ishould', 2), ('modus', 2), ('towards', 2), ('mmmmm', 2), ('debra', 2), ('reappear', 2), ('factor', 2), ('placing', 2), ('consultation', 2), ('assits', 2), ('roxanne', 2), ('reed', 2), ('intuitive', 2), ('amounts', 2), ('nah', 2), ('sounded', 2), ('danmark', 2), ('corectly', 2), ('xagcn', 2), ('nkkdx', 2), ('maar', 2), ('aplle', 2), ('routers', 2), ('yca', 2), ('upsetting', 2), ('commercial', 2), ('logout', 2), ('kristin', 2), ('joost', 2), ('clare', 2), ('wih', 2), ('allmost', 2), ('ride', 2), ('renow', 2), ('retried', 2), ('hides', 2), ('promted', 2), ('bzlp', 2), ('sonos', 2), ('acccount', 2), ('oslo', 2), ('favourites', 2), ('huud', 2), ('tqbr', 2), ('bouhgt', 2), ('valarie', 2), ('jhfj', 2), ('attachments', 2), ('sandy', 2), ('sandx', 2), ('expfi', 2), ('stroppy', 2), ('florida', 2), ('austin', 2), ('bootcamp', 2), ('separetly', 2), ('hehe', 2), ('hiding', 2), ('arild', 2), ('minimol', 2), ('everythign', 2), ('fuzzy', 2), ('ber', 2), ('lorcustomer', 2), ('screw', 2), ('deploy', 2), ('veronique', 2), ('mange', 2), ('fjf', 2), ('snapshot', 2), ('fbzmt', 2), ('controll', 2), ('phillipines', 2), ('qtvz', 2), ('ngx', 2), ('achieve', 2), ('overall', 2), ('tbv', 2), ('rthat', 2), ('endless', 2), ('brillianrt', 2), ('legacy', 2), ('operated', 2), ('tend', 2), ('horrible', 2), ('securesafe', 2), ('limits', 2), ('minds', 2), ('johann', 2), ('orin', 2), ('orig', 2), ('sustem', 2), ('suposed', 2), ('yag', 2), ('fccustomer', 2), ('otp', 2), ('chaman', 2), ('resident', 2), ('simone', 2), ('speaker', 2), ('mirjana', 2), ('prjc', 2), ('buzz', 2), ('ugur', 2), ('ashley', 2), ('procuct', 2), ('siba', 2), ('cucb', 2), ('accurate', 2), ('sources', 2), ('tapani', 2), ('homework', 2), ('markku', 2), ('andmckv', 2), ('alternatively', 2), ('overlap', 2), ('prohibited', 2), ('mmlbc', 2), ('recognized', 2), ('canandcomment', 2), ('jailton', 2), ('networking', 2), ('beaulah', 2), ('klick', 2), ('brick', 2), ('cells', 2), ('tgzxp', 2), ('gwynne', 2), ('contest', 2), ('serveral', 2), ('jamming', 2), ('wamm', 2), ('tryout', 2), ('compny', 2), ('hnv', 2), ('imay', 2), ('pardon', 2), ('unauthorised', 2), ('warns', 2), ('integrity', 2), ('evey', 2), ('deemed', 2), ('pedro', 2), ('patches', 2), ('josaline', 2), ('circumvent', 2), ('tels', 2), ('leaks', 2), ('overhead', 2), ('warn', 2), ('concact', 2), ('nuruzla', 2), ('ygq', 2), ('macmini', 2), ('undergoing', 2), ('curiosity', 2), ('procted', 2), ('frequent', 2), ('tyring', 2), ('cred', 2), ('gchq', 2), ('combination', 2), ('unemployed', 2), ('addressses', 2), ('wene', 2), ('proted', 2), ('realtime', 2), ('revolving', 2), ('ramon', 2), ('deems', 2), ('passcode', 2), ('isa', 2), ('severly', 2), ('paypall', 2), ('somewhat', 2), ('hadnt', 2), ('accunt', 2), ('dissapears', 2), ('keyword', 2), ('soonest', 2), ('xckh', 2), ('knowlege', 2), ('tyo', 2), ('tyj', 2), ('reimbursement', 2), ('doe', 2), ('points', 2), ('dot', 2), ('thirds', 2), ('monica', 2), ('monzilla', 2), ('antimalware', 2), ('bat', 2), ('eggtiming', 2), ('mikkel', 2), ('petr', 2), ('payemnt', 2), ('zgeu', 2), ('enza', 2), ('springs', 2), ('ether', 2), ('tiny', 2), ('aske', 2), ('threw', 2), ('sunshine', 2), ('notebooksbilliger', 2), ('concerened', 2), ('lionel', 2), ('tank', 2), ('originate', 2), ('dificult', 2), ('nows', 2), ('seven', 2), ('filtered', 2), ('kis', 2), ('stressed', 2), ('kit', 2), ('vister', 2), ('settled', 2), ('yeh', 2), ('agon', 2), ('protocol', 2), ('defrag', 2), ('oeps', 2), ('sava', 2), ('gustav', 2), ('ops', 2), ('destroy', 2), ('murtaza', 2), ('performing', 2), ('unnecessary', 2), ('intermittently', 2), ('detections', 2), ('interestingly', 2), ('dear', 2), ('grading', 2), ('islands', 2), ('messege', 2), ('daud', 2), ('applety', 2), ('alreay', 2), ('logiciel', 2), ('infor', 2), ('stages', 2), ('diagnose', 2), ('classic', 2), ('sticky', 2), ('coverd', 2), ('instantchat', 2), ('warehouse', 2), ('holly', 2), ('died', 2), ('overdue', 2), ('titeca', 2), ('mallware', 2), ('fsecur', 2), ('marks', 2), ('tilauksesi', 2), ('din', 2), ('cheapest', 2), ('unexpected', 2), ('tnx', 2), ('era', 2), ('fibre', 2), ('dwars', 2), ('monies', 2), ('canadian', 2), ('diagnosed', 2), ('licensing', 2), ('thro', 2), ('checkout', 2), ('ook', 2), ('winston', 2), ('pword', 2), ('fonesafe', 2), ('ping', 2), ('pure', 2), ('staying', 2), ('mar', 2), ('mav', 2), ('mai', 2), ('josephine', 2), ('cuts', 2), ('licesne', 2), ('chandrasekhar', 2), ('tomorow', 2), ('tonia', 2), ('soemthing', 2), ('views', 2), ('sooner', 2), ('lunch', 2), ('gate', 2), ('qouted', 2), ('tandc', 2), ('arrows', 2), ('tapiwa', 2), ('licencse', 2), ('relys', 2), ('juul', 2), ('trys', 2), ('summary', 2), ('sensor', 2), ('varghese', 2), ('ore', 2), ('communicated', 2), ('loretta', 2), ('suspended', 2), ('meaningful', 2), ('buty', 2), ('nishad', 2), ('cleanse', 2), ('occupied', 2), ('shocked', 2), ('securityandcomment', 2), ('whizz', 2), ('cornel', 2), ('ineed', 2), ('varios', 2), ('uderstand', 2), ('executes', 2), ('anthing', 2), ('seat', 2), ('label', 2), ('parent', 2), ('elajm', 2), ('prabhudas', 2), ('kauko', 2), ('berdien', 2), ('sensible', 2), ('capable', 2), ('jostein', 2), ('dependable', 2), ('coupons', 2), ('wake', 2), ('profiles', 2), ('andpcid', 2), ('hmmmm', 2), ('antony', 2), ('ybex', 2), ('sincere', 2), ('marcel', 2), ('joonas', 2), ('differend', 2), ('disappointment', 2), ('aspect', 2), ('barbados', 2), ('nas', 2), ('mathias', 2), ('ekaterina', 2), ('throgh', 2), ('mot', 2), ('subcriptions', 2), ('joar', 2), ('heve', 2), ('merja', 2), ('ellie', 2), ('brigid', 2), ('visits', 2), ('manufacturer', 2), ('xng', 2), ('comnputer', 2), ('bcoz', 2), ('isent', 2), ('securoty', 2), ('tthis', 2), ('exsisting', 2), ('yupp', 2), ('cortana', 2), ('atime', 2), ('thoiught', 2), ('elion', 2), ('girlfriend', 2), ('receveid', 2), ('brands', 2), ('avaible', 2), ('talks', 2), ('plese', 2), ('thisis', 2), ('huddersfield', 2), ('osses', 2), ('maleware', 2), ('titled', 2), ('portable', 2), ('latptop', 2), ('compile', 2), ('abt', 2), ('activations', 2), ('resulted', 2), ('airport', 2), ('published', 2), ('fwp', 2), ('authorize', 2), ('emptied', 2), ('nothings', 2), ('destination', 2), ('comparing', 2), ('canon', 2), ('hudle', 2), ('det', 2), ('anneli', 2), ('dev', 2), ('abandon', 2), ('purchaser', 2), ('par', 2), ('questioning', 2), ('bkr', 2), ('qqr', 2), ('shuts', 2), ('youir', 2), ('responsibility', 2), ('excepted', 2), ('comfirmation', 2), ('thnx', 2), ('pci', 2), ('thnk', 2), ('hqnyt', 2), ('uhh', 2), ('suprise', 2), ('cleverridge', 2), ('subsystem', 2), ('katrine', 2), ('gmailaddress', 2), ('evaluation', 2), ('slooowww', 2), ('benefits', 2), ('computert', 2), ('viitenumero', 2), ('jette', 2), ('kow', 2), ('qlb', 2), ('orginally', 2), ('reinhard', 2), ('agen', 2), ('depending', 2), ('blanca', 2), ('qonit', 2), ('teemu', 2), ('cttpc', 2), ('pease', 2), ('networks', 2), ('finf', 2), ('konto', 2), ('idioti', 2), ('nervous', 2), ('gilly', 2), ('freedoms', 2), ('override', 2), ('weve', 2), ('suarez', 2), ('transfered', 2), ('renews', 2), ('reneww', 2), ('pissed', 2), ('defunct', 2), ('raise', 2), ('dropping', 2), ('gan', 2), ('vane', 2), ('gag', 2), ('unenstall', 2), ('klicked', 2), ('emphasize', 2), ('cryptowall', 2), ('sys', 2), ('registrate', 2), ('everythig', 2), ('everythin', 2), ('cup', 2), ('alternate', 2), ('mysecure', 2), ('snap', 2), ('bij', 2), ('carynn', 2), ('addressed', 2), ('sems', 2), ('absolutely', 2), ('reintall', 2), ('expiered', 2), ('xmjss', 2), ('onother', 2), ('tinnish', 2), ('windwos', 2), ('reciept', 2), ('subsc', 2), ('flghb', 2), ('bored', 2), ('oktober', 2), ('biggie', 2), ('carefull', 2), ('regedit', 2), ('cure', 2), ('amended', 2), ('subscrption', 2), ('failures', 2), ('sombody', 2), ('subskription', 2), ('unistallation', 2), ('acual', 2), ('uncomfortable', 2), ('copenhagen', 2), ('assisted', 2), ('susanna', 2), ('irritating', 2), ('extreme', 2), ('decrease', 2), ('resets', 2), ('chb', 2), ('readable', 2), ('upcoming', 2), ('train', 2), ('traid', 2), ('tunnel', 2), ('technichian', 2), ('fetch', 2), ('truoble', 2), ('revo', 2), ('regions', 2), ('chasing', 2), ('furnish', 2), ('broblem', 2), ('vaibhav', 2), ('abhinava', 2), ('rdnr', 2), ('cutting', 2), ('identifies', 2), ('virginmedianetworkinstaller', 2), ('que', 2), ('setdu', 2), ('interaction', 2), ('cured', 2), ('compatability', 2), ('costomer', 2), ('marcelo', 2), ('retain', 2), ('lagging', 2), ('scann', 2), ('thhis', 2), ('mysafeandlanguage', 2), ('completes', 2), ('flashed', 2), ('pmjk', 2), ('havw', 2), ('trpa', 2), ('yesterdays', 2), ('olbpre', 2), ('mia', 2), ('clivk', 2), ('gigantti', 2), ('screne', 2), ('grabbed', 2), ('bernard', 2), ('regularly', 2), ('hijacking', 2), ('pavm', 2), ('coworker', 2), ('csrf', 2), ('fixes', 2), ('teams', 2), ('grayham', 2), ('suddently', 2), ('fatou', 2), ('bruno', 2), ('custmer', 2), ('superior', 2), ('deliver', 2), ('legit', 2), ('joke', 2), ('equal', 2), ('futher', 2), ('passing', 2), ('ubscription', 2), ('bulk', 2), ('homes', 2), ('appearance', 2), ('tarja', 2), ('adv', 2), ('rebate', 2), ('ohhh', 2), ('everthing', 2), ('elapsed', 2), ('dubai', 2), ('workd', 2), ('authority', 2), ('infiltrated', 2), ('recommendation', 2), ('esd', 2), ('ralf', 2), ('dca', 2), ('testperiod', 2), ('pcrid', 2), ('rcf', 2), ('editing', 2), ('sophos', 2), ('exceeded', 2), ('duru', 2), ('claiming', 2), ('dvnr', 2), ('efvf', 2), ('whatsoever', 2), ('becebc', 2), ('rise', 2), ('cprogramdataf', 2), ('unde', 2), ('hide', 2), ('aktive', 2), ('insatll', 2), ('principle', 2), ('stevie', 2), ('wouls', 2), ('noting', 2), ('woult', 2), ('bzrp', 2), ('onit', 2), ('gysyp', 2), ('gadgets', 2), ('sitting', 2), ('enq', 2), ('eny', 2), ('badly', 2), ('rewed', 2), ('malicem', 2), ('swapped', 2), ('expectations', 2), ('destroyed', 2), ('sauli', 2), ('ezuz', 2), ('weekends', 2), ('affiliate', 2), ('consolidate', 2), ('macaffee', 2), ('apr', 2), ('filter', 2), ('heck', 2), ('hopeless', 2), ('corrections', 2), ('coding', 2), ('eqh', 2), ('formated', 2), ('inconvenient', 2), ('tof', 2), ('sercan', 2), ('kindest', 2), ('expn', 2), ('raz', 2), ('thorough', 2), ('oriented', 2), ('probleem', 2), ('pkw', 2), ('saga', 2), ('radio', 2), ('availability', 2), ('situations', 2), ('institution', 2), ('cecilie', 2), ('geen', 2), ('gareth', 2), ('num', 2), ('amalgamated', 2), ('continually', 2), ('referral', 2), ('bonjour', 2), ('contd', 2), ('catch', 2), ('soumya', 2), ('elv', 2), ('niko', 2), ('rnc', 2), ('virusses', 2), ('enlighten', 2), ('elk', 2), ('cherry', 2), ('breaks', 2), ('tuulikki', 2), ('cna', 2), ('instlled', 2), ('presence', 2), ('obtaining', 2), ('credited', 2), ('experia', 2), ('rely', 2), ('gia', 2), ('ure', 2), ('submitting', 2), ('tril', 2), ('trie', 2), ('recive', 2), ('reenter', 2), ('faithful', 2), ('techy', 2), ('papers', 2), ('tie', 2), ('vanished', 2), ('picture', 2), ('conect', 2), ('bloked', 2), ('delted', 2), ('uncovered', 2), ('alternatives', 2), ('colleen', 2), ('row', 2), ('environment', 2), ('spinning', 2), ('pleases', 2), ('backoffice', 2), ('pmt', 2), ('cyber', 2), ('hgbo', 2), ('substitute', 2), ('angeline', 2), ('goole', 2), ('conformation', 2), ('witch', 2), ('thirty', 2), ('healthy', 2), ('navigation', 2), ('candice', 2), ('correect', 2), ('handles', 2), ('handler', 2), ('encryption', 2), ('reorder', 2), ('combo', 2), ('offing', 2), ('wanda', 2), ('yjh', 2), ('symbaloo', 2), ('judy', 2), ('airtel', 2), ('interenet', 2), ('revalidate', 2), ('vital', 2), ('huge', 2), ('kaisa', 2), ('antyvirus', 2), ('midnight', 2), ('organisation', 2), ('puzzle', 2), ('vaild', 2), ('conversations', 2), ('pwkxn', 2), ('qualified', 2), ('custemor', 2), ('availble', 2), ('proctection', 2), ('theory', 2), ('acording', 2), ('origin', 2), ('mysteriousinfinite', 2), ('unobtainable', 2), ('bfcd', 2), ('anh', 2), ('nev', 2), ('klik', 2), ('anubhav', 2), ('donthave', 2), ('armando', 2), ('visitors', 2), ('reniew', 2), ('sequence', 2), ('quantity', 2), ('cheat', 2), ('hace', 2), ('recipt', 2), ('dys', 2), ('isit', 2), ('ssh', 2), ('lighter', 2), ('ashutosh', 2), ('instrutions', 2), ('discussing', 2), ('ouer', 2), ('encouraged', 2), ('pendrive', 2), ('aplett', 2), ('cash', 2), ('nassim', 2), ('shops', 2), ('unsatisfactory', 2), ('xvjsn', 2), ('discrepancy', 2), ('reminded', 2), ('html', 2), ('events', 2), ('bussiness', 2), ('persons', 2), ('arose', 2), ('minimize', 2), ('reimage', 2), ('haresh', 2), ('beye', 2), ('scheduled', 2), ('delhi', 2), ('competition', 2), ('elgiganten', 2), ('respect', 2), ('aloong', 2), ('martyna', 2), ('googled', 2), ('terrified', 2), ('karan', 2), ('marjorie', 2), ('lastly', 2), ('ehh', 2), ('bbv', 2), ('pqcnc', 2), ('cbc', 2), ('rvl', 2), ('intro', 2), ('relaunch', 2), ('finaly', 2), ('unresponsive', 2), ('booked', 2), ('migrated', 2), ('chinese', 2), ('aly', 2), ('ectect', 2), ('aaron', 2), ('stockman', 2), ('fay', 2), ('regulare', 2), ('annke', 2), ('lise', 2), ('escalation', 2), ('tea', 2), ('wheni', 2), ('reboots', 2), ('certainly', 2), ('shouldn', 2), ('gunnvor', 2), ('goodby', 2), ('mmm', 2), ('campaingn', 2), ('allowd', 2), ('exited', 2), ('demands', 2), ('interception', 2), ('klaes', 2), ('flat', 2), ('fandcomment', 2), ('known', 2), ('agentramen', 2), ('margitta', 2), ('pont', 2), ('naoyuki', 2), ('explaind', 2), ('occasionally', 2), ('acknowledging', 2), ('btnkn', 2), ('equivlent', 2), ('malene', 2), ('shadq', 2), ('comupters', 2), ('developed', 2), ('inquiries', 2), ('ricardo', 2), ('riku', 2), ('argentina', 2), ('hunter', 2), ('framework', 2), ('bigger', 2), ('ynk', 2), ('accedently', 2), ('yuor', 2), ('torben', 2), ('faqs', 2), ('thrown', 2), ('wll', 2), ('consequence', 2), ('feed', 2), ('fees', 2), ('gpa', 2), ('tuotteista', 2), ('dowloads', 2), ('headache', 2), ('risky', 2), ('tride', 2), ('referencenr', 2), ('inconvenience', 2), ('unstall', 2), ('kosovo', 2), ('fond', 2), ('stumped', 2), ('costing', 2), ('anvia', 2), ('shared', 2), ('hij', 2), ('plse', 2), ('defense', 2), ('attention', 2), ('relying', 2), ('sexure', 2), ('giles', 2), ('roman', 2), ('context', 2), ('reside', 2), ('ravi', 2), ('brouser', 2), ('tge', 2), ('dus', 2), ('refered', 2), ('buck', 2), ('philippine', 2), ('demand', 2), ('aged', 2), ('authenticated', 2), ('peoples', 2), ('holidays', 2), ('domains', 2), ('potsakis', 2), ('endeavour', 2), ('finder', 2), ('virustotal', 2), ('dvds', 2), ('unlimited', 2), ('capitals', 2), ('waitin', 2), ('ticking', 2), ('cupong', 2), ('cdhigg', 2), ('exceed', 2), ('smoothly', 2), ('jjgaisjxnvnjpufl', 2), ('highlight', 2), ('secutity', 2), ('secore', 2), ('gra', 2), ('muddled', 2), ('disposal', 2), ('breach', 2), ('wishes', 2), ('istalled', 2), ('folk', 2), ('irenewed', 2), ('instruktions', 2), ('astrid', 2), ('apk', 2), ('kristina', 2), ('usd', 2), ('hypothetically', 2), ('fez', 2), ('sory', 2), ('tar', 2), ('tax', 2), ('miika', 2), ('interrupted', 2), ('feedome', 2), ('emanuel', 2), ('martine', 2), ('martina', 2), ('spotify', 2), ('byu', 2), ('qgh', 2), ('invitations', 2), ('worlds', 2), ('proses', 2), ('fiddle', 2), ('bills', 2), ('seperated', 2), ('category', 2), ('okee', 2), ('enhets', 2), ('disclose', 2), ('thius', 2), ('feasible', 2), ('ltd', 2), ('carleen', 2), ('dawnload', 2), ('holland', 2), ('boring', 2), ('emmett', 2), ('clickbank', 2), ('explicit', 2), ('alerted', 2), ('kristy', 2), ('bough', 2), ('agency', 2), ('fcfxbrne', 2), ('whe', 2), ('combat', 2), ('rthe', 2), ('whi', 2), ('deny', 2), ('uefi', 2), ('veyx', 2), ('chances', 2), ('fear', 2), ('moet', 2), ('operational', 2), ('lemme', 2), ('workin', 2), ('watching', 2), ('oney', 2), ('chips', 2), ('queried', 2), ('invaded', 2), ('module', 2), ('veljko', 2), ('cornelius', 2), ('lojack', 2), ('reconnecting', 2), ('logmeinrescue', 2), ('validating', 2), ('inbound', 2), ('unlike', 2), ('cursor', 2), ('passord', 2), ('wild', 2), ('reft', 2), ('avs', 2), ('passowrd', 2), ('gett', 2), ('definately', 2), ('wvdxqfff', 2), ('heavily', 2), ('nicky', 2), ('nuzzula', 2), ('identical', 2), ('platforms', 2), ('patiently', 2), ('ripped', 2), ('analyses', 2), ('shipping', 2), ('fired', 2), ('sabri', 2), ('progra', 2), ('vat', 2), ('demonstrate', 2), ('mys', 2), ('mye', 2), ('cupon', 2), ('book', 2), ('rial', 2), ('tajudeen', 1), ('internert', 1), ('gabriella', 1), ('unblocked', 1), ('lord', 1), ('papmv', 1), ('bancustomer', 1), ('malfunctioned', 1), ('wju', 1), ('basics', 1), ('sture', 1), ('ffor', 1), ('hero', 1), ('interrupting', 1), ('reactivated', 1), ('unin', 1), ('etug', 1), ('brower', 1), ('txt', 1), ('cicked', 1), ('relay', 1), ('relax', 1), ('hereby', 1), ('eaqf', 1), ('organized', 1), ('bluescreen', 1), ('hot', 1), ('preferable', 1), ('ronnie', 1), ('typer', 1), ('taljinder', 1), ('securenetworkinstaller', 1), ('diffrent', 1), ('fil', 1), ('jorjanna', 1), ('kzhxx', 1), ('smt', 1), ('smb', 1), ('clarence', 1), ('jennie', 1), ('estimate', 1), ('ata', 1), ('atk', 1), ('heading', 1), ('sanggaard', 1), ('fredom', 1), ('gilbert', 1), ('doreen', 1), ('tree', 1), ('trey', 1), ('idle', 1), ('comersial', 1), ('okie', 1), ('doit', 1), ('organization', 1), ('camp', 1), ('tips', 1), ('corrent', 1), ('meg', 1), ('viitenumerosi', 1), ('ire', 1), ('parallels', 1), ('gwyn', 1), ('accident', 1), ('erus', 1), ('soory', 1), ('compuer', 1), ('gxj', 1), ('vikram', 1), ('recomend', 1), ('eastern', 1), ('worker', 1), ('enquiries', 1), ('michela', 1), ('ugrade', 1), ('prj', 1), ('majic', 1), ('marjo', 1), ('tedcustomer', 1), ('vivien', 1), ('tcustomer', 1), ('anneke', 1), ('smothly', 1), ('kwhr', 1), ('downloded', 1), ('pakage', 1), ('gruzd', 1), ('imack', 1), ('har', 1), ('consultants', 1), ('xrrr', 1), ('licience', 1), ('eps', 1), ('whwt', 1), ('tami', 1), ('loreto', 1), ('music', 1), ('understandable', 1), ('safeguard', 1), ('azc', 1), ('palo', 1), ('ericsson', 1), ('role', 1), ('becase', 1), ('glass', 1), ('edvin', 1), ('ven', 1), ('lenette', 1), ('curd', 1), ('aplet', 1), ('upate', 1), ('chargeable', 1), ('angry', 1), ('keyncspbc', 1), ('roxanna', 1), ('scope', 1), ('jzhang', 1), ('shanice', 1), ('taufig', 1), ('evidently', 1), ('haveing', 1), ('undertook', 1), ('astrill', 1), ('willnot', 1), ('stress', 1), ('wolves', 1), ('reisntall', 1), ('tuneup', 1), ('shoudl', 1), ('grethe', 1), ('interner', 1), ('million', 1), ('shaquid', 1), ('brasil', 1), ('ono', 1), ('parkinson', 1), ('spanish', 1), ('okpl', 1), ('ashby', 1), ('vibeke', 1), ('russia', 1), ('veilig', 1), ('sae', 1), ('somethings', 1), ('axu', 1), ('backdrop', 1), ('slot', 1), ('activ', 1), ('dispute', 1), ('guarded', 1), ('ahmad', 1), ('xmas', 1), ('wud', 1), ('marvin', 1), ('residence', 1), ('instyall', 1), ('west', 1), ('breath', 1), ('combined', 1), ('roald', 1), ('isabella', 1), ('candace', 1), ('ivy', 1), ('wilhelm', 1), ('techqure', 1), ('blakeburn', 1), ('nessa', 1), ('mohsin', 1), ('gdc', 1), ('equilla', 1), ('restaring', 1), ('sums', 1), ('dark', 1), ('vague', 1), ('tuuli', 1), ('britt', 1), ('cristina', 1), ('noon', 1), ('nook', 1), ('oliver', 1), ('nuydj', 1), ('andbtag', 1), ('centurylink', 1), ('industry', 1), ('andoid', 1), ('addons', 1), ('charle', 1), ('qkvgk', 1), ('hei', 1), ('elimination', 1), ('olumide', 1), ('reinsall', 1), ('pertti', 1), ('intallation', 1), ('summit', 1), ('installasjon', 1), ('annen', 1), ('tricky', 1), ('telenor', 1), ('mccarthy', 1), ('careful', 1), ('nuzala', 1), ('fescue', 1), ('leiv', 1), ('paymnet', 1), ('pulls', 1), ('oddmar', 1), ('rhen', 1), ('male', 1), ('xxxx', 1), ('att', 1), ('variant', 1), ('refuse', 1), ('corredt', 1), ('leroy', 1), ('moussa', 1), ('inloggen', 1), ('wrk', 1), ('bummer', 1), ('isaac', 1), ('abdul', 1), ('skipped', 1), ('fior', 1), ('beveiliging', 1), ('reinoud', 1), ('unusable', 1), ('jeg', 1), ('jen', 1), ('johnson', 1), ('mmmm', 1), ('aad', 1), ('veijo', 1), ('bhn', 1), ('jgkm', 1), ('bhd', 1), ('fter', 1), ('jerzy', 1), ('petaling', 1), ('ruud', 1), ('gyq', 1), ('detals', 1), ('keychain', 1), ('nenad', 1), ('fsav', 1), ('kabelbw', 1), ('obscure', 1), ('sthu', 1), ('crm', 1), ('byron', 1), ('emad', 1), ('emal', 1), ('rejecting', 1), ('unticked', 1), ('improves', 1), ('probaly', 1), ('loan', 1), ('devic', 1), ('relatively', 1), ('dident', 1), ('aapo', 1), ('infect', 1), ('nrd', 1), ('formate', 1), ('kingdom', 1), ('bankaccount', 1), ('shorter', 1), ('mavis', 1), ('honor', 1), ('deinstall', 1), ('composed', 1), ('theer', 1), ('yah', 1), ('parents', 1), ('rfrmf', 1), ('jake', 1), ('manne', 1), ('spring', 1), ('sampo', 1), ('welling', 1), ('inserting', 1), ('irwan', 1), ('katie', 1), ('fzp', 1), ('custom', 1), ('ling', 1), ('cia', 1), ('defined', 1), ('kaikki', 1), ('demirel', 1), ('lane', 1), ('walked', 1), ('siteadvisor', 1), ('partial', 1), ('essam', 1), ('tomtom', 1), ('hungary', 1), ('ues', 1), ('index', 1), ('waning', 1), ('uhmm', 1), ('oleksandr', 1), ('michiel', 1), ('guideline', 1), ('lesli', 1), ('alexej', 1), ('pair', 1), ('ayvx', 1), ('counted', 1), ('nfvon', 1), ('clarisse', 1), ('espen', 1), ('recreating', 1), ('shold', 1), ('cust', 1), ('nada', 1), ('gnyr', 1), ('refering', 1), ('tulay', 1), ('liceses', 1), ('betty', 1), ('versjon', 1), ('glasses', 1), ('books', 1), ('castiel', 1), ('shud', 1), ('allerede', 1), ('owned', 1), ('jesus', 1), ('licene', 1), ('aryan', 1), ('cmcc', 1), ('goodnight', 1), ('tessa', 1), ('efren', 1), ('nancy', 1), ('installling', 1), ('progams', 1), ('skybet', 1), ('pause', 1), ('jaj', 1), ('jag', 1), ('emsisoft', 1), ('reid', 1), ('inone', 1), ('packed', 1), ('pmkgy', 1), ('iscorrect', 1), ('restrictions', 1), ('chromium', 1), ('yfepe', 1), ('theyve', 1), ('cvl', 1), ('eithr', 1), ('politics', 1), ('gjgq', 1), ('juan', 1), ('ball', 1), ('ofr', 1), ('vickie', 1), ('poblem', 1), ('ozdkx', 1), ('winnie', 1), ('terminating', 1), ('yeasterday', 1), ('haul', 1), ('explaination', 1), ('emmy', 1), ('recognition', 1), ('februari', 1), ('restared', 1), ('traces', 1), ('miner', 1), ('frist', 1), ('grayed', 1), ('whitton', 1), ('mera', 1), ('mere', 1), ('frustration', 1), ('asko', 1), ('wiliam', 1), ('ing', 1), ('ina', 1), ('wxp', 1), ('hpr', 1), ('misha', 1), ('bdhbp', 1), ('wgaf', 1), ('ucjz', 1), ('glennie', 1), ('riccardo', 1), ('ciao', 1), ('saver', 1), ('dragged', 1), ('deutsch', 1), ('vivienne', 1), ('ikaria', 1), ('swtich', 1), ('err', 1), ('jess', 1), ('appologies', 1), ('farce', 1), ('lay', 1), ('lindsay', 1), ('zev', 1), ('coffee', 1), ('pptp', 1), ('dhx', 1), ('band', 1), ('propably', 1), ('hoster', 1), ('subription', 1), ('hooked', 1), ('xgak', 1), ('ntn', 1), ('staworowski', 1), ('rzmbc', 1), ('lousy', 1), ('ahgge', 1), ('flick', 1), ('mervyn', 1), ('tem', 1), ('haggard', 1), ('ebay', 1), ('minut', 1), ('contents', 1), ('ypu', 1), ('convenient', 1), ('swaminathan', 1), ('nobody', 1), ('pannel', 1), ('helpdesk', 1), ('scustomer', 1), ('yey', 1), ('cou', 1), ('cox', 1), ('crtmt', 1), ('preben', 1), ('jaya', 1), ('qvbm', 1), ('attacked', 1), ('remi', 1), ('renwal', 1), ('prescribed', 1), ('thk', 1), ('yyou', 1), ('thankk', 1), ('weiss', 1), ('wright', 1), ('gcustomer', 1), ('arab', 1), ('vqbt', 1), ('png', 1), ('mabe', 1), ('vdv', 1), ('qxp', 1), ('screeen', 1), ('bort', 1), ('purple', 1), ('bahr', 1), ('dayes', 1), ('peer', 1), ('sameh', 1), ('wad', 1), ('sfc', 1), ('olgun', 1), ('absent', 1), ('mtx', 1), ('emil', 1), ('accees', 1), ('yhjny', 1), ('tess', 1), ('irma', 1), ('reception', 1), ('yvt', 1), ('jahre', 1), ('absolutly', 1), ('compensate', 1), ('uma', 1), ('brown', 1), ('hannah', 1), ('gua', 1), ('hven', 1), ('aijaz', 1), ('vibrating', 1), ('ekr', 1), ('emial', 1), ('mzwt', 1), ('qwfc', 1), ('cav', 1), ('cat', 1), ('iframe', 1), ('cal', 1), ('productive', 1), ('apzh', 1), ('kiira', 1), ('scannow', 1), ('kljy', 1), ('halp', 1), ('nok', 1), ('nop', 1), ('cliffs', 1), ('naming', 1), ('calling', 1), ('furthermore', 1), ('andcoupon', 1), ('downloaderwm', 1), ('bookmark', 1), ('caught', 1), ('hummm', 1), ('thak', 1), ('quad', 1), ('eliminated', 1), ('vishal', 1), ('tham', 1), ('hsbc', 1), ('surname', 1), ('wcp', 1), ('frefox', 1), ('terrific', 1), ('numero', 1), ('mrx', 1), ('asennus', 1), ('uter', 1), ('coreect', 1), ('truls', 1), ('truly', 1), ('undertand', 1), ('seldom', 1), ('bulgaria', 1), ('ytt', 1), ('vermeiren', 1), ('conected', 1), ('finnished', 1), ('reinder', 1), ('carey', 1), ('maryan', 1), ('uxe', 1), ('ship', 1), ('rameshwar', 1), ('pairoj', 1), ('heaps', 1), ('fcipoeng', 1), ('onscreen', 1), ('usinf', 1), ('stockcharts', 1), ('secrurity', 1), ('annually', 1), ('exposed', 1), ('guillermo', 1), ('englisch', 1), ('barrie', 1), ('tds', 1), ('sattlate', 1), ('comparison', 1), ('meotj', 1), ('loc', 1), ('cato', 1), ('ealier', 1), ('proposal', 1), ('reperchase', 1), ('miguel', 1), ('kostas', 1), ('tengo', 1), ('gambling', 1), ('yos', 1), ('chameni', 1), ('nederlands', 1), ('messy', 1), ('revoke', 1), ('correc', 1), ('frederic', 1), ('verl', 1), ('wiill', 1), ('gayle', 1), ('gogle', 1), ('yosief', 1), ('certificates', 1), ('learned', 1), ('kzx', 1), ('simcard', 1), ('creepy', 1), ('huib', 1), ('freda', 1), ('dowloaded', 1), ('hurry', 1), ('subscibe', 1), ('rodrigo', 1), ('magenta', 1), ('uncheck', 1), ('seperately', 1), ('triel', 1), ('rudy', 1), ('dmmxp', 1), ('thansk', 1), ('uvk', 1), ('computors', 1), ('miten', 1), ('digging', 1), ('ceo', 1), ('cen', 1), ('rwp', 1), ('cet', 1), ('adri', 1), ('heavy', 1), ('dia', 1), ('ekego', 1), ('thks', 1), ('mohinder', 1), ('merry', 1), ('tryal', 1), ('station', 1), ('ncg', 1), ('imformation', 1), ('sth', 1), ('stu', 1), ('fausta', 1), ('dtw', 1), ('kara', 1), ('sentences', 1), ('scotland', 1), ('lqeh', 1), ('kai', 1), ('freddie', 1), ('mach', 1), ('procede', 1), ('merve', 1), ('registerd', 1), ('registers', 1), ('devicees', 1), ('questioin', 1), ('feels', 1), ('interim', 1), ('egil', 1), ('tatiana', 1), ('assistants', 1), ('buisness', 1), ('alto', 1), ('jaswant', 1), ('rusculleda', 1), ('darrell', 1), ('bom', 1), ('zoltan', 1), ('blair', 1), ('vyr', 1), ('fiances', 1), ('kasperksy', 1), ('moira', 1), ('eunice', 1), ('fathers', 1), ('liecences', 1), ('levonia', 1), ('aman', 1), ('irmeli', 1), ('faith', 1), ('sukhwinder', 1), ('sake', 1), ('ida', 1), ('dude', 1), ('rayford', 1), ('etisalat', 1), ('hgtq', 1), ('dhqse', 1), ('productkey', 1), ('willem', 1), ('doest', 1), ('ialso', 1), ('nav', 1), ('nay', 1), ('evan', 1), ('svp', 1), ('kati', 1), ('caht', 1), ('urfdc', 1), ('cellular', 1), ('cdu', 1), ('bxj', 1), ('olav', 1), ('thunderbird', 1), ('kleanthis', 1), ('activationcode', 1), ('xlqf', 1), ('ajit', 1), ('danger', 1), ('austria', 1), ('personen', 1), ('hydra', 1), ('netumbo', 1), ('veikko', 1), ('majken', 1), ('fuck', 1), ('aleady', 1), ('disabling', 1), ('edny', 1), ('posibile', 1), ('konrad', 1), ('kenny', 1), ('whart', 1), ('sought', 1), ('agao', 1), ('kian', 1), ('georg', 1), ('talal', 1), ('kwwqj', 1), ('xqg', 1), ('dermot', 1), ('vipfi', 1), ('ccandrccid', 1), ('anirban', 1), ('front', 1), ('crossing', 1), ('sandi', 1), ('inverted', 1), ('neccesary', 1), ('pvt', 1), ('wrapper', 1), ('cyp', 1), ('cya', 1), ('asmov', 1), ('herself', 1), ('anyhting', 1), ('arnfinn', 1), ('beg', 1), ('barb', 1), ('nees', 1), ('giorgos', 1), ('gratefull', 1), ('expirey', 1), ('parenting', 1), ('coorect', 1), ('thta', 1), ('uudelleen', 1), ('paulines', 1), ('rabbe', 1), ('employee', 1), ('gray', 1), ('bloking', 1), ('sha', 1), ('reconfirm', 1), ('importance', 1), ('screesn', 1), ('kep', 1), ('pllease', 1), ('olga', 1), ('yay', 1), ('cent', 1), ('pontus', 1), ('mths', 1), ('owns', 1), ('bucks', 1), ('tapped', 1), ('tietoturva', 1), ('ebele', 1), ('discord', 1), ('mistakes', 1), ('laurel', 1), ('lauren', 1), ('recomending', 1), ('fernando', 1), ('candy', 1), ('shen', 1), ('shek', 1), ('competitor', 1), ('wnen', 1), ('puedo', 1), ('berris', 1), ('freedon', 1), ('recustomer', 1), ('aplication', 1), ('pointless', 1), ('gruppe', 1), ('ean', 1), ('education', 1), ('diego', 1), ('bfll', 1), ('portion', 1), ('whose', 1), ('buddy', 1), ('visable', 1), ('dorine', 1), ('georgia', 1), ('asia', 1), ('lights', 1), ('probelm', 1), ('mee', 1), ('mel', 1), ('met', 1), ('oman', 1), ('loos', 1), ('drj', 1), ('remenber', 1), ('helmuth', 1), ('wheer', 1), ('survive', 1), ('excede', 1), ('posting', 1), ('expose', 1), ('ward', 1), ('involve', 1), ('rif', 1), ('satu', 1), ('refrence', 1), ('stupidity', 1), ('confim', 1), ('mohammadcustomer', 1), ('registrer', 1), ('aston', 1), ('tthe', 1), ('protectio', 1), ('hngn', 1), ('protec', 1), ('esbjerg', 1), ('royston', 1), ('sluggish', 1), ('switchd', 1), ('tasha', 1), ('iphon', 1), ('ise', 1), ('kornelia', 1), ('refnr', 1), ('arturo', 1), ('begins', 1), ('lenova', 1), ('sees', 1), ('chek', 1), ('translator', 1), ('clears', 1), ('doi', 1), ('doo', 1), ('sheryl', 1), ('tobcustomer', 1), ('coast', 1), ('nummber', 1), ('faiza', 1), ('shuld', 1), ('witout', 1), ('zkvxm', 1), ('epqp', 1), ('administator', 1), ('seach', 1), ('vernon', 1), ('mukesh', 1), ('paladino', 1), ('differant', 1), ('eemail', 1), ('tcxu', 1), ('mch', 1), ('gracias', 1), ('dokument', 1), ('receit', 1), ('roland', 1), ('ello', 1), ('ella', 1), ('mihaly', 1), ('facts', 1), ('yer', 1), ('fsecurity', 1), ('whichever', 1), ('www', 1), ('deaf', 1), ('elderly', 1), ('gflj', 1), ('translates', 1), ('personalcode', 1), ('securty', 1), ('burn', 1), ('divises', 1), ('magazine', 1), ('jenifer', 1), ('telephon', 1), ('sergio', 1), ('writen', 1), ('thast', 1), ('marten', 1), ('infos', 1), ('brianne', 1), ('humberto', 1), ('rsrob', 1), ('sinead', 1), ('ccaa', 1), ('thik', 1), ('hijacker', 1), ('vpb', 1), ('telefon', 1), ('wiil', 1), ('misread', 1), ('ebuyer', 1), ('dil', 1), ('parantel', 1), ('dif', 1), ('signin', 1), ('referentienummer', 1), ('eating', 1), ('heres', 1), ('addy', 1), ('softwares', 1), ('gerbrand', 1), ('maucustomer', 1), ('manuela', 1), ('nyt', 1), ('maj', 1), ('tapas', 1), ('basket', 1), ('omer', 1), ('noup', 1), ('distributors', 1), ('ged', 1), ('quickshare', 1), ('thans', 1), ('qhy', 1), ('aready', 1), ('rock', 1), ('renewl', 1), ('chave', 1), ('california', 1), ('yesi', 1), ('yesh', 1), ('listings', 1), ('yesa', 1), ('oivind', 1), ('lwyu', 1), ('hould', 1), ('jeannette', 1), ('anup', 1), ('renwe', 1), ('wery', 1), ('manythanks', 1), ('mateusz', 1), ('cassandra', 1), ('johnnycustomer', 1), ('hkwvj', 1), ('pain', 1), ('beth', 1), ('larry', 1), ('corrin', 1), ('shot', 1), ('deployed', 1), ('repy', 1), ('marlborough', 1), ('gee', 1), ('jrjtw', 1), ('miles', 1), ('cologne', 1), ('seal', 1), ('tuz', 1), ('maiken', 1), ('killing', 1), ('licencias', 1), ('plaese', 1), ('dkk', 1), ('arto', 1), ('educated', 1), ('sound', 1), ('klaus', 1), ('theo', 1), ('sleeping', 1), ('breton', 1), ('alyce', 1), ('ujd', 1), ('vasilis', 1), ('electrical', 1), ('mon', 1), ('unregister', 1), ('generates', 1), ('lotte', 1), ('korte', 1), ('ponscustomer', 1), ('vishwanath', 1), ('eevamaria', 1), ('youve', 1), ('referenced', 1), ('yyy', 1), ('versie', 1), ('distracted', 1), ('birger', 1), ('lifetime', 1), ('personnel', 1), ('dropbox', 1), ('zqx', 1), ('forbidden', 1), ('children', 1), ('sushil', 1), ('shirlie', 1), ('alma', 1), ('mothers', 1), ('saudi', 1), ('usin', 1), ('compact', 1), ('investigating', 1), ('corekt', 1), ('publishes', 1), ('hierons', 1), ('overwiew', 1), ('gaat', 1), ('eyt', 1), ('prestigio', 1), ('marou', 1), ('controlling', 1), ('georgina', 1), ('dee', 1), ('numberr', 1), ('stig', 1), ('larsen', 1), ('payement', 1), ('encouraging', 1), ('okk', 1), ('token', 1), ('wityh', 1), ('harm', 1), ('differance', 1), ('pigeon', 1), ('nucola', 1), ('referansenummer', 1), ('giveaway', 1), ('gif', 1), ('claudia', 1), ('yimeles', 1), ('kod', 1), ('vulciu', 1), ('eqc', 1), ('haytham', 1), ('ujurf', 1), ('verson', 1), ('extracted', 1), ('ammyy', 1), ('essa', 1), ('purchsed', 1), ('finn', 1), ('everyting', 1), ('luke', 1), ('suomeksi', 1), ('beryl', 1), ('deactivation', 1), ('leslie', 1), ('burned', 1), ('vwqey', 1), ('hacking', 1), ('informatin', 1), ('alok', 1), ('izabella', 1), ('shutdown', 1), ('throughout', 1), ('platinum', 1), ('mikes', 1), ('forsamlingshuset', 1), ('hopefuly', 1), ('raoul', 1), ('fuz', 1), ('copying', 1), ('woofer', 1), ('ldm', 1), ('eberth', 1), ('postal', 1), ('cue', 1), ('excited', 1), ('conformed', 1), ('haluan', 1), ('gtde', 1), ('renove', 1), ('segurity', 1), ('obliged', 1), ('pirkko', 1), ('eliminate', 1), ('pela', 1), ('personel', 1), ('misplaced', 1), ('jimmy', 1), ('boyd', 1), ('sdn', 1), ('cafe', 1), ('denying', 1), ('mailadress', 1), ('anser', 1), ('lene', 1), ('dowloading', 1), ('successfull', 1), ('cctv', 1), ('bernie', 1), ('radboud', 1), ('elisa', 1), ('safed', 1), ('ceri', 1), ('ovat', 1), ('sotos', 1), ('trsafe', 1), ('iin', 1), ('othe', 1), ('tan', 1), ('afk', 1), ('shdzu', 1), ('afp', 1), ('stock', 1), ('klas', 1), ('tammy', 1), ('aftercustomer', 1), ('bunch', 1), ('tsb', 1), ('daf', 1), ('verifying', 1), ('terug', 1), ('marius', 1), ('ret', 1), ('messenger', 1), ('rec', 1), ('asheesh', 1), ('compra', 1), ('thje', 1), ('pgx', 1), ('intermediate', 1), ('mit', 1), ('jitendra', 1), ('procure', 1), ('kitkat', 1), ('tapio', 1), ('supporter', 1), ('prtection', 1), ('conform', 1), ('rowan', 1), ('vry', 1), ('tobias', 1), ('invasive', 1), ('ghori', 1), ('define', 1), ('abhishek', 1), ('helper', 1), ('rexf', 1), ('arabia', 1), ('hypponen', 1), ('chating', 1), ('ion', 1), ('byebye', 1), ('insure', 1), ('loggedin', 1), ('disappears', 1), ('choos', 1), ('jeroen', 1), ('omit', 1), ('voila', 1), ('ravel', 1), ('kevan', 1), ('joachim', 1), ('brigitte', 1), ('outbox', 1), ('glade', 1), ('blessings', 1), ('marika', 1), ('zsuzsanna', 1), ('authenticator', 1), ('porgram', 1), ('paulinus', 1), ('goin', 1), ('facilities', 1), ('iits', 1), ('throught', 1), ('enoch', 1), ('moniter', 1), ('conduct', 1), ('fidelis', 1), ('emily', 1), ('jayson', 1), ('philippe', 1), ('kicked', 1), ('bulent', 1), ('licenced', 1), ('fulltime', 1), ('figure', 1), ('pless', 1), ('phona', 1), ('vpm', 1), ('zypp', 1), ('carmel', 1), ('eng', 1), ('jumping', 1), ('curent', 1), ('amir', 1), ('sideload', 1), ('kjellcoreb', 1), ('alec', 1), ('hank', 1), ('driving', 1), ('wxgz', 1), ('srivellus', 1), ('someting', 1), ('restrict', 1), ('tor', 1), ('bitcoin', 1), ('illiterate', 1), ('refernce', 1), ('deinstallation', 1), ('faustina', 1), ('baupr', 1), ('rohit', 1), ('ohhhh', 1), ('adminstrator', 1), ('brandon', 1), ('sethy', 1), ('safevip', 1), ('qguhn', 1), ('pkv', 1), ('ransomware', 1), ('claude', 1), ('beacause', 1), ('goona', 1), ('catalin', 1), ('translating', 1), ('mahmoud', 1), ('sadegh', 1), ('zbm', 1), ('aquarius', 1), ('phoning', 1), ('wear', 1), ('vanden', 1), ('elm', 1), ('interent', 1), ('hiagent', 1), ('experts', 1), ('complex', 1), ('complet', 1), ('encrypts', 1), ('josmaarten', 1), ('eli', 1), ('dearer', 1), ('ele', 1), ('apears', 1), ('tring', 1), ('anthon', 1), ('jya', 1), ('gxqyj', 1), ('sanjay', 1), ('plum', 1), ('bodil', 1), ('git', 1), ('posession', 1), ('anderson', 1), ('krispijn', 1), ('differences', 1), ('wireless', 1), ('neva', 1), ('trip', 1), ('chech', 1), ('tit', 1), ('borre', 1), ('corresponding', 1), ('rom', 1), ('valentin', 1), ('standards', 1), ('sercure', 1), ('cyril', 1), ('mumbai', 1), ('shelley', 1), ('crisis', 1), ('reactive', 1), ('symantec', 1), ('referense', 1), ('dropped', 1), ('alway', 1), ('hihi', 1), ('mounths', 1), ('gta', 1), ('hanks', 1), ('individually', 1), ('farewell', 1), ('cancell', 1), ('allways', 1), ('nned', 1), ('yur', 1), ('yuo', 1), ('rosca', 1), ('legally', 1), ('serv', 1), ('wide', 1), ('evertime', 1), ('uese', 1), ('havnt', 1), ('ane', 1), ('anf', 1), ('prb', 1), ('prk', 1), ('ank', 1), ('prv', 1), ('kush', 1), ('chahna', 1), ('tena', 1), ('tke', 1), ('spaces', 1), ('farzana', 1), ('leigh', 1), ('secirity', 1), ('ssd', 1), ('mapper', 1), ('viaplay', 1), ('noreen', 1), ('jindrich', 1), ('outside', 1), ('tania', 1), ('uptodate', 1), ('por', 1), ('kev', 1), ('hardly', 1), ('andrej', 1), ('premature', 1), ('cast', 1), ('vesa', 1), ('acess', 1), ('ecbp', 1), ('granted', 1), ('hebben', 1), ('relief', 1), ('norhing', 1), ('halfway', 1), ('ross', 1), ('packaging', 1), ('silverlight', 1), ('madrid', 1), ('redeeming', 1), ('frees', 1), ('stopt', 1), ('elegal', 1), ('jswr', 1), ('foreward', 1), ('ehm', 1), ('jun', 1), ('applying', 1), ('adsl', 1), ('idiot', 1), ('proseed', 1), ('releasing', 1), ('stocks', 1), ('mwxen', 1), ('alb', 1), ('abit', 1), ('progran', 1), ('ftk', 1), ('sevure', 1), ('befofre', 1), ('ten', 1), ('reino', 1), ('stancustomer', 1), ('whan', 1), ('lzra', 1), ('ntlworld', 1), ('maby', 1), ('texts', 1), ('thays', 1), ('dwade', 1), ('israel', 1), ('qdhe', 1), ('operators', 1), ('mira', 1), ('pone', 1), ('court', 1), ('speeding', 1), ('zzqe', 1), ('shore', 1), ('installtion', 1), ('alrite', 1), ('style', 1), ('soccer', 1), ('prodcut', 1), ('downlode', 1), ('gotab', 1), ('comfirm', 1), ('mastercard', 1), ('enandcurrency', 1), ('hartley', 1), ('health', 1), ('forgive', 1), ('lag', 1), ('throws', 1), ('passes', 1), ('confurm', 1), ('relieved', 1), ('hotel', 1), ('remot', 1), ('aimo', 1), ('stall', 1), ('fidellis', 1), ('saya', 1), ('basel', 1), ('donot', 1), ('flemming', 1), ('cde', 1), ('aernout', 1), ('luis', 1), ('alicia', 1), ('hii', 1), ('sofie', 1), ('mcustomer', 1), ('ssafe', 1), ('finde', 1), ('duh', 1), ('decline', 1), ('todate', 1), ('ahau', 1), ('zrce', 1), ('chouaib', 1), ('qgqc', 1), ('subscriotion', 1), ('arthur', 1), ('campagne', 1), ('czv', 1), ('jimmie', 1), ('mutta', 1), ('mikhail', 1), ('regiister', 1), ('itout', 1), ('ands', 1), ('vbqmj', 1), ('tone', 1), ('suomalainen', 1), ('annemarie', 1), ('mcdonnell', 1), ('dale', 1), ('yopu', 1), ('vigin', 1), ('problema', 1), ('rmyz', 1), ('makelberge', 1), ('jorgen', 1), ('licnese', 1), ('cuppa', 1), ('stable', 1), ('relation', 1), ('carollyn', 1), ('kiitos', 1), ('englanniksi', 1), ('capital', 1), ('deraldo', 1), ('olivier', 1), ('apt', 1), ('webmail', 1), ('gerd', 1), ('eleazar', 1), ('pyaqs', 1), ('bleyen', 1), ('wvffv', 1), ('kyed', 1), ('securen', 1), ('light', 1), ('synology', 1), ('janti', 1), ('promptly', 1), ('appy', 1), ('lte', 1), ('instalar', 1), ('mgnoe', 1), ('egill', 1), ('beter', 1), ('rememeber', 1), ('clic', 1), ('cdkeys', 1), ('krista', 1), ('whick', 1), ('fujitsu', 1), ('diagnostics', 1), ('purely', 1), ('brain', 1), ('bluetooth', 1), ('favor', 1), ('iot', 1), ('tiina', 1), ('asnnk', 1), ('alyn', 1), ('observ', 1), ('offending', 1), ('anju', 1), ('cogeco', 1), ('nessecary', 1), ('idris', 1), ('albin', 1), ('theses', 1), ('gutted', 1), ('elleson', 1), ('fishing', 1), ('expedite', 1), ('dqj', 1), ('enheder', 1), ('referal', 1), ('execute', 1), ('nedd', 1), ('ehgt', 1), ('ahed', 1), ('ppdr', 1), ('xoygn', 1), ('mozila', 1), ('lead', 1), ('apostolis', 1), ('mite', 1), ('matshita', 1), ('maisa', 1), ('uninstalls', 1), ('vas', 1), ('shane', 1), ('jepp', 1), ('anja', 1), ('jenny', 1), ('incredible', 1), ('corrrect', 1)]\n",
"Sample data [[4307, 6166], [4308, 4711], [2667, 2349], [4309, 2, 748, 1468, 7471, 7561], [4310, 636, 349], [1882, 3932, 228, 4177, 1276, 95, 7416, 4266], [6119, 2481, 3490, 6248, 3, 2927, 3519, 3825], [4311, 3312, 2823], [6120, 1799], [3843, 1615, 6700], [6121, 1696], [5893, 2490, 4012, 4077, 4906], [6895, 976], [1477, 2774, 4824, 5747, 1218, 1873], [5428, 3862, 6960, 7126, 4556, 495, 7352], [3438, 3947, 138], [3845, 5030, 5707], [7581, 223], [772, 1166, 1755], [205, 774, 97, 183, 6265, 5472, 57, 6797], [884, 2290], [4335, 486], [6125, 1127], [1036, 3509, 1457], [6127, 2682, 1102, 531], [3439, 2865], [1395, 810, 1058], [2199, 6304, 567], [2090, 2580, 3668], [4315, 4318, 4084], [5224, 5235, 4040, 3388, 441], [1099, 1863], [114, 1537, 5736], [2871, 3282], [5830, 7071], [773, 46, 4640], [3850, 585], [5225, 3296], [1978, 2392, 4267], [6899, 5852, 7555], [6900, 2099, 2451], [4085, 1860], [6131, 6030, 2930], [919, 1195, 566], [1979, 3179, 5899], [2473, 6836], [2489, 101, 1624], [944, 5333, 211, 1469, 4806, 144], [6132, 977, 7368, 1007], [942, 7453, 3563, 203, 4658, 31, 526, 2838], [251, 5245, 3224, 5763], [1531, 3748, 1296], [863, 160, 4568, 3625, 6462, 4738, 1458, 7428, 5070], [1642, 412, 120, 7379, 1785], [4319, 96, 7490], [2322, 4842], [6133, 502, 1388, 4416, 1269, 133, 1753, 50, 7607], [242, 6173, 1823], [920, 1398, 2360, 6483, 5930, 2171], [2873, 656], [3436, 2325, 4664, 423, 210, 505], [2794, 1649, 322], [3853, 1802, 2506, 1961], [3166, 1139, 2546, 6425, 4111, 3023, 2404], [1261, 4588, 3781, 3414, 771], [535, 1143], [2474, 992, 338, 109, 6596], [6907, 4374, 3255], [3440, 462], [2324, 5337], [2475, 3183, 1042, 4462, 2531, 1, 134], [407, 4666, 1008, 1083], [492, 716, 3768, 5670], [4324, 4793, 2432, 6085], [272, 747, 2877, 6147], [706, 6668], [623, 365, 132], [1980, 3551, 5775], [6912, 1028, 3343], [6138, 6139, 5894, 3483, 622, 6375, 7539, 3420], [746, 727, 7192, 383], [6913, 6665], [6140, 7010], [1478, 5335], [417, 2904, 485], [6142, 6172], [172, 149, 39], [2477, 82], [6143, 1000], [23, 2989, 2792, 7188, 410, 3247, 4299], [5659, 1514, 274, 184], [3441, 6145], [6917, 1759], [2478, 845, 2117, 2109, 7222, 2616, 3892], [2479, 4542, 2844], [1643, 1801], [104, 227, 6741], [7604, 6714], [1716, 2772], [6146, 1604], [3495, 3424, 1610, 5111, 993], [5240, 5688], [3859, 687, 226], [3860, 2043], [3443, 2248, 2850], [7335, 2594, 5805, 3815], [310, 1594, 7025, 6563], [788, 1334, 1756], [43, 5488, 1111, 37, 2545, 648], [675, 1101, 1928, 1055], [2202, 3446, 869], [728, 1926], [3861, 6922, 5550, 4722, 1158, 3122, 372], [5242, 3889, 5829, 2778, 308], [3168, 273], [1107, 4401], [700, 5915], [164, 2235], [3847, 1722, 155, 3766], [2326, 6073, 1365, 3607, 708, 3740, 7464, 5168, 1420], [1981, 5567, 218, 7, 2469], [5832, 5295, 665, 216, 5176], [715, 5954], [2385, 2124], [6149, 3238, 87, 2406, 3987, 7554, 1340], [4336, 4684, 835, 3833, 1304], [3169, 943], [5303, 560], [789, 6980, 7181, 3184, 5870], [3864, 1699], [584, 1806], [5247, 5807, 2559], [1800, 289], [5249, 21, 5559, 865, 1975], [3866, 7374], [3867, 222, 906, 0, 3975, 3538, 3559, 5569, 1169, 4118, 5578, 545, 2802, 1039, 7514, 847], [2094, 2898], [6925, 58, 5251, 6927, 767, 3844, 1332, 25, 2817, 3802], [1396, 1837, 2849], [4340, 2080], [2178, 3838], [3172, 2174], [905, 5911, 340], [2879, 1302], [1066, 3553], [392, 809, 15], [4510, 2586, 3674], [1067, 2098, 6492, 4867, 4158, 4159, 3809], [6311, 3874], [2049, 4365, 2816], [5252, 4799, 3046], [2881, 1081, 4572, 6485, 1210, 500, 5204, 3160], [988, 6542, 5979, 5214], [5253, 5601], [6931, 280, 1902, 3622, 819, 4868], [1718, 1563], [6156, 5115], [2882, 900, 342, 1499], [960, 4715, 1676, 894, 7266, 6849], [234, 1511], [6157, 962, 7612], [3871, 3214], [4086, 2273], [369, 3660, 2293], [989, 872, 2015, 1881], [238, 5323, 6685, 2388, 93], [4343, 6655], [1984, 2482, 7468, 630], [2951, 2484, 642, 2952, 4541, 5084], [1197, 2238, 5591, 83], [6163, 1669], [370, 625], [3174, 5321], [4344, 4353, 1017, 108, 663, 6019], [3873, 4354, 7250, 710, 2685], [3449, 5343], [118, 422, 4100, 7386], [1519, 1020, 2708, 600], [966, 3988], [1262, 7479], [319, 4968, 356, 2308], [5258, 5298, 2573], [7039, 619, 3392], [5259, 249], [3452, 2029], [874, 3481, 2517], [5262, 561], [6938, 2609, 794, 2756], [1309, 6939], [5263, 4043], [570, 537, 102], [5265, 5375], [633, 2257], [3875, 1606], [2830, 5161], [1310, 2793, 5872, 5145, 3830], [1985, 6083, 1314, 5401], [3877, 4182, 557], [3175, 245, 2336, 733, 2911, 3376, 3264, 6454, 1116, 260, 1399, 7448, 22, 2450, 6110], [7130, 438, 281], [2096, 646], [1887, 2715], [4352, 640, 292, 5495, 4010, 1462], [3176, 4545], [5267, 5925], [5986, 6866], [270, 5077], [7338, 5320], [3879, 652, 653, 3212, 7217, 2033, 4139, 3061, 1131, 5075, 7262, 1222, 2654], [6943, 5396, 723, 2748, 1251, 4164, 1574, 593], [1226, 5905, 5637], [1535, 895], [1741, 4454, 3060], [4357, 2050], [3882, 5878, 6879], [1667, 2908, 3558, 6097, 7239], [465, 2005, 6282, 5598, 3004, 3339, 5774, 553, 2069, 650], [1720, 7191, 6701, 5958], [4361, 2418], [125, 41, 7566], [4140, 6627], [1644, 2288], [1536, 1496, 2116, 3331, 468], [517, 3755], [2486, 3139], [1436, 3456, 178], [2678, 6017], [448, 1603], [3885, 2679, 4390, 806, 432, 2168], [3180, 2113, 1018, 7087, 3221, 2947, 7129, 106, 5962, 7594], [559, 4988, 363, 3807], [3457, 6754], [5277, 4451, 70], [3181, 1858, 241, 5040], [2328, 1734], [4674, 3287], [6175, 7051, 3368, 1442, 6331, 5720, 6687, 258, 1467], [518, 568, 7443], [3458, 5710], [2487, 1886], [2884, 2888], [4363, 1150, 4198], [1165, 1463, 4069], [5227, 5255], [3886, 984], [571, 5473, 892, 4609], [1437, 212, 1590, 5579, 1895, 660], [5418, 421], [288, 1796, 130], [5280, 655], [6955, 4400, 4576, 2887, 3283, 601, 941], [5281, 2571, 2031], [2329, 387, 1553, 2456], [4213, 1012], [2160, 4843, 4138, 2220], [6179, 1731, 3245], [425, 830, 3216, 3010, 3101, 639], [4366, 3637], [2680, 1954], [408, 1500], [569, 1540, 176], [6180, 2155, 5213], [2488, 4809], [5393, 1963, 2555], [6181, 1167, 2066], [2885, 5288], [2886, 4844], [4367, 2950], [66, 5327, 2498, 3510, 2921], [2330, 379, 1064], [7142, 6411], [6184, 4420, 3997, 4059], [886, 2965, 1263, 1829, 1557, 2127], [4734, 5289, 1255, 3928, 1524], [775, 955, 6042], [119, 6466, 3276, 4008], [2212, 170, 1311, 521], [2567, 5319, 2694, 7330, 3694], [1891, 3377], [6187, 6874], [6188, 3252, 4389], [6189, 572, 2697, 5667, 188], [5291, 267, 1025, 1349, 683], [5292, 1217], [4372, 2995], [3074, 442, 2055], [3462, 7125], [2683, 6921], [2684, 3915, 840], [4373, 6981], [5693, 318], [2332, 908, 4486, 2855], [791, 4870], [5996, 7506, 2834], [1430, 5992], [5001, 3977, 4088, 2191], [5466, 6326, 4859], [6195, 4377, 1627, 5886], [4375, 5791], [458, 1160, 912], [2333, 6333], [805, 1214], [5577, 2804], [4378, 2997], [6966, 549, 885, 158, 48, 4813, 4338, 6590, 400, 189], [7172, 85, 334, 5796, 7233, 7487], [3893, 472], [4380, 6060, 4274], [6197, 6512], [6199, 6314, 252], [3358, 5311], [3042, 6100, 1257, 2861], [4383, 6245], [2321, 940], [414, 471, 6070], [3044, 902], [2264, 2105, 5681], [887, 3293, 4129], [6202, 4613, 7476], [5859, 6227], [979, 1745, 5610, 2633], [6971, 5092, 659], [150, 330], [4386, 643, 214, 80, 4104], [3898, 3329], [6205, 488], [6973, 5341, 3629, 29], [4165, 2183], [2687, 5543], [519, 1438], [6974, 7569], [1428, 6707, 6043], [5313, 5709], [3900, 1892, 2540], [1109, 7080, 2374, 842, 2648, 3840], [5315, 2700, 753, 1665], [430, 1906, 353, 7015], [1990, 1371, 3813, 3229, 6558, 5866, 599], [261, 2024, 313, 824, 1870], [6207, 3512, 4561, 5094], [156, 1409], [846, 3361], [4392, 346], [3191, 1597, 1170], [507, 1358, 2173], [4394, 161, 4061], [2339, 1130], [2891, 285, 427, 5624, 7333, 7334, 2842, 2079], [4300, 689], [4397, 4680, 5793], [4398, 621], [1232, 4529], [6613, 79, 5621, 734], [3472, 5540], [6986, 580], [702, 5684], [1069, 7268], [107, 5883], [6988, 679, 4581, 629], [7492, 2547], [2217, 3716], [5325, 290, 179, 741], [5326, 4494], [2894, 628], [6213, 5391], [90, 7231, 765, 3064, 1792], [2895, 2359], [688, 5367, 2149], [1646, 5477, 3556, 4704, 5668, 4826, 5014], [2497, 1383, 253], [2896, 1572], [860, 5461], [6990, 2998, 5882, 6033, 6034, 174], [2669, 2828], [339, 5723, 1908, 6380, 812, 3583, 4822, 1784], [2340, 3249, 4546, 7436, 2610], [5198, 761, 5342, 225], [6215, 871, 849], [4183, 3289], [6216, 7197], [4403, 4634], [4404, 998], [3909, 969, 3309, 1650, 4017], [1104, 1707, 6557], [9, 6374, 18, 6746, 1306, 2087], [5329, 1455], [94, 4519, 163, 4130, 3398, 1095], [5330, 3231, 4913, 7571, 5353], [3474, 236, 229, 2599, 283, 1777, 3136, 1303], [1305, 1319, 2805, 7296, 1423], [1070, 2939], [624, 190, 1750, 3337], [7361, 2551], [4959, 3820], [6219, 2985, 651], [1803, 2454, 2843], [5334, 3492, 4060], [5336, 6053], [1992, 4406, 3969, 4296, 3354], [7518, 7183], [1180, 6300, 6862], [2448, 807, 5120], [3916, 3047, 3670, 2037], [540, 5712, 729], [6222, 6439], [1538, 3095, 3408], [1140, 4794], [3477, 2987, 4215], [6998, 3917], [7001, 6690], [760, 2690, 2134, 6872, 6873], [391, 325, 494, 1161], [4409, 1888, 389, 7284], [5340, 4528], [2449, 1022, 2798], [4412, 7472], [676, 937], [3919, 2653, 577], [284, 1852, 56, 327, 6623, 6], [6225, 7190], [3479, 1680], [3921, 4430, 6983], [2218, 4935, 2860], [4413, 5363, 2629], [2899, 386, 206], [5345, 1943, 5846, 1238], [7007, 4005, 837], [3480, 5304], [5724, 5963], [641, 2103, 5643], [2857, 269, 1472, 6782], [235, 7165], [3923, 121], [4414, 6338], [2691, 4570, 1824], [1141, 103], [1483, 4677], [6641, 4128], [7012, 30], [5352, 2696, 1635], [1439, 5166], [2221, 3365], [4419, 4911], [1518, 4478, 3679, 4927, 1345, 3770], [3924, 4202], [5332, 3697], [3925, 1433], [3196, 6494], [5087, 6081], [4421, 6440, 6624, 6116], [722, 1204, 1010, 7540, 1879], [5355, 5435, 7158, 7270, 3087, 7485, 5951, 4242, 5060], [2779, 3411], [3927, 1484, 878, 1609, 982, 3794], [1200, 4121], [2902, 6689], [6232, 5096], [717, 2347], [3791, 5113, 4250, 6059, 7568], [5356, 1727, 7356], [6235, 7609], [3198, 814, 1737], [4425, 3484], [2104, 262, 4601, 1832, 2269], [970, 69], [4162, 3970, 1998, 838], [2693, 2510, 2254, 3335, 2057, 2313], [1402, 1764], [3486, 1142, 609, 5112], [3403, 2788], [2343, 1773, 3782], [5602, 4171], [257, 2128, 294], [1725, 2837, 870], [2500, 2306], [469, 6813], [520, 167, 770, 5918], [3934, 4496], [2906, 1900, 7272], [5130, 3661], [5362, 7572], [6238, 1673], [3489, 5516], [2907, 3113], [278, 3409], [2501, 6035, 3821], [888, 213], [1392, 2353, 2190], [6240, 6020], [2106, 4797], [6241, 2811, 2661], [4433, 3345], [209, 1710, 726], [6242, 5301], [3491, 2799], [1202, 6828, 5134, 5135], [7018, 5196], [4434, 2574], [2386, 6190], [4435, 2935, 6323], [1230, 5511, 47, 3639, 14, 6713], [7022, 4741, 1768], [7024, 1004], [3823, 5272], [2502, 2236, 2983], [2503, 1932], [5372, 4815], [4438, 1325, 5619, 996], [6920, 3858, 1914, 2993, 3267, 3624, 914, 4119, 4998, 131, 2612, 2082], [889, 3084, 804], [6246, 4841], [7027, 983, 4056], [4439, 1995, 691], [1265, 240, 4882], [1266, 4482, 3248, 1825], [5381, 7230], [4440, 2711, 2570], [6014, 6275], [7028, 2588], [5382, 3569, 24, 466, 2550, 6446], [3494, 4445], [2695, 539, 4884], [1100, 4615], [541, 1695, 4972], [5386, 4487], [1996, 1271, 759, 543, 1040, 3410], [5387, 4530], [3496, 682], [1788, 1582], [6249, 2775, 4342], [749, 4154], [3304, 5988, 5920], [3497, 1491, 2075], [3954, 981], [1595, 961], [523, 3593], [7034, 2107], [2912, 1359, 5108, 2307], [666, 4526, 4027, 1228], [3206, 162, 5629], [5243, 2664], [853, 5768, 5083, 1708], [947, 3435], [4144, 1247, 3681], [2223, 1826, 1916, 1682, 1283, 2034], [2505, 2714, 137, 186, 508, 1625, 4996, 1883, 2845, 182], [991, 4814, 1378], [4452, 4405], [7041, 3626, 6559], [1901, 2999, 3645, 5907, 915], [7059, 4173], [1596, 3133, 714], [2915, 3973], [6258, 4507, 3128], [3946, 4895], [1541, 456, 618, 501], [2916, 3552, 6443], [378, 3705, 354, 2423], [5397, 2048], [4458, 664], [2699, 4660], [1144, 2444], [3189, 4079], [5399, 5449, 1763, 40, 5055, 6009], [4459, 695], [2224, 1360, 951, 4688], [2918, 4210], [2108, 420, 4516, 2976, 735, 2634], [6423, 6657], [1809, 959], [644, 32], [3208, 6428], [667, 1653, 7277, 2459, 5987, 564, 5158], [2002, 861], [1267, 3621, 4964], [2689, 3808], [7052, 2770], [3949, 972], [397, 2824, 2401, 3146, 3153], [1486, 4970], [5403, 1129], [6267, 2379], [4265, 2621], [3506, 344, 199, 6752, 3880], [2003, 7432, 3370, 2309], [1598, 4002], [4241, 1781], [1268, 574], [4465, 1761, 4083], [7046, 4508], [165, 404], [3508, 2226], [1742, 5195], [5405, 7595], [4468, 1401], [5406, 7342], [2004, 6278], [4469, 2920, 964], [948, 127, 4539, 6744, 6745, 110], [320, 6409, 49], [4470, 3045, 5800], [5408, 3065], [1233, 2067], [5409, 6390, 677, 6845], [55, 2355, 6573, 620, 1522, 5150, 6857], [1494, 1556, 1567, 4189, 6038], [7064, 2959], [1728, 3257], [1488, 1729], [6272, 4950, 5980, 5183], [705, 1123], [514, 3258, 5761, 3701], [375, 6108, 4862], [5390, 552, 3584, 1697, 1253, 1346], [3842, 1097, 362], [2348, 820], [1730, 3591, 3596, 2520, 2800], [431, 6653], [720, 3725, 2095], [909, 347, 5862], [459, 658], [3511, 1393], [343, 11], [1648, 1849], [4476, 7085], [7069, 5101], [5420, 707], [1814, 5737], [5423, 2990, 4066], [5425, 3706], [6279, 5801, 6876], [5426, 2114, 5618, 1576, 352], [2705, 5645, 1953], [4480, 5482], [5427, 2581], [1545, 504], [5429, 1318, 1960], [1234, 613], [2006, 4030], [2929, 3012, 7353], [4484, 4628], [4485, 3515, 5479, 4798], [7470, 6383, 1002, 1426, 1220], [6650, 7144, 409], [6284, 7584], [3964, 2943], [4489, 5616, 3863, 1688, 558], [5430, 4491], [3592, 4054, 2059, 5931], [7293, 2152], [2417, 193, 1449, 2022, 5744, 2698, 2129], [4490, 1772, 801], [2511, 2007, 5636], [6905, 3237, 823], [4493, 6313, 925, 100, 4, 198, 3608, 4678, 6453, 2743, 1153, 67], [2112, 831, 3295, 1630], [3217, 232, 607, 5215], [454, 3580, 2552, 4686, 5374], [2931, 4673, 1944, 6728], [6292, 5758], [2512, 6293], [5731, 5017], [3218, 1546], [578, 2847, 3280], [2228, 5919, 4886], [4501, 6288, 419], [3522, 2727], [5442, 7258], [2008, 4073, 6586, 53], [3523, 2251], [2932, 5073], [3524, 142, 1092], [1171, 2058], [1945, 2315], [5443, 2356, 1286, 5842], [1191, 617], [1479, 2597, 3366], [7089, 28, 881], [910, 6088], [2230, 4090], [1733, 954, 44, 7245, 345], [3972, 3288], [1361, 3654], [6307, 7179, 6629], [1817, 2018, 2854], [1205, 1504, 60], [4509, 5898], [2231, 5912], [1372, 985], [1602, 2864], [5715, 1935], [84, 128], [7534, 4650], [1362, 6052], [1172, 4095, 1591], [6309, 5562], [3868, 7140, 399], [2937, 4776], [1818, 1019, 5884, 6636, 5015], [446, 4316, 538], [5459, 1502, 7311], [7094, 2279, 3800], [6315, 3535, 3657, 2613], [2840, 6330, 1634], [668, 1651], [3978, 5025], [5462, 7283], [3227, 1377], [1547, 5658], [3228, 1969], [1586, 4574], [3979, 2428], [2942, 924, 2674], [1652, 3301], [2010, 4251], [3982, 7496], [1206, 4248], [6320, 3399], [2522, 4696], [5467, 3723], [5468, 168, 4143, 3998], [800, 2292, 3360, 4304], [2537, 596, 2848], [2549, 3072, 293], [6413, 3334], [3599, 1290], [4881, 2575], [2284, 4016, 5938, 2820], [4979, 6829], [5121, 5689], [3243, 3143], [4444, 7105, 1523], [3348, 3402], [5493, 7157, 2740], [2928, 1526], [1924, 2655, 1252], [1573, 7486], [4518, 1464, 1476], [1441, 401, 7281], [1363, 5054, 2023, 795, 5764], [1021, 3422], [2945, 586, 2268, 4850], [645, 2419], [476, 1840, 3275, 579], [1548, 7429], [2524, 4805], [3546, 1270], [3547, 737, 1117], [197, 6736, 3188], [1654, 4659], [527, 321, 1112], [250, 88, 6991, 5328, 7154, 1122, 1631, 3421], [4531, 5880], [2526, 7412], [4537, 5504, 1350], [1655, 3362], [4540, 3750], [536, 6737], [1443, 4633, 1418], [606, 670], [2954, 2179], [4543, 6676, 4108], [2955, 5700], [4544, 7545], [811, 7145], [3555, 141, 355], [2956, 7542], [3557, 2809, 2443], [4548, 1299], [1656, 1024, 1638], [4550, 2194], [4553, 6444, 2247], [1822, 4031], [2011, 1833, 2593], [1657, 649], [6347, 5089], [2528, 6964], [4566, 2963, 4569, 1248, 5751], [4567, 5821], [2012, 6720, 1508], [1549, 1658, 5936], [20, 5997, 709, 5753], [3564, 1608, 6486], [237, 4761, 3240], [3565, 2856], [122, 2791], [154, 204, 2630], [926, 2187, 7149, 4125], [6369, 3662, 5020], [3573, 2177], [4593, 6371, 4115], [2970, 3895, 4278], [4595, 2981], [1551, 4790, 3279, 5730], [4597, 1451], [2532, 52, 5518, 5926, 1780], [4600, 1735, 7107, 2352, 5475], [971, 857, 4995, 129], [852, 1322], [1662, 4644], [6378, 654, 1351], [2972, 4690, 2652], [2974, 1291], [3578, 7355], [4607, 192], [4608, 4747], [1533, 3914, 6058], [1664, 5917], [1274, 1857, 2411], [6386, 7305, 3431], [1446, 4023], [1076, 817, 5174, 2442], [3582, 5184, 3832, 1132], [6388, 3038], [2016, 7467], [588, 4915], [4618, 4050], [4620, 2572, 2195], [2535, 1297, 657], [6394, 5285], [6395, 2261, 1229, 2807], [2240, 4297], [2538, 6694], [1554, 2984], [1666, 1565], [6399, 6788], [1447, 2646, 2728], [6401, 54, 6431, 5827, 243], [854, 4707, 271, 4679, 547], [1208, 3195], [4460, 638], [13, 647, 583], [6402, 1429], [4629, 1323], [2986, 231], [4632, 692, 7433], [196, 4116], [233, 16], [350, 3753], [6408, 4635], [6410, 3291], [751, 1459, 2371], [2021, 930], [1023, 1235], [1827, 65, 4641, 7280, 12], [6415, 4829, 696], [4647, 4053], [6419, 445, 4728], [2543, 796, 439], [573, 181, 2769, 1620], [6420, 785, 4087], [6421, 1301, 7150], [2544, 673, 699, 686], [1077, 6422], [752, 255], [2025, 2600, 1156, 7558], [166, 2285, 2642, 3148, 1872, 4220], [4655, 1915], [4656, 1211], [3604, 6889], [974, 4710, 3089], [3001, 4669, 1342, 1354], [3003, 6451], [4662, 1601], [4663, 10, 143, 3710], [1672, 2607, 324, 875, 403, 1948, 1126], [3005, 2410, 4284], [2245, 1062], [4668, 1282], [6436, 3155], [3610, 6488], [975, 487, 555, 187, 1470], [6441, 7418], [3615, 1456, 2118, 2380, 2701], [1555, 480, 832], [86, 554], [6450, 6588], [1674, 2053, 3098], [2249, 827], [3620, 5732, 2403, 207, 7532], [298, 6520, 4917], [2026, 4731, 2893, 1154, 6480, 1341], [1830, 4246], [1453, 105], [1831, 2039], [1675, 756, 848], [4921, 5944], [3011, 2185], [3014, 7160, 364], [6465, 7300], [3015, 3627, 7282], [4701, 1835, 1955], [2557, 6757], [1079, 1084, 1461], [4712, 3058, 5021], [4713, 7316], [4714, 3033, 6008], [1280, 2750, 316], [4718, 4902, 5932], [4720, 5527], [4721, 2072], [4724, 2147, 2302], [2560, 1466], [6481, 4910], [418, 111, 4105], [1677, 2427, 328, 3378, 6002], [1558, 4208], [4729, 3765, 6536], [3632, 3691, 2076], [928, 1113], [4730, 5458], [3633, 4732, 3804], [2563, 395, 7251], [2253, 1507, 5960], [6487, 1106], [3634, 5876], [3018, 2852], [6491, 6852], [590, 3752], [6495, 911, 1135], [816, 2088, 2729, 1347], [2255, 2256], [4739, 3385], [1148, 6516, 2367], [3026, 3986], [5611, 26, 451, 1936], [3641, 3028, 268], [3027, 3788], [6506, 1880, 1791], [6509, 3642, 1027, 3899], [1842, 7196], [4753, 4141], [6989, 4922], [3029, 38, 712], [1679, 5065], [3031, 1431], [2032, 3712, 781, 968, 6191], [333, 703], [4764, 3818, 6851], [672, 1713], [3647, 1506], [3648, 834], [3652, 1385], [1683, 2274], [5617, 3829, 2219], [2258, 2282, 2317, 6087], [978, 1289], [4778, 6663], [608, 897], [2259, 1284, 3734, 3281], [1082, 1292, 5868], [4785, 7587], [6221, 2833], [1151, 859, 1406], [6527, 1752], [279, 5207, 5525], [3981, 4898], [1152, 7362], [2035, 5318, 1617, 963, 4256], [299, 2579], [8, 4952, 1570, 68, 3735, 275, 34, 2725, 7029, 5536, 5537, 1005], [6537, 6743], [3041, 4795, 2815], [3043, 4224], [3666, 6541], [1085, 784], [4045, 4281], [2132, 3078], [3672, 1397], [3673, 112], [3675, 7580], [3676, 4808], [4062, 2786, 4234], [1847, 263, 1108, 461], [980, 3052], [3680, 4820, 4823], [1212, 2665, 6871, 3242], [3682, 317], [7295, 7376], [3683, 3338, 918], [6909, 4828], [6560, 2831], [3686, 1387], [4839, 3355], [1850, 5074, 2426, 266], [6567, 7243], [4849, 6385], [467, 1337], [3689, 2140], [3055, 2046, 1564], [3690, 605], [4860, 152, 6883, 17, 5531, 4255], [45, 491], [896, 725], [6585, 7275], [3692, 2052, 5939], [4863, 7332, 2434], [1686, 4943], [3059, 4035], [3695, 3429], [1288, 6843], [6593, 5561], [1562, 5625, 4046, 1776], [6594, 4807], [4879, 1854], [4880, 5970], [51, 1876], [1029, 901], [4888, 3384, 77], [124, 368], [2602, 5106], [2603, 6078], [6610, 6780, 2706], [2276, 1639, 5855, 4188], [934, 2161, 5908], [1216, 5910], [287, 5995], [935, 92, 4286], [2278, 7359], [4907, 4200, 4263], [4908, 7208, 7444], [2606, 2731], [6618, 1530], [2280, 5993], [1853, 7401], [6621, 153], [3718, 5558], [3071, 2458], [173, 3073], [303, 62, 4134], [4924, 7460], [1568, 5535, 4230, 336], [191, 1641, 3253], [6637, 1348], [4929, 3105], [1089, 1845], [1855, 1259], [4932, 1033], [6642, 6643], [4937, 282, 4291], [6644, 5026], [2611, 938, 5582, 1765], [898, 6769], [4944, 1407, 958], [443, 396, 1394], [6649, 5779], [1856, 4071], [2281, 7109], [2229, 3728], [6652, 4007, 5574, 6318], [4955, 3537], [2232, 1482], [169, 5623], [2841, 5803, 5804], [81, 5068], [4960, 5146, 5551, 5552], [3730, 7575], [3732, 411, 6229, 296], [3566, 1179], [2617, 4065], [1693, 6933, 146], [2283, 4157], [6661, 72, 7103], [6664, 953], [1859, 5510], [4971, 6747, 5490, 1061], [3083, 7261], [3738, 219, 2742], [2619, 5270, 5873], [6671, 5481], [2620, 1134], [4983, 2645], [2286, 6044], [766, 2753], [2624, 5013], [4987, 4993], [3090, 6740], [592, 822], [2054, 1865], [6476, 3430], [4990, 4123], [6683, 5182], [2662, 595, 7114, 3278, 5157], [4759, 3798], [3747, 5173], [5002, 3383], [611, 5099], [3094, 3121], [2627, 5687], [2628, 4554], [5019, 3244], [3717, 5771], [6708, 1094, 5770], [3099, 2337], [5022, 3118], [444, 5031, 5282, 7120], [6721, 6099], [1032, 5520], [1386, 1976], [59, 3811, 3405, 195], [3102, 674, 7495], [5044, 2819], [5047, 6885], [2060, 115], [244, 1294, 4305, 2866], [3106, 2126], [612, 2420], [6733, 7306], [5049, 5088], [2061, 1389], [3761, 5057, 3767, 3319], [6735, 5885], [3112, 4289], [6742, 3147, 453], [2637, 6979, 2297, 6942, 2000, 7321], [3805, 3769, 2859], [6750, 7563], [4427, 866], [2028, 5778], [2294, 829], [3115, 2839], [1703, 5478], [1575, 2182], [3117, 6355], [1867, 2736], [5081, 904], [3783, 4176], [3119, 2167], [2070, 5508], [3784, 5532], [2641, 5650, 2169], [6771, 5773], [1577, 5694, 5696], [2071, 385], [3795, 6510], [615, 1221, 4150, 544, 4280], [2115, 246], [5103, 7106, 1509], [2303, 406], [6791, 1051, 5211], [433, 6840], [2304, 5824, 742], [6800, 3292], [1579, 1714], [6809, 582], [5119, 7175], [1868, 1352], [6818, 7115, 1769, 6897, 1189], [5127, 4026], [987, 475], [6826, 3412, 1193], [5133, 1921], [5679, 6005], [5973, 513], [1709, 833], [6844, 139, 27], [5151, 7053], [3204, 3906], [5155, 5556], [5833, 3239], [1711, 5651], [5167, 3369], [5172, 1223, 736], [3828, 4003], [6863, 5928], [2311, 449, 1612], [2312, 6112], [3156, 4845], [3158, 309], [75, 7249], [5200, 1493, 5554, 5783], [1878, 5530, 4216], [98, 3887], [3395, 2686, 1344], [5233, 4004], [341, 5274, 5798], [5299, 3993, 5717], [6982, 7151], [6992, 171], [7008, 7370, 5985], [3194, 3225], [1041, 6018], [3154, 4020], [5383, 5765, 5975], [7044, 2137], [3209, 1415, 1335], [5422, 1628], [5483, 1920], [3994, 7264, 5990], [5437, 763], [7203, 598, 563], [2709, 4181], [949, 986], [3235, 7601], [1110, 4006], [7117, 413], [6177, 5512], [7119, 371], [3990, 4191], [5497, 7478], [1739, 7219], [3241, 2424], [2119, 7248], [5507, 405], [1049, 2751, 917], [2718, 1405], [35, 5840], [2121, 1050], [1175, 5589], [5528, 7441], [1237, 2156], [1239, 7377], [1605, 2144, 1333], [732, 376, 4229], [7162, 1919, 348], [2125, 4072], [5546, 5209], [4019, 769], [1917, 42, 259, 548], [394, 2376, 7312], [1918, 498, 6104], [4022, 880], [5576, 5615, 7290], [7187, 6067], [2131, 7589], [4498, 306], [994, 6079, 3427], [5585, 4160], [5587, 312], [2735, 5377], [435, 5595, 5596], [5, 248], [2364, 4101], [4042, 7605], [2745, 6089], [5632, 1329], [496, 7459], [5634, 2757], [5642, 326], [4057, 1637], [2752, 230, 61], [2139, 3336], [2754, 509], [7241, 879], [3285, 1412], [5663, 7309], [4078, 5945], [2383, 7403], [913, 1614], [3305, 7451], [7289, 4236], [3962, 1517], [5714, 1977], [2767, 916], [7121, 5857], [7317, 7132], [5739, 2402], [3320, 4149], [1338, 661], [2399, 2836], [2783, 123], [2400, 7602], [1619, 4225, 6086], [5799, 7482], [7366, 2461], [5811, 2164], [1940, 510], [3350, 6016], [2407, 1874], [305, 6103], [7384, 2795], [4170, 359], [3363, 5861], [7424, 7488], [6548, 4787], [1778, 1789], [7442, 6040], [1947, 1185], [483, 2338], [2165, 424], [3374, 7473], [3379, 3396], [5913, 2431], [4207, 5760], [473, 3419], [2436, 1128], [2826, 5360], [3391, 1970, 1793], [2078, 2853], [2440, 7508], [5974, 2846], [2445, 6106], [6000, 2184, 7543], [5802, 7614], [6003, 6115], [3406, 6015], [3415, 5903], [5788, 1528], [3428, 464]]\n"
]
}
],
"source": [
"def build_dataset(sentences, words):\n",
" \"\"\"\n",
" Returns:\n",
" data: sentences, but with each word is substituted by its ranking in dictionary\n",
" count: list of (word, occurrence)\n",
" dictionary: dict, word -> ranking\n",
" reverse_dictionary: dict, ranking -> word\n",
" \"\"\"\n",
" count = list()\n",
" #NB We are using keywords, no filters!\n",
" count.extend(collections.Counter(words).most_common())\n",
" dictionary = dict()\n",
" for word, _ in count:\n",
" dictionary[word] = len(dictionary)\n",
" data = [[dictionary[w] for w in sentence] for sentence in sentences if len(sentences) > 0]\n",
" reverse_dictionary = dict(zip(dictionary.values(), dictionary.keys())) \n",
" return data, count, dictionary, reverse_dictionary\n",
"\n",
"# data, count, dictionary, reverse_dictionary = build_dataset(sentences, words)\n",
"# try with synonyms:\n",
"data, count, dictionary, reverse_dictionary = build_dataset(synonyms, words)\n",
"vocabulary_size = len(count)\n",
"print('Most common words:', count) # count is never used\n",
"print('Sample data', data)\n"
]
},
{
"cell_type": "code",
"execution_count": 11,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"assert(dictionary.get('the') is None) # If there is 'the', you havent used a good statistical extractor"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"#### Generate a training batch for the skip-gram model."
]
},
{
"cell_type": "code",
"execution_count": 12,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"from random import shuffle\n",
"\n",
"data_index = 0\n",
"\n",
"def generate_batch(data, data_index):\n",
" '''\n",
" IN\n",
" data: XXX\n",
" data_index: index of sentence\n",
" OUT\n",
" batch: nparray (variable length) of words\n",
" label: nparray (same length as batch, 1) of context words\n",
" data_index: data_index + 1\n",
" '''\n",
" combinations = np.asarray([w for w in itertools.product(data[data_index][:12], data[data_index][:12]) if w[0] != w[1]], dtype=np.int32)\n",
" \n",
" batch, l = combinations.T\n",
" #labels = np.asarray([l], dtype=np.int32)\n",
" labels = np.asarray(l, dtype=np.int32)\n",
" del(l)\n",
" return batch, labels, (data_index + 1) % len(data)\n",
"\n",
"\n",
"\n",
"# print('data:', [reverse_dictionary[di] for di in data[:8]])\n",
"\n",
"# for num_skips, skip_window in [(2, 1), (4, 2)]:\n",
"# data_index = 0\n",
"# batch, labels = generate_batch(batch_size=8, num_skips=num_skips, skip_window=skip_window)\n",
"# print('\\nwith num_skips = %d and skip_window = %d:' % (num_skips, skip_window))\n",
"# print(' batch:', [reverse_dictionary[bi] for bi in batch])\n",
"# print(' labels:', [reverse_dictionary[li] for li in labels.reshape(8)])"
]
},
{
"cell_type": "code",
"execution_count": 35,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"[[4307, 6166], [4308, 4711]]"
]
},
"execution_count": 35,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"data[:2]"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "Ofd1MbBuwiva"
},
"source": [
"#### Train a skip-gram model."
]
},
{
"cell_type": "code",
"execution_count": 69,
"metadata": {
"collapsed": true
},
"outputs": [],
"source": [
"def distanza(x, y):\n",
" return np.dot(x / np.linalg.norm(x), y / np.linalg.norm(y))\n"
]
},
{
"cell_type": "code",
"execution_count": 37,
"metadata": {
"cellView": "both",
"colab": {
"autoexec": {
"startup": false,
"wait_interval": 0
}
},
"colab_type": "code",
"collapsed": false,
"id": "8pQKsV4Vwlzy"
},
"outputs": [],
"source": [
"embedding_size = 32\n",
"batch, labels, data_index = generate_batch(data, 0)\n",
"train_labels = tf.convert_to_tensor(labels, dtype=tf.int32)\n",
"train_batch = tf.convert_to_tensor(batch, dtype=tf.int32)\n",
"\n",
"embeddings = tf.Variable(tf.random_uniform([vocabulary_size, embedding_size], -1.0, 1.0))\n",
"embedded_input = tf.nn.embedding_lookup(embeddings, train_batch)\n",
"embedded_labels = tf.nn.embedding_lookup(embeddings, train_labels)\n",
"\n",
"#distances_matrix = embedded_labels @ tf.transpose(embeddings)\n",
"distances_matrix = tf.matmul(embedded_labels, tf.transpose(embeddings))\n"
]
},
{
"cell_type": "code",
"execution_count": 71,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"graph = tf.Graph()\n",
"with graph.as_default(), tf.device('/cpu:0'):\n",
"\n",
" # Input data.\n",
" train_batch = tf.placeholder(tf.int32, shape=[None])\n",
" train_labels = tf.placeholder(tf.int32, shape=[None])\n",
"\n",
" ## Random values to the embedding vectors: M(vocabulary x embedding size)\n",
" embeddings = tf.Variable(tf.random_uniform([vocabulary_size, embedding_size], -1.0, 1.0))\n",
" \n",
" ## Weights and biases\n",
" softmax_weights = tf.Variable(\n",
" tf.truncated_normal([vocabulary_size, embedding_size],\n",
" stddev=1.0 / math.sqrt(embedding_size)))\n",
" softmax_biases = tf.Variable(tf.zeros([vocabulary_size]))\n",
"\n",
" embedded_input = tf.nn.embedding_lookup(embeddings, train_batch)\n",
" embedded_labels = tf.nn.embedding_lookup(embeddings, train_labels)\n",
"\n",
" # matrix of embeddings.T * embedded_input, i.e. making the\n",
" # scalar product of each embedded word (embedding.T is |V| x d)\n",
" # with the input. This is a rough measurement of the distance,\n",
" # which must be small for the labels\n",
" distances_matrix = tf.matmul(embedded_input, tf.transpose(embeddings))\n",
"\n",
" one_hot_labels = tf.one_hot(train_labels, depth=vocabulary_size)\n",
" xe = tf.losses.softmax_cross_entropy(one_hot_labels, distances_matrix)\n",
"\n",
" # The optimizer will optimize the softmax_weights AND the embeddings.\n",
" optimizer = tf.train.AdagradOptimizer(1.0).minimize(xe)\n"
]
},
{
"cell_type": "code",
"execution_count": null,
"metadata": {
"cellView": "both",
"colab": {
"autoexec": {
"startup": false,
"wait_interval": 0
},
"output_extras": [
{
"item_id": 23
},
{
"item_id": 48
},
{
"item_id": 61
}
]
},
"colab_type": "code",
"collapsed": false,
"executionInfo": {
"elapsed": 436189,
"status": "ok",
"timestamp": 1445965429787,
"user": {
"color": "#1FA15D",
"displayName": "Vincent Vanhoucke",
"isAnonymous": false,
"isMe": true,
"permissionId": "05076109866853157986",
"photoUrl": "//lh6.googleusercontent.com/-cCJa7dTDcgQ/AAAAAAAAAAI/AAAAAAAACgw/r2EZ_8oYer4/s50-c-k-no/photo.jpg",
"sessionId": "2f1ffade4c9f20de",
"userId": "102167687554210253930"
},
"user_tz": 420
},
"id": "1bQFGceBxrWW",
"outputId": "5ebd6d9a-33c6-4bcd-bf6d-252b0b6055e4",
"scrolled": true
},
"outputs": [],
"source": [
"num_steps = 100001\n",
"\n",
"with tf.Session(graph=graph) as session:\n",
" tf.global_variables_initializer().run()\n",
" print('Initialized')\n",
" average_loss = 0.0\n",
" data_index = 0\n",
" for step in range(num_steps):\n",
" if step % int(num_steps / 10) == 0:\n",
" print(\"Done step \", step)\n",
" try:\n",
"# if step % int(num_steps / 10) == 0:\n",
"# print(\"Distanza prima: \", distanza(1395, 810))\n",
" batch_data, batch_labels, data_index = generate_batch(data, data_index)\n",
" feed_dict = {train_batch : batch_data, train_labels : batch_labels}\n",
" _, lozz = session.run([optimizer, xe], feed_dict=feed_dict)\n",
" average_loss += lozz\n",
"\n",
" if step % int(num_steps / 10) == 0 and step > 0:\n",
" average_loss = average_loss / float(num_steps / 10)\n",
" print(\"Average \") \n",
" average_loss = 0.0\n",
" embeds = embeddings.eval()\n",
" \n",
" print(\"Distanza: \", distanza(embeds[1395], embeds[810])) \n",
" except:\n",
" print(\"Problems with data_index = \", data_index)\n",
" data_index += 1\n",
" \n",
" \n",
" final_embeddings = embeddings.eval()\n"
]
},
{
"cell_type": "code",
"execution_count": 64,
"metadata": {
"collapsed": false
},
"outputs": [],
"source": [
"batch_size = tf.shape(batch_data)[0]\n",
"\n",
"init = tf.global_variables_initializer()\n",
"sess = tf.Session()\n",
"sess.run(init)\n"
]
},
{
"cell_type": "code",
"execution_count": 43,
"metadata": {
"collapsed": false
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"1395\n",
"810\n"
]
}
],
"source": [
"print(dictionary['companies'])\n",
"print(dictionary['company'])"
]
},
{
"cell_type": "code",
"execution_count": 28,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"{0: 'subscription',\n",
" 1: 'email',\n",
" 2: 'install',\n",
" 3: 'internet',\n",
" 4: 'installed',\n",
" 5: 'account',\n",
" 6: 'download',\n",
" 7: 'windows',\n",
" 8: 'renew',\n",
" 9: 'devices',\n",
" 10: 'product',\n",
" 11: 'laptop',\n",
" 12: 'license',\n",
" 13: 'link',\n",
" 14: 'computer',\n",
" 15: 'password',\n",
" 16: 'code',\n",
" 17: 'freedome',\n",
" 18: 'device',\n",
" 19: 'log',\n",
" 20: 'virus',\n",
" 21: 'address',\n",
" 22: 'program',\n",
" 23: 'mail',\n",
" 24: 'licence',\n",
" 25: 'protection',\n",
" 26: 'virgin',\n",
" 27: 'expired',\n",
" 28: 'version',\n",
" 29: 'fsecure',\n",
" 30: 'software',\n",
" 31: 'reinstall',\n",
" 32: 'page',\n",
" 33: 'key',\n",
" 34: 'renewal',\n",
" 35: 'dont',\n",
" 36: 'cant',\n",
" 37: 'purchased',\n",
" 38: 'website',\n",
" 39: 'update',\n",
" 40: 'security',\n",
" 41: 'click',\n",
" 42: 'contact',\n",
" 43: 'purchase',\n",
" 44: 'chat',\n",
" 45: 'payment',\n",
" 46: 'error',\n",
" 47: 'computers',\n",
" 48: 'received',\n",
" 49: 'site',\n",
" 50: 'uninstall',\n",
" 51: 'trial',\n",
" 52: 'agent',\n",
" 53: 'access',\n",
" 54: 'customer',\n",
" 55: 'screen',\n",
" 56: 'downloaded',\n",
" 57: 'activate',\n",
" 58: 'protected',\n",
" 59: 'issue',\n",
" 60: 'details',\n",
" 61: 'option',\n",
" 62: 'remove',\n",
" 63: 'add',\n",
" 64: 'bought',\n",
" 65: 'licenses',\n",
" 66: 'login',\n",
" 67: 'installation',\n",
" 68: 'renewed',\n",
" 69: 'valid',\n",
" 70: 'anti',\n",
" 71: 'thats',\n",
" 72: 'using',\n",
" 73: 'paid',\n",
" 74: 'app',\n",
" 75: 'logged',\n",
" 76: 'via',\n",
" 77: 'mobile',\n",
" 78: 'online',\n",
" 79: 'scan',\n",
" 80: 'enter',\n",
" 81: 'media',\n",
" 82: 'current',\n",
" 83: 'reset',\n",
" 84: 'file',\n",
" 85: 'confirm',\n",
" 86: 'system',\n",
" 87: 'secure',\n",
" 88: 'info',\n",
" 89: 'mac',\n",
" 90: 'support',\n",
" 91: 'web',\n",
" 92: 'tablet',\n",
" 93: 'message',\n",
" 94: 'delete',\n",
" 95: 'android',\n",
" 96: 'remote',\n",
" 97: 'active',\n",
" 98: 'peter',\n",
" 99: 'antivirus',\n",
" 100: 'installing',\n",
" 101: 'card',\n",
" 102: 'shows',\n",
" 103: 'booster',\n",
" 104: 'machine',\n",
" 105: 'button',\n",
" 106: 'reference',\n",
" 107: 'google',\n",
" 108: 'instructions',\n",
" 109: 'browser',\n",
" 110: 'registered',\n",
" 111: 'desktop',\n",
" 112: 'robert',\n",
" 113: 'licences',\n",
" 114: 'available',\n",
" 115: 'ipad',\n",
" 116: 'vpn',\n",
" 117: 'however',\n",
" 118: 'service',\n",
" 119: 'chrome',\n",
" 120: 'cancel',\n",
" 121: 'currently',\n",
" 122: 'session',\n",
" 123: 'removed',\n",
" 124: 'https',\n",
" 125: 'clicked',\n",
" 126: 'above',\n",
" 127: 'register',\n",
" 128: 'files',\n",
" 129: 'month',\n",
" 130: 'upgrade',\n",
" 131: 'confirmation',\n",
" 132: 'expire',\n",
" 133: 'uninstalled',\n",
" 134: 'emails',\n",
" 135: 'etc',\n",
" 136: 'unable',\n",
" 137: 'connect',\n",
" 138: 'refund',\n",
" 139: 'expires',\n",
" 140: 'several',\n",
" 141: 'user',\n",
" 142: 'icon',\n",
" 143: 'products',\n",
" 144: 'covered',\n",
" 145: 'onto',\n",
" 146: 'iphone',\n",
" 147: 'cleverbridge',\n",
" 148: 'wont',\n",
" 149: 'updates',\n",
" 150: 'previous',\n",
" 151: 'colin',\n",
" 152: 'freedom',\n",
" 153: 'further',\n",
" 154: 'banking',\n",
" 155: 'malware',\n",
" 156: 'invoice',\n",
" 157: 'its',\n",
" 158: 'receive',\n",
" 159: 'due',\n",
" 160: 'package',\n",
" 161: 'create',\n",
" 162: 'yesterday',\n",
" 163: 'deleted',\n",
" 164: 'keeps',\n",
" 165: 'settings',\n",
" 166: 'process',\n",
" 167: 'allow',\n",
" 168: 'portal',\n",
" 169: 'mysafe',\n",
" 170: 'restart',\n",
" 171: 'brian',\n",
" 172: 'updated',\n",
" 173: 'checked',\n",
" 174: 'martin',\n",
" 175: 'box',\n",
" 176: 'load',\n",
" 177: 'ive',\n",
" 178: 'richard',\n",
" 179: 'applet',\n",
" 180: 'tells',\n",
" 181: 'tool',\n",
" 182: 'connected',\n",
" 183: 'activated',\n",
" 184: 'appears',\n",
" 185: 'alan',\n",
" 186: 'connection',\n",
" 187: 'blocked',\n",
" 188: 'works',\n",
" 189: 'recently',\n",
" 190: 'existing',\n",
" 191: 'price',\n",
" 192: 'english',\n",
" 193: 'continue',\n",
" 194: 'ref',\n",
" 195: 'issues',\n",
" 196: 'facebook',\n",
" 197: 'sent',\n",
" 198: 'installer',\n",
" 199: 'assistance',\n",
" 200: 'showing',\n",
" 201: 'keys',\n",
" 202: 'period',\n",
" 203: 'reinstalled',\n",
" 204: 'bank',\n",
" 205: 'activation',\n",
" 206: 'solve',\n",
" 207: 'problems',\n",
" 208: 'fix',\n",
" 209: 'data',\n",
" 210: 'automatically',\n",
" 211: 'cover',\n",
" 212: 'failed',\n",
" 213: 'application',\n",
" 214: 'entered',\n",
" 215: 'pop',\n",
" 216: 'original',\n",
" 217: 'jan',\n",
" 218: 'window',\n",
" 219: 'william',\n",
" 220: 'asks',\n",
" 221: 'cannot',\n",
" 222: 'subscriptions',\n",
" 223: 'offer',\n",
" 224: 'firefox',\n",
" 225: 'mark',\n",
" 226: 'reply',\n",
" 227: 'machines',\n",
" 228: 'andrew',\n",
" 229: 'provide',\n",
" 230: 'options',\n",
" 231: 'store',\n",
" 232: 'server',\n",
" 233: 'codes',\n",
" 234: 'solution',\n",
" 235: 'copy',\n",
" 236: 'provided',\n",
" 237: 'microsoft',\n",
" 238: 'messages',\n",
" 239: 'pcs',\n",
" 240: 'didnt',\n",
" 241: 'earlier',\n",
" 242: 'campaign',\n",
" 243: 'customers',\n",
" 244: 'kindly',\n",
" 245: 'programs',\n",
" 246: 'resolve',\n",
" 247: 'ian',\n",
" 248: 'accounts',\n",
" 249: 'paypal',\n",
" 250: 'information',\n",
" 251: 'credit',\n",
" 252: 'anne',\n",
" 253: 'janet',\n",
" 254: 'resolved',\n",
" 255: 'client',\n",
" 256: 'added',\n",
" 257: 'following',\n",
" 258: 'correctly',\n",
" 259: 'contacted',\n",
" 260: 'programme',\n",
" 261: 'steps',\n",
" 262: 'accept',\n",
" 263: 'request',\n",
" 264: 'latest',\n",
" 265: 'james',\n",
" 266: 'below',\n",
" 267: 'note',\n",
" 268: 'search',\n",
" 269: 'doesnt',\n",
" 270: 'shall',\n",
" 271: 'opened',\n",
" 272: 'type',\n",
" 273: 'main',\n",
" 274: 'appear',\n",
" 275: 'renewing',\n",
" 276: 'ronald',\n",
" 277: 'although',\n",
" 278: 'explorer',\n",
" 279: 'network',\n",
" 280: 'switch',\n",
" 281: 'gives',\n",
" 282: 'patrick',\n",
" 283: 'provider',\n",
" 284: 'downloading',\n",
" 285: 'complete',\n",
" 286: 'runs',\n",
" 287: 'ended',\n",
" 288: 'upgraded',\n",
" 289: 'voucher',\n",
" 290: 'apple',\n",
" 291: 'dave',\n",
" 292: 'response',\n",
" 293: 'forward',\n",
" 294: 'follow',\n",
" 295: 'june',\n",
" 296: 'charles',\n",
" 297: 'accepted',\n",
" 298: 'linda',\n",
" 299: 'created',\n",
" 300: 'longer',\n",
" 301: 'checking',\n",
" 302: 'elaine',\n",
" 303: 'remotely',\n",
" 304: 'signed',\n",
" 305: 'platform',\n",
" 306: 'helpful',\n",
" 307: 'followed',\n",
" 308: 'proceed',\n",
" 309: 'patricia',\n",
" 310: 'thankyou',\n",
" 311: 'don',\n",
" 312: 'susan',\n",
" 313: 'stephen',\n",
" 314: 'properly',\n",
" 315: 'thomas',\n",
" 316: 'discount',\n",
" 317: 'incorrect',\n",
" 318: 'steve',\n",
" 319: 'listed',\n",
" 320: 'sites',\n",
" 321: 'states',\n",
" 322: 'cost',\n",
" 323: 'sending',\n",
" 324: 'directly',\n",
" 325: 'manage',\n",
" 326: 'fixed',\n",
" 327: 'downloads',\n",
" 328: 'ticket',\n",
" 329: 'during',\n",
" 330: 'previously',\n",
" 331: 'setup',\n",
" 332: 'ios',\n",
" 333: 'items',\n",
" 334: 'confirmed',\n",
" 335: 'tab',\n",
" 336: 'transfer',\n",
" 337: 'loaded',\n",
" 338: 'browsing',\n",
" 339: 'form',\n",
" 340: 'reboot',\n",
" 341: 'third',\n",
" 342: 'assume',\n",
" 343: 'laptops',\n",
" 344: 'assist',\n",
" 345: 'chatting',\n",
" 346: 'bottom',\n",
" 347: 'shop',\n",
" 348: 'hopefully',\n",
" 349: 'advise',\n",
" 350: 'invalid',\n",
" 351: 'anthony',\n",
" 352: 'march',\n",
" 353: 'manually',\n",
" 354: 'regarding',\n",
" 355: 'users',\n",
" 356: 'list',\n",
" 357: 'december',\n",
" 358: 'confused',\n",
" 359: 'instead',\n",
" 360: 'lap',\n",
" 361: 'norton',\n",
" 362: 'additional',\n",
" 363: 'chris',\n",
" 364: 'mike',\n",
" 365: 'expiry',\n",
" 366: 'updating',\n",
" 367: 'ken',\n",
" 368: 'http',\n",
" 369: 'logging',\n",
" 370: 'features',\n",
" 371: 'lars',\n",
" 372: 'registration',\n",
" 373: 'scanning',\n",
" 374: 'samsung',\n",
" 375: 'firewall',\n",
" 376: 'simply',\n",
" 377: 'sub',\n",
" 378: 'regards',\n",
" 379: 'press',\n",
" 380: 'macbook',\n",
" 381: 'within',\n",
" 382: 'kevin',\n",
" 383: 'successfully',\n",
" 384: 'paying',\n",
" 385: 'status',\n",
" 386: 'solved',\n",
" 387: 'sorted',\n",
" 388: 'nope',\n",
" 389: 'phones',\n",
" 390: 'neil',\n",
" 391: 'manager',\n",
" 392: 'passwords',\n",
" 393: 'top',\n",
" 394: 'sethu',\n",
" 395: 'choose',\n",
" 396: 'noticed',\n",
" 397: 'slow',\n",
" 398: 'october',\n",
" 399: 'extra',\n",
" 400: 'receiving',\n",
" 401: 'fully',\n",
" 402: 'per',\n",
" 403: 'direct',\n",
" 404: 'setting',\n",
" 405: 'gmail',\n",
" 406: 'apps',\n",
" 407: 'therefore',\n",
" 408: 'mcafee',\n",
" 409: 'finnish',\n",
" 410: 'mails',\n",
" 411: 'charged',\n",
" 412: 'cancelled',\n",
" 413: 'numbers',\n",
" 414: 'changes',\n",
" 415: 'twice',\n",
" 416: 'clicking',\n",
" 417: 'locked',\n",
" 418: 'desk',\n",
" 419: 'restore',\n",
" 420: 'normal',\n",
" 421: 'coupon',\n",
" 422: 'services',\n",
" 423: 'automatic',\n",
" 424: 'included',\n",
" 425: 'extend',\n",
" 426: 'november',\n",
" 427: 'completed',\n",
" 428: 'ill',\n",
" 429: 'win',\n",
" 430: 'manual',\n",
" 431: 'mary',\n",
" 432: 'disconnected',\n",
" 433: 'barbara',\n",
" 434: 'havent',\n",
" 435: 'trail',\n",
" 436: 'dan',\n",
" 437: 'description',\n",
" 438: 'given',\n",
" 439: 'multiple',\n",
" 440: 'contract',\n",
" 441: 'warning',\n",
" 442: 'daniel',\n",
" 443: 'notice',\n",
" 444: 'payed',\n",
" 445: 'michael',\n",
" 446: 'forgot',\n",
" 447: 'mins',\n",
" 448: 'folder',\n",
" 449: 'smartphone',\n",
" 450: 'august',\n",
" 451: 'virginmedia',\n",
" 452: 'buy',\n",
" 453: 'procedure',\n",
" 454: 'view',\n",
" 455: 'method',\n",
" 456: 'location',\n",
" 457: 'written',\n",
" 458: 'happening',\n",
" 459: 'offered',\n",
" 460: 'tom',\n",
" 461: 'requested',\n",
" 462: 'graham',\n",
" 463: 'july',\n",
" 464: 'closed',\n",
" 465: 'tech',\n",
" 466: 'licens',\n",
" 467: 'confusing',\n",
" 468: 'mentioned',\n",
" 469: 'kenneth',\n",
" 470: 'till',\n",
" 471: 'changed',\n",
" 472: 'unfortunately',\n",
" 473: 'double',\n",
" 474: 'edge',\n",
" 475: 'include',\n",
" 476: 'select',\n",
" 477: 'pressed',\n",
" 478: 'spam',\n",
" 479: 'aware',\n",
" 480: 'order',\n",
" 481: 'pad',\n",
" 482: 'pat',\n",
" 483: 'separate',\n",
" 484: 'example',\n",
" 485: 'lock',\n",
" 486: 'raymond',\n",
" 487: 'blocking',\n",
" 488: 'imac',\n",
" 489: 'url',\n",
" 490: 'necessary',\n",
" 491: 'payments',\n",
" 492: 'recommend',\n",
" 493: 'kim',\n",
" 494: 'managed',\n",
" 495: 'difference',\n",
" 496: 'text',\n",
" 497: 'panel',\n",
" 498: 'patience',\n",
" 499: 'gary',\n",
" 500: 'recognise',\n",
" 501: 'locate',\n",
" 502: 'uninstalling',\n",
" 503: 'exe',\n",
" 504: 'verify',\n",
" 505: 'auto',\n",
" 506: 'wendy',\n",
" 507: 'notification',\n",
" 508: 'connecting',\n",
" 509: 'finished',\n",
" 510: 'crashed',\n",
" 511: 'pro',\n",
" 512: 'wifi',\n",
" 513: 'defender',\n",
" 514: 'present',\n",
" 515: 'sms',\n",
" 516: 'sandra',\n",
" 517: 'menu',\n",
" 518: 'release',\n",
" 519: 'possible',\n",
" 520: 'allowed',\n",
" 521: 'restarted',\n",
" 522: 'username',\n",
" 523: 'language',\n",
" 524: 'antti',\n",
" 525: 'karen',\n",
" 526: 'reinstalling',\n",
" 527: 'stated',\n",
" 528: 'plus',\n",
" 529: 'changing',\n",
" 530: 'removal',\n",
" 531: 'basically',\n",
" 532: 'rid',\n",
" 533: 'whether',\n",
" 534: 'kent',\n",
" 535: 'spoke',\n",
" 536: 'scott',\n",
" 537: 'shown',\n",
" 538: 'forgotten',\n",
" 539: 'adress',\n",
" 540: 'weekend',\n",
" 541: 'unlock',\n",
" 542: 'steven',\n",
" 543: 'suggest',\n",
" 544: 'require',\n",
" 545: 'subscribed',\n",
" 546: 'disabled',\n",
" 547: 'opening',\n",
" 548: 'contacting',\n",
" 549: 'receipt',\n",
" 550: 'typing',\n",
" 551: 'buying',\n",
" 552: 'community',\n",
" 553: 'technical',\n",
" 554: 'systems',\n",
" 555: 'block',\n",
" 556: 'nicholas',\n",
" 557: 'mode',\n",
" 558: 'compatible',\n",
" 559: 'christopher',\n",
" 560: 'vista',\n",
" 561: 'accustomer',\n",
" 562: 'premium',\n",
" 563: 'otherwise',\n",
" 564: 'philip',\n",
" 565: 'derek',\n",
" 566: 'report',\n",
" 567: 'charge',\n",
" 568: 'released',\n",
" 569: 'loading',\n",
" 570: 'showed',\n",
" 571: 'result',\n",
" 572: 'worked',\n",
" 573: 'tools',\n",
" 574: 'await',\n",
" 575: 'ends',\n",
" 576: 'nokia',\n",
" 577: 'advised',\n",
" 578: 'joan',\n",
" 579: 'selected',\n",
" 580: 'telephone',\n",
" 581: 'sue',\n",
" 582: 'disable',\n",
" 583: 'linked',\n",
" 584: 'easier',\n",
" 585: 'prefer',\n",
" 586: 'send',\n",
" 587: 'sec',\n",
" 588: 'input',\n",
" 589: 'removing',\n",
" 590: 'catherine',\n",
" 591: 'total',\n",
" 592: 'scanner',\n",
" 593: 'clean',\n",
" 594: 'ordered',\n",
" 595: 'control',\n",
" 596: 'transaction',\n",
" 597: 'appeared',\n",
" 598: 'others',\n",
" 599: 'reminder',\n",
" 600: 'return',\n",
" 601: 'administrator',\n",
" 602: 'april',\n",
" 603: 'avg',\n",
" 604: 'causing',\n",
" 605: 'strange',\n",
" 606: 'colleague',\n",
" 607: 'servers',\n",
" 608: 'appreciate',\n",
" 609: 'logo',\n",
" 610: 'spyware',\n",
" 611: 'amount',\n",
" 612: 'greg',\n",
" 613: 'jeff',\n",
" 614: 'remaining',\n",
" 615: 'required',\n",
" 616: 'thru',\n",
" 617: 'helps',\n",
" 618: 'local',\n",
" 619: 'jean',\n",
" 620: 'screenshot',\n",
" 621: 'anna',\n",
" 622: 'related',\n",
" 623: 'expiring',\n",
" 624: 'exist',\n",
" 625: 'feature',\n",
" 626: 'stuart',\n",
" 627: 'surely',\n",
" 628: 'malcolm',\n",
" 629: 'write',\n",
" 630: 'speed',\n",
" 631: 'stopped',\n",
" 632: 'ups',\n",
" 633: 'older',\n",
" 634: 'tina',\n",
" 635: 'keith',\n",
" 636: 'advice',\n",
" 637: 'ones',\n",
" 638: 'paste',\n",
" 639: 'extension',\n",
" 640: 'respond',\n",
" 641: 'team',\n",
" 642: 'sign',\n",
" 643: 'entering',\n",
" 644: 'pages',\n",
" 645: 'action',\n",
" 646: 'seemed',\n",
" 647: 'links',\n",
" 648: 'purchasing',\n",
" 649: 'immediately',\n",
" 650: 'technician',\n",
" 651: 'eric',\n",
" 652: 'marie',\n",
" 653: 'maria',\n",
" 654: 'infected',\n",
" 655: 'mikko',\n",
" 656: 'lynn',\n",
" 657: 'alex',\n",
" 658: 'offers',\n",
" 659: 'factory',\n",
" 660: 'fails',\n",
" 661: 'september',\n",
" 662: 'isnt',\n",
" 663: 'instruction',\n",
" 664: 'serial',\n",
" 665: 'originally',\n",
" 666: 'initiate',\n",
" 667: 'phil',\n",
" 668: 'caused',\n",
" 669: 'section',\n",
" 670: 'colleagues',\n",
" 671: 'akd',\n",
" 672: 'sarah',\n",
" 673: 'promotion',\n",
" 674: 'based',\n",
" 675: 'attempt',\n",
" 676: 'answered',\n",
" 677: 'parental',\n",
" 678: 'itself',\n",
" 679: 'writing',\n",
" 680: 'ran',\n",
" 681: 'sold',\n",
" 682: 'nuzula',\n",
" 683: 'noted',\n",
" 684: 'sim',\n",
" 685: 'looked',\n",
" 686: 'promo',\n",
" 687: 'replace',\n",
" 688: 'joseph',\n",
" 689: 'webpage',\n",
" 690: 'gordon',\n",
" 691: 'repair',\n",
" 692: 'stops',\n",
" 693: 'expiration',\n",
" 694: 'thx',\n",
" 695: 'finland',\n",
" 696: 'indeed',\n",
" 697: 'nor',\n",
" 698: 'backup',\n",
" 699: 'prompt',\n",
" 700: 'goodbye',\n",
" 701: 'somehow',\n",
" 702: 'whats',\n",
" 703: 'item',\n",
" 704: 'bob',\n",
" 705: 'according',\n",
" 706: 'barry',\n",
" 707: 'profile',\n",
" 708: 'operating',\n",
" 709: 'viruses',\n",
" 710: 'disappeared',\n",
" 711: 'lets',\n",
" 712: 'websites',\n",
" 713: 'whilst',\n",
" 714: 'boot',\n",
" 715: 'feedback',\n",
" 716: 'recommended',\n",
" 717: 'wondering',\n",
" 718: 'jim',\n",
" 719: 'shahriman',\n",
" 720: 'enable',\n",
" 721: 'broadband',\n",
" 722: 'carol',\n",
" 723: 'clearly',\n",
" 724: 'boxes',\n",
" 725: 'takes',\n",
" 726: 'database',\n",
" 727: 'success',\n",
" 728: 'recieved',\n",
" 729: 'weeks',\n",
" 730: 'ending',\n",
" 731: 'sean',\n",
" 732: 'simple',\n",
" 733: 'programmes',\n",
" 734: 'scans',\n",
" 735: 'normally',\n",
" 736: 'limited',\n",
" 737: 'julie',\n",
" 738: 'tim',\n",
" 739: 'sons',\n",
" 740: 'stolen',\n",
" 741: 'apply',\n",
" 742: 'conversation',\n",
" 743: 'hence',\n",
" 744: 'unknown',\n",
" 745: 'guniz',\n",
" 746: 'successful',\n",
" 747: 'typed',\n",
" 748: 'instal',\n",
" 749: 'possibility',\n",
" 750: 'roger',\n",
" 751: 'concerned',\n",
" 752: 'clients',\n",
" 753: 'perform',\n",
" 754: 'january',\n",
" 755: 'missing',\n",
" 756: 'temporary',\n",
" 757: 'uses',\n",
" 758: 'similar',\n",
" 759: 'suggested',\n",
" 760: 'laura',\n",
" 761: 'marko',\n",
" 762: 'dennis',\n",
" 763: 'subcription',\n",
" 764: 'morten',\n",
" 765: 'supported',\n",
" 766: 'copied',\n",
" 767: 'protect',\n",
" 768: 'annoying',\n",
" 769: 'disk',\n",
" 770: 'allows',\n",
" 771: 'units',\n",
" 772: 'digit',\n",
" 773: 'errors',\n",
" 774: 'activating',\n",
" 775: 'billing',\n",
" 776: 'sebastian',\n",
" 777: 'odd',\n",
" 778: 'nazula',\n",
" 779: 'hans',\n",
" 780: 'maximum',\n",
" 781: 'michelle',\n",
" 782: 'lol',\n",
" 783: 'bryan',\n",
" 784: 'circle',\n",
" 785: 'guide',\n",
" 786: 'university',\n",
" 787: 'tryed',\n",
" 788: 'henrik',\n",
" 789: 'personal',\n",
" 790: 'bar',\n",
" 791: 'suppose',\n",
" 792: 'dutch',\n",
" 793: 'wifes',\n",
" 794: 'beginning',\n",
" 795: 'expert',\n",
" 796: 'multi',\n",
" 797: 'pops',\n",
" 798: 'quickly',\n",
" 799: 'ensure',\n",
" 800: 'hacked',\n",
" 801: 'ideal',\n",
" 802: 'wrote',\n",
" 803: 'perhaps',\n",
" 804: 'record',\n",
" 805: 'trusted',\n",
" 806: 'disconnect',\n",
" 807: 'retrieve',\n",
" 808: 'refunded',\n",
" 809: 'pass',\n",
" 810: 'company',\n",
" 811: 'everytime',\n",
" 812: 'format',\n",
" 813: 'video',\n",
" 814: 'sharon',\n",
" 815: 'false',\n",
" 816: 'function',\n",
" 817: 'johanna',\n",
" 818: 'tony',\n",
" 819: 'switched',\n",
" 820: 'sylvia',\n",
" 821: 'outlook',\n",
" 822: 'scanned',\n",
" 823: 'loose',\n",
" 824: 'step',\n",
" 825: 'wil',\n",
" 826: 'net',\n",
" 827: 'reload',\n",
" 828: 'yep',\n",
" 829: 'reseller',\n",
" 830: 'extended',\n",
" 831: 'christine',\n",
" 832: 'orders',\n",
" 833: 'popup',\n",
" 834: 'trojan',\n",
" 835: 'partner',\n",
" 836: 'allready',\n",
" 837: 'signing',\n",
" 838: 'specific',\n",
" 839: 'rob',\n",
" 840: 'except',\n",
" 841: 'marcus',\n",
" 842: 'generate',\n",
" 843: 'initially',\n",
" 844: 'stating',\n",
" 845: 'complaint',\n",
" 846: 'ignore',\n",
" 847: 'subscribe',\n",
" 848: 'temp',\n",
" 849: 'understanding',\n",
" 850: 'complicated',\n",
" 851: 'cheers',\n",
" 852: 'geoffrey',\n",
" 853: 'submit',\n",
" 854: 'opens',\n",
" 855: 'yrs',\n",
" 856: 'ihave',\n",
" 857: 'months',\n",
" 858: 'non',\n",
" 859: 'carl',\n",
" 860: 'talktalk',\n",
" 861: 'sales',\n",
" 862: 'evening',\n",
" 863: 'pack',\n",
" 864: 'sten',\n",
" 865: 'addresses',\n",
" 866: 'located',\n",
" 867: 'jill',\n",
" 868: 'ben',\n",
" 869: 'effect',\n",
" 870: 'arrived',\n",
" 871: 'understood',\n",
" 872: 'starting',\n",
" 873: 'detected',\n",
" 874: 'task',\n",
" 875: 'directed',\n",
" 876: 'jason',\n",
" 877: 'galaxy',\n",
" 878: 'frank',\n",
" 879: 'helped',\n",
" 880: 'harmful',\n",
" 881: 'versions',\n",
" 882: 'roy',\n",
" 883: 'ann',\n",
" 884: 'kaspersky',\n",
" 885: 'recent',\n",
" 886: 'matti',\n",
" 887: 'corporate',\n",
" 888: 'applications',\n",
" 889: 'records',\n",
" 890: 'janne',\n",
" 891: 'olli',\n",
" 892: 'results',\n",
" 893: 'meantime',\n",
" 894: 'paul',\n",
" 895: 'letters',\n",
" 896: 'taken',\n",
" 897: 'appreciated',\n",
" 898: 'amanda',\n",
" 899: 'asap',\n",
" 900: 'assumed',\n",
" 901: 'usual',\n",
" 902: 'yourselves',\n",
" 903: 'cloud',\n",
" 904: 'couldnt',\n",
" 905: 'rebooted',\n",
" 906: 'subs',\n",
" 907: 'jens',\n",
" 908: 'nearly',\n",
" 909: 'shopping',\n",
" 910: 'inbox',\n",
" 911: 'frustrating',\n",
" 912: 'happens',\n",
" 913: 'forum',\n",
" 914: 'confirming',\n",
" 915: 'lisence',\n",
" 916: 'associated',\n",
" 917: 'difficult',\n",
" 918: 'margaret',\n",
" 919: 'reported',\n",
" 920: 'explained',\n",
" 921: 'yahoo',\n",
" 922: 'ole',\n",
" 923: 'informed',\n",
" 924: 'harry',\n",
" 925: 'installations',\n",
" 926: 'deactivate',\n",
" 927: 'interface',\n",
" 928: 'replacement',\n",
" 929: 'younited',\n",
" 930: 'upload',\n",
" 931: 'bruce',\n",
" 932: 'adding',\n",
" 933: 'unsure',\n",
" 934: 'escalate',\n",
" 935: 'tablets',\n",
" 936: 'cart',\n",
" 937: 'answers',\n",
" 938: 'unistall',\n",
" 939: 'linux',\n",
" 940: 'suite',\n",
" 941: 'admin',\n",
" 942: 'reinstallation',\n",
" 943: 'helen',\n",
" 944: 'covers',\n",
" 945: 'policy',\n",
" 946: 'nettie',\n",
" 947: 'carry',\n",
" 948: 'registering',\n",
" 949: 'jonas',\n",
" 950: 'oke',\n",
" 951: 'print',\n",
" 952: 'theft',\n",
" 953: 'annual',\n",
" 954: 'chatted',\n",
" 955: 'bill',\n",
" 956: 'often',\n",
" 957: 'fee',\n",
" 958: 'names',\n",
" 959: 'insert',\n",
" 960: 'pauline',\n",
" 961: 'advanced',\n",
" 962: 'jennifer',\n",
" 963: 'detect',\n",
" 964: 'refresh',\n",
" 965: 'hidden',\n",
" 966: 'needed',\n",
" 967: 'unprotected',\n",
" 968: 'michele',\n",
" 969: 'prevent',\n",
" 970: 'validity',\n",
" 971: 'monthly',\n",
" 972: 'representative',\n",
" 973: 'leonardo',\n",
" 974: 'delay',\n",
" 975: 'blocks',\n",
" 976: 'visa',\n",
" 977: 'reactivate',\n",
" 978: 'recovery',\n",
" 979: 'identify',\n",
" 980: 'applied',\n",
" 981: 'finish',\n",
" 982: 'francis',\n",
" 983: 'area',\n",
" 984: 'decide',\n",
" 985: 'douglas',\n",
" 986: 'jonathan',\n",
" 987: 'including',\n",
" 988: 'content',\n",
" 989: 'starts',\n",
" 990: 'round',\n",
" 991: 'speaking',\n",
" 992: 'browsers',\n",
" 993: 'common',\n",
" 994: 'query',\n",
" 995: 'toshiba',\n",
" 996: 'retail',\n",
" 997: 'narendra',\n",
" 998: 'actual',\n",
" 999: 'pin',\n",
" ...}"
]
},
"execution_count": 28,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"reverse_dictionary"
]
},
{
"cell_type": "code",
"execution_count": 66,
"metadata": {
"collapsed": false
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"0.0150398\n",
"1.0\n"
]
},
{
"data": {
"text/plain": [
"4.5329218"
]
},
"execution_count": 66,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"print(distanza(1395, 810))\n",
"print(distanza(2, 2))\n",
"np.linalg.norm(final_embeddings[9])"
]
},
{
"cell_type": "code",
"execution_count": 32,
"metadata": {
"collapsed": false
},
"outputs": [
{
"data": {
"text/plain": [
"[2776]"
]
},
"execution_count": 32,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"data[16161]"
]
},
{
"cell_type": "code",
"execution_count": null,
"metadata": {
"cellView": "both",
"colab": {
"autoexec": {
"startup": false,
"wait_interval": 0
}
},
"colab_type": "code",
"collapsed": true,
"id": "jjJXYA_XzV79"
},
"outputs": [],
"source": [
"num_points = 400\n",
"\n",
"tsne = TSNE(perplexity=30, n_components=2, init='pca', n_iter=5000)\n",
"two_d_embeddings = tsne.fit_transform(final_embeddings[1:num_points+1, :])"
]
},
{
"cell_type": "code",
"execution_count": null,
"metadata": {
"cellView": "both",
"colab": {
"autoexec": {
"startup": false,
"wait_interval": 0
},
"output_extras": [
{
"item_id": 1
}
]
},
"colab_type": "code",
"collapsed": false,
"executionInfo": {
"elapsed": 4763,
"status": "ok",
"timestamp": 1445965465525,
"user": {
"color": "#1FA15D",
"displayName": "Vincent Vanhoucke",
"isAnonymous": false,
"isMe": true,
"permissionId": "05076109866853157986",
"photoUrl": "//lh6.googleusercontent.com/-cCJa7dTDcgQ/AAAAAAAAAAI/AAAAAAAACgw/r2EZ_8oYer4/s50-c-k-no/photo.jpg",
"sessionId": "2f1ffade4c9f20de",
"userId": "102167687554210253930"
},
"user_tz": 420
},
"id": "o_e0D_UezcDe",
"outputId": "df22e4a5-e8ec-4e5e-d384-c6cf37c68c34"
},
"outputs": [],
"source": [
"def plot(embeddings, labels):\n",
" assert embeddings.shape[0] >= len(labels), 'More labels than embeddings'\n",
" pylab.figure(figsize=(15,15)) # in inches\n",
" for i, label in enumerate(labels):\n",
" x, y = embeddings[i,:]\n",
" pylab.scatter(x, y)\n",
" pylab.annotate(label, xy=(x, y), xytext=(5, 2), textcoords='offset points',\n",
" ha='right', va='bottom')\n",
" pylab.show()\n",
"\n",
"words = [reverse_dictionary[i] for i in range(1, num_points+1)]\n",
"plot(two_d_embeddings, words)"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "QB5EFrBnpNnc"
},
"source": [
"---\n",
"\n",
"Problem\n",
"-------\n",
"\n",
"An alternative to skip-gram is another Word2Vec model called [CBOW](http://arxiv.org/abs/1301.3781) (Continuous Bag of Words). In the CBOW model, instead of predicting a context word from a word vector, you predict a word from the sum of all the word vectors in its context. Implement and evaluate a CBOW model trained on the text8 dataset.\n",
"\n",
"---"
]
}
],
"metadata": {
"colab": {
"default_view": {},
"name": "5_word2vec.ipynb",
"provenance": [],
"version": "0.3.2",
"views": {}
},
"kernelspec": {
"display_name": "Python 2",
"language": "python",
"name": "python2"
},
"language_info": {
"codemirror_mode": {
"name": "ipython",
"version": 2
},
"file_extension": ".py",
"mimetype": "text/x-python",
"name": "python",
"nbconvert_exporter": "python",
"pygments_lexer": "ipython2",
"version": "2.7.11"
}
},
"nbformat": 4,
"nbformat_minor": 0
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment