├── README.md ├── Julia ├── readme.org ├── combinations between two lists.org └── convert array of arrays to matrix.org ├── Python ├── readme.org ├── pandoc_convert.py ├── pandoc_batch.py ├── encrypt_batch7z.py ├── twitter-scanner.py └── github_namescanner.py ├── Git_Github.org └── LICENSE /README.md: -------------------------------------------------------------------------------- 1 | # Scripts -------------------------------------------------------------------------------- /Julia/readme.org: -------------------------------------------------------------------------------- 1 | #+TITLE: Julia Snippets 2 | #+AUTHOR: Yong 3 | #+DESCRIPTION: This document catalogs a set of Julia tips and tricks 4 | 5 | - Print without newline or space (this is a python3 example) ([[http://stackoverflow.com/questions/493386/how-to-print-in-python-without-newline-or-space][reference]]): 6 | 7 | #+begin_src julia 8 | print('.', end="", flush=True) 9 | #+end_src 10 | -------------------------------------------------------------------------------- /Python/readme.org: -------------------------------------------------------------------------------- 1 | #+TITLE: Python Snippets 2 | #+AUTHOR: Yong 3 | #+DESCRIPTION: This document catalogs a set of Python tips and tricks (mainly Python3) 4 | 5 | - Print without newline or space in Python3 ([[http://stackoverflow.com/questions/493386/how-to-print-in-python-without-newline-or-space][reference]]): 6 | 7 | #+begin_src python 8 | print('.', end="", flush=True) 9 | #+end_src 10 | -------------------------------------------------------------------------------- /Python/pandoc_convert.py: -------------------------------------------------------------------------------- 1 | # 将本目录下一种格式用 Pandoc 转换成另一种格式(前提是 Pandoc 路径需要放在 PATH 变量下): 2 | 3 | import sys 4 | import os 5 | from subprocess import call 6 | 7 | def main(file_name): 8 | """ 9 | convert file_name to .rst files 10 | """ 11 | call("pandoc -s -S -t rst " + file_name + " -o " + os.path.splitext(file_name)[0] + ".rst") 12 | 13 | if __name__ == '__main__': 14 | main(sys.argv[1]) 15 | -------------------------------------------------------------------------------- /Python/pandoc_batch.py: -------------------------------------------------------------------------------- 1 | # batch version of pandoc_convert.py 2 | 3 | import os 4 | import sys 5 | from subprocess import call 6 | 7 | def main(): 8 | """ 9 | convert all .org files in current directory to .rst files 10 | """ 11 | all_files = os.listdir() 12 | for file in all_files: 13 | filename = os.path.splitext(file)[0] 14 | if os.path.splitext(file)[1] == ".org": 15 | # call("pandoc -s -S " + file + " -o " + filename + ".org") 16 | call("pandoc -s -S -t rst " + file + " -o " + filename + ".rst") 17 | if __name__ == '__main__': 18 | main() 19 | -------------------------------------------------------------------------------- /Python/encrypt_batch7z.py: -------------------------------------------------------------------------------- 1 | # 调用7z命令行工具, 对目录下所有某种格式文件分别加密压缩成相应的单个文件 (用于个人私密资料上传网盘, 防止网盘对文件进行扫描). 2 | 3 | import os 4 | import sys 5 | from subprocess import call 6 | 7 | def main(): 8 | """ 9 | Archive each file to a 7z file with password protected 10 | """ 11 | all_files = os.listdir() 12 | for file in all_files: 13 | filename = os.path.splitext(file)[0] 14 | if os.path.splitext(file)[1] == ".mkv": 15 | # call("pandoc -s -S " + file + " -o " + filename + ".org") 16 | call("7z a -t7z " + filename + ".7z " + filename + ".mkv -mhe -mx9 -pPASSWORD") #-mhe to encrypt the file name, -mx9 ultra compression 17 | 18 | if __name__ == '__main__': 19 | main() 20 | -------------------------------------------------------------------------------- /Julia/combinations between two lists.org: -------------------------------------------------------------------------------- 1 | #+TITLE: All the possible combinations between two lists 2 | 3 | For example, find [[https://en.wikipedia.org/wiki/Wikipedia:List_of_two-letter_combinations][two letter combinations]]: 4 | 5 | #+BEGIN_SRC julia 6 | writedlm("combinations.txt", [a*b for a in ["a","b","c","d","e","f","g","h","i","j","k","l","m","n","o","p","q","r","s","t","u","v","w","x","y","z"], b in ["a","b","c","d","e","f","g","h","i","j","k","l","m","n","o","p","q","r","s","t","u","v","w","x","y","z"]], '\n') 7 | #+END_SRC 8 | 9 | This function save the data generated using list comprehensions to a file named "combinations.txt" and use ='\n'= as the delimeter (which defaults to tab). If two lists are not the same, for example: 10 | 11 | #+BEGIN_SRC julia 12 | list1 = ["a","b","c","d","e","f","g","h","i","j","k","l","m","n","o","p","q","r","s","t","u","v","w","x","y","z"] 13 | list2 = ["0","1","2","3","4","5","6","7","8","9"] 14 | writedlm("combinations.txt", vcat([a*b for a in list1, b in list2], [b*a for a in list1, b in list2]), '\n') 15 | #+END_SRC 16 | 17 | Here we combine two resulting lists to make a combination list regardless of the order. This is also useful to find all combinations between two word lists. 18 | -------------------------------------------------------------------------------- /Git_Github.org: -------------------------------------------------------------------------------- 1 | #+TITLE: All the stuff about Git and Github 2 | 3 | - Add images to README file on Github 4 | 5 | Take =readme.org= as an example ([[http://stackoverflow.com/questions/10189356/how-to-add-screenshot-to-readmes-in-github-repository][reference]]): 6 | 7 | #+BEGIN_EXAMPLE 8 | [[/relative/path/to/img.jpg?raw=true "Optional Title"]] 9 | [[http://full/path/to/img.jpg "Optional title"]] 10 | #+END_EXAMPLE 11 | 12 | - Generate SSH key 13 | 1. Remove existing SSH Key files: according to the [[https://help.github.com/articles/checking-for-existing-ssh-keys/][guide]], find the =~/.ssh= folder which has one of these files and delete the folder. 14 | 15 | #+BEGIN_EXAMPLE 16 | id_dsa.pub 17 | id_ecdsa.pub 18 | id_ed25519.pub 19 | id_rsa.pub 20 | #+END_EXAMPLE 21 | 22 | 2. Remove the existing SSH key stored in your GitHub account, which can be found in =Settings= -> =SSH and GPG keys= ([[https://help.github.com/articles/adding-a-new-ssh-key-to-your-github-account/][reference]]) 23 | 3. Then follow the [[https://help.github.com/articles/generating-an-ssh-key/][generating an SSH key]] guide to generate a new SSH key. 24 | 25 | - 将已有的目录同步到GitHub 26 | 27 | 1. 若是初次操作(记得先在本地目录里放上对应的 =.gitignore= 文件) 28 | 29 | #+BEGIN_SRC shell 30 | git init 31 | git add . 32 | git commit -m "说明" 33 | git remote add origin git@github.com:cafe/repository_name.git 34 | git push -u origin master 35 | #+END_SRC 36 | 37 | 2. 若是对已有的 repository 进行日常更新 38 | 39 | #+BEGIN_SRC shell 40 | git add . 41 | git commit -m "说明" 42 | git push -u origin master 43 | #+END_SRC 44 | -------------------------------------------------------------------------------- /Julia/convert array of arrays to matrix.org: -------------------------------------------------------------------------------- 1 | * Convert array of arrays to matrix 2 | 3 | ** Methods 4 | 5 | Array of arrays can be created by specifying the initial values, as stated [[https://en.wikibooks.org/wiki/Introducing_Julia/Arrays_and_tuples#Arrays_of_arrays][here]]: 6 | 7 | #+BEGIN_SRC julia 8 | a_test = Array[[1,2], [3,4], [5,6]] 9 | #+END_SRC 10 | 11 | results: 12 | 13 | #+BEGIN_EXAMPLE 14 | 2-element Array{Array{T,N},1}: 15 | [1,2] 16 | [3,4] 17 | [5,6] 18 | #+END_EXAMPLE 19 | 20 | As you can see, the type is not determined in the above results. So the data types can be specified when creating array of arrays: 21 | 22 | #+BEGIN_SRC julia 23 | a_test = Array{Int64, 1}[[1,2],[3,4],[5,6]] 24 | #+END_SRC 25 | 26 | results: 27 | 28 | #+BEGIN_EXAMPLE 29 | 3-element Array{Array{Int64,1},1}: 30 | [1,2] 31 | [3,4] 32 | [5,6] 33 | #+END_EXAMPLE 34 | 35 | =a_test= a 1D array of arrays (the inner array is also a 1D array). This array of arrays can be converted to a 2D array using =hcat()= ([[http://stackoverflow.com/questions/26673412/how-to-convert-an-array-of-array-into-a-matrix][reference]]): 36 | 37 | #+BEGIN_SRC julia 38 | hcat(a_test...) 39 | #+END_SRC 40 | 41 | results: 42 | 43 | #+BEGIN_EXAMPLE 44 | 2x3 Array{Int64,2}: 45 | 1 3 5 46 | 2 4 6 47 | #+END_EXAMPLE 48 | 49 | If you prefer the vectors to be rows, you can =transpose()= the above results or using =vcat()= with transposed inner arrays: 50 | 51 | #+BEGIN_SRC julia 52 | vcat([x' for x in a_test]...) 53 | #+END_SRC 54 | 55 | results: 56 | 57 | #+BEGIN_EXAMPLE 58 | 3x2 Array{Int64,2}: 59 | 1 2 60 | 3 4 61 | 5 6 62 | #+END_EXAMPLE 63 | 64 | Also, if =a_test= is =Array[[1 2][3 4],[5 6]]= (more precisely, =Array{Int64, 2}[[1 2][3 4],[5 6]]=), =vcat()= can be directly applied. 65 | 66 | ** More thoughts 67 | 68 | Sometimes passing an array as a parameter to a function will obtain results in the form of array of arrays as desribed [[http://stackoverflow.com/questions/26673412/how-to-convert-an-array-of-array-into-a-matrix][here]]. 69 | 70 | #+BEGIN_SRC julia 71 | phi(x, d) = [x.^i for i=0:d] # vector-valued function 72 | x = rand(7) # vector 73 | y = phi(x, 3) # should be matrix, but isn't 74 | #+END_SRC 75 | 76 | The author says "Now =y= should be a matrix, but it is an =4-element Array{Array{Float64,1},1}=, i.e. an array of arrays. Actually, I want =y= to be a matrix. Is the implementation of =phi= wrong? Or how do I convert it?" 77 | 78 | Based on the answers, these are possible solutions: 79 | 80 | 1. Convert array of arrays to matrix (see above) 81 | 2. Modify the original function to create a matrix instead of array of arrays. 82 | - Using broadcasting feature of Julia [[http://docs.julialang.org/en/release-0.4/manual/arrays/][Broadcasting reference]]: 83 | 84 | #+BEGIN_SRC julia 85 | phi(x, d) = x.^((0:d)') 86 | #+END_SRC 87 | 88 | As long as =x= is a vector, it will broadcast against the row matrix =(0:d)'=. You can get the transposed result by transposing =x= instead of the range =0:d=. 89 | 90 | - Using a two-dimensional array comprehension: 91 | 92 | #+BEGIN_SRC julia 93 | phi(x, d) = [xi.^di for xi in x, di in 0:d] 94 | #+END_SRC 95 | 96 | This will work as long as =x= is iterable. If =x= is an n-d array, it will be interpreted as if it were flattened first. You can transpose the result by switching the order of the comprehension variables: 97 | 98 | #+BEGIN_SRC julia 99 | phi(x, d) = [xi.^di for di in 0:d, xi in x] 100 | #+END_SRC 101 | -------------------------------------------------------------------------------- /Python/twitter-scanner.py: -------------------------------------------------------------------------------- 1 | # How to use: (based on https://doyle.ninja/scanning-single-word-twitter-names/ and https://gist.github.com/w4/6b177fc86340d5f5d8ae) 2 | # install pip3 (since we are going to use python 3) with "sudo apt-get install python3-pip", then "sudo pip3 install pycurl stem", use any dictionary from https://github.com/first20hours/google-10000-english. Create an empty file named "found". 3 | # download tor browser. (Or use the tor command line version, which can be installed following instructions https://www.torproject.org/docs/debian.html.en) 4 | # If use tor browser, two ports 9150 and 9151 are used. If you use the command line version, change ports to 9050 and 9051 accordingly. 5 | # open tor browser (or start tor command line tool with "tor", if 9050 port is occupied, use "pkill -9 tor" to kill the tor process and restart tor) 6 | # "python3 twitter-scanner.py google-10000-english.txt found" 7 | 8 | # Always this tool will not work because tor network is not stable 9 | 10 | """Twitter handle scanner 11 | 12 | Scans a specified list for available twitter handles. When blocked by Twitter, the script 13 | will automatically request another exitpoint from Tor and continue running until it runs 14 | out of names. 15 | 16 | Syntax: 17 | python3 twitter-scanner.py -h 18 | 19 | Requires: 20 | curses 21 | stem (pip install stem) 22 | Tor (https://www.torproject.org/) 23 | """ 24 | 25 | import curses 26 | import json 27 | import os 28 | import pycurl 29 | import signal 30 | import sys 31 | from argparse import ArgumentParser, FileType 32 | from io import BytesIO 33 | from math import floor 34 | from random import shuffle 35 | from time import sleep 36 | 37 | from stem import Signal 38 | from stem.control import Controller 39 | 40 | parser = ArgumentParser() 41 | parser.add_argument('file', help='file to read names to scan from', type=FileType('r')) 42 | parser.add_argument('log', help='file to log handle attempts to', type=FileType('r+')) 43 | parser.add_argument('--port', help='tor socks proxy port', type=int, default=9150) 44 | parser.add_argument('--control', help='tor control panel port', type=int, default=9151) 45 | parser.add_argument('-p', '--password', help='tor control panel password', type=str) 46 | parser.add_argument('-o', '--output', help='file to write handles to', type=FileType('a')) 47 | args = parser.parse_args() 48 | 49 | checked = [] 50 | 51 | if os.fstat(args.log.fileno()).st_size > 0: 52 | checked = json.load(args.log) 53 | 54 | 55 | def signal_handler(signal, frame): 56 | """Handles SIGINT (ctrl-C) signals - clean application shutdown""" 57 | args.log.seek(0) 58 | json.dump(checked, args.log) 59 | curses.endwin() 60 | sys.exit(0) 61 | 62 | 63 | signal.signal(signal.SIGINT, signal_handler) 64 | 65 | 66 | def print_host_data(curl, screen): 67 | """Get some information about our current Tor node and print it out""" 68 | buffer = BytesIO() 69 | 70 | curl.setopt(pycurl.URL, 'http://wtfismyip.com/json') 71 | curl.setopt(pycurl.WRITEDATA, buffer) 72 | curl.perform() 73 | 74 | data = json.loads(buffer.getvalue().decode('UTF-8')) 75 | 76 | screen.addstr('\n'.join(['===================================', 77 | 'Node IP address: {0}'.format(data['YourFuckingIPAddress']), 78 | 'Node Location: {0}'.format(data['YourFuckingLocation']), 79 | 'Node Hostname: {0}'.format(data['YourFuckingHostname']), 80 | 'Node ISP: {0}'.format(data['YourFuckingISP']), 81 | '===================================', 82 | ''])) 83 | 84 | 85 | def request_new_route(curl): 86 | """Request a new Tor route and hopefully get a new exit node""" 87 | curl.close() 88 | 89 | with Controller.from_port(port=args.control) as controller: 90 | controller.authenticate(password=args.password) 91 | controller.signal(Signal.NEWNYM) 92 | 93 | 94 | def new_curl_instance(): 95 | """Create new curl handle due to us having to close the old one to get a new route""" 96 | curl = pycurl.Curl() 97 | curl.setopt(pycurl.PROXY, '127.0.0.1') 98 | curl.setopt(pycurl.PROXYPORT, args.port) 99 | curl.setopt(pycurl.PROXYTYPE, pycurl.PROXYTYPE_SOCKS5) 100 | 101 | return curl 102 | 103 | 104 | names = [line.rstrip('\n') for line in args.file if line.rstrip('\n') not in checked] 105 | shuffle(names) 106 | 107 | 108 | def main(stdscr): 109 | # Work around to get colours to work in curses 110 | curses.use_default_colors() 111 | for i in range(0, curses.COLORS): 112 | curses.init_pair(i, i, -1) 113 | 114 | curl = pycurl.Curl() 115 | curl.setopt(pycurl.PROXY, '127.0.0.1') 116 | curl.setopt(pycurl.PROXYPORT, args.port) 117 | curl.setopt(pycurl.PROXYTYPE, pycurl.PROXYTYPE_SOCKS5) 118 | 119 | y, x = stdscr.getmaxyx() 120 | 121 | curses.init_pair(1, curses.COLOR_BLACK, 1) # original value is 47, changed to 1 to stop reporting err 122 | stdscr.addstr("Twitter username scanner", curses.color_pair(1)) 123 | stdscr.bkgd(' ', curses.color_pair(1)) 124 | stdscr.refresh() 125 | 126 | window = stdscr.subwin(y - 2, x, 1, 0) 127 | curses.init_pair(2, curses.COLOR_WHITE, -1) 128 | 129 | window.bkgd(' ', curses.color_pair(2)) 130 | window.scrollok(True) 131 | window.idlok(True) 132 | 133 | print_host_data(curl, window) 134 | 135 | amt = len(names) 136 | check = 0 137 | found = 0 138 | 139 | for name in names: 140 | stdscr.move(y - 1, 0) 141 | stdscr.addstr("{0}% |{1}{2}| {3}/{4} - we have found {5} available handles" 142 | .format(round(check / amt * 100), '#' * floor(check / amt * 16), 143 | ' ' * (16 - floor(check / amt * 16)), check, amt, found), 144 | curses.color_pair(1)) 145 | stdscr.refresh() 146 | 147 | window.refresh() 148 | buffer = BytesIO() 149 | 150 | curl.setopt(pycurl.URL, 151 | 'https://twitter.com/users/username_available?username={0}'.format(name)) 152 | curl.setopt(pycurl.WRITEDATA, buffer) 153 | curl.perform() 154 | 155 | try: 156 | data = json.loads(buffer.getvalue().decode('UTF-8')) 157 | 158 | if data['valid']: 159 | window.addstr("{0} is available!\n".format(name), curses.color_pair(47)) 160 | args.output.write('{0}\n'.format(name)) 161 | found += 1 162 | else: 163 | window.addstr("{0} is not available - {1}\n".format(name, data['reason']), 164 | curses.color_pair(9)) 165 | checked.append(name) 166 | except json.JSONDecodeError: 167 | window.addstr("Twitter has blocked us. We're going to request another route\n", 168 | curses.color_pair(28)) 169 | args.log.seek(0) 170 | json.dump(checked, args.log) 171 | request_new_route(curl) 172 | sleep(10) 173 | curl = new_curl_instance() 174 | print_host_data(curl, window) 175 | 176 | check += 1 177 | 178 | 179 | curses.wrapper(main) 180 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | GNU LESSER GENERAL PUBLIC LICENSE 2 | Version 3, 29 June 2007 3 | 4 | Copyright (C) 2007 Free Software Foundation, Inc. 5 | Everyone is permitted to copy and distribute verbatim copies 6 | of this license document, but changing it is not allowed. 7 | 8 | 9 | This version of the GNU Lesser General Public License incorporates 10 | the terms and conditions of version 3 of the GNU General Public 11 | License, supplemented by the additional permissions listed below. 12 | 13 | 0. Additional Definitions. 14 | 15 | As used herein, "this License" refers to version 3 of the GNU Lesser 16 | General Public License, and the "GNU GPL" refers to version 3 of the GNU 17 | General Public License. 18 | 19 | "The Library" refers to a covered work governed by this License, 20 | other than an Application or a Combined Work as defined below. 21 | 22 | An "Application" is any work that makes use of an interface provided 23 | by the Library, but which is not otherwise based on the Library. 24 | Defining a subclass of a class defined by the Library is deemed a mode 25 | of using an interface provided by the Library. 26 | 27 | A "Combined Work" is a work produced by combining or linking an 28 | Application with the Library. The particular version of the Library 29 | with which the Combined Work was made is also called the "Linked 30 | Version". 31 | 32 | The "Minimal Corresponding Source" for a Combined Work means the 33 | Corresponding Source for the Combined Work, excluding any source code 34 | for portions of the Combined Work that, considered in isolation, are 35 | based on the Application, and not on the Linked Version. 36 | 37 | The "Corresponding Application Code" for a Combined Work means the 38 | object code and/or source code for the Application, including any data 39 | and utility programs needed for reproducing the Combined Work from the 40 | Application, but excluding the System Libraries of the Combined Work. 41 | 42 | 1. Exception to Section 3 of the GNU GPL. 43 | 44 | You may convey a covered work under sections 3 and 4 of this License 45 | without being bound by section 3 of the GNU GPL. 46 | 47 | 2. Conveying Modified Versions. 48 | 49 | If you modify a copy of the Library, and, in your modifications, a 50 | facility refers to a function or data to be supplied by an Application 51 | that uses the facility (other than as an argument passed when the 52 | facility is invoked), then you may convey a copy of the modified 53 | version: 54 | 55 | a) under this License, provided that you make a good faith effort to 56 | ensure that, in the event an Application does not supply the 57 | function or data, the facility still operates, and performs 58 | whatever part of its purpose remains meaningful, or 59 | 60 | b) under the GNU GPL, with none of the additional permissions of 61 | this License applicable to that copy. 62 | 63 | 3. Object Code Incorporating Material from Library Header Files. 64 | 65 | The object code form of an Application may incorporate material from 66 | a header file that is part of the Library. You may convey such object 67 | code under terms of your choice, provided that, if the incorporated 68 | material is not limited to numerical parameters, data structure 69 | layouts and accessors, or small macros, inline functions and templates 70 | (ten or fewer lines in length), you do both of the following: 71 | 72 | a) Give prominent notice with each copy of the object code that the 73 | Library is used in it and that the Library and its use are 74 | covered by this License. 75 | 76 | b) Accompany the object code with a copy of the GNU GPL and this license 77 | document. 78 | 79 | 4. Combined Works. 80 | 81 | You may convey a Combined Work under terms of your choice that, 82 | taken together, effectively do not restrict modification of the 83 | portions of the Library contained in the Combined Work and reverse 84 | engineering for debugging such modifications, if you also do each of 85 | the following: 86 | 87 | a) Give prominent notice with each copy of the Combined Work that 88 | the Library is used in it and that the Library and its use are 89 | covered by this License. 90 | 91 | b) Accompany the Combined Work with a copy of the GNU GPL and this license 92 | document. 93 | 94 | c) For a Combined Work that displays copyright notices during 95 | execution, include the copyright notice for the Library among 96 | these notices, as well as a reference directing the user to the 97 | copies of the GNU GPL and this license document. 98 | 99 | d) Do one of the following: 100 | 101 | 0) Convey the Minimal Corresponding Source under the terms of this 102 | License, and the Corresponding Application Code in a form 103 | suitable for, and under terms that permit, the user to 104 | recombine or relink the Application with a modified version of 105 | the Linked Version to produce a modified Combined Work, in the 106 | manner specified by section 6 of the GNU GPL for conveying 107 | Corresponding Source. 108 | 109 | 1) Use a suitable shared library mechanism for linking with the 110 | Library. A suitable mechanism is one that (a) uses at run time 111 | a copy of the Library already present on the user's computer 112 | system, and (b) will operate properly with a modified version 113 | of the Library that is interface-compatible with the Linked 114 | Version. 115 | 116 | e) Provide Installation Information, but only if you would otherwise 117 | be required to provide such information under section 6 of the 118 | GNU GPL, and only to the extent that such information is 119 | necessary to install and execute a modified version of the 120 | Combined Work produced by recombining or relinking the 121 | Application with a modified version of the Linked Version. (If 122 | you use option 4d0, the Installation Information must accompany 123 | the Minimal Corresponding Source and Corresponding Application 124 | Code. If you use option 4d1, you must provide the Installation 125 | Information in the manner specified by section 6 of the GNU GPL 126 | for conveying Corresponding Source.) 127 | 128 | 5. Combined Libraries. 129 | 130 | You may place library facilities that are a work based on the 131 | Library side by side in a single library together with other library 132 | facilities that are not Applications and are not covered by this 133 | License, and convey such a combined library under terms of your 134 | choice, if you do both of the following: 135 | 136 | a) Accompany the combined library with a copy of the same work based 137 | on the Library, uncombined with any other library facilities, 138 | conveyed under the terms of this License. 139 | 140 | b) Give prominent notice with the combined library that part of it 141 | is a work based on the Library, and explaining where to find the 142 | accompanying uncombined form of the same work. 143 | 144 | 6. Revised Versions of the GNU Lesser General Public License. 145 | 146 | The Free Software Foundation may publish revised and/or new versions 147 | of the GNU Lesser General Public License from time to time. Such new 148 | versions will be similar in spirit to the present version, but may 149 | differ in detail to address new problems or concerns. 150 | 151 | Each version is given a distinguishing version number. If the 152 | Library as you received it specifies that a certain numbered version 153 | of the GNU Lesser General Public License "or any later version" 154 | applies to it, you have the option of following the terms and 155 | conditions either of that published version or of any later version 156 | published by the Free Software Foundation. If the Library as you 157 | received it does not specify a version number of the GNU Lesser 158 | General Public License, you may choose any version of the GNU Lesser 159 | General Public License ever published by the Free Software Foundation. 160 | 161 | If the Library as you received it specifies that a proxy can decide 162 | whether future versions of the GNU Lesser General Public License shall 163 | apply, that proxy's public statement of acceptance of any version is 164 | permanent authorization for you to choose that version for the 165 | Library. 166 | -------------------------------------------------------------------------------- /Python/github_namescanner.py: -------------------------------------------------------------------------------- 1 | # From https://doyle.ninja/scanning-github-usernames/. 2 | # Usage: "python github_namescanner.py [length]" where length is the length of the name you would like. Or change "combinations" to any dictionary you like and comment the first 3 lines. 3 | 4 | from itertools import product 5 | from sys import argv 6 | from random import shuffle 7 | from urllib.request import urlopen 8 | from urllib.error import HTTPError 9 | 10 | 11 | def main(args): 12 | letters = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z'] #'0', '1', '2', '3', '4', '5', '6', '7', '8', '9' 13 | combinations = [''.join(i) for i in product(letters, repeat=(int(args[1]) if len(args) > 1 else 2))] 14 | shuffle(combinations) 15 | 16 | # combinations = ['100', '360', '365', 'web', 'net', 'art', 'tech', 'cloud', 'shop', 'home', 'media', 'world', 'pro', 'design', 'mobile', 'life', 'city', 'tv', 'blog', 'travel', 'online', 'it', 'star', 'link', 'info', 'power', 'app', 'book', 'video', 'music', 'game', 'biz', 'live', 'search', 'news', 'photo', 'club', 'site', 'data', 'team', 'business', 'car', 'trade', 'love', 'market', 'digital', 'host', 'green', 'time', 'one', 'health', 'soft', 'ad', 'house', 'gold', 'job', 'go', 'group', 'space', 'fun', 'sports', 'mail', 'china', 'auto', 'social', 'buy', 'style', 'us', 'sex', 'usa', 'network', 'sport', 'global', 'work', 'pc', 'money', 'smart', 'studio', 'fashion', 'code', 'co', 'air', 'deal', 'marketing', 'hotel', 'food', 'golf', 'me', 'free', 'sky', 'in', 'max', 'law', 'click', 'com', '3d', 'brand', 'energy', 'cash', 'domain', 'radio', 'planet', 'baby', 'play', 'project', 'service', 'map', 'school', 'bank', 'card', 'magic', 'vision', 'sales', 'box', 'print', 'seo', 'top', 'games', 'med', 'stock', 'direct', 'man', 'store', 'fit', 'creative', 'film', 'bar', 'dog', 'land', 'poker', 'post', 'blue', 'sun', 'on', 'phone', 'light', 'talk', 'office', 'best', 'image', 'share', 'cam', 'show', 'movie', 'lab', 'software', 'porn', 'key', 'care', 'internet', 'insurance', 'chat', 'dream', 'la', 'now', 'id', 'king', 'fx', 'family', 'pay', 'fly', 'cafe', 'solar', 'sale', 'party', 'hosting', 'asia', 'list', 'cool', 'plus', 'fire', 'tube', 'pet', 'tour', 'master', 're', 'view', 'rock', 'sound', 'india', 'all', 'casino', 'kids', 'cat', 'you', 'local', 'uk', 'wiki', 'help', 'buzz', 'page', 'vip', 'bid', 'water', 'pr', 'red', 'daily', 'eye', 'watch', 'trip', 'find', 'capital', 'fitness', 'wine', 'face', 'up', 'jobs', 'gift', 'pop', 'audio', 'shopping', 'dot', 'fish', 'express', 'computer', 'apps', 'idea', 'md', 'first', 'credit', 'beauty', 'spot', 'park', 'bay', 'ads', 'event', 'win', 'fan', 'doc', 'safe', 'source', 'ny', 'ip', 'people', 'company', 'test', 'ed', 'day', 'college', 'realestate', 'point', 'bio', 'zone', 'jet', 'forum', 'website', 'girl', 'wave', 'edu', 'mac', 'doctor', 'geek', 'legal', 'new', 'bet', 'eco', 'press', 'hot', 'easy', 'finance', 'international', 'ink', 'central', 'medical', 'email', 'security', 'connect', 'street', 'core', 'fast', 'property', 'mind', 'tree', 'cn', 'review', 'mag', 'auction', 'farm', 'server', 'dr', 'call', 'fox', 'dev', 'date', 'is', 'technology', 'mall', 'ex', 'tag', 'voice', 'realty', 'track', 'spa', 'coffee', 'real', 'line', 'plan', 'good', 'tax', 'bit', 'expert', 'rx', 'price', 'mix', 'cc', 'garden', 'at', 'clean', 'system', 'hub', 'db', 'stone', 'craft', 'kid', 'text', 'ok', 'flash', 'surf', 'zen', 'cell', 'paper', 'my', 'im', 'hd', 'tek', 'sms', 'deals', 'promo', 'gear', 'dc', 'speed', 'earth', 'stream', 'loan', 'guide', 'ez', 'brain', 'dj', 'support', 'coupon', 'name', 'wise', 'center', 'trust', 'match', 'sa', 'wood', 'tool', 'bike', 'ca', 'bee', 'model', 'training', 'community', 'portal', 'ace', 'town', 'rent', 'yoga', 'color', 'america', 'joy', 'file', 'sea', 'trading', 'future', 'to', 'pad', 'band', 'do', 'az', 'camp', 'open', 'value', 'ar', 'hr', 'tec', 'nyc', 'story', 'mark', 'london', 'iq', 'touch', 'fund', 'action', 'corp', 'led', 'sign', 'fresh', 'agent', 'ms', 'base', 'cap', 'pix', 'dating', 'wire', 'logic', 'dance', 'living', 'arts', 'ice', 'es', 'canada', 'room', 'drive', 'bag', 'mi', 'discount', 'wireless', 'ma', 'foto', 'well', 'wow', 'traffic', 'mc', 'coach', 'wedding', 'ss', 'mo', 'os', 'angel', 'am', 'pool', 'bb', 'books', 'way', 'forex', 'pic', 'talent', 'access', 'log', 'toy', 'links', 'run', 'channel', 'friend', 'west', 'glass', 'tea', 'elite', 'xxx', 'diet', 'board', 'research', 'be', 'financial', 'cars', 'thai', 'science', 'solution', 'av', 'cs', 'port', 'ticket', 'career', 'by', 'bus', 'education', 'silver', 'guru', 'mortgage', 'en', 'fm', 'hi', 'think', 'place', 'jewelry', 'ac', 'directory', 'gaming', 'gallery', 'trend', 'al', 'inc', 'trader', 'le', 'fusion', 'wall', 'word', 'electric', 'dental', 'body', 'as', 'geo', 'mob', 'er', 'big', 'pa', 'invest', 'focus', 'hair', 'start', 'men', 'next', 'cd', 'metal', 'scan', 'apple', 'monster', 'solutions', 'happy', 'so', 'expo', 'lead', 'get', 'university', 'logo', 'edge', 'st', 'skin', 'soul', 'con', 'exchange', 'gay', 'black', 'oil', 'island', 'pod', 'road', 'abc', 'look', 'flex', 'flow', 'fix', 'magazine', 'heart', 'micro', 'today', 'interactive', 'secure', 'motor', 'snow', 'ic', 'globe', 'bc', 'furniture', 'pixel', 'de', 'learning', 'mobi', 'robot', 'no', 'class', 'advertising', 'diamond', 'sf', 'virtual', 'sc', 'zoo', 'check', 'japan', 'photography', 'sys', 'pub', 'simple', 'sell', 'pin', 'trans', 'quest', 'boy', 'ai', 'safety', 'se', 'soccer', 'spy', 'girls', 'more', 'we', 'designer', 'events', 'hit', 'bot', 'feed', 'survey', 'success', 'entertainment', 'choice', 'dvd', 'pal', 'construction', 'hk', 'homes', 'ec', 'song', 'retail', 'tel', 'study', 'zoom', 'active', 'quick', 'case', 'wealth', 'united', 'jam', 'rental', 'lady', 'lawyer', 'ts', 'sol', 'rich', 'prime', 'bridge', 'chicago', 'tap', 'newyork', 'ag', 'pack', 'cast', 'worldwide', 'beer', 'venture', 'concept', 'super', 'pi', 'ap', 'english', 'si', 'webdesign', 'consulting', 'save', 'rc', 'gps', 'nation', 'agency', 'ps', 'www', 'hq', 'can', 'friends', 'yes', 'holiday', 'wholesale', 'football', 'campus', 'select', 'kitchen', 'for', 'li', 'pt', 'mart', 'texas', 'management', 'mom', 'fair', 'smile', 'zip', 'spark', 'shoes', 'moon', 'ship', 'see', 'square', 'supply', 'domains', 'monkey', 'korea', 'beach', 'da', 'an', 'cycle', 'bi', 'va', 'pm', 'picture', 'bd', 'gas', 'beat', 'lux', 'services', 'kit', 'index', 'motion', 'google', 'ring', 'rate', 'metro', 'em', 'god', 'flower', 'cube', 'sim', 'church', 'content', 'set', 'snap', 'sd', 'quality', 'el', 'wellness', 'wind', 'movies', 'io', 'ski', 'country', 'storage', 'laser', 'factory', 'report', 'artist', 'organic', 'comp', 'screen', 'ds', 'gate', 'gem', 'oc', 'gen', 'boat', 'salon', 'fuel', 'teen', 'adventure', 'hotels', 'union', 'culture', 'right', 'ba', 'spirit', 'pizza', 'village', 'seek', 'note', 'oz', 'only', 'freedom', 'cyber', 'product', 'graphics', 'tools', 'race', 'ee', 'steel', 'broker', 'control', 'build', 'ly', 'gym', 'mini', 'pass', 'times', 'bingo', 'boss', 'racing', 'mr', 'ball', 'euro', 'grid', 'ab', 'truck', 'ce', 'vacation', 'math', 'machine', 'systems', 'bg', 'stuff', 'camera', 'mm', 'ct', 'sp', 'europe', 'stars', 'pure', 'quote', 'sexy', 'circle', 'american', 'africa', 'performance', 'moto', 'rs', 'inter', 'commerce', 'qr', 'partner', 'nova', 'storm', 'ro', 'cheap', 'spring', 'icon', 'vegas', 'war', 'guy', 'the', 'cart', 'toys', 'zero', 'tweet', 'force', 'train', 'wp', 'ga', 'hero', 'ra', 'perfect', 'luxury', 'download', 'ocean', 'out', 'form', 'crazy', 'ne', 'candy', 'mad', 'photos', 'extreme', 'high', 'dragon', 'works', 'bear', 'ia', 'marine', 'cal', 'designs', 'bird', 'cms', 'healthcare', 'tx', 'investment', 'pen', 'iphone', 'nc', 'move', 'profit', 'un', 'buddy', 'score', 'dna', 'lifestyle', 'videos', 'restaurant', 'aa', 'gamer', 'age', 'uni', 'tc', 'ta', 'secret', 'or', 'like', 'gifts', 'wear', 'jazz', 'na', 'parts', 'ie', 'door', 'nj', 'ware', 'custom', 'ur', 'pets', 'sh', 'dns', 'vi', 'cinema', 'et', 'diy', 'miami', 'visual', 'mx', '4u', 'yo', 'act', 'florida', 'sat', 'tele', 'mp3', 'alpha', 'head', 'cg', 'connection', 'great', 'information', 'taxi', 'sm', 'lite', 'matrix', 'crowd', 'flight', 'pink', 'enterprise', 'chef', 'student', 'night', 'clear', 'desk', 'op', 'horse', 'mod', 'cruise', 'bill', 'white', 'ri', 'nature', 'fab', 'ask', 'mega', 'products', 'tip', 'ideas', 'tiger', 'river', 'graphic', 'academy', 'seed', 'clip', 'printing', 'bug', 'natural', 'state', 'nano', 'vid', 'alliance', 'clothing', 'coupons', 'spin', 'guitar', 'outlet', 'boutique', 'vet', 'cable', 'nutrition', 'jp', 'om', 'menu', 'cv', 'ns', 'women', 'sites', 'inn', 'classic', 'cm', 'bright', 'ten', 'fin', 'learn', 'wild', 'tex', 'contact', 'ko', 'nu', 'tab', 'shoe', 'true', 'paint', 'industry', 'socialmedia', 'empire', 'innovation', 'insight', 'building', 'orange', 'lock', 'tennis', 'rv', 'ea', 'porno', 'ir', 'ride', 'pics', 'total', 'cpa', 'sweet', 'weather', 'dealer', 'cards', 'stop', 'pharma', 'gadget', 'pos', 'rocket', 'production', 'builder', 'boston', 'mt', 'hire', 'techno', 'ing', 'comm', 'js', 'professional', 'order', 'dd', 'van', 'mate', 'bo', 'area', 'ev', 'cr', 'hunter', 'inside', 'ya', 'demo', 'urban', 'di', 'facebook', 'crew', 'nice', 'int', 'ti', 'xl', 'resource', 'adult', 'add', 'vote', 'tips', 'tt', 'cook', 'blogs', 'alert', 'voip', 'affiliate', 'ebook', 'copy', 'ch', 'genius', 'android', 'crm', 'url', 'fs', 'sg', 'offer', 'tattoo', 'loans', 'cp', 'hunt', 'lighting', 'ray', 'special', 'images', 'sy', 'valley', 'electronics', 'cross', 'fishing', 'sw', 'ready', 'royal', 'swap', 'boom', 'tm', 'neo', 'rose', 'coin', 'lan', 'garage', 'cad', 'our', 'eu', 'wa', 'consult', 'fb', 'journal', 'sense', 'history', 'mountain', 'films', 'ka', 'wiz', 'phoenix', 'path', 'station', 'unlimited', 'ge', 'modern', 'cy', 'vu', 'hawaii', 'engine', 'fantasy', 'webs', 'ak', 'therapy', 'hope', 'aqua', 'brands', 'sync', 'kc', 'webhosting', 'change', 'java', 'east', 'back', 'oo', 'engineering', 'gun', 'tee', 'bs', 'vc', 'rank', 'tutor', 'gp', 'corporate', 'ol', 'chem', 'dollar', 'aid', 'field', 'premium', 'reality', 'vintage', 'loop', 'dom', 'sb', 'your', 'meet', 'cover', 'commercial', 'ci', 'wi', 'lo', 'fans', 'knowledge', 'te', 'better', 'fa', 'byte', 'labs', 'experience', 'advantage', 'california', 'ceo', 'smith', 'telecom', 'pac', 'jack', 'pak', 'player', 'ent', 'leader', 'b2b', 'ii', 'galaxy', 'partners', 'coaching', 'reviews', 'bible', 'lv', 'mama', 'stage', 'massage', 'ru', 'any', 'plant', 'wap', 'development', 'fl', 'ninja', 'collection', 'pocket', 'tr', 'vn', 'staff', 'tickets', 'rep', 'pros', 'ins', 'two', 'networks', 'mg', 'full', 'apparel', 'gs', 'models', 'pulse', 'tours', 'outdoor', 'chinese', 'bell', 'healthy', 'jo', 'mp', 'pilot', 'beta', 'sure', 'its', 'table', 'dreams', 'woman', 'br', 'universe', 'vista', 'digi', 'advisor', 'pp', 'mojo', 'joe', 'side', 'revolution', 'blogger', 'ni', 'hand', 'startup', 'bags', 'mint', 'xpress', 'hp', 'pacific', 'clinic', 'scout', 'pages', 'au', 'rad', 'tri', 'forever', 'mat', 'estate', 'houston', 'impact', 'south', 'sec', 'arc', 'oh', 'north', 'mma', 'fc', 'strategy', 'rain', 'mode', 'fi', 'plaza', 'nz', 'ls', 'sam', 'sos', 'bargain', 'lee', 'ww', 'seven', 'shopper', 'ho', 'gc', 'mb', 'cake', 'youth', 'paradise', 'fine', 'script', 'sonic', 'mine', 'su', 'dm', 'stat', 'eagle', 'ipad', 'wifi', 'block', 'wizard', 'decor', 'admin', 'bond', 'ha', 'arch', 'window', 'franchise', 'summit', 'paris', 'sl', 'cu', 'pe', 'dl', 'profile', 'small', 'ix', 'mission', 'il', 'able', 'investor', 'foundation', 'extra', 'records', 'passion', 'nw', 'lasvegas', 'juice', 'via', 'res', 'cb', 'hollywood', 'limo', 'atlanta', 'lease', 'kings', 'christian', 'flip', 'library', 'gt', 'sugar', 'foot', 'pk', 'sin', 'tom', 'computers', 'shops', 'gourmet', 'maps', 'shark', 'cab', 'universal', 'target', 'era', 'guard', 'ty', 'hat', 'five', 'crystal', 'young', 'sage', 'dubai', 'hack', 'ion', 'shine', 'weightloss', 'mn', 'pictures', 'asian', 'memory', 'merchant', 'studios', 'lion', 'tone', 'berry', 'repair', 'hs', 'bed', 'pick', 'iron', 'lounge', 'label', 'corner', 'meta', 'sz', 'php', 'ng', 'masters', 'wolf', 'ks', 'frame', 'creation', 'builders', 'mu', 'dn', 'france', 'make', 'tablet', 'aero', 'resort', 'centre', 'raw', 'drop', 'bin', 'logistics', 'llc', 'society', 'twitter', 'tao', 'son', 'six', 'chip', 'cup', 'gm', 'peak', 'manager', 'nerd', 'and', 'ph', 'step', 'theme', 'savings', 'animal', 'bob', 'part', 'iran', 'mass', 'national', 'windows', 'tune', 'gi', 'gov', 'transport', 'shirt', 'warehouse', 'suite', 'droid', 'diva', 'fax', 'websites', 'grow', 'ant', 'rush', 'conference', 'realtor', 'budget', 'rus', 'pan', 'villa', 'tan', 'bt', 'dg', 'chocolate', 'kiss', 'ep', 'panda', 'pot', 'long', 'hockey', 'down', 'ae', 'nt', 'dogs', 'driver', 'xs', 'automotive', 'serve', 'properties', 'ws', 'income', 'lotto', 'ja', 'proxy', 'eng', 'bk', 'articles', 'electronic', 'ki', 'chi', 'australia', 'carbon', 'child', 'deco', 'drink', 'finder', 'vault', 'ky', 'lift', 'giant', 'baseball', 'risk', 'ox', 'sub', 'ultra', 'delivery', '1st', 'flowers', 'teacher', 'chart', 'fruit', 'docs', 'of', 'publishing', 'article', 'equity', 'public', 'bj', 'po', 'wisdom', 'wish', 'just', 'projects', 'files', 'ax', 'hill', 'made', 'dig', 'vox', 'xp', 'dan', 'swiss', 'program', 'fuck', 'dir', 'iam', 'wonder', 'lex', 'tw', 'san', 'dallas', 'eo', 'promotion', 'floor', 'frog', 'doctors', 'leads', 'wing', 'rewards', 'tu', 'medicine', 'hobby', 'zz', 'advice', 'arcade', 'industrial', 'casa', 'sleep', 'signs', 'condo', 'booking', 'festival', 'read', 'grand', 'heat', 'ys', 'attorney', 'pie', 'television', 'ass', 'linux', 'debt', 'multimedia', 'echo', 'rd', 'mba', 'seattle', 'type', 'um', 'thailand', 'daddy', 'rr', 'meeting', 'depot', 'scene', 'mexico', 'bliss', 'jump', 'th', 'gig', 'shot', 'vr', 'record', 'rail', 'mon', 'firm', 'arena', 'lake', 'sem', 'ux', 'cargo', 'golden', 'rt', 'experts', 'brazil', 'strong', 'vita', 'nexus', 'ventures', 'private', 'goods', 'fu', 'dp', 'sk', 'za', 'karma', 'den', 'lucky', 'gb', 'tower', 'qa', 'liberty', 'unique', 'root', 'pharmacy', 'ku', 'rap', 'trends', 'kingdom', 'create', 'ever', 'rack', 'communications', 'colorado', 'ah', 'zap', 'main', 'gogo', 'equipment', 'ville', 'backup', 'load', 'gg', 'lens', 'calendar', 'vibe', 'buyer', 'tracker', 'turbo', 'sup', 'moving', 'dynamic', 'will', 'amazon', 'serv', 'dress', 'senior', 'aviation', 'hc', 'premier', 'painting', 'accounting', 'resume', 'options', 'terra', 'boys', 'faith', 'evolution', 'gateway', 'discovery', 'ltd', 'solo', 'bud', 'vo', 'executive', 'skill', 'banner', 'recovery', 'trail', 'ideal', 'epic', 'rec', 'savvy', 'truth', 'angels', 'indian', 'display', 'ui', 'dash', 'notes', 'insure', 'vs', 'user', 'hardware', 'autos', 'eg', 'synergy', 'monitor', 'nb', 'legacy', 'charity', 'pipe', 'rentals', 'bits', 'plastic', 'mk', 'pd', 'eq', 'prop', 'bad', 'portfolio', 'anime', 'mas', 'this', 'jr', 'technologies', 'bp', 'stats', 'delta', 'pig', 'sharp', 'personal', 'atlas', 'foods', 'sci', 'castle', 'ot', 'jc', 'pb', 'about', 'pg', 'arab', 'cf', 'cut', 'task', 'wm', 'du', 'productions', 'forest', 'queen', 'hip', 'ze', 'brew', 'ff', 'mania', 'lawyers', 'txt', 'ping', 'blast', 'fortune', 'stores', 'viet', 'speak', 'import', 'fat', 'dad', 'leather', 'how', 'xtreme', 'wheel', 'hello', 'challenge', 'asset', 'weekly', 'goal', 'human', 'peace', 'gr', 'send', 'say', 'mar', 'lc', 'ultimate', 'cleaning', 'journey', 'lot', 'he', 'careers', 'glow', 'tn', 'general', 'api', 'intel', 'switch', 'ram', 'nh', 'platinum', 'investments', 'patent', 'fight', 'lin', 'medi', 'quiz', 'nd', 'ua', 'boost', 'got', 'lane', 'traders', 'names', 'singles', 'gd', 'bbs', 'met', 'walk', 'ht', 'rev', 'use', 'auctions', 'nic', 'off', 'resources', 'pedia', 'visa', 'cl', 'celebrity', 'too', 'org', 'writer', 'watches', 'her', 'slim', 'ke', 'marketplace', 'stocks', 'communication', 'vietnam', 'reel', 'ck', 'instant', 'ist', 'goo', 'yard', 'cooking', 'course', 'bang', 'hospital', 'fest', 'ao', 'over', 'multi', 'lottery', 'rm', 'concepts', 'if', 'old', 've', 'funds', 'housing', 'insider', 'launch', 'sr', 'indo', 'heaven', 'togo', 'consultant', 'ut', 'sandiego', 'creditcard', 'filter', 'ford', 'ark', 'compass', 'write', 'uc', 'pump', 'tribe', 'eb', 'tank', 'know', 'hb', 'advance', 'qq', 'toronto', 'remote', 'eat', 'adv', 'nv', 'ego', 'coop', 'shipping', 'infinity', 'hop', 'egg', 'panel', 'maker', 'hall', 'll', 'inet', 'beyond', 'hard', 'vt', 'medic', 'ib', 'wo', 'underground', 'ml', 'mv', 'cams', 'gene', 'rex', 'eyes', 'jj', 'mentor', 'xx', 'spain', 'chess', 'poll', 'four', 'consultants', 'deck', 'reg', 'vm', 'ghost', 'af', 'factor', 'dive', 'pv', 'self', 'spider', 'roof', 'piano', 'makeup', 'muse', 'corporation', 'lending', 'yellow', 'parking', 'ig', 'complete', 'battery', 'update', 'ren', 'tire', 'lp', 'mls', 'basic', 'comfort', 'bubble', 'blu', 'process', 'yacht', 'alarm', 'bass', 'pride', 'min', 'ry', 'leaf', 'lover', 'honey', 'lol', 'jd', 'excel', 'everything', 'pearl', 'export', 'pl', 'banking', 'cow', 'genie', 'forums', 'apartment', 'dv', 'amp', 'spice', 'networking', 'nut', 'mill', 'rapid', 'comic', 'rainbow', 'luxe', 'italy', 'safari', 'td', 'tg', 'niche', 'ohio', 'trek', 'prep', 'cats', 'drug', 'scope', 'sand', 'little', 'aim', 'let', 'avenue', 'cine', 'listing', 'single', 'answer', 'ind', 'couture', 'simply', 'catalog', 'ali', 'creations', 'geeks', 'uae', 'lit', 'funding', 'vine', 'keys', 'bids', 'jewel', 'gl', 'intl', 'indy', 'ei', 'ben', 'grace', 'hy', 'fiber', 'rio', 'loft', 'rescue', 'branding', 'compare', 'aaa', 'dx', 'try', 'orlando', 'astro', 'turkey', 'bat', 'babe', 'concrete', 'tile', 'moms', 'groove', 'edit', 'og', 'consumer', 'language', 'muscle', 'promotions', 'soap', 'bull', 'xo', 'bux', 'sx', 'canvas', 'mike', 'quotes', 'offers', 'database', 'utah', 'kb', 'museum', 'sj', 'iso', 'clan', 'sail', 'arizona', 'motors', 'harmony', 'status', 'collective', 'vps', 'peru', 'gems', 'cor', 'architecture', 'hybrid', 'ops', 'casting', 'steam', 'zy', 'hydro', 'fy', 'a1', 'christmas', 'kin', 'bling', 'dish', 'summer', 'fleet', 'printer', 'comedy', 'catering', 'webhost', 'poly', 'don', 'dy', 'evo', 'luv', 'connections', 'swing', 'sino', 'sn', 'turk', 'wired', 'deluxe', 'fo', 'tees', 'rehab', 'hh', 'gambling', 'jeans', 'alt', 'dt', 'message', 'travels', 'od', 'clicks', 'css', 'clothes', 'xy', 'ek', 'standard', 'nex', 'yahoo', 'tourism', 'points', 'theatre', 'ranch', 'court', '4you', 'brasil', 'register', 'jersey', 'need', 'crown', 'police', 'generation', 'lax', 'mobil', 'bonus', 'gf', 'poster', 'tunes', 'deep', 'workshop', 'nm', 'here', 'saver', 'ear', 'ay', 'flag', 'jungle', 'sv', 'ye', 'army', 'clock', 'liquid', 'assist', 'dude', 'mouse', 'egypt', 'bro', 'gamers', 'lb', 'freight', 'naked', 'pre', 'three', 'lu', 'rf', 'reach', 'vital', 'yu', 'warrior', 'front', 'client', 'oasis', 'cop', 'brick', 'funny', 'schools', 'nav', 'pussy', 'sphere', 'carpet', 'mex', 'fone', 'theater', 'fr', 'magnet', 'shift', 'coco', 'nest', 'sip', 'exclusive', 'bon', 'aw', 'tokyo', 'alaska', 'title', 'ana', 'guys', 'mobility', 'laptop', 'holidays', 'retro', 'mirror', 'enterprises', 'swift', 'brokers', 'bu', 'league', 'fact', 'rss', 'option', 'omni', 'alive', 'cute', 'tp', 'deli', 'shield', 'gal', 'vp', 'escort', 'dotcom', 'flix', 'wed', 'landscape', 'facts', 'iv', 'seal', 'wc', 'rp', 'awesome', 'classifieds', 'alex', 'recipe', 'bucks', 'img', 'desktop', 'flat', 'fe', 'sushi', 'zo', 'week', 'comics', 'battle', 'km', 'gz', 'nine', 'tix', 'brown', 'ero', 'xi', 'swim', 'mj', 'balance', 'wines', 'why', 'bath', 'concierge', 'lg', 'puppy', 'cuba', 'basketball', '3g', 'navi', 'ken', 'results', 'omega', 'bm', 'scape', 'hu', 'dk', 'dark', 'gulf', 'dial', 'reo', 'kk', 'diamonds', 'supplies', 'bh', 'skate', 'awards', 'payment', 'rocks', 'miss', 'hood', 'skills', 'camping', 'tj', 'cellular', 'architect', 'hawk', 'kick', 'analytics', 'markets', 'aj', 'hiphop', 'spec', 'jb', 'bridal', 'gator', 'roll', 'losangeles', 'archive', 'arm', 'cnc', 'republic', 'internetmarketing', 'nurse', '2go', 'blues', 'ems', 'horizon', 'lights', 'eden', 'disc', 'hospitality', 'palm', 'leadership', 'fabric', '2u', 'dentist', 'precision', 'tb', 'tk', 'iz', 'writing', 'associates', 'plumbing', 'cos', 'drum', 'bbq', 'contractor', 'junk', 'ism', 'qc', 'erp', 'may', 'groups', 'oa', 'recycle', 'charter', 'teens', 'qi', 'cw', 'lt', 'h2o', 'words', 'broadband', 'bean', 'own', 'haven', 'zi', 'vb', 'handy', 'ada', 'shirts', 'ecommerce', 'sunshine', 'ave', 'est', 'trainer', 'prints', 'dent', 'wide', 'pain', 'audit', 'ld', 'latin', 'pit', 'tiny', 'weed', 'sis', 'jm', 'washington', 'cricket', 'healing', 'fp', 'graph', 'freak', 'dynamics', 'cost', 'enter', 'gis', 'unit', 'low', 'nude', 'howto', 'aus', 'scale', 'crafts', 'tango', 'exp', 'ob', 'milk', 'radar', 'lean', 'pharm', 'hunting', 'trailer', 'caribbean', 'lib', 'chain', 'mesh', 'employment', 'kr', 'tshirt', 'kw', 'ft', 'clever', 'ondemand', 'coast', 'ama', 'seller', 'gadgets', 'ortho', 'benefits', 'apex', 'ou', 'running', 'shell', 'champion', 'transfer', 'french', 'she', 'prod', 'end', 'wh', 'push', 'what', 'cosmetics', 'leo', 'walker', 'vacations', 'original', 'lm', 'mw', 'viva', 'industries', 'dex', 'scuba', 'hits', 'reading', 'owl', 'desi', 'hyper', 'latino', 'sight', 'designers', 'flo', 'rice', 'vin', 'luck', 'skincare', 'indie', 'mlm', 'gh', 'wit', 'cure', 'visit', 'artists', 'cj', 'wd', 'wheels', 'stay', 'tl', 'recycling', 'planning', 'bloom', 'weddings', 'xm', 'spanish', 'etc', 'tim', 'account', 'friendly', 'stamp', 'detroit', 'disk', 'je', 'duck', 'splash', 'diary', 'ami', 'guides', 'stick', 'nn', 'ton', 'thought', 'uu', 'rg', 'john', 'podcast', 'hm', 'dh', 'apt', 'mic', 'hacker', 'ebay', 'georgia', 'hut', 'quantum', 'jk', 'dis', 'siam', 'sac', 'ey', 'trax', 'par', 'automation', 'who', 'beautiful', 'sap', 'treasure', 'yp', 'scoop', 'answers', 'yy', 'vis', 'han', 'uv', 'electro', 'dz', 'lamp', 'singapore', 'israel', 'harvest', 'italia', 'bikes', 'swag', 'packaging', 'doll', 'heritage', 'fetish', 'penny', 'dia', 'folio', 'discounts', 'silk', 'bali', 'vw', 'sen', 'mh', 'ik', 'certified', 'tru', 'betting', 'pat', 'level', 'val', 'pirate', 'bamboo', 'bazaar', 'zombie', 'location', 'bl', 'broadcast', 'woo', 'memo', 'rb', 'atm', 'nail', 'fam', 'platform', 'wan', 'twin', 'ser', 'burger', 'barter', 'acc', 'songs', 'bra', 'electrical', 'grill', 'ireland', 'forward', 'hive', 'taste', 'chick', 'duo', 'prize', 'fame', 'jay', 'innovations', 'ara', 'route', 'practice', 'manage', 'reward', 'bing', 'contract', 'registry', 'mango', 'wrap', 'xchange', 'stack', 'days', 'signal', 'reno', 'ilove', 'chiro', 'gap', 'testing', 'vitamin', 'citi', 'adventures', 'break', 'py', 'jones', 'servers', 'rat', 'unity', 'mood', 'cctv', 'ppc', 'soup', 'goto', 'feel', 'ology', 'robo', 'bella', 'np', 'michigan', 'animation', 'secrets', 'accessories', 'ruby', 'amazing', 'brothers', 'campaign', 'everyday', 'meme', 'imaging', 'template', 'official', 'staffing', 'boot', 'trips', 'ji', 'shadow', 'advisors', 'techs', 'peer', 'miracle', 'victory', 'retirement', 'runner', 'protection', 'shanghai', 'agents', 'clubs', 'df', 'ers', 'leisure', 'jordan', 'plex', 'kiwi', 'maine', 'boo', 'nl', 'moda', 'defense', 'flyer', 'ub', 'immo', 'military', 'phones', 'offshore', 'webcam', 'herb', 'parent', 'hn', 'flooring', 'rn', 'basket', 'award', 'axis', 'computing', 'protect', 'erotic', 'bw', 'reader', 'zu', 'clouds', 'les', 'thunder', 'kite', 'interior', 'ebooks', 'wallpaper', 'foryou', 'glo', 'rebel', 'weekend', 'glam', 'dock', 'greek', 'chase', 'cellphone', 'rider', 'ron', 'teach', 'solid', 'ster', 'eve', 'tie', 'vancouver', 'explorer', 'dw', 'distribution', 'forge', 'guardian', 'twit', 'lime', 'wings', 'member', 'freelance', 'identity', 'less', 'gw', 'sing', 'guild', 'tz', 'signature', 'lr', 'kitty', 'lovers', 'bf', 'discover', 'bride', 'herbal', 'tampa', 'diesel', 'ecom', 'pcs', 'nets', 'salt', 'wallet', 'dome', 'smoke', 'forsale', 'mommy', 'ham', 'growth', 'isp', 'oregon', 'mf', 'viral', 'kidz', 'houses', 'join', 'cq', 'ef', 'investing', 'jesus', 'bz', 'sq', 'wb', 'gy', 'flirt', 'panama', 'sounds', 'prom', 'wash', 'fd', 'number', 'asp', 'titan', 'purple', 'yi', 'eh', 'berlin', 'portland', 'visions', 'selling', 'cookie', 'beats', 'tape', 'architects', 'cherry', 'kim', 'closet', 'bite', 'mash', 'meat', 'sas', 'patch', 'lotus', 'western', 'col', 'knight', 'sunny', 'technical', 'lawn', 'satellite', 'institute', 'things', 'leasing', 'abs', 'mis', 'stl', 'wv', 'airport', 'fuse', 'traveler', 'uber', 'entrepreneur', 'soc', 'tin', 'romance', 'tic', 'roofing', 'justice', 'ow', 'kat', 'nfc', 'bikini', 'lines', 'lawfirm', 'destination', 'last', 'slot', 'plane', 'ian', 'economy', 'paintball', 'ash', 'winner', 'alternative', 'workout', 'logos', 'themes', 'citizen', 'trace', 'hype', 'escape', 'legend', 'webmaster', 'hg', 'venue', 'kt', 'tracking', 'pol', 'engineer', 'fed', 'stand', 'advanced', 'marks', 'turf', 'payday', 'zine', 'mmo', 'cycling', 'element', 'developer', 'wax', 'motorcycle', 'cz', 'scott', 'clips', 'limited', 'styles', 'trades', 'lets', 'coder', 'ani', 'worx', 'cha', 'ict', 'disco', 'ido', 'survival', 'vector', 'wx', 'optical', 'tags', 'spectrum', 'winter', 'k9', 'gossip', 'philly', 'hz', 'grant', 'lunch', 'reports', 'puzzle', 'chair', 'haus', 'per', 'ban', 'barn', 'punk', 'jewellery', 'meter', 'male', 'thing', 'gu', 'ale', 'login', 'genesis', 'degree', 'mars', 'dry', 'give', 'sme', 'cre', 'slide', 'thinking', 'stories', 'listings', 'ina', 'nashville', 'athome', 'ele', 'ima', 'babes', 'browser', 'hw', 'des', 'tor', 'bicycle', 'polo', 'far', 'shock', 'strip', 'cancer', 'enviro', 'killer', 'dave', 'meal', 'jv', 'ground', 'faq', 'tell', 'forms', 'streaming', 'flying', 'rom', 'node', 'investors', 'cigar', 'celeb', 'buck', 'russia', 'charlotte', 'are', 'isa', 'cartoon', 'bargains', 'ala', 'letter', 'classified', 'rh', 'lingerie', 'apartments', 'nat', 'f1', 'vehicle', 'dat', 'mia', 'recruitment', 'princess', 'hf', 'usb', 'hongkong', 'fare', 'eshop', 'sum', 'contractors', 'agile', 'temp', 'james', 'dee', 'jax', 'qatar', 'jt', 'supreme', 'agro', 'zilla', 'seat', 'rise', 'pdf', 'neon', 'sir', 'ref', 'soho', 'take', 'todo', 'ava', 'vpn', 'ew', 'blitz', 'del', 'gang', 'santa', 'companies', 'oe', 'plug', 'upload', 'gain', 'not', 'vg', 'zee', 'southern', 'cx', 'futures', 'banks', 'charm', 'tactical', 'xa', 'kl', 'rally', 'itech', 'inno', 'vegan', 'bone', 'intelligence', 'century', 'writers', 'pawn', 'outdoors', 'bel', 'trac', 'short', '4d', 'oak', 'virgin', 'moo', 'yn', 'qs', 'noble', 'meds', 'para', 'canadian', 'pw', 'cyprus', 'wy', 'transportation', 'device', 'carolina', 'burn', 'bmw', 'arte', 'ju', 'ease', 'wet', 'some', 'pf', 'sta', 'nick', 'scrap', 'interiors', 'ape', 'gsm', 'dirt', 'palace', 'idol', 'lost', 'worlds', 'boards', 'enjoy', 'translation', 'salsa', 'pond', 'gray', 'blogging', 'customer', 'tent', 'hl', 'sailing', 'rest', 'lk', 'yc', 'contest', 'holdings', 'mai', 'views', 'double', 'nx', 'jade', 'his', 'perfume', 'pitch', 'rk', 'elec', 'prof', 'jh', 'plans', 'fashions', 'buffalo', 'xt', 'kart', 'cosmetic', 'wu', 'essential', 'agri', 'roi', 'ios', 'sco', 'beam', 'speech', 'chrome', 'vinyl', 'divine', 'asa', 'colour', 'idc', 'ter', 'jl', 'maxx', 'rl', 'irish', 'atlantic', 'players', 'sourcing', 'sole', 'david', 'button', 'environmental', 'appraisal', 'cas', 'metrics', 'cupid', 'alien', 'cave', 'mining', 'cert', 'miles', 'sanfrancisco', 'arrow', 'bytes', 'antique', 'tourist', 'scooter', 'millionaire', 'chicken', 'movers', 'major', 'recruit', 'pilates', 'zs', 'divorce', 'aq', 'zing', 'passport', 'pj', 'fence', 'mil', 'specialist', 'affiliates', 'transit', 'students', 'surfing', 'bizz', 'autoparts', 'thebest', 'tera', 'granite', 'neuro', 'ness', '4g', 'toon', 'dart', 'fg', 'pu', 'oto', 'dining', 'vv', 'lyrics', 'virginia', 'montana', 'positive', 'lemon', 'atv', 'rooms', 'tops', 'rating', 'pace', '4life', 'showcase', 'gospel', 'yoo', 'wt', 'shore', 'buys', 'rugby', 'recipes', 'px', 'trak', 'rite', 'shows', 'ata', 'leaders', 'brooklyn', 'tf', 'das', 'crush', 'exam', 'kd', 'bomb', 'surgery', 'boxing', 'vue', 'kind', 'vent', 'oi', 'ino', 'trial', 'boots', 'shape', 'martin', 'taiwan', 'fw', 'gel', 'gorilla', 'mosaic', 'jw', 'circuit', 'privacy', 'hell', 'codes', 'vod', 'series', 'chemical', 'chamber', 'pleasure', 'roots', 'random', 'ov', 'jewels', 'avatar', 'halo', 'glamour', 'package', 'bulk', 'torrent', 'boats', 'chris', 'ups', 'armor', 'notebook', 'butler', 'jackson', 'temple', 'buyers', 'cheese', 'joint', 'prestige', 'harbor', 'that', 'tac', 'with', 'victoria', 'atl', 'font', 'biotech', 'planner', 'montreal', 'noise', 'o2', 'che', 'album', 'bunny', 'mediagroup', 'cold', 'trim', 'bars', 'surplus', 'booth', 'clay', 'purchase', 'doo', 'russian', 'proof', 'rage', 'german', 'phil', 'marble', 'bets', 'grad', 'catch', 'absolute', 'roc', 'rip', 'midwest', 'native', 'rabbit', 'ul', 'xe', 'rj', 'igo', 'squad', 'musical', 'yt', 'ira', 'flux', 'chile', 'qu', 'iowa', 'ladies', 'labor', 'ver', 'sinc', 'places', 'casinos', 'vino', 'cotton', 'feet', 'speaker', 'explore', 'loc', 'exec', 'widget', 'shack', 'lodge', 'famous', 'kj', 'flame', 'youtube', 'eva', 'ling', 'restoration', 'cowboy', 'politics', 'foreclosure', 'biker', 'banana', 'antiques', 'promos', 'ministry', 'mvp', 'bow', 'inspired', 'ue', 'blade', 'draw', 'zj', 'infinite', 'tron', 'ivy', 'gk', 'grass', 'vids', 'exercise', 'rei', 'ics', 'bn', 'nk', 'que', 'woods', 'hog', 'hvac', 'fineart', 'candle', 'loco', 'champ', 'concert', 'children', 'karaoke', 'payroll', 'ish', 'slots', 'profits', 'tran', 'cabin', 'kool', 'maintenance', 'sofa', 'kp', 'prices', 'current', 'item', 'vendor', 'nor', 'baker', 'downtown', 'xd', 'mee', 'rave', 'cleveland', 'gardens', 'colo', 'linx', 'giga', 'fort', 'sharing', 'keep', 'opinion', 'bv', 'paul', 'macro', 'marriage', 'fn', 'yx', 'jar', 'pimp', 'saving', 'aco', 'qt', 'foo', 'ora', 'snack', 'fee', 'gx', 'funk', 'claim', 'used', 'junction', 'sample', 'waste', 'currency', 'uno', 'coins', 'ica', 'manufacturing', 'rockstar', 'glory', 'leap', 'cuisine', 'luna', 'coo', 'cache', 'vending', 'mit', 'pda', 'bakery', 'maui', 'span', 'kiosk', 'motel', 'taylor', 'infotech', 'nepal', 'sydney', 'dub', 'orbit', 'inspiration', 'rubber', 'lf', 'mid', 'sql', 'minds', 'vogue', 'beijing', 'farms', 'landscaping', 'aloha', 'bowl', 'beacon', 'charge', 'pretty', 'gods', 'qb', 'bootcamp', 'compu', 'mafia', 'ug', 'thread', 'smash', 'florist', 'topia', 'appliance', 'integrity', 'independent', 'strategies', 'manhattan', 'mister', 'ways', 'found', 'method', 'organics', 'working', 'mfg', 'gn', 'rob', 'dates', 'hitech', 'maid', 'pon', 'colors', 'frontier', 'jy', 'iu', 'ams', 'ccc', 'wordpress', 'tracks', 'fancy', 'row', 'policy', 'caps', 'dutch', 'vac', 'counter', 'cheer', 'want', 'exit', 'lang', 'mother', 'shots', 'mold', 'northwest', 'bold', 'yz', 'trucks', 'ess', '4all', 'tra', 'motorsports', 'newsletter', 'doors', 'nevada', 'cottage', 'reef', 'blood', 'olive', 'wright', 'ite', 'lx', 'dfw', 'indiana', 'claims', 'memphis', 'come', 'driving', 'madison', 'sunrise', 'sterling', 'xpert', 'ria', 'association', 'ally', 'african', 'foam', 'ico', 'qd', 'zon', 'tas', 'rod', 'grip', 'district', 'mos', 'bis', 'mkt', 'kits', 'adam', 'ars', 'rw', 'sur', 'photographer', 'superior', 's2', 'iweb', 'maya', 'poetry', 'mylife', 'devil', 'ide', 'revenue', 'islam', 'miller', 'zx', 'imports', 'ym', 'oracle', 'recruiting', 'indonesia', 'feedback', 'cue', 'lynx', 'application', 'hunters', 'toner', 'w3', 'professionals', 'bros', 'quad', 'downloads', 'psych', 'templates', 'jim', 'healthinsurance', 'gram', 'vantage', 'mir', 'ate', 'ln', 'response', 'chill', 'avi', 'waves', 'trash', 'bitcoin', 'drugs', 'turtle', 'messenger', 'range', 'crunch', 'bam', 'grey', 'wang', 'formula', 'italian', 'kg', 'matt', 'rhino', 'financing', 'crane', 'relax', 'shed', 'airline', 'pools', 'nr', 'cel', '2b', 'ftp', 'authority', 'csi', 'progress', 'edi', 'tshirts', 'fever', 'psychic', 'pals', 'desert', 'smarter', 'assets', 'wee', 'mor', 'handyman', 'cosmo', 'maxi', 'inbox', 'socal', 'chiropractic', 'seniors', 'linked', 'helper', 'pia', 'locker', 'fur', 'myhome', 'wl', 'roulette', 'vest', 'connected', 'wg', 'fairy', 'trucking', 'columbus', 'hoo', 'pioneer', 'cape', 'yun', 'hammer', 'smiles', 'nails', 'hour', 'mates', 'slate', 'thomas', 'voyage', 'icloud', 'papa', 'hostel', 'compliance', 'babies', 'ran', 'flick', 'lord', 'emo', 'viz', 'fh', 'surfer', 'ari', 'indigo', 'homecare', 'aba', 'kan', 'maven', 'sticker', 'barcode', 'honda', 'plate', 'equine', 'elements', 'ats', 'ud', 'pole', 'benefit', 'tur', 'shit', 'essentials', 'bottle', 'bao', 'idaho', 'pill', 'lender', 'speedy', 'billing', 'djs', 'artisan', 'boomer', 'ade', 'trivia', 'mer', 'costarica', 'petro', 'hook', 'mz', 'ability', 'strategic', 'hao', 'drivers', 'every', 'buying', 'twist', 'smallbusiness', 'metals', 'sprint', 's1', 'elf', 'mile', 'bands', 'political', 'effect', 'beads', 'ebiz', 'realtors', 'fundraising', 'catholic', 'trademark', 'climate', 'cent', 'pas', 'ita', 'sar', 'rim', 'holding', 'copper', 'nordic', 'paw', 'aps', 'tnt', 'equip', 'stereo', 'aol', 'atom', 'gizmo', 'fj', 'fon', 'bx', 'bos', 'county', 'syn', 'popular', 'lh', 'grab', 'bolt', 'mortgages', 'circus', 'amber', 'zh', 'rug', 'manga', 'nix', 'dirty', 'chaos', 'balloon', 'butterfly', 'utility', 'foodie', 'chan', 'spine', 'folk', 'crash', 'sns', 'kent', 'omaha', 'wf', 'attorneys', 'iris', 'marathon', 'guest', 'alfa', 'eon', 'barcelona', 'sketch', 'ame', 'belt', 'collections', 'second', 'ros', 'trinity', 'holland', 'cdn', 'xtra', 'farmer', 'sensor', 'q8', 'bitch', 'sig', 'spaces', 'aroma', 'faces', 'opera', 'opt', 'ted', 'bangkok', 'evil', 'consultancy', 'coastal', 'searchengine', 'mundo', 'vina', 'xc', 'rates', 'uo', 'very', 'heroes', 'velo', 'chief', 'nf', 'lists', 'novel', 'jf', 'beast', 'ward', 'ies', 'pdx', 'wii', 'goddess', 'frank', 'tow', 'ross', 'york', 'digit', 'machinery', 'dell', 'grade', 'mak', 'suit', 'digest', 'philadelphia', 'omg', 'nrg', 'fail', 'cpr', 'zg', 'malaysia', 'gin', 'blackjack', 'talking', 'dollars', 'kelly', 'wars', 'breeze', 'kar', 'collect', 'textile', 'plastics', 'anti', 'mobiles', 'marijuana', 'wallstreet', 'kh', 'cakes', 'escorts', 'sigma', 'crime', 'inspire', 'homepage', 'hey', 'rz', 'theory', 'gum', 'oman', 'brite', 'worth', 'cruises', 'drama', 'dar', 'cult', 'ssl', 'autoinsurance', 'atomic', 'lj', 'yl', 'wisconsin', 'supermarket', 'jn', 'exotic', 'european', 'patriot', 'rome', 'insights', 'insta', 'vic', 'glasses', 'tuan', 'humor', 'resorts', 'dos', 'cashflow', 'gogreen', 'lap', 'fla', 'davis', 'bucket', 'nomad', 'disney', 'nas', 'asi', 'rem', 'mem', 'baltimore', 'courier', 'emergency', 'blind', 'shared', 'sponsor', 'lincoln', 'flavor', 'together', 'kia', 'jx', 'kindle', 'restaurants', 'cream', 'mystic', 'gee', 'tar', 'coding', 'calgary', 'aka', 'government', 'surveys', 'illinois', 'nes', 'amateur', 'minute', 'yb', 'binary', 'punch', 'destiny', 'laundry', 'ine', 'der', 'falcon', 'ryan', 'bankruptcy', 'opportunity', 'marina', 'hold', 'cabinet', 'ola', 'demand', 'aplus', 'telephone', 'smartphone', 'trendy', 'gv', 'diabetes', 'hart', 'novo', 'ims', 'engineers', 'tlc', 'cities', 'acs', 'eko', 'myweb', 'bazar', 'mono', 'relief', 'collector', 'spray', 'rea', 'spam', 'alabama', 'creator', 'rare', 'cali', 'yd', 'vermont', 'tucson', 'booty', 'death', 'estates', 'blend', 'nuts', 'rfid', 'jg', 'fisher', 'hemp', 'm2', 'moore', 'drinks', 'movement', 'turn', 'dick', 'brush', 'million', 'produce', 'dinner', 'inventory', 'teachers', 'athlete', 'flora', 'vertical', 'sal', 'scripts', 'developers', 'preview', 'giftcard', 'velocity', 'holo', 'cardio', 'rig', 'zebra', 'capture', 'pup', 'asap', 'blueprint', 'dojo', 'muslim', 'imagine', 'stor', 'hx', '4me', 'dds', 'costume', 'lip', 'mech', 'jeep', 'soda', 'analysis', 'draft', 'captain', 'steve', 'newmedia', 'gravity', 'tuning', 'maryland', 'carinsurance', 'korean', 'detail', 'sha', 'itv', 'gro', 'birthday', 'blink', 'specialty', 'mud', 'anywhere', 'giving', 'bydesign', 'bread', 'ej', 'jz', 'round', 'shout', 'england', 'lam', 'brilliant', 'wz', 'saudi', 'worker', 'catalyst', 'lifeinsurance', 'seeds', 'wn', 'arabia', 'wei', 'wilson', 'mms', 'hosts', 'dealers', 'won', 'cove', 'ven', 'prince', 'picks', 'reporter', 'shade', 'posters', 'values', 'minnesota', 'bead', 'nap', 'trio', 'lz', 'classics', 'stem', 'fluid', 'nfl', 'yellowpages', 'stones', 'newjersey', 'aura', 'flights', 'heli', 'bench', 'most', 'johnson', 'loud', 'hj', 'aspen', 'sai', 'mattress', 'no1', 'persian', 'joomla', 'teaching', 'lw', 'ipo', 'size', 'ids', 'a2z', 'activity', 'mighty', 'address', 'trees', 'gardening', 'supplier', 'als', 'mel', 'martialarts', 'intelligent', 'madrid', 'mei', 'topic', 'sus', 'oy', 'logix', 'ful', 'vapor', 'germany', 'into', 'esp', 'scientific', 'wrestling', 'thin', 'endo', 'odd', 'mens', 'dam', 'ang', 'pax', 'contacts', 'utopia', 'lingo', 'joke', 'spots', 'sanantonio', 'highway', 'nike', 'belle', 'weight', 'grp', 'blaze', 'intelli', 'lust', 'roo', 'iw', 'nursing', 'referral', 'rox', 'pixels', 'toyota', 'doodle', 'ameri', 'wr', 'andy', 'parks', 'jets', 'reserve', 'cis', 'scent', 'aria', 'tamil', 'bees', 'optics', 'escrow', 'shares', 'finger', 'diving', 'att', 'slut', 'counseling', 'cum', 'traveling', 'gj', 'grocery', 'eros', 'xyz', 'chips', 'ccs', 'term', 'nutri', 'customs', 'go2', 'greens', 'top10', 'common', 'xn', 'lebanon', 'cds', 'guns', 'pine', 'halloween', 'richmond', 'bim', 'nanny', 'holy', 'ore', 'websolutions', 'printers', 'away', 'payments', 'pn', 'question', 'dsl', 'schedule', 'digitalmedia', 'vida', 'derm', 'lands', 'fantastic', 'malta', 'shoppers', 'michael', 'fabulous', 'domainname', 'socks', 'kay', 'alley', 'mount', 'crea', 'helpdesk', 'tutorial', 'realtime', 'quebec', 'eli', '4ever', 'tender', 'aurora', 'hardcore', 'prayer', 'penguin', 'scribe', 'pepper', 'floral', 'reference', 'adi', 'embroidery', 'mgmt', 'addiction', 'dead', 'robotics', 'theweb', 'dancing', 'rum', 'karate', 'trick', 'bas', 'webb', 'bots', 'nola', 'hound', 'lis', 'jewish', 'parker', 'designstudio', 'bum', 'whiz', 'psy', 'hands', 'psi', 'anna', 'creditcards', 'timber', 'alerts', 'soo', 'pension', 'professor', 'aware', 'jamaica', 'bravo', 'uz', 'fiesta', 'xin', 'mesa', 'cannabis', 'las', 'seeker', 'kosher', 'author', 'automobile', 'crack', 'nba', 'cme', 'loyalty', 'talks', 'wicked', 'rpg', 'pest', 'saas', 'toolbox', 'matic', 'verse', 'tweets', 'sustainable', 'shoot', 'navigator', 'valve', 'where', 'tide', 'matters', 'string', 'ipod', 'ih', 'pars', 'kai', 'chatter', 'econ', 'seminar', 'machines', 'floors', 'bookstore', 'yr', 'cosmic', 'bowling', 'ergo', 'mes', 'mechanical', 'ast', 'xml', 'html', 'lightning', 'kor', 'cock', 'locator', 'ezy', 'venus', 'baba', 'viking', 'ngo', 'centric', 'southwest', 'lazy', 'graphicdesign', 'innovative', 'ans', 'alumni', 'americas', 'anderson', 'mtg', 'gates', 'generator', 'ratings', 'spotlight', 'kn', 'eos', 'inner', 'cycles', 'queens', 'birds', 'lacrosse', 'nightlife', 'medicare', 'material', 'mystery', 'solarpower', 'labels', 'swan', 'lovely', 'clarity', 'hay', 'colombia', 'oklahoma', 'portugal', 'mug', 'rez', 'present', 'treasures', 'ini', 'cleaner', 'mask', 'shutter', 'monthly', 'tat', 'parents', '4x4', 'dolphin', 'veg', 'optic', 'manual', 'ann', 'clic', 'cluster', 'wk', 'triangle', 'playground', 'shuttle', 'physician', 'realm', 'jin', 'sou', 'kansas', 'remodeling', 'junior', 'yh', 'hv', 'plc', 'banners', 'elephant', 'delight', 'smooth', 'ufo', 'addict', 'greenenergy', 'tropical', 'command', 'anchor', 'season', 'kom', 'bound', 'superstore', 'msg', 'ghana', 'shoppe', 'leg', 'raven', 'tulsa', 'ses', 'lesbian', 'crossfit', 'pittsburgh', 'voucher', 'dine', 'hypnosis', 'welcome', 'artwork', 'immigration', 'fengshui', 'dino', 'stud', 'mailbox', 'combat', 'webinar', 'blackberry', 'boxes', 'mover', 'yk', 'weare', 'tang', 'strike', 'huge', 'crest', 'pai', 'din', 'ell', 'racer', 'msn', 'robots', 'worship', 'holistic', 'newyorkcity', 'shortsale', 'buddha', 'mason', 'ting', 'tal', 'excellence', 'hotspot', 'adams', 'dec', 'roma', 'scholar', 'british', 'webmarketing', 'psychology', 'lube', 'uw', 'tecno', 'lance', 'seafood', 'rules', 'tre', 'gamble', 'gol', 'cia', 'japanese', 'license', 'ida', 'teams', 'envy', 'dq', 'skins', 'vk', 'final', 'assistant', 'bestbuy', 'plum', 'inspection', 'sss', 'sia', 'progressive', 'choices', 'container', 'broad', 'propertymanagement', 'pony', 'frames', 'non', 'argentina', 'vitamins', 'allstar', 'a2', 'dear', 'highschool', 'taco', 'alchemy', 'cleaners', 'outsourcing', 'pcb', 'ips', 'beef', 'rhythm', 'grupo', 'shake', 'vj', 'charts', 'squared', 'aussie', 'posh', 'ati', 'booster', 'emr', 'europa', 'dice', 'neworleans', 'polar', 'gala', 'mondo', 'fsbo', 'mec', 'strength', 'acu', 'len', 'under', 'lighthouse', 'condos', 'sel', 'limousine', 'prepaid', 'aca', 'bounce', 'silicon', 'dailydeal', 'morgan', 'saw', 'williams', 'allen', 'tam', 'sunday', 'k2', 'contracting', 'tronics', 'cosmos', 'chn', 'kon', 'milf', 'marin', 'trophy', 'lon', 'som', 'calls', 'audi', 'artgallery', 'alpine', 'columbia', 'ado', 'funky', 'controls', 'tennessee', 'diver', 'origin', 'git', 'esl', 'volt', 'acme', 'provider', 'ras', 'alta', 'maritime', 'bush', 'bears', 'locksmith', 'inv', 'broadway', 'moves', 'simon', 'rama', 'dashboard', 'graffiti', 'acupuncture', 'sprout', 'fz', 'neighborhood', 'dao', 'atoz', 'sunset', 'laws', 'infra', 'memories', 'sho', 'ree', 'ole', 'ler', 'graphix', 'iss', 'vd', 'pipeline', 'born', 'milwaukee', 'hats', 'speakers', 'sources', 'shi', 'mana', 'kentucky', 'ill', 'onlinemarketing', 'maple', 'ime', 'trap', 'guitars', 'interview', 'essence', 'patient', 'basics', 'object', 'cooper', 'dentistry', 'forlife', 'pinoy', 'kz', 'websitedesign', 'ons', 'rag', 'alo', 'lava', 'whois', 'orb', 'jen', 'tub', 'koo', 'moose', 'fiction', 'ner', 'vodka', 'imo', 'slow', 'nik', 'interiordesign', 'mann', 'themovie', 'keen', 'clix', 'xj', 'fog', 'cons', '4sale', 'zt', 'hai', 'deer', 'epi', 'aircraft', 'steps', 'semi', 'sold', 'isi', 'zl', 'counsel', 'merchants', 'bistro', 'sto', 'wj', 'threads', 'bills', 'shelf', 'pakistan', 'cle', 'charleston', 'tak', 'shelter', 'pillow', 'kitchens', 'ker', 'lives', 'naughty', 'scam', 'kf', 'chance', 'prosperity', 'arms', 'cio', 'wake', 'profiles', 'casual', 'ottawa', '2k', 'mal', 'zb', 'tires', 'amc', 'cog', 'gam', 'ontario', 'die', 'shower', 'hotline', 'decision', 'excellent', 'aha', 'legends', 'classroom', 'ise', 'lanka', 'paid', 'quik', 'newspaper', 'brass', 'programs', 'homeimprovement', 'archi', 'hoops', 'denim', 'creek', 'person', 'liquor', 'phd', 'homebusiness', 'springs', 'mgt', 'powers', 'homeloan', 'longisland', 'modeling', 'junkie', 'dawn', 'hamilton', 'sims', 'ase', 'stlouis', 'athletics', 'static', 'ify', 'koi', 'yw', 'agenda', 'reseller', 'upgrade', 'maze', 'makers', 'pur', 'sacramento', 'advocate', 'andco', 'dairy', 'kill', 'nite', 'boulder', 'ris', 'handbags', 'yj', 'h2', 'hifi', 'develop', 'hightech', 'theworld', 'sharepoint', 'rising', 'ebusiness', 'cougar', 'winning', 'eweb', 'var', 'enet', 'dem', 'rings', 'desire', 'eight', 'amy', 'anal', 'vie', 'always', 'count', 'mobilemarketing', 'fighter', 'plants', 'fil', 'paws', 'fall', 'sad', 'bluesky', 'tes', 'pow', 'members', 'cashback', 'taobao', 'meetings', 'tai', 'prima', 'valet', 'bebe', 'autosales', 'jan', 'onsite', 'sellers', 'plasticsurgery', 'onestop', 'susa', 'sauce', 'foundry', 'kicks', 'patrol', 'habitat', 'affordable', 'riders', 'pestcontrol', 'rural', 'scanner', 'herbs', 'built', 'sumo', 'egy', 'trailers', 'fake', 'qp', 'airlines', 'cox', 'lily', 'elle', 'hug', 'yg', 'childcare', 'funeral', 'buysell', 'seoul', 'residential', 'partnership', 'sierra', 'jackpot', 'zc', 'berg', 'zd', 'tronic', 'athletic', 'tribal', 'drift', 'tony', 'gou', 'golfing', 'socialnetwork', 'wis', 'animals', 'stamps', 'grove', 'sara', 'detox', 'peach', 'dailydeals', 'ber', 'scotland', 'arkansas', 'savers', 'tick', 'motorsport', 'pops', 'ema', 'walls', 'umbrella', 'lend', 'northern', 'creativity', 'wink', 'ger', 'mye', 'uniform', 'webpage', 'branch', 'sock', 'warez', 'ranking', 'detective', 'paydayloan', 'moment', 'forme', 'metric', 'str', 'sparkle', 'exo', 'surface', 'parties', 'carrier', 'eta', 'emporium', 'vivid', 'amsterdam', 'sunglasses', 'cola', 'cashadvance', 'thegreen', 'dots', 'applications', 'kuwait', 'wins', 'fer', 'loo', 'nigeria', 'sparks', 'owner', 'ets', 'spread', 'skinny', 'blinds', 'pip', 'yoyo', 'dui', 'covers', 'dust', 'tattoos', 'videogame', 'ridge', 'bayarea', 'welding', 'lar', 'louisiana', 'fred', 'tiki', 'mailer', 'vy', 'specials', 'cocktail', 'hoa', 'ito', 'portrait', 'iraq', 'badge', 'expat', 'vl', 'chefs', 'mrs', 'ishop', 'cen', 'juiceplus', 'oxford', 'lea', 'spas', 'banker', 'clone', 'ire', 'itc', 'sick', 'oss', 'xu', 'clark', 'ql', 'voodoo', 'xz', 'pins', 'numbers', 'coat', 'webservices', 'gigs', 'eze', 'brother', 'companion', 'c2', 'director', 'morning', 'wife', 'rogue', 'dip', 'nam', 'sheet', 'cfo', 'autorepair', 'kenya', 'rick', 'pico', 'ranger', 'hdtv', 'airsoft', 'mage', 'yum', 'demon', 'overseas', 'thumb', 'ela', 'orion', 'zm', 'hedge', 'carrental', 'erotica', 'emotion', 'coral', 'bonds', 'papers', 'cases', 'earn', 'dolls', 'polish', 'stitch', 'greece', 'sma', 'hidden', 'naples', 'oxygen', 'comms', 'runners', 'tot', 'saga', 'lds', 'uf', 'keeper', 'estore', 'outsource', 'aquarium', 'newengland', 'fotos', 'complex', 'cincinnati', 'delaware', 'capitol', 'psp', 'bollywood', 'kam', 'glove', 'ona', 'sweets', 'gaia', 'marc', '2day', 'mary', 'ptc', 'magazines', 'follow', 'indi', 'astrology', 'large', 'wildlife', 'rebate', 'sly', 'tail', 'ori', 'm3', 'silent', 'release', 'yogi', 'mechanic', 'bump', 'drill', 'abi', 'lace', 'mercury', 'jon', 'advisory', 'westcoast', 'spiritual', 'vz', 'nan', 'request', 'lim', 'dictionary', 'imperial', 'xf', 'tales', 'soy', 'voices', 'kraft', 'coal', 'solarenergy', 'oro', 'cro', 'brains', 'sca', 'painter', 'jane', 'fountain', 'sil', 'evergreen', 'pattern', 'obama', 'lay', 'razor', 'quilt', 'grain', 'terminal', 'whole', 'mainstreet', 'golfer', 'hentai', 'christ', 'yan', 'emerald', 'mature', 'attack', 'chicks', 'wel', 'musik', 'baja', 'portable', 'slo', 'superstar', 'bare', 'ibiza', 'bdsm', 'hana', 'feeds', 'heating', 'imp', 'teck', 'female', 'bugs', 'webshop', 'hills', 'vibes', 'melbourne', 'tis', 'neat', 'cit', 'circles', 'showroom', 'publisher', 'emi', 'volleyball', 'maximum', 'webdesigns', 'latina', 'itsolutions', 'smarts', 'diner', 'gui', 'b2', 'wells', 'cambridge', 'oem', 'slick', 'federal', 'cameras', 'dale', 'financialservices', 'slam', 'dox', 'virus', 'parenting', 'george', 'pads', 'ces', 'bbc', 'techsolutions', 'critic', 'curve', 'offroad', 'happiness', 'sof', 'ais', 'lego', 'kayak', 'qm', 'editor', 'calc', 'roy', 'angle', 'mist', 'tong', 'brides', 'zr', 'hash', 'balls', 'cause', 'jew', 'weld', 'mus', 'innova', 'kink', 'melody', 'divas', 'mediation', 'publications', 'linc', 'datacenter', 'recruiter', '2d', 'keyword', 'jean', 'missouri', 'ard', 'powder', 'needs', 'aga', 'hookup', 'cookies', 'glue', 'orchid', 'bullet', 'pam', 'choose', 'diversity', 'goa', 'vega', 'elearning', 'saint', 'eds', 'creditrepair', 'repo', 'zona', 'riot', 'bev', 'exe', 'busy', 'courses', 'beverage', 'olympic', 'logistic', 'bureau', 'anything', 'footwear', 'warriors', 'hex', 's4', 'locate', 'corn', 'sporting', 'questions', 'stu', 'vit', 'after', 'affinity', 'yak', 'attitude', 'roller', 'horn', 'border', 'renaissance', 'ens', 'restore', 'yf', 'purse', 'axe', 'knife', 'kv', 'etf', 'strat', 'submit', 'selection', 'daycare', 'hearts', 'phi', 'frost', 'mov', 'opti', 'mantra', 'couch', 'peoples', 'mum', 'birth', 'split', 'elegant', 'treat', 'rodeo', 'eastern', 'adviser', 'farmers', 'hippo', 'sic', 'nitro', 'dean', 'clearance', 'outlook', 'cho', 'afro', 'kx', 'beds', 'vend', 'kerala', 'pinnacle', 'cbs', 'bacon', 'oriental', 'install', 'gq', 'bend', 'ong', 'cod', 'dea', '24h', 'rac', 'espresso', 'election', 'pills', 'pickup', 'pq', 'ksa', 'bash', 'g2', 'cai', 'console', 'stress', 'stickers', 'programming', 'yachts', 'adoption', 'raleigh', 'zp', 'ato', 'bcn', 'spirits', 'alba', 'tara', 'tit', 'crop', 'dump', 'fraud', 'pep', 'goat', 'fad', 'csa', 'cupcake', 'fragrance', 'homeschool', 'smc', 'cork', 'sweden', 'domainnames', 'vx', 'd2', 'snake', 'noodle', 'eternal', 'apollo', 'hcg', 'near', 'weaver', 'mq', 'hen', 'bloggers', 'dads', 'jumbo', 'stan', 'aff', 'fk', 'exa', 'meditation', 'dba', 'birmingham', 'year', 'momentum', 'merchandise', 'sid', 'kong', 'lisa', 'gurus', 'popcorn', 'gar', 'surgical', 'spc', 'vee', 'doggy', 'mtv', 'handmade', 'tq', 'liv', 'selfstorage', 'convention', 'plasma', 'browse', 'boating', 'etech', 'maverick', 'amo', 'getaway', 'prospect', 'academic', 'tractor', 'amigo', 'timeshare', 'thoughts', 'plr', 'result', 'onthego', 'aro', 'nebraska', 'dyna', 'tones', 'volunteer', 'sanjose', 'syndicate', 'cci', 'toto', 'arabic', 'actor', 'horses', 'cage', 'supplements', 'jokes', 'cobra', 'mack', 'authentic', '3c', 'lookup', 'ned', 'wanted', 'stellar', 'mach', 'villas', 'eyewear', 'louisville', 'vh', 'forte', 'ella', 'walking', 'napa', 'friday', 'xr', 'invent', 'halal', 'derby', 'many', 'refinance', 'dor', 'cares', 'watt', 'pri', 'ming', 'tutors', 'icecream', 'chemistry', 'dotnet', 'plumber', 'ppl', 'emarketing', 'ity', 'gecko', 'shy', 'renew', 'lou', 'flood', 'tomorrow', 'jia', 'loves', 'triple', 'zn', 'onlinecasino', 'orient', 'profi', 'lowcost', 'esa', 'portraits', 'rpm', 'soil', 'drupal', 'scores', 'tonic', 'radical', 'xh', 'harris', 'driven', 'mumbai', 'dms', 'ij', 'winners', 'sax', 'ding', 'spi', 'jobsearch', 'bookkeeping', 'cpu', 'renovation', 'mental', 'manchester', 'patio', 'remedy', 'traveller', 'ize', 'homebiz', 'moss', 'conversion', 'hoop', 'reverse', 'personals', 'vf', 'sts', 'gastro', 'drs', 'cin', 'zk', 'reed', 'curry', 'aire', 'pla', 'intra', 'i4', 'd3', 'eats', 'nursery', 'bnb', 'mans', 'odyssey', 'rant', 'kee', 'ias', 'translations', 'document', 'bea', 'waters', 'macau', 'tint', 'priority', 'pyramid', 'imedia', 'locks', 'done', 'from', 'loving', 'poo', 'taxes', 'tradeshow', 'apa', 'savannah', 'bal', 'zed', 'bes', 'scs', 'monk', 'council', 'making', 'folder', 'dove', 'sentry', 'stadium', 'bol', 'publish', 'memorial', 'hudson', 'stealth', 'peter', 'aces', 'kungfu', 'maestro', 'sheep', 'construct', 'wager', 'crap', 'bau', 'ican', 'pz', 'sbs', 'daniel', 'dana', 'vast', 'ehr', 'myown', 'myi', 'vets', 'neu', 'bmx', 'gab', 'savage', 'half', 'suk', 'rugs', 'btc', 'roman', 'fig', 'employee', 'champions', 'msp', 'eas', 'physics', 'esi', 'swell', '5star', 'ach', 'reunion', 'buddies', 'leon', 'nara', 'cooler', 'travelers', 'bai', 'gypsy', 'tms', 'tutoring', 'backyard', 'primary', 'has', 'luggage', 'bites', 'nlp', 'prism', 'notary', 'scholarship', 'qz', 'icons', 'nook', 'designgroup', 'xb', 'xen', 'stockmarket', 'hon', 'tem', 'soon', 'tubes', 'meridian', 'spiral', 'rule', 'vol', 'fivestar', 'brief', 'coverage', 'heads', 'tasty', 'exposure', 'uh', 'him', 'flair', 'lobby', 'ecs', 'elder', 'cloth', 'sla', 'mcc', 'caddy', 'cabinets', 'accounts', 'pho', 'opensource', 'delhi', 'allied', 'skyline', 'intro', 'warranty', 'treatment', 'allergy', 'qy', 'tux', 'retreat', 'flu', 'vortex', 'recording', 'hole', 'beaver', 'inform', 'handbag', 'cts', 'publicity', 'interest', 'ene', 'outfitters', 'spoon', 'corps', 'candles', 'starter', 'chen', 'hearing', 'cps', 'billboard', 'fill', 'leading', 'dual', 'pair', 'clinical', 'shu', 'pens', 'mills', 'myanmar', 'bq', 'wellbeing', 'fireworks', 'troll', 'environment', 'scottsdale', 'oj', 'delicious', 'moments', 'lia', 'crow', 'cole', 'fore', 'plast', 'staging', 'caster', 'twins', 'mobilephone', 'qh', 'bac', 'sword', 'ges', 'accent', 'bil', 'dal', 'cmc', 'australian', 'vera', 'relocation', 'los', 'allabout', 'jacksonville', 'processing', 'riverside', 'wig', 'eclipse', 'harley', 'vitality', 'fv', 'greetings', 'perks', 'iy', 'classes', 'greenhouse', 'abstract', 'fas', 'gta', 'autism', 'opus', 'tale', 'rides', 'ena', 'jacks', 'gfx', 'newzealand', 'fem', 'plugin', 'iti', 'def', 'bondage', 'xbox', 'protein', 'homeloans', 'hom', 'lq', 'p2p', 'coaches', 'checks', 'mixer', 'cheat', 'nights', 'avid', 'carnival', 'callcenter', 'tarot', 'cer', 'mds', 'inmotion', 'daisy', 'integrated', 'smb', 'alu', 'lesson', 'phuket', 'e3', 'worm', 'lifetime', 'mastermind', 'ooo', 'rak', 'slice', 'cord', 'expressions', 'securities', 'slab', 'faster', 'regal', 'thenew', 'pirates', 'fetch', 'competition', 'ssi', 'xg', 'equi', 'co2', 'tailor', 'uy', 'accu', 'mio', 'plot', 'frugal', 'wen', 'dancer', 'ric', 'renta', 'aya', 'otc', 'smallbiz', 'src', 'mcs', 'logs', 'integral', 'knit', 'zion', 'camper', 'invention', 'meg', 'oxy', 'thegame', 'culinary', 'warm', 'ano', 'eda', 'mogul', 'scc', 'chevy', 'eee', 'mineral', 'newmexico', 'physio', 'butt', 'details', 'fang', 'rights', 'elevator', 'sway', 'osa', 'nana', 'unite', 'jeff', 'asc', 'juicy', 'sisters', 'dorm', 'edition', 'bookmark', 'specialists', 'premiere', 'lao', 'apc', 'qx', 'proto', 'telco', 'hua', 'chin', 'ceramic', 'nelson', 'cloudcomputing', 'couple', 'porter', 'jq', 'trusted', 'remix', 'gaga', 'trails', 'wraps', 'fool', 'glutenfree', 'quant', 'knights', 'matter', 'lodging', 'emedia', '401k', 'verde', 'mmm', 'basement', 'canyon', 'nar', 'fields', 'santafe', 'leds', 'reps', 'tabs', 'ener', 'fresno', 'edm', 'nord', 'close', 'annuity', 'around', 'bras', 'duke', 'wes', 'chili', 'royalty', 'limos', 'forall', 'midnight', 'nightclub', 'bail', 'solve', 'economics', 'dare', 'stable', 'pornstar', 'estudio', 'azure', 'favorite', 'kansascity', 'centers', 'accountant', 'ext', 'sbc', 'kino', 'ozone', 'von', 'myhealth', 'inspector', 'zw', 'centro', 'gop', 'cooks', 'viewer', 'lastminute', 'canal', 'intern', 'seminars', 'ees', 'ago', 'lil', 'appraisals', 'vice', 'sink', 'bathroom', 'siri', 'dimension', 'samurai', 'archives', 'dmc', 'xing', 'vocal', 'massive', 'cactus', 'idesign', 'nia', 'loot', 'oakland', 'gplus', 'ties', 'sells', 'sticky', 'nit', 'hampton', 'scrapbook', 'ius', 'mansion', 'cocoa', 'sch', 'grape', 'dow', 'clover', '4s', 'division', 'gan', 'appliances', 'slc', 'bcs', 'hosted', 'lewis', 'ginger', 'sucks', 'mustang', 'cite', 'venice', 'connecticut', 'atelier', 'reputation', 'sox', 'query', 'canine', 'els', 'qe', 'wallpapers', 'iii', 'jerseys', 'lifestyles', 'musician', 'rays', 'wer', 'trix', 'promote', 'bahamas', 'eri', 'imagination', 'encore', 'dublin', 'troy', 'lessons', 't1', 'vas', 'lima', 'kinetic', 'salvage', 'mycar', 'even', 'assurance', 'csc', 'conn', 'fran', 'shaw', 'workforce', 'chow', 'rochester', 'anytime', 'costumes', 'artistic', 'scratch', 'dogtraining', 'vanity', 'bulldog', 'nationwide', 'cig', 'franklin', 'ministries', 'ballet', 'marketer', 'props', 'honest', 'bbw', 'mutual', 'mingle', 'rails', 'arctic', 'abe', 'grind', 'scapes', 'grants', 'houseof', 'hui', 'primo', 'pom', 'ome', 'logi', 'xray', 'preferred', 'lions', 'pasta', 'carhire', 'nos', 'advert', 'layer', 'lala', 'fyi', 'milan', 'malibu', 'mot', 'interface', 'tall', 'rentacar', 'integration', 'heavy', 'incorporated', 'oma', 'brokerage', 'merch', 'moe', 'stupid', 'materials', 'dit', 'zf', 'sneaker', 'badger', 'marshall', 'sector', 'eme', '2c', 'zim', 'suites', 'shades', 'mods', 'rel', 'still', 'cambodia', 's4u', 'camo', 'donkey', 'lad', 'srl', 'inf', 'lms', 'please', 'pee', 'myspace', 'crisis', 'hal', 'ltc', 'surge', 'hang', 'cellar', 'golfclub', 'seg', 'towing', 'flexi', 'ones', 'impressions', 'return', 'movil', 'cone', '3m', 'aweb', 'poli', 'sister', 'items', 'poland', 'penn', 'zar', 'makeover', 'gre', 'being', 'tomato', 'lumber', 'poet', 'newport', 'esc', 'forecast', 'crossing', 'lifecoach', 'lat', 'mam', 'effects', 'cpc', 'serenity', 'perspective', 'civil', 'boise', 'boobs', 'depo', 'ley', 'cma', 'hear', 'lcd', 'l2', 'atech', 'sav', 'hometown', '4less', '24x7', 'soma', 'mira', 'tastic', 'ssa', 'tooth', 'tobacco', '4free', 'dew', 'oli', 'mailing', 'momo', 'relationship', 'sti', 'beans', 'nerds', 'finest', 'har', 'wyoming', 'roses', 'tack', 'paradigm', 'mea', 'photographers', 'harp', 'streams', 'ane', 'hong', 'bul', 'buz', 'ladder', 'ese', 'miner', 'salad', 'bully', 'eric', 'jelly', 'rents', 'mao', 'pennsylvania', 'calling', 'ere', 'alter', 'ssc', 'mtn', 'postcard', 'northcarolina', 'wizards', 'vineyard', 'analyst', 'agora', 'lie', 'dime', 'setup', 'pods', 'knox', 'bom', 'brian', 'mississippi', 'worthy', 'fac', 'pps', 'anonymous', 'nissan', 'thrive', 'rin', 'strange', 'buff', 'ment', 'them', 'okc', 'crave', 'popup', 'lasik', 'sew', 'clique', 'smiley', 'carpetcleaning', 'alberta', 'trance', 'rover', 'eps', 'graf', 'emp', 'heal', 'sniper', 'whale', 'dispatch', 'credits', 'sina', 'topten', 'modular', 'render', 'magnetic', 'sextoys', 'mena', 'occupy', 'motivation', 'mol', 'unix', 'components', 'commission', 'supplement', 'late', 'tos', 'infor', 'softball', 'maroc', 'moscow', 'collectibles', 'techsupport', 'winery', 'ack', 'monsters', 'odds', 'bpo', 'serious', 'belly', 'zin', 'snacks', 'hyundai', 'engage', 'bop', 'werks', 'pottery', 'icc', 'shoponline', 'ost', 'essay', 'workers', 'congress', 'jewelers', 'metrix', 'brit', 'wal', 'tahoe', 'veri', 'skip', 'sherpa', 'millennium', 'navy', 'lucid', 'bod', 'boca', 'contracts', 'buster', 'landmark', 'curious', 'starr', 'relay', 'dai', 'midi', 'edo', 'holly', 'benchmark', 'cornerstone', 'paragon', 'flyers', 'scar', 'camps', 'madness', 'nations', 'acoustic', 'mri', 'buds', 'registration', 'gra', 'sens', 'dim', 'bedding', 'recon', 'sandwich', 'dmv', 'viper', 'menus', 'kos', 'tempo', 'outside', 'carwash', 'env', 'gays', 'cred', 'bunker', 'favor', 'palmbeach', 'u2', 'por', 'laptops', 'wag', 'fork', 'comet', 'rogers', 'vans', 'pearls', 'videogames', 'ignite', 'giftshop', 'buffet', 'reporting', 'boob', 'abo', 'calm', 'lawncare', 'destinations', 'ifa', 'minneapolis', 'eagles', 'kis', 'cgi', 'past', 'wool', 'keywest', 'alan', 'swingers', 'tricks', 'opp', 'norway', 'teaparty', 'bark', 'crib', 'thompson', 'ubi', 'zzz', 'updates', 'thermal', 'pronto', 'reliable', 'jason', 'sony', 'empower', 'paydayloans', 'cedar', 'ain', 'seen', 'blossom', 'raid', 'fencing', 'johnny', 'aci', 'fucking', 'zest', 'ilike', 'ura', 'atc', 'pear', 'kinder', 'lic', 'early', 'geta', 'eca', 'mexican', 'foster', 'toons', 'gon', 'elect', 'sort', 'debate', 'blocks', 'burst', 'philippines', 'paleo', 'joes', 'shred', 'distributors', 'tiles', 'grup', 'bookings', 'sart', 'ebuy', 'noc', 'timeline', 'brook', 'lots', 'fanatic', 'emc', 'prog', 'fabrics', 'yq', 'dvds', 'bonsai', 'anet', 'abroad', 'athens', 'baron', 'squid', 'arb', 'mii', 'equestrian', 'remodel', 'rok', 'logical', 'valentine', 'celebration', 'vale', 'galleries', 'peek', 'facility', 'windsor', 'checkout', 'xxl', 'pixie', 'sexual', 'penis', 'cookbook', 'tampabay', 'liz', 'bake', 'ika', 'continental', 'calculator', 'finda', 'pumps', 'adr', 'laboratory', 'radiant', 'bak', 'regional', 'deaf', 'wtf', '3x', 'gr8', 'cny', 'otto', 'leb', 'jaguar', 'bestof', 'jag', 'bulletin', 'landscapes', 'activ', 'exports', 'instyle', 'session', 'elo', 'womens', 'quiet', 'keystone', 'raffle', 'griffin', 'celtic', 'moz', 'nuclear', 'openhouse', 'mags', 'feature', 'lonestar', 'skype', 'lizard', 'chai', 'irc', 'smoking', 'kal', 'bait', 'snews', 'islamic', 'flags', 'comment', 'tha', 'campbell', 'islands', 'p3', 'craig', 'kas', 'nis', 'optimum', 'capecod', 'hacks', 'ipa', 'sentinel', 'rq', 'webtv', 'singer', 'ium', 'assistance', 'hos', 'oni', 'nq', 'region', 't3', 'tyler', 'qo', 'trainers', 'surprise', 'petroleum', 'dynasty', 'connector', 'usedcars', 'zoe', 'reiki', 'dyn', 'bodybuilding', 'postal', 'indianapolis', 'tutorials', 'slave', 'pei', 'nash', 'lac', 'soa', 'lulu', 'freaks', 'lte', 'blank', 'pci', 'businesssolutions', 'promise', 'tcm', 'advertise', 'instruments', 'iwant', 'lush', 'revival', 'accountants', 'cozy', 'qrcode', 'lyric', 'licious', 'yeah', 'thedaily', 'entry', 'vacuum', 'lash', 'tvs', 'physicians', 'zq', 'repairs', 'soso', 'conservative', 'flicks', 'tro', 'morris', 'brooks', 'victor', 'insulation', 'gears', 'ste', 'disaster', 'sue', 'mps', 'romantic', 'checker', 'publishers', 'mails', 'critical', 'avalon', 'affair', 'transformation', 'henry', 'gsa', 'managers', 'zer', 'kate', 'ici', 'mycity', 'marco', 'tables', 'sarasota', 'vlog', 'alexander', 'approved', 'insite', 'cns', 'confidential', 'moa', 'trav', 'unitedstates', 'gle', 'epc', 'praise', 'cigars', 'membership', 'organizer', 'bri', 'sanctuary', 'maniac', 'producer', 'x2', 'eno', 'offices', 'msa', 'formation', 'alp', 'ammo', 'qk', 'eonline', 'judge', 'medica', 'eur', 'sps', 'd1', 'fav', 'twisted', 'divers', 'spr', 'macs', 'avon', 'rope', 'saigon', 'yang', 'spire', 'thrift', 'peg', 'zones', 'phat', 'cem', 'imi', 'drums', 'voter', 'dresses', 'uro', 'publi', 'feather', 'mapping', 'coms', 'pec', 'mari', 'parade', 'pants', 'vivo', 'recreation', 'yummy', 'gmc', 'gcc', 'xw', 'crossroads', 'tia', 'stash', 'strata', 'fear', 'butter', 'yarn', 'pete', 'num', 'northeast', 'ble', 'parrot', 'attic', 'spell', 'gos', 'personnel', 'blaster', 'tekno', 'tycoon', 'iva', '1stop', 'laugh', 'smi', 'uma', 'copyright', 'ticker', 'kwik', 'alice', 'organization', 'automatic', '4kids', 'grafix', 'jun', 'pier', 'turkish', 'cee', 'msc', 'qw', 'pres', 'symphony', 'donation', 'lec', 'roberts', 'bridges', 'nco', 'lok', 'defender', 'specs', 'pull', 'div', 'tester', 'dodo', 'myway', 'monitoring', 'onet', 'havana', 'displays', 'woodworking', 'finds', 'grub', 'honolulu', 'acne', 'witch', 'welove', 'poke', 'marketinggroup', 'sent', 'packet', 'onlinestore', 'gratis', 'squirrel', 'nett', 'photobooth', 'atwork', 'fre', 'magical', 'coders', 'costa', 'elpaso', 'other', 'sri', 'tests', 'turner', 'eureka', 'mybusiness', 'moxie', 'locations', 'webdev', 'sym', 'aki', 'rms', 'derma', 'dist', 'scm', 'mice', 'influence', 'docu', 'whore', 'screw', 'veggie', 'finders', 'scot', 'oms', 'hud', 'labo', 'habit', 'glob', 'caravan', 'ure', 'c4', 'lunar', 'conscious', 'tranny', '4us', 'rand', 'arabian', 'ventura', 'structure', 'everest', 'awareness', 'farming', 'baidu', 'accessory', 'tuner', 'myth', 'ibook', 'nirvana', 'dakota', 'citrus', 'murphy', 'sewing', 'phantom', 'ska', 'ike', 'genuine', '2you', 'afri', 'ecig', 'edmonton', 'ait', 'goals', 'developments', 'farma', 'doggie', 'proper', 'ramp', 'svc', '3dtv', 'buildings', 'verify', 'xk', 'highland', 'consultinggroup', 'ebony', 'spicy', 'barefoot', 'pregnancy', 'xq', 'teq', 'towers', 'sab', 'imc', 'sauna', 'uri', 'a3', 'salem', 'oso', 'ive', 'psycho', 'thebig', 'montgomery', 'distributor', 'eleven', 't2', 'trump', 'tunnel', 'onsale', 'tus', 'carter', 'screens', 'timer', 'anda', 'lenders', 'certification', 'tough', 'tits', 'autoglass', 'drunk', 'pyro', 'autobody', 'shooting', 'latest', 'joker', 'invoice', 'elegance', 'g3', 'lifes', 'techie', 'velvet', 'musicians', 'ehome', 'rol', 'replica', 'bobo', 'ibs', 'groupon', 'spike', 'cub', 'cca', 'beck', 'arlington', 'kel', 'plain', 'colleges', 'swimming', 'marvel', 'uniforms', 'dic', 'nurses', 'exact', 'impulse', 'there', 'skull', 'chemicals', 'bristol', 'dio', 'werk', 'dodge', 'lips', 'cdc', 'resumes', 'icom', 'una', 'lingua', 'mktg', 'bulb', 'investigations', 'weibo', 'rated', 'acid', 'whisper', 'microsoft', 'qf', 'freestyle', '4x', 'ota', 'lawoffice', 'perry', 'dealz', 'painters', 'adz', 'runway', 'ferrari', 'valencia', 'sluts', 'paintings', 'horizons', 'ier', 'digg', 'entrepreneurs', 'crab', 'thebook', 'couples', 'exhibit', 'kitten', 'rolex', 'cannon', 'makemoney', 'attraction', 'hum', 'mop', 'puertorico', 'bor', 'hurricane', 'religion', 'vacationrentals', 'eazy', 'float', 'v2', 'rey', 'natures', 'sportsbook', 'lai', 'put', 'pik', 'sustainability', 'landlord', 'apo', 'newton', 'breast', 'worldtravel', 'weber', 'ports', 'clown', 'stemcell', 'cic', 'drone', 'evans', 'toms', 'olo', 'slash', 'fertility', 'durham', 'stark', 'phase', 'msi', 'invite', 'nonprofit', 'providence', 'jupiter', 'dragons', 'newlife', 'majestic', 'transmission', 'evolve', 'variety', 'dazzle', 'feeling', 'drawing', 'creatives', 'fq', 'toledo', 'homehealth', 'checkin', 'massachusetts', 'ringtone', 'htc', 'sands', 'marker', 'wat', 'ary', 'tld', 'medium', 'motorcycles', 'mimi', 'mastery', 'readers', 'roads', 'panorama', 'sno', 'mechanics', 'vehicles', 'flare', 'gent', 'trad', 'groovy', 'jot', 'xv', 'eyecare', 'avia', 'snaps', 'did', 'nom', 'gif', 'gamez', 'fiji', 'communities', 'haiti', 'voyeur', 'mats', 'bikers', 'jas', 'mymobile', 'syria', 'mont', 'same', 'appeal', 'gil', 'waterfront', 'manor', 'perfection', 'ehealth', 'tyre', 'foreclosures', 'samsung', 'march', 'petcare', 'monkeys', 'twi', 'boa', 'avs', 'likes', 'flyfishing', 'foru', 'pms', 'forkids', 'cables', 'chu', 'merit', 'qn', 'sams', 'spo', 'hue', 'ital', 'hangout', 'tou', 'emu', 'impex', 'plays', 'sandbox', 'alma', 'ped', 'sarah', 'wonderful', 'cla', 'myrtlebeach', 'incredible', 'pricing', 'dayton', 'actors', 'ringtones', 'minerals', 'swarm', 'justin', 'suppliers', 'rix', 'warren', 'ajax', 'breakfast', 'radiology', 'sie', 'psa', 'sweep', 'residence', 'alist', 'lamps', 'sling', 'boxer', 'dcs', 'presents', 'therapist', 'iot', 'informatica', 'preschool', 'ctc', 'mole', 'hun', 'have', 'jacket', 'blow', 'asl', 'eastcoast', 'mitchell', 'soldier', 'lexus', 'forless', 'paranormal', 'mallorca', 'surveillance', 'dac', 'cpm', 'clients', 'ugly', 'srv', 'longbeach', 'fortworth', 'kinky', 'whiskey', 'position', 'musica', 'stc', 'lei', 'lore', 'archery', 'wichita', 'pmc', 'mtb', 'turnkey', 'sds', 'sed', 'appstore', 'stylist', 'malls', 'brighton', 'orangecounty', 'endless', 'bene', 'stripper', 'crs', 'operation', 'meister', 'usedcar', 'thc', 'queer', 'assembly', 'concord', 'smo', 'concerts', 'vert', 'tray', 'pap', 'character', 'aas', 'frenzy', 'homesecurity', 'mytravel', 'bahrain', 'which', 'yourlife', 'combo', 'visio', 'cbc', 'broadcasting', 'apply', 'ctr', 'orchard', 'naturals', 'cellphones', 'gia', 'dope', 'belize', 'looks', 'allin', 'token', 'firstclass', 'imagery', 'fen', 'practical', 'spokane', 'sor', 'iheart', 'businesscard', 'ugg', 'yuan', 'collision', 'collectors', 'scents', 'tuition', 'bic', 'p2', 'hopper', 'newhome', 'srus', 'pes', 'billy', 'kgb', 'amg', 'bullion', 'qv', 'antiaging', 'craze', 'everywhere', 'tackle', 'brake', 'aerospace', 'loyal', 'keyboard', 'backpack', 'zinc', 'cancun', 'ecology', 'pov', 'gran', 'pubs', 'cuban', 'maria', 'darts', 'tuna', 'nox', 'muzik', 'char', 'magna', 'patents', 'fry', 'ahead', 'weird', 'cra', 'stein', 'posts', 'cisco', 'ile', 'wills', 'photoshop', 'zeal', 'artof', 'optimal', 'trigger', 'ipc', 'bronze', 'iptv', 'presentation', 'andrew', 'brave', 'cabo', 'triathlon', 'cascade', 'blender', 'outreach', 'presence', 'rit', 'sportswear', 'surgeon', 'ratemy', 'tcs', 'again', 'password', 'studies', 'relo', 'pbx', 'chennai', 'letters', 'straight', 'oral', 'greener', 'ret', 'forensics', 'sexe', 'zeta', 'cco', 'nico', 'workathome', 'textbook', 'onweb', 'lyon', 'arti', 'torch', 'cot', 'canna', 'atlantis', 'sculpture', 'fruits', 'zeus', 'ono', 'cim', 'vanilla', 'thisis', 'bricks', 'roto', 'aruba', 'cells', 'nac', 'bama', 'r2', 'landing', 'wales', 'webstore', 'implant', 'raj', 'glitter', 'cuts', 'genealogy', 'visitor', 'pivot', 'cng', 'qj', 'powered', 'ista', 'tote', 'homebuyers', 'chimp', 'haute', 'athletes', 'monaco', 'nasty', 'aids', 'ery', 'oq', 'onyx', 'porsche', 'linen', 'hungry', 'camel', 'html5', 'dominion', 'kq', 'techinc', 'scrubs', 'businesses', 'issue', 'lamb', 'bjj', 'isis', 'bpm', 'startups', 'tornado', 'bespoke', 'eer', 'placement', 'ous', 'lobster', 'hobbies', 'santabarbara', 'solutionsinc', 'knot', '3w', 'silly', 'warp', 'talents', 'choco', 'ode', 'emirates', 'redcarpet', 'ila', 'pug', 'conf', 'bobs', 'gals', 'reservation', 'reco', 's24', 'oon', 'dada', 'mybest', 'bundle', 'resolution', 'tome', 'sllc', 'different', 'yap', 'opal', 'workplace', 'slip', 'yee', 'noir', 'kevin', 'vir', 'futbol', 'zan', 'bios', 'sod', 'hiring', 'ribbon', 'potential', 'cec', 'engines', 'southcarolina', 'actual', 'visuals', 'eis', 'ships', 'tok', 'bandit', 'apro', 'milliondollar', 'varsity', 'phx', 'genetics', 'sextoy', 'indus', 'associate', 'eating', 'snowboard', 'shiny', 'blonde', 'gard', 'dvr', 'branson', 'czech', 'hawaiian', 'manila', 'bestprice', 'eworld', 'bearing', 'vanguard', 'worldcup', 'yv', 'web2', 'ontime', 'jolly', 'zumba', 'onlinebusiness', 'springfield', 'cattle', 'yours', 'conservation', 'nextgen', 'ezi', 'designing', 'lucas', 'nab', 'fidelity', 'disability', 'revo', 'vel', 'stretch', 'batteries', 'dss', 'monarch', 'quan', 'packs', 'eventos', 'probe', 'brewing', 'deb', 'neighbor', 'xmas', 'sone', 'tobe', 'ail', 'visible', 'whisky', 'southafrica', 'smt', 'rai', '3s', 'cruising', 'csr', 'homework', 'ether', 'oke', 'creditreport', 'maids', 'reggae', 'sana', 'uptown', 'dentalcare', 'webdesigner', 'mypet', 'cep', 'invisible', 'cara', 'sdc', 'wil', 'honeymoon', 'natura', 'chs', 'simplicity', 'cnn', 'm8', 'infusion', 'bbb', 'homesales', 'agi', 'uj', 'genome', 'gone', 'danger', 'hide', 'ihome', 'irs', 'oneworld', 'rsvp', 'tsa', 'panther', 'shooter', 'devices', 'henderson', 'bok', 'accommodation', 'friendship', 'dian', 'twilight', 'oven', 'goldcoast', 'dura', 'unlock', 'cosmeticsurgery', 'alia', 'charlie', 'mts', 'swipe', 'gio', 'bent', 'itis', 'ares', 'router', 'toe', 'aer', 'gag', 'atx', 'foxy', 'vq', 'postcards', 'isc', 'leak', 'treats', 'jams', 'mast', 'pts', 'promotional', 'proud', 'expression', 'jus', 'pandora', 'bia', 'nutra', 'underwear', 'dou', 'going', 'utilities', 'potato', 'ply', 'pallet', 'ceramics', 'herald', 'chest', 'eti', 'businesscards', 'cupcakes', 'dentists', 'sapphire', 'pea', 'i3', 'stella', 'awe', 'injury', 'scooters', 'orders', 'valu', 'outpost', 'montessori', 'thrifty', 'clik', 'chang', 'carpets', 'resale', 'niagara', 'freeze', 'teeth', 'mikes', 'sono', 'electricity', 'maths', 'domino', 'giftcards', 'lexington', 'milano', 'hatch', 'theart', 'dol', 'gordon', 'dawg', 'goose', 'kona', 'charms', 'tco', 'quake', 'starz', 'refresh', 'tiffany', 'ecuador', 'qg', 'photograph', 'mobileapps', 'themusic', 'motive', 'cater', 'economic', 'carib', 'gary', 'jem', 'cultural', 'rocker', 'newage', 'kara', 'thinktank', 'gage', 'josh', 'arbor', 'ple', 'cruiser', 'kush', 'dra', 'yachting', 'tablets', 'beau', 'itt', 'toast', 'hose', 'brisbane', 'barber', 'haber', 'firstaid', 'champagne', 'perfumes', 'adm', 'opolis', 'econo', 'linda', 'liner', 'tik', 'enews', 'robin', 'gamma', 'sacred', 'states', 'ein', 'workshops', 'cto', 'sud', 'condom', 'flock', 'austria', 'lor', 'hometheater', 'left', 'sep', 'climbing', 'russell', 'dailynews', 'resto', 'ibo', 'audiovideo', 'richard', 'mymusic', 'infos', 'gus', 'mani', 'subway', 'howard', 'crete', 'pano', 'webcams', 'ssd', 'independence', 'packing', 'president', 'prodigy', 'tox', 'thereal', 'jedi', 'standards', 'coyote', 'cus', 'wholesaler', 'prairie', 'nec', 'protech', 'm1', 'adesign', 'rolling', 'mig', 'logics', 'diets', 'newworld', 'poop', 'bong', 'gaz', 'textiles', '4a', 'smack', 'jock', 'erie', 'chelsea', 'vail', 'omy', 'wq', 'yogurt', 'izi', 'riviera', 'broken', 'mca', 'ogo', 'creditunion', 'rhodeisland', 'ibuy', 'kap', 'expedition', 'cac', 'amor', 'midas', 'reflex', 'perth', 'aman', 'void', 'tronix', 'tut', 'bib', 'growing', 'tuff', 'chairs', 'hypno', 'oscar', 'edesign', 'kennedy', 'filters', 'graham', 'was', 'smd', 'renegade', 'gemini', 'thesocial', 'artstudio', 'beverlyhills', 'angry', 'softwares', 'statistics', 'pile', 'southflorida', 'cli', 'tanning', 'cardinal', 'sei', 'visionary', 'donor', 'mygreen', 'minder', 'aide', 'maa', 'lid', 'newhampshire', 'greene', 'fundraiser', 'incentive', 'aes', 'inspections', 'willow', 'rosa', 'greg', 'widgets', 'magnum', 'tournament', 'bkk', 'southeast', 'jac', 'mouth', 'smut', 'coc', 'lien', 'ags', 'finances', 'safer', 'newz', 'secured', 'drywall', 'scifi', 'aso', 'fixit', 'inabox', 'saf', 'picnic', 'scrub', 'triad', 'giftbaskets', 'dudes', 'owners', 'andmore', 'sola', 'channels', 'heartland', 'bedroom', '24hour', 'tally', 'porta', 'std', 'dep', 'lipo', 'mys', 'osi', 'yen', 'mess', 'amer', 'bun', 'bec', 'ipro', 'cbd', 'newswire', 'wagon', 'physicaltherapy', 'yao', 'onlinepoker', 'sconsulting', 'dong', 'hispanic', 'mbs', 'psd', 'integra', 'seasons', 'jie', 'merge', 'khmer', 'direction', 'dans', 'fart', 'instrument', 'prosper', 'qual', 'artistry', 'shan', 'baltic', 'polis', 'srilanka', 'drag', 'mco', 'exhibition', 'father', 'adc', 'northstar', 'panic', 'wok', 'specialties', 'toolkit', 'gloves', 'nuke', 'impression', 'branded', 'canon', 'childrens', 'pulp', 'reservations', 'prescription', 'hem', 'horror', 'cartel', 'zenith', 'spree', 'yourhome', 'lifeline', 'boulevard', 'isle', 'optima', 'martini', 'locals', 'appraiser', 'cooling', 'marketingsolutions', 'shorts', 'glen', 'wares', 'idi', 'robert', 'honor', 'reflections', 'powerhouse', 'watson', 'shin', 'ghetto', 'webcast', 'sonoma', 'bailey', 'mmc', 'klik', 'strings', 'sba', 'homeservices', 'ukraine', 'ants', 'northshore', 'elan', 'bogo', 'zam', 'sheets', 'vfx', 'asheville', 'greatest', 'dharma', 'bart', 'cri', 'freelancer', 'charger', 'lakes', 'dtv', 'webmedia', 'mybiz', 'ert', 'harrison', 'clue', 'oncall', 'onlinedating', 'avant', 'ecc', 'logan', 'booker', 'ezine', 'cheaper', 'sean', 'classical', 'bharat', 'publicrelations', 'flats', 'johns', 'streets', 'rts', 'freeporn', 'forfree', 'matchmaker', 'toilet', 'acts', 'hiking', 'cops', 'primal', 'pays', 'trucker', 'homedesign', 'transition', 'dab', 'agility', 'plumbers', 'britain', 'vio', 'loca', 'chandler', 'masonry', 'agroup', 'ethics', 'bones', 'yin', 'leaks', 'meals', 'myworld', 'jive', 'democracy', 'datarecovery', 'dragonfly', 'bre', 'techservices', 'anew', 'decorating', 'advise', 'stewart', 'knoxville', 'survivor', 'coup', 'philosophy', 'lawrence', 'playa', 'robinson', 'collage', 'carparts', 'users', 'purpose', 'oliver', 'tactics', 'groupe', 'figure', 'kauai', 'gulfcoast', 'hike', 'igroup', 'sweepstakes', 'medics', 'cleaningservices', 'translate', 'shepherd', 'thermo', 'epay', 'naturalhealth', 'racks', 'omi', 'unicorn', 'classy', 'visi', 'andi', 'wize', 'mashup', 'forma', 'albany', 'toc', 'seats', 'wealthy', 'computerrepair', 'tsunami', 'stationery', 'tina', 'techgroup', 'inspect', 'okay', 'peep', 'itservices', 'must', 'forensic', 'gest', 'dek', 'nys', 'drain', 'lynn', 'modo', 'crc', 'fap', 'ccm', 'format', 'celebs', 'pigeon', 'nascar', 'bubbles', 'overstock', 'ova', 'leverage', 'aks', 'nin', 'superb', 'trex', 'augusta', 'civic', 'icu', 'pcc', 'parcel', 'educational', 'chats', 'reminder', 'holdem', 'onlineshop', 'suv', 'iki', 'maxim', 'chopper', 'fortress', 'tad', 'aspire', 'nea', 'aia', 'allure', 'homebuyer', 'prison', 'clipart', 'tico', 'suits', 'vampire', 'finish', 'jab', 'veteran', 'pra', 'brazilian', 'towel', 'mera', 'commodity', 'airconditioning', 'fling', 'iba', 'mynet', 'spartan', 'mlb', 'homeinspection', 'xian', 'girlz', 'trains', 'vim', 'tier', 'corona', 'awa', 'poem', 'assoc', 'firefly', 'harbour', 'verve', 'uss', 'measure', 'amd', 'missions', 'gauge', 'dixie', 'uq', 'aerial', 'magician', 'contemporary', 'homedecor', 'commodities', 'mamas', 'santacruz', 'paddle', 'topics', 'catalogue', 'listen', 'background', 'servi', 'eto', 'hol', 'kingston', 'webtech', 'lian', 'phillips', 'lawgroup', 'emb', 'clocks', 'cartoons', 'fizz', 'pana', 'xpo', 'observer', 'allo', 'collins', 'hab', 'boomers', 'tequila', 'cloud9', 'alarms', 'balloons', 'mobileapp', 'volume', 'alb', 'spar', 'officefurniture', 'mysocial', 'vivi', 'travelguide', 'ead', 'speaking', 'thor', 'aris', 'shuffle', 'carpenter', 'pointe', 'heavenly', 'objects', 'vegetarian', 'precious', 'top100', 'dme', 'pex', 'ume', 'happyhour', 'fis', '2s', 'wimax', 'sda', '3a', 'navigation', 'deo', 'collaborative', 'lov', 'dessert', 'sets', 'mare', 'bailbonds', 'fei', 'findmy', 'plas', 'todd', 'freebie', 'drake', 'cabs', 'aloe', 'shortsales', 'cadillac', 'cents', 'tropic', 'allthings', 'hydra', 'facial', 'bermuda', 'lister', 'portals', 'bangla', 'claw', 'mule', 'sltd', 'tonight', 'ashley', 'deliver', 'ethical', 'juegos', 'reform', 'puma', 'bts', 'connects', 'crate', 'bulls', 'sag', 'dax', 'brandon', 'translator', 'domo', 'climb', 'babel', 'skiing', 'emails', 'styling', 'crafters', 'swinger', 'photobook', 'endurance', 'bab', 'envision', 'lure', 'clearwater', 'infiniti', 'function', 'watcher', 'ecar', 'doit', 'd8', 'saa', 'chronicle', 'innovate', 'zig', 'colony', 'analog', 'paramount', 'dre', 'pim', 'movi', 'rico', 'cheats', 'koala', 'riches', 'ellis', 'prague', 'ool', 'autoservice', 'layout', 'sandy', 'natur', 'problem', 'plano', 'available', 'coconut', 'nel', 'eso', 'een', 'iis', 'iworld', 'hate', 'vil', 'apk', 'goodies', 'ged', 'tease', 'remax', 'vacationrental', 'myfree', 'mtc', 'nokia', 'gut', 'guidance', 'vero', 'spl', 'webdevelopment', 'holic', 'tay', 'ontheweb', 'hsa', 'ings', 'hou', 'ebs', 'lifecoaching', 'aec', 'ral', 'melon', 'ely', 'finn', 'greenpower', 'fridge', 'cruz', 'k12', 'perform', 'higher', 'finding', 'murray', 'corvette', 'mentors', 'feast', 'mecca', 'lyn', 'jav', 'moi', 'exim', 'mpg', 'charles', 'fibre', 'drew', 'imex', 'alm', 'edc', 'photographic', 'rub', 'cet', 'litigation', 'dreamer', 'tol', 'balkan', 'folks', 'limit', 'ube', 'applied', 'tigers', 'cana', 'clutch', 'hologram', 'renovations', 'pong', 'albuquerque', 'valuation', 'powersports', 'mothers', 'kol', 'mercedes', 'wand', 'bionic', 'creditscore', 'squash', 'sober', 'oco', 'e4', 'samples', 'pursuit', 'davinci', 'ineed', 'rivers', 'hap', 'banc', 'douglas', 'iad', 'olympics', 'brad', 'ppt', 'smarketing', 'retailer', 'connex', 'swe', 'ege', 'aquatic', 'donate', 'tart', 'arg', 'lancaster', 'inks', 'mandarin', 'norfolk', 'asd', 'piper', 'thebusiness', 'apts', 'nose', 'cry', 'retire', 'alto', 'playboy', 'slap', 'triumph', 'each', 'operations', 'shen', 'taichi', 'essex', 'hardwood', 'skateboard', 'ugo', 'mpc', 'greentech', 'sweat', 'pel', 'mbc', 'drivingschool', 'mim', 'porntube', 'defence', 'webmasters', 'armour', 'personaltraining', 'anon', 'sled', 'middleeast', 'acn', 'recruiters', 'junky', 'archer', 'nbc', 'joo', 'cna', 'hackers', 'caring', 'crawler', 'voyager', 'mara', 'blvd', 'ando', 'sack', 'carp', 'in2', '5i', 'ech', 'otel', 'monroe', 'odo', 'bluewater', 'dimensions', 'go4', 'darling', 'dak', 'accurate', 'toro', 'inthe', 'pedal', 'pta', 'decals', 'tcc', 'context', 'fate', 'adda', 'esco', 'lum', 'roam', 'suzuki', 'nate', 'bellevue', 'headquarters', 'fuji', 'oki', 'libya', 'merlin', 'inca', 'pca', 'itravel', 'lazer', 'freebies', 'vienna', 'tribune', 'tsi', 'inventor', 'qui', 'lys', 'hookah', 'licensing', 'infini', 'cando', 'carts', '4rent', 'ick', 'noo', 'mean', 'feng', 'legion', '2m', 'boon', 'drops', 'artworks', 'n1', 'domestic', 'drilling', 'replay', 'homesearch', 'diagnostics', 'seniorcare', 'obi', 'liquidation', 'foodservice', 'dsp', 'kang', 'sons', 'inco', 'sante', 'workfromhome', 'jake', 'realtygroup', 'chico', 'allstars', 'intranet', 'esq', 'synth', 'homeinsurance', 'findyour', 'foreign', 'convert', 'gmail', 'wonderland', 'busters', 'assessment', 'veterans', 'ake', 'burg', 'toad', 'carsales', 'ambassador', 'affairs', 'collab', 'slaw', 'skye', 'salary', 'aza', 'myo', 'renting', 'diabetic', 'evi', 'sib', 'baskets', 'teas', 'helix', 'tmc', 'chilli', 'hermes', 'hedgefund', 'kem', 'suburban', 'rcs', 'pencil', 'angler', 'pegasus', 'wayne', 'cid', 'lbs', 'sna', 'hughes', 'cda', 'zv', 'itz', 'wigs', 'torque', 'teks', 'pilots', 'counselor', 'oda', 'gutter', '4fun', 'axiom', 'homestead', 'spencer', 'amex', 'mammoth', 'myonline', 'aday', 'forextrading', 'boiler', 'thenet', 'settlement', 'bulgaria', 'decal', 'wot', 'stix', 'managed', 'diablo', 'elk', 'tun', 'outlets', 'fri', 'sexo', 'knives', 'nus', 'reliance', 'egroup', 'decks', 'chop', 'onair', 'forrent', 'stylish', 'tata', 'republican', 'mina', 'merchantservices', 'versa', 'jit', 'asylum', 'athena', 'romania', 'magnets', 'gazette', 'refer', 'betty', 'plus1', 'maz', 'asm', 'raptor', 'nsa', 'deposit', 'kaz', 'eclectic', 'aac', 'ography', 'diaper', 'srs', 'ipl', 'oly', 'ecat', 'baking', 'ikon', 'backlink', 'lus', 'bms', 'drugstore', 'prox', 'ket', 'vape', 'sticks', 'ferry', 'opportunities', 'perk', 'buttons', 'westside', 'bluegrass', 'polaris', 'vat', 'dsm', 'digitalmarketing', 'subs', 'jimmy', 'ots', 'nai', 'toxic', 'ott', 'radius', 'tommy', '5d', 'trout', 'watchdog', 'westvirginia', 'leed', 'ibm', 'mazda', 'myfamily', 'verified', 'critter', 'theo', 'hobo', 'mro', 'magnolia', 'airplane', 'groupinc', 'h20', 'fos', 'orama', 'aaron', 'berkeley', 'manna', 'meyer', 'sak', 'strap', 'adults', 'dsi', 'nwa', 'garment', 'debtrelief', 'pipes', 'tkd', 'cnet', 'department', 'ascent', 'totally', 'mybaby', 'tenant', 'rebates', 'hans', 'airfare', 'assure', 'compact', 'coa', 'crafty', 'qua', 'outlaw', 'knowhow', 'bounty', 'voiceover', 'southbeach', 'seduction', 'tibet', 'minecraft', 'decoration', 'dri', 'peeps', 'searching', 'eka', 'touring', 'asphalt', 'conferences', 'silo', 'mae', 'fighting', 'argo', 'markt', 'southdakota', 'pco', 'sensation', 'rae', 'supra', 'monday', 'pmp', 'frontline', 'keno', 'rib', 'documents', 'gao', 'imm', 'sdb', 'glad', 'lev', 'magi', 'titanium', 'mun', 'pattaya', 'swa', 'latex', 'giants', 'prc', 'assetmanagement', 'rightnow', 'genetic', 'redneck', 'dumb', 'haha', 'wealthmanagement', 'scouts', 'anne', 'morocco', 'generic', 'third', 'emma', 'b4', 'dbs', 'judo', 'thecloud', 'faux', 'patterns', 'unified', 'pound', 'stockphoto', 'primetime', 'bur', 'cleanenergy', 'mie', 'fir', 'effective', 'acres', 'gts', 'journeys', 'oba', 'blackbox', 'firearms', 'tight', 'sunlimited', 'mylove', 'pvc', 'charters', 'alco', 'icare', 'koko', 'stag', 'redhot', 'dus', 'iri', 'tian', 'polls', 'sani', 'mymoney', 'acorn', 'yourself', 'gather', 'elm', 'sop', 'fares', 'recall', 'steak', 'celebrities', 'scrum', 'ede', 'depression', 'nile', 'paving', 'webmail', 'chrono', 'comparison', 'etv', 'russ', 'nonstop', 'healthandfitness', 'bcc', 'icar', 'acg', 'iac', 'thera', 'horny', 'benz', 'franchising', 'glide', 'bankers', 'weblog', 'crimson', 'journals', 'blox', 'ose', 'genes', 'precise', 'superhero', 'venezuela', 'sedona', 'wholesalers', 'kun', 'breakthrough', 'girlfriend', 'blackfriday', 'robotic', 'plush', 'snapshot', 'rid', 'epa', 'framework', 'vos', 'bidz', 'eft', 'thehome', 'nica', 'khan', 'ibi', 'sharks', '4m', 'petrol', 'energie', 'editing', 'hydrogen', 'junkies', 'aging', 'scare', 'gilbert', 'gopher', 'bandb', 'confidence', 'bei', 'cairo', 'embassy', 'cement', 'commons', 'commander', 'indoor', 'peo', 'carpentry', 'rot', 'lag', 'families', 'mcm', 'bruce', 'lem', 'servis', 'pose', 'ote', 'stroke', 'breath', 'bicycles', 'dora', 'flea', 'sciences', 'hotrod', 'ionline', 'authors', 'anz', 'liu', 'naija', 'oko', 'carry', 'clinics', 'glas', 'volvo', 'giveaway', 'crowdfunding', 'allamerican', 'puppet', 'another', 'etrade', 'burns', 'packages', 'orgasm', 'wego', 'naz', 'aic', 'winnipeg', 'jak', 'artis', 'mirage', 'cao', 'dreaming', 'coalition', 'opa', 'renewable', 'kaizen', 'nudes', 'fantasyfootball', 'r3', 'crypt', 'arco', 'cta', 'asu', 'spectra', 'suck', 'fonts', 'insane', 'fellowship', 'palmer', 'sneakers', 'iko', 'tch', 'snc', 'gat', 'tacoma', 'emarket', 'jerk', 'collaboration', 'yon', 'mynew', 'fes', 'astar', 'brewery', 'arsenal', 'greenhome', 'jail', 'gymnastics', 'rede', 'pantry', 'signage', 'boyz', 'canopy', 'astra', 'myhouse', 'newark', 'thee', 'refi', 'dag', 'programmer', 'socialmarketing', 'buya', 'renter', 'abacus', 'much', 'fuels', 'but', 'autoloan', 'yam', 'chambers', 'closeout', 'smg', 'quarter', 'helicopter', 'tgp', 'e1', 'mgr', 'chevrolet', 'zodiac', 'medya', 'xia', 'cleantech', 'acting', 'lick', 'whatis', 'protector', 'cincy', 'sny', 'irrigation', 'ddl', 'grapevine', 'dialog', 'psc', 'tribute', 'biking', 'novelty', 'glee', 'granny', 'afa', 'consignment', 'eba', 'spotter', 'getmy', 'devils', 'gor', 'garagesale', 'carloan', 'fury', 'ibc', 'biodiesel', 'reds', 'carmel', 'intuitive', 'paints', 'whip', 'themoney', 'reversemortgage', 'photographs', 'spor', 'goodlife', 'spend', 'wam', 'kane', 'mysite', 'drip', 'sassy', 'boxx', 'temps', 'wonders', 'merry', 'cane', 'myphoto', 'golfers', 'violet', 'salmon', 'ook', 'omatic', 'webworks', 'binder', 'opia', 'dayspa', 'apr', 'drives', 'northdakota', 'cade', 'dancers', 'coe', 'obo', 'toyou', 'coatings', 'chocolates', 'above', 'iro', 'ega', 'raz', 'vdo', 'biology', 'oop', 'b3', 'edwards', 'b2c', 'solutionsllc', 'sse', 'detailing', 'praxis', 'nri', 'june', 'det', 'watts', 'sessions', 'proactive', 'denmark', 'hippie', 'violin', 'heights', 'bsd', 'amore', 'jes', 'clo', 'gms', 'cmd', 'globo', 'mein', 'hospice', 'usc', 'acom', 'pcrepair', 'bangladesh', 'redi', 'rust', 'adobe', 'fastfood', 'pray', 'eal', 'facilities', 'finland', 'x3', 'bradley', 'clipper', 'william', 'whistler', 'cypress', 'frag', 'lumi', 'reply', 'terry', 'niu', 'fiat', 'sty', 'thecity', 'fireplace', 'florence', 'etravel', 'cayman', 'epro', 'riding', 'hottie', 'chuck', 'cti', 'bluray', 'nil', 'frozen', 'ocs', 'dropship', 'itec', 'scream', 'bloc', 'magazin', 'ete', 'illusion', 'fra', 'smiths', 'servicesinc', 'blo', 'belgium', 'chronicles', 'sine', 'ibiz', 'webster', 'heros', 'hoster', 'reit', 'princeton', 'knitting', 'bennett', 'ili', 'yas', 'ames', 'hel', 'electron', 'andcompany', 'andrews', 'calendars', 'rude', 'falls', 'glasgow', 'avo', 'ripple', 'protocol', 'flint', 'jenny', 'bidder', 'nifty', 'wom', 'coating', 'curtain', 'galactic', 'aly', 'caregiver', 'ppp', 'presto', 'mtl', 'linker', 'cie', 'g1', 'champs', 'thegood', 'cheapest', 'incentives', 'pike', 'teddy', 'crescent', 'dermatology', 'bada', 'swagger', 'ust', 'array', 'sul', 'notice', 'aesthetic', 'rsa', 'healthyliving', 'discussion', 'selfhelp', 'rooster', 'matching', 'eni', 'stra', 'dun', 'gameday', 'cameron', 'ation', 'shire', 'croatia', 'kala', '2nd', 'elvis', 'thei', 'pickle', 'customerservice', 'weave', 'escapes', 'washingtondc', 'antivirus', 'taz', 'c1', 'electrician', 'lix', 'gnome', 'searcher', 'fastcash', 'nov', 'preneur', 'w2', 'bentley', 'playbook', 'something', 'goth', 'greenville', 'seaside', 'lone', 'loto', 'iber', 'wiser', 'outfit', 'mentalhealth', 'wilderness', 'cpas', 'peters', 'tidy', 'ferret', 'improvement', 'siding', 'bishop', 'wedo', 'virtu', 'bison', 'securitysystems', 'medias', 'dang', 'cmi', 'pron', 'zippy', 'cip', 'emusic', 'sion', 'improve', 'accident', 'turkiye', 'pork', 'tres', 'arcadia', 'theone', 'sensual', 'gardener', 'mydream', 'burning', 'audiovisual', 'annex', 'une', 'royale', 'isoft', 'hint', 'intech', 'planners', 'esolutions', 'strand', 'mss', 'scrapbooking', 'badass', 'alc', 'algo', 'hacking', 'amin', 'prophet', 'inhouse', 'enc', 'nickel', 'ves', 'gama', 'omo', 'feeder', 'shrink', 'exposed', 'bodyshop', 'seekers', 'raf', 'insuranceagency', 'chameleon', 'wod', 'isee', 'bidding', 'ich', 'ufc', 'behavior', 'carcare', 'tsc', 'texting', 'bey', 'bangalore', '4c', 'yearbook', 'planit', 'scion', 'sfl', 'gad', 'referrals', 'ebo', 'maternity', 'pds', 'veritas', 'subaru', 'efficient', 'ktv', 'cosplay', 'worldnews', 'lofts', 'hof', 'hustle', 'lola', 'affiliatemarketing', 'beirut', 'prim', 'lucy', 'millions', 'familylaw', 'legalservices', 'windpower', 'worldclass', 'xcel', 'dps', 'trunk', 'kip', 'helmet', 'probate', 'amar', 'erin', 'pennystock', 'octopus', 'klick', 'newyear', 'dil', 'nee', 'yar', 'insiders', 'financials', 'shub', 'fist', 'oid', 'sexshop', 'blanket', 'moneymaker', 'nomore', 'idiot', 'ecm', 'forklift', 'joseph', 'chattanooga', 'nina', 'planb', 'nextlevel', 'cajun', 'sublime', 'sls', 'theperfect', 'hydroponics', 'scr', 'patrick', 'barbie', 'norman', 'hairsalon', 'eci', 'recordings', 'bach', 'auburn', 'viagra', 'buckeye', 'sitter', 'mgm', 'canary', 'blake', 'oom', 'kore', 'emailmarketing', 'takeout', 'imax', 'spe', 'greenlight', 'starlight', 'guam', 'originals', 'fuzzy', 'upper', 'mali', 'homesforsale', 'billiards', 'hcc', 'languages', 'dali', 'burner', 'irvine', 'fold', 'eck', 'saz', 'vite', 'wong', 'til', 'swat', 'tts', 'intouch', 'vein', 'treehouse', 'activities', 'vendors', 'boxoffice', 'rake', 'powerful', 'afghan', 'zulu', 'projector', 'mercy', 'emall', 'tantra', 'lancer', 'improv', 'stub', 'noah', 'phonesex', 'spare', 'snob', 'xperts', 'dose', 'oyun', 'hitch', 'roar', 'weston', 'headlines', 'gma', 'supplychain', 'marketers', 'aed', 'illustration', 'ovo', 'voyages', 'bst', 'gla', 'ath', 'digs', 'proshop', 'rater', 'babble', 'rival', 'mylocal', 'ays', '4k', 'voo', 'saints', 'doom', 'oneclick', 'renewableenergy', 'ahome', 'hid', 'iga', 'align', 'hms', 'teh', 'raise', 'ecard', 'agriculture', 'cst', 'ncs', 'sirius', 'hartford', 'secu', 'backlinks', 'rocky', 'faqs', 'dap', 'tucker', 'logodesign', 'mur', 'winwin', 's123', 'projectmanagement', 'mario', 'conversation', 'gotham', 'chia', 'switzerland', 'renewal', 'enigma', 'http', 'nts', 'freeman', 'serial', 'signals', 'groom', 'pag', 'cooperative', 'nag', 'consumers', 'mais', 'sudoku', 'bolivia', 'pressrelease', 'tion', 'obx', 'legs', 'alli', 'linking', 'aar', 'pls', 'colonial', 'ovi', 'showme', 'getaways', 'cea', 'luk', 'alloy', 'creators', 'fora', 'plates', 'anc', 'opinions', 'timeless', 'invitation', 'moonlight', 'bells', 'noob', 'fantasysports', 'stanley', 'garagedoor', 'bla', 'alpaca', 'iman', 'momma', 'katy', 'yell', 'handbook', 'gom', 'abel', 'due', 'stainless', 'init', 'ango', 'citizens', 'oka', 'tss', 'graduate', 'technic', 'oils', 'ivf', 'vive', 'waco', 'esports', 'plusone', 'laguna', 'chad', 'fighters', 'mushroom', 'const', 'barbados', 'gothic', 'seguros', 'inte', 'financialgroup', 'ther', 'hamster', 'craigslist', 'mya', 'dreamteam', 'symbol', 'stunt', 'hamptons', 'crystals', 'mab', 'chiropractor', 'bookshop', 'shaman', 'xun', 'newsnetwork', 'evan', 'janitorial', 'yourbusiness', 'cleanse', 'kennel', 'marry', 'once', 'ope', 'alis', 'kris', 'puzzles', 'tilt', 'cru', 'founder', 'getyour', 'i1', 'ifi', 'webpro', 'lama', 'bog', 'sovereign', 'hipster', 'correct', 'mta', 'uke', 'teo', 'barbecue', 'liverpool', 'sullivan', 'flor', 'newhomes', 'sama', 'bmc', 'automated', 'cfs', 'veda', 'wander', 'transaction', '24hr', 'crypto', 'eldercare', 'travelling', 'felt', 'chesapeake', 'dynamite', 'sakura', 'legendary', '2x', 'elizabeth', 'thelove', 'puppies', 'hyip', 'billionaire', 'dsc', 'marsh', 'lair', 'sportsbetting', 'femme', 'amb', 'networkmarketing', 'secur', 'mmi', 'perf', 'ect', 'cbt', 'guia', 'poi', 'taxis', 'cari', 'personalized', 'ily', 'alife', 'vex', 'doha', 'imed', 'transcription', 'oca', 'hale', 'magento', '1a', 'dod', 'footy', 'component', 'trx', 'iceland', 'hoe', 'photoart', 'leeds', 'rca', 'ean', 'cutter', 'apples', 'emt', 'controller', 'einstein', 'fic', 'mypc', 'chalk', 'bert', 'daves', 'eam', 'prs', 'sst', 'ture', 'jos', 'ipr', 'massagetherapy', 'gsc', 'nip', 'aws', 'grande', 'migration', 'laura', 'jeweler', 'inox', 'barry', 'golfcourse', 'wah', 'thea', 'sae', 'chester', 'abb', 'sphoto', 'directmail', 'mela', 'nal', 'structures', 'amt', 'baz', 'propane', 'loseweight', 'how2', 'moc', 'c2c', 'seer', 'persona', 'fta', 'beaches', 'tps', 'ced', 'rui', 'demos', 'cfl', 'prompt', 'generators', 'queue', 'pers', 'rax', 'como', 'bryan', 'devon', 'issues', 'amedia', 'ove', 'dedicated', 'ucc', 'mistress', 'ingo', 'grc', 'wick', 'plat', 'sunflower', 'occ', 'scales', 'fps', 'webservice', 'pointer', 'assistedliving', 'gambler', 'ece', 'venturecapital', 'rab', 'heath', 'hull', 'mayhem', 'repro', 'myt', 'beep', 'nasa', 'copier', 'rankings', 'loss', 'prose', 'walmart', 'siliconvalley', 'sey', 'wai', 'iconic', 'acai', 'jerusalem', 'netz', 'initiative', 'gibson', 'univ', 'hottub', 'thedigital', 'tui', 'ilo', 'hiv', 'pelican', 'swimwear', 'bind', 'fatloss', 'ning', 'beers', 'speaks', 'fina', 'pga', 'hcs', 'eval', 'successful', 'hush', 'o3', 'bye', 'usi', 'veo', 'consultores', 'ajans', 'melt', 'caribe', 'crawl', 'reaction', 'caa', 'sfx', 'jee', 'karen', 'myart', 'bedandbreakfast', 'interact', 'acro', 'advertisement', 'productivity', 'thinker', 'bir', 'inline', 'cubed', 'version', 'scholarships', 'kingof', 'lumen', 'peel', 'capitalgroup', 'apart', 'footprint', 'cher', 'metropolitan', 'teak', 'asis', 'socialnetworking', 'ntech', 'breaks', 'wawa', 'hilton', 'zio', 'lara', 'ddd', 'meetup', 'april', 'connexion', 'directions', 'nim', 'bayou', 'aluminum', 'p1', 'afs', 'empowerment', 'advent', 'adaptive', 'acm', 'virginiabeach', 'greatlakes', 'luke', 'beard', 'akron', 'buggy', 'quip', 'giftbasket', 'orca', 'canton', 'reason', 'pmi', 'allstate', 'homesolutions', 'ppm', 'saturn', 'cunt', 'maldives', 'smm', 'samba', 'wizz', 'squeeze', 'tweetme', 'pathway', 'oled', 'norton', 'g8', 'haircare', 'flesh', 'ancient', 'zak', 'jing', 'arp', 'babys', 'eugene', 'artdesign', 'polymer', 'unknown', 'equal', 'oyster', 'jap', 'opedia', 'galleria', 'umi', 'debit', 'gong', 'icy', 'helpers', 'hawks', 'stevens', 'procurement', 'palmsprings', 'eus', 'coloradosprings', 'ank', 'downunder', 'cheng', 'standup', 'cur', 'theinternet', 'fuzz', 'llp', 'pact', 'christians', 'adhd', 'ecu', 'dok', 'thrill', 'eit', 'dro', 'manu', 'domainer', 'arty', '2web', 'resident', 'holder', 'urls', 'begin', 'eggs', 'ord', 'brat', 'sponge', 'mediasolutions', 'supa', 'ppi', 'pornstars', 'lina', 'fixed', 'imobile', 's8', 'roth', 'saba', 'yer', 'edinburgh', 'm4', 'siren', 'anthem', 'yay', 'rotary', 'photon', 'homeimprovements', 'potter', 'franchises', 'adsense', 'hrm', 'sonar', 'officesupplies', 'chanel', 'yankee', 'norcal', 'cont', 'shs', 'roadtrip', 'mrc', 'caraudio', 'dav', 'fasttrack', 'virtue', 'venues', 'usd', 'ndt', 'homemade', 'm2m', 'vertex', 'iranian', 'reklam', 'plumb', 'mould', 'freestuff', 'rah', 'vouchers', 'rune', 'maison', 'yourway', 'darwin', 'carr', 'workflow', 'geneva', 'middle', 'jasper', 'midtown', 'dough', 'anthony', 'baptist', 'ort', 'screenprinting', 'theright', 'hanger', 'ial', 'factors', 'a', 'ai', 'an', 'ang', 'ao', 'ba', 'bai', 'ban', 'bang', 'bao', 'bei', 'ben', 'beng', 'bi', 'bian', 'biao', 'bie', 'bin', 'bing', 'bo', 'bu', 'ca', 'cai', 'can', 'cang', 'cao', 'ce', 'cen', 'ceng', 'cha', 'chai', 'chan', 'chang', 'chao', 'che', 'chen', 'cheng', 'chi', 'chong', 'chou', 'chu', 'chuan', 'chuang', 'chui', 'chun', 'chuo', 'ci', 'cong', 'cou', 'cu', 'cuan', 'cui', 'cun', 'cuo', 'da', 'dai', 'dan', 'dang', 'dao', 'de', 'den', 'deng', 'di', 'dia', 'dian', 'diao', 'die', 'ding', 'diu', 'dong', 'dou', 'du', 'duan', 'dui', 'dun', 'duo', 'e', 'ei', 'en', 'eng', 'er', 'fa', 'fan', 'fang', 'fei', 'fen', 'feng', 'fo', 'fou', 'fu', 'ga', 'gai', 'gan', 'gang', 'gao', 'ge', 'gei', 'gen', 'geng', 'gong', 'gou', 'gu', 'gua', 'guai', 'guan', 'guang', 'gui', 'gun', 'guo', 'ha', 'hai', 'han', 'hang', 'hao', 'he', 'hei', 'hen', 'heng', 'hong', 'hou', 'hu', 'hua', 'huai', 'huan', 'huang', 'hui', 'hun', 'huo', 'ji', 'jia', 'jian', 'jiang', 'jiao', 'jie', 'jin', 'jing', 'jiong', 'jiu', 'ju', 'juan', 'jue', 'jun', 'ka', 'kai', 'kan', 'kang', 'kao', 'ke', 'ken', 'keng', 'kong', 'kou', 'ku', 'kua', 'kuai', 'kuan', 'kuang', 'kui', 'kun', 'kuo', 'la', 'lai', 'lan', 'lang', 'lao', 'le', 'lei', 'leng', 'li', 'lia', 'lian', 'liang', 'liao', 'lie', 'lin', 'ling', 'liu', 'long', 'lou', 'lu', 'lv', 'luan', 'lue', 'lue', 'lun', 'luo', 'm', 'ma', 'mai', 'man', 'mang', 'mao', 'me', 'mei', 'men', 'meng', 'mi', 'mian', 'miao', 'mie', 'min', 'ming', 'miu', 'mo', 'mou', 'mu', 'na', 'nai', 'nan', 'nang', 'nao', 'ne', 'nei', 'nen', 'neng', 'ng', 'ni', 'nian', 'niang', 'niao', 'nie', 'nin', 'ning', 'niu', 'nong', 'nou', 'nu', 'nv', 'nuan', 'nue', 'nuo', 'nun', 'o', 'ou', 'pa', 'pai', 'pan', 'pang', 'pao', 'pei', 'pen', 'peng', 'pi', 'pian', 'piao', 'pie', 'pin', 'ping', 'po', 'pou', 'pu', 'qi', 'qia', 'qian', 'qiang', 'qiao', 'qie', 'qin', 'qing', 'qiong', 'qiu', 'qu', 'quan', 'que', 'qun', 'ran', 'rang', 'rao', 're', 'ren', 'reng', 'ri', 'rong', 'rou', 'ru', 'ruan', 'rui', 'run', 'ruo', 'sa', 'sai', 'san', 'sang', 'sao', 'se', 'sen', 'seng', 'sha', 'shai', 'shan', 'shang', 'shao', 'she', 'shei', 'shen', 'sheng', 'shi', 'shou', 'shu', 'shua', 'shuai', 'shuan', 'shuang', 'shui', 'shun', 'shuo', 'si', 'song', 'sou', 'su', 'suan', 'sui', 'sun', 'suo', 'ta', 'tai', 'tan', 'tang', 'tao', 'te', 'teng', 'ti', 'tian', 'tiao', 'tie', 'ting', 'tong', 'tou', 'tu', 'tuan', 'tui', 'tun', 'tuo', 'wa', 'wai', 'wan', 'wang', 'wei', 'wen', 'weng', 'wo', 'wu', 'xi', 'xia', 'xian', 'xiang', 'xiao', 'xie', 'xin', 'xing', 'xiong', 'xiu', 'xu', 'xuan', 'xue', 'xun', 'ya', 'yan', 'yang', 'yao', 'ye', 'yi', 'yin', 'ying', 'yo', 'yong', 'you', 'yu', 'yuan', 'yue', 'yun', 'za', 'zai', 'zan', 'zang', 'zao', 'ze', 'zen', 'zeng', 'zha', 'zhai', 'zhan', 'zhang', 'zhao', 'zhe', 'zhen', 'zheng', 'zhi', 'zhong', 'zhou', 'zhu', 'zhua', 'zhuai', 'zhuan', 'zhuang', 'zhui', 'zhun', 'zhuo', 'zi', 'zong', 'zou', 'zu', 'zuan', 'zui', 'zun', 'zuo', 'alpha', 'beta', 'gamma', 'delta', 'epsilon', 'zeta', 'eta', 'theta', 'iota', 'kappa', 'lambda', 'mu', 'nu', 'xi', 'omicron', 'pi', 'rho', 'sigma', 'tau', 'upsilon', 'phi', 'chi', 'psi', 'omega'] 17 | 18 | for username in combinations: 19 | try: 20 | urlopen('https://github.com/' + username) 21 | print('.', end="", flush=True) 22 | except HTTPError: 23 | print(username + " is available!") 24 | 25 | print("Finished") 26 | 27 | 28 | if __name__ == '__main__': 29 | main(argv) 30 | --------------------------------------------------------------------------------