entities
listlengths
1
8.61k
max_stars_repo_path
stringlengths
7
172
max_stars_repo_name
stringlengths
5
89
max_stars_count
int64
0
82k
content
stringlengths
14
1.05M
id
stringlengths
2
6
new_content
stringlengths
15
1.05M
modified
bool
1 class
references
stringlengths
29
1.05M
[ { "context": " i: i\n j: j\n token: password[i..j]\n matched_word: word\n ", "end": 3171, "score": 0.8154035806655884, "start": 3163, "tag": "PASSWORD", "value": "password" }, { "context": "DICTIONARIES) ->\n reversed_password = password.split('').reverse().join('')\n matches = @dictionary_", "end": 3484, "score": 0.7064598798751831, "start": 3479, "tag": "KEY", "value": "split" }, { "context": "ARIES) ->\n reversed_password = password.split('').reverse().join('')\n matches = @dictionary_match reversed_pass", "end": 3503, "score": 0.8343542218208313, "start": 3489, "tag": "KEY", "value": "reverse().join" }, { "context": "r match in matches\n match.token = match.token.split('').reverse().join('') # reverse back\n match.reversed = true\n ", "end": 3665, "score": 0.8805751800537109, "start": 3637, "tag": "KEY", "value": "split('').reverse().join('')" }, { "context": " i: i\n j: j-1\n token: password[i...j]\n graph: graph_name\n ", "end": 9781, "score": 0.9031811356544495, "start": 9773, "tag": "PASSWORD", "value": "password" }, { "context": " j: j-1\n token: password[i...j]\n graph: graph_name\n tur", "end": 9787, "score": 0.6369686722755432, "start": 9786, "tag": "PASSWORD", "value": "j" }, { "context": "sable_match_sequence(\n base_token\n @omnimatch base_token\n )\n base_matches = base_anal", "end": 11447, "score": 0.9797244071960449, "start": 11438, "tag": "USERNAME", "value": "omnimatch" }, { "context": "sider the input 'abcdb975zy'\n #\n # password: a b c d b 9 7 5 z y\n # index:", "end": 12198, "score": 0.5625789165496826, "start": 12197, "tag": "PASSWORD", "value": "a" }, { "context": "r the input 'abcdb975zy'\n #\n # password: a b c d b 9 7 5 z y\n # index: ", "end": 12202, "score": 0.6676384806632996, "start": 12201, "tag": "PASSWORD", "value": "b" } ]
src/matching.coffee
grazies/zxcvbn
0
frequency_lists = require('./frequency_lists') adjacency_graphs = require('./adjacency_graphs') scoring = require('./scoring') build_ranked_dict = (ordered_list) -> result = {} i = 1 # rank starts at 1, not 0 for word in ordered_list result[word] = i i += 1 result RANKED_DICTIONARIES = {} for name, lst of frequency_lists RANKED_DICTIONARIES[name] = build_ranked_dict lst GRAPHS = qwerty: adjacency_graphs.qwerty dvorak: adjacency_graphs.dvorak keypad: adjacency_graphs.keypad mac_keypad: adjacency_graphs.mac_keypad L33T_TABLE = a: ['4', '@'] b: ['8'] c: ['(', '{', '[', '<'] e: ['3'] g: ['6', '9'] i: ['1', '!', '|'] l: ['1', '|', '7'] o: ['0'] s: ['$', '5'] t: ['+', '7'] x: ['%'] z: ['2'] REGEXEN = recent_year: /19\d\d|200\d|201\d/g DATE_MAX_YEAR = 2050 DATE_MIN_YEAR = 1000 DATE_SPLITS = 4:[ # for length-4 strings, eg 1191 or 9111, two ways to split: [1, 2] # 1 1 91 (2nd split starts at index 1, 3rd at index 2) [2, 3] # 91 1 1 ] 5:[ [1, 3] # 1 11 91 [2, 3] # 11 1 91 ] 6:[ [1, 2] # 1 1 1991 [2, 4] # 11 11 91 [4, 5] # 1991 1 1 ] 7:[ [1, 3] # 1 11 1991 [2, 3] # 11 1 1991 [4, 5] # 1991 1 11 [4, 6] # 1991 11 1 ] 8:[ [2, 4] # 11 11 1991 [4, 6] # 1991 11 11 ] matching = empty: (obj) -> (k for k of obj).length == 0 extend: (lst, lst2) -> lst.push.apply lst, lst2 translate: (string, chr_map) -> (chr_map[chr] or chr for chr in string.split('')).join('') mod: (n, m) -> ((n % m) + m) % m # mod impl that works for negative numbers sorted: (matches) -> # sort on i primary, j secondary matches.sort (m1, m2) -> (m1.i - m2.i) or (m1.j - m2.j) # ------------------------------------------------------------------------------ # omnimatch -- combine everything ---------------------------------------------- # ------------------------------------------------------------------------------ omnimatch: (password) -> matches = [] matchers = [ @dictionary_match @reverse_dictionary_match @l33t_match @spatial_match @repeat_match @sequence_match @regex_match @date_match ] for matcher in matchers @extend matches, matcher.call(this, password) @sorted matches #------------------------------------------------------------------------------- # dictionary match (common passwords, english, last names, etc) ---------------- #------------------------------------------------------------------------------- dictionary_match: (password, _ranked_dictionaries = RANKED_DICTIONARIES) -> # _ranked_dictionaries variable is for unit testing purposes matches = [] len = password.length password_lower = password.toLowerCase() for dictionary_name, ranked_dict of _ranked_dictionaries for i in [0...len] for j in [i...len] if password_lower[i..j] of ranked_dict word = password_lower[i..j] rank = ranked_dict[word] matches.push pattern: 'dictionary' i: i j: j token: password[i..j] matched_word: word rank: rank dictionary_name: dictionary_name reversed: false l33t: false @sorted matches reverse_dictionary_match: (password, _ranked_dictionaries = RANKED_DICTIONARIES) -> reversed_password = password.split('').reverse().join('') matches = @dictionary_match reversed_password, _ranked_dictionaries for match in matches match.token = match.token.split('').reverse().join('') # reverse back match.reversed = true # map coordinates back to original string [match.i, match.j] = [ password.length - 1 - match.j password.length - 1 - match.i ] @sorted matches set_user_input_dictionary: (ordered_list) -> RANKED_DICTIONARIES['user_inputs'] = build_ranked_dict ordered_list.slice() #------------------------------------------------------------------------------- # dictionary match with common l33t substitutions ------------------------------ #------------------------------------------------------------------------------- # makes a pruned copy of l33t_table that only includes password's possible substitutions relevant_l33t_subtable: (password, table) -> password_chars = {} for chr in password.split('') password_chars[chr] = true subtable = {} for letter, subs of table relevant_subs = (sub for sub in subs when sub of password_chars) if relevant_subs.length > 0 subtable[letter] = relevant_subs subtable # returns the list of possible 1337 replacement dictionaries for a given password enumerate_l33t_subs: (table) -> keys = (k for k of table) subs = [[]] dedup = (subs) -> deduped = [] members = {} for sub in subs assoc = ([k,v] for k,v in sub) assoc.sort() label = (k+','+v for k,v in assoc).join('-') unless label of members members[label] = true deduped.push sub deduped helper = (keys) -> return if not keys.length first_key = keys[0] rest_keys = keys[1..] next_subs = [] for l33t_chr in table[first_key] for sub in subs dup_l33t_index = -1 for i in [0...sub.length] if sub[i][0] == l33t_chr dup_l33t_index = i break if dup_l33t_index == -1 sub_extension = sub.concat [[l33t_chr, first_key]] next_subs.push sub_extension else sub_alternative = sub.slice(0) sub_alternative.splice(dup_l33t_index, 1) sub_alternative.push [l33t_chr, first_key] next_subs.push sub next_subs.push sub_alternative subs = dedup next_subs helper(rest_keys) helper(keys) sub_dicts = [] # convert from assoc lists to dicts for sub in subs sub_dict = {} for [l33t_chr, chr] in sub sub_dict[l33t_chr] = chr sub_dicts.push sub_dict sub_dicts l33t_match: (password, _ranked_dictionaries = RANKED_DICTIONARIES, _l33t_table = L33T_TABLE) -> matches = [] for sub in @enumerate_l33t_subs @relevant_l33t_subtable(password, _l33t_table) break if @empty sub # corner case: password has no relevant subs. subbed_password = @translate password, sub for match in @dictionary_match(subbed_password, _ranked_dictionaries) token = password[match.i..match.j] if token.toLowerCase() == match.matched_word continue # only return the matches that contain an actual substitution match_sub = {} # subset of mappings in sub that are in use for this match for subbed_chr, chr of sub when token.indexOf(subbed_chr) != -1 match_sub[subbed_chr] = chr match.l33t = true match.token = token match.sub = match_sub match.sub_display = ("#{k} -> #{v}" for k,v of match_sub).join(', ') matches.push match @sorted matches.filter (match) -> # filter single-character l33t matches to reduce noise. # otherwise '1' matches 'i', '4' matches 'a', both very common English words # with low dictionary rank. match.token.length > 1 # ------------------------------------------------------------------------------ # spatial match (qwerty/dvorak/keypad) ----------------------------------------- # ------------------------------------------------------------------------------ spatial_match: (password, _graphs = GRAPHS) -> matches = [] for graph_name, graph of _graphs @extend matches, @spatial_match_helper(password, graph, graph_name) @sorted matches SHIFTED_RX: /[~!@#$%^&*()_+QWERTYUIOP{}|ASDFGHJKL:"ZXCVBNM<>?]/ spatial_match_helper: (password, graph, graph_name) -> matches = [] i = 0 while i < password.length - 1 j = i + 1 last_direction = null turns = 0 if graph_name in ['qwerty', 'dvorak'] and @SHIFTED_RX.exec(password.charAt(i)) # initial character is shifted shifted_count = 1 else shifted_count = 0 loop prev_char = password.charAt(j-1) found = false found_direction = -1 cur_direction = -1 adjacents = graph[prev_char] or [] # consider growing pattern by one character if j hasn't gone over the edge. if j < password.length cur_char = password.charAt(j) for adj in adjacents cur_direction += 1 if adj and adj.indexOf(cur_char) != -1 found = true found_direction = cur_direction if adj.indexOf(cur_char) == 1 # index 1 in the adjacency means the key is shifted, # 0 means unshifted: A vs a, % vs 5, etc. # for example, 'q' is adjacent to the entry '2@'. # @ is shifted w/ index 1, 2 is unshifted. shifted_count += 1 if last_direction != found_direction # adding a turn is correct even in the initial case when last_direction is null: # every spatial pattern starts with a turn. turns += 1 last_direction = found_direction break # if the current pattern continued, extend j and try to grow again if found j += 1 # otherwise push the pattern discovered so far, if any... else if j - i > 2 # don't consider length 1 or 2 chains. matches.push pattern: 'spatial' i: i j: j-1 token: password[i...j] graph: graph_name turns: turns shifted_count: shifted_count # ...and then start a new search for the rest of the password. i = j break matches #------------------------------------------------------------------------------- # repeats (aaa, abcabcabc) and sequences (abcdef) ------------------------------ #------------------------------------------------------------------------------- repeat_match: (password) -> matches = [] greedy = /(.+)\1+/g lazy = /(.+?)\1+/g lazy_anchored = /^(.+?)\1+$/ lastIndex = 0 while lastIndex < password.length greedy.lastIndex = lazy.lastIndex = lastIndex greedy_match = greedy.exec password lazy_match = lazy.exec password break unless greedy_match? if greedy_match[0].length > lazy_match[0].length # greedy beats lazy for 'aabaab' # greedy: [aabaab, aab] # lazy: [aa, a] match = greedy_match # greedy's repeated string might itself be repeated, eg. # aabaab in aabaabaabaab. # run an anchored lazy match on greedy's repeated string # to find the shortest repeated string base_token = lazy_anchored.exec(match[0])[1] else # lazy beats greedy for 'aaaaa' # greedy: [aaaa, aa] # lazy: [aaaaa, a] match = lazy_match base_token = match[1] [i, j] = [match.index, match.index + match[0].length - 1] # recursively match and score the base string base_analysis = scoring.most_guessable_match_sequence( base_token @omnimatch base_token ) base_matches = base_analysis.match_sequence base_guesses = base_analysis.guesses matches.push pattern: 'repeat' i: i j: j token: match[0] base_token: base_token base_guesses: base_guesses base_matches: base_matches repeat_count: match[0].length / base_token.length lastIndex = j + 1 matches MAX_DELTA: 5 sequence_match: (password) -> # Identifies sequences by looking for repeated differences in unicode codepoint. # this allows skipping, such as 9753, and also matches some extended unicode sequences # such as Greek and Cyrillic alphabets. # # for example, consider the input 'abcdb975zy' # # password: a b c d b 9 7 5 z y # index: 0 1 2 3 4 5 6 7 8 9 # delta: 1 1 1 -2 -41 -2 -2 69 1 # # expected result: # [(i, j, delta), ...] = [(0, 3, 1), (5, 7, -2), (8, 9, 1)] return [] if password.length == 1 update = (i, j, delta) => if j - i > 1 or Math.abs(delta) == 1 if 0 < Math.abs(delta) <= @MAX_DELTA token = password[i..j] if /^[a-z]+$/.test(token) sequence_name = 'lower' sequence_space = 26 else if /^[A-Z]+$/.test(token) sequence_name = 'upper' sequence_space = 26 else if /^\d+$/.test(token) sequence_name = 'digits' sequence_space = 10 else # conservatively stick with roman alphabet size. # (this could be improved) sequence_name = 'unicode' sequence_space = 26 result.push pattern: 'sequence' i: i j: j token: password[i..j] sequence_name: sequence_name sequence_space: sequence_space ascending: delta > 0 result = [] i = 0 last_delta = null for k in [1...password.length] delta = password.charCodeAt(k) - password.charCodeAt(k - 1) unless last_delta? last_delta = delta continue if delta == last_delta j = k - 1 update(i, j, last_delta) i = j last_delta = delta update(i, password.length - 1, last_delta) result #------------------------------------------------------------------------------- # regex matching --------------------------------------------------------------- #------------------------------------------------------------------------------- regex_match: (password, _regexen = REGEXEN) -> matches = [] for name, regex of _regexen regex.lastIndex = 0 # keeps regex_match stateless while rx_match = regex.exec password token = rx_match[0] matches.push pattern: 'regex' token: token i: rx_match.index j: rx_match.index + rx_match[0].length - 1 regex_name: name regex_match: rx_match @sorted matches #------------------------------------------------------------------------------- # date matching ---------------------------------------------------------------- #------------------------------------------------------------------------------- date_match: (password) -> # a "date" is recognized as: # any 3-tuple that starts or ends with a 2- or 4-digit year, # with 2 or 0 separator chars (1.1.91 or 1191), # maybe zero-padded (01-01-91 vs 1-1-91), # a month between 1 and 12, # a day between 1 and 31. # # note: this isn't true date parsing in that "feb 31st" is allowed, # this doesn't check for leap years, etc. # # recipe: # start with regex to find maybe-dates, then attempt to map the integers # onto month-day-year to filter the maybe-dates into dates. # finally, remove matches that are substrings of other matches to reduce noise. # # note: instead of using a lazy or greedy regex to find many dates over the full string, # this uses a ^...$ regex against every substring of the password -- less performant but leads # to every possible date match. matches = [] maybe_date_no_separator = /^\d{4,8}$/ maybe_date_with_separator = /// ^ ( \d{1,4} ) # day, month, year ( [\s/\\_.-] ) # separator ( \d{1,2} ) # day, month \2 # same separator ( \d{1,4} ) # day, month, year $ /// # dates without separators are between length 4 '1191' and 8 '11111991' for i in [0..password.length - 4] for j in [i + 3..i + 7] break if j >= password.length token = password[i..j] continue unless maybe_date_no_separator.exec token candidates = [] for [k,l] in DATE_SPLITS[token.length] dmy = @map_ints_to_dmy [ parseInt token[0...k] parseInt token[k...l] parseInt token[l...] ] candidates.push dmy if dmy? continue unless candidates.length > 0 # at this point: different possible dmy mappings for the same i,j substring. # match the candidate date that likely takes the fewest guesses: a year closest to 2000. # (scoring.REFERENCE_YEAR). # # ie, considering '111504', prefer 11-15-04 to 1-1-1504 # (interpreting '04' as 2004) best_candidate = candidates[0] metric = (candidate) -> Math.abs candidate.year - scoring.REFERENCE_YEAR min_distance = metric candidates[0] for candidate in candidates[1..] distance = metric candidate if distance < min_distance [best_candidate, min_distance] = [candidate, distance] matches.push pattern: 'date' token: token i: i j: j separator: '' year: best_candidate.year month: best_candidate.month day: best_candidate.day # dates with separators are between length 6 '1/1/91' and 10 '11/11/1991' for i in [0..password.length - 6] for j in [i + 5..i + 9] break if j >= password.length token = password[i..j] rx_match = maybe_date_with_separator.exec token continue unless rx_match? dmy = @map_ints_to_dmy [ parseInt rx_match[1] parseInt rx_match[3] parseInt rx_match[4] ] continue unless dmy? matches.push pattern: 'date' token: token i: i j: j separator: rx_match[2] year: dmy.year month: dmy.month day: dmy.day # matches now contains all valid date strings in a way that is tricky to capture # with regexes only. while thorough, it will contain some unintuitive noise: # # '2015_06_04', in addition to matching 2015_06_04, will also contain # 5(!) other date matches: 15_06_04, 5_06_04, ..., even 2015 (matched as 5/1/2020) # # to reduce noise, remove date matches that are strict substrings of others @sorted matches.filter (match) -> is_submatch = false for other_match in matches continue if match is other_match if other_match.i <= match.i and other_match.j >= match.j is_submatch = true break not is_submatch map_ints_to_dmy: (ints) -> # given a 3-tuple, discard if: # middle int is over 31 (for all dmy formats, years are never allowed in the middle) # middle int is zero # any int is over the max allowable year # any int is over two digits but under the min allowable year # 2 ints are over 31, the max allowable day # 2 ints are zero # all ints are over 12, the max allowable month return if ints[1] > 31 or ints[1] <= 0 over_12 = 0 over_31 = 0 under_1 = 0 for int in ints return if 99 < int < DATE_MIN_YEAR or int > DATE_MAX_YEAR over_31 += 1 if int > 31 over_12 += 1 if int > 12 under_1 += 1 if int <= 0 return if over_31 >= 2 or over_12 == 3 or under_1 >= 2 # first look for a four digit year: yyyy + daymonth or daymonth + yyyy possible_year_splits = [ [ints[2], ints[0..1]] # year last [ints[0], ints[1..2]] # year first ] for [y, rest] in possible_year_splits if DATE_MIN_YEAR <= y <= DATE_MAX_YEAR dm = @map_ints_to_dm rest if dm? return { year: y month: dm.month day: dm.day } else # for a candidate that includes a four-digit year, # when the remaining ints don't match to a day and month, # it is not a date. return # given no four-digit year, two digit years are the most flexible int to match, so # try to parse a day-month out of ints[0..1] or ints[1..0] for [y, rest] in possible_year_splits dm = @map_ints_to_dm rest if dm? y = @two_to_four_digit_year y return { year: y month: dm.month day: dm.day } map_ints_to_dm: (ints) -> for [d, m] in [ints, ints.slice().reverse()] if 1 <= d <= 31 and 1 <= m <= 12 return { day: d month: m } two_to_four_digit_year: (year) -> if year > 99 year else if year > 50 # 87 -> 1987 year + 1900 else # 15 -> 2015 year + 2000 module.exports = matching
208005
frequency_lists = require('./frequency_lists') adjacency_graphs = require('./adjacency_graphs') scoring = require('./scoring') build_ranked_dict = (ordered_list) -> result = {} i = 1 # rank starts at 1, not 0 for word in ordered_list result[word] = i i += 1 result RANKED_DICTIONARIES = {} for name, lst of frequency_lists RANKED_DICTIONARIES[name] = build_ranked_dict lst GRAPHS = qwerty: adjacency_graphs.qwerty dvorak: adjacency_graphs.dvorak keypad: adjacency_graphs.keypad mac_keypad: adjacency_graphs.mac_keypad L33T_TABLE = a: ['4', '@'] b: ['8'] c: ['(', '{', '[', '<'] e: ['3'] g: ['6', '9'] i: ['1', '!', '|'] l: ['1', '|', '7'] o: ['0'] s: ['$', '5'] t: ['+', '7'] x: ['%'] z: ['2'] REGEXEN = recent_year: /19\d\d|200\d|201\d/g DATE_MAX_YEAR = 2050 DATE_MIN_YEAR = 1000 DATE_SPLITS = 4:[ # for length-4 strings, eg 1191 or 9111, two ways to split: [1, 2] # 1 1 91 (2nd split starts at index 1, 3rd at index 2) [2, 3] # 91 1 1 ] 5:[ [1, 3] # 1 11 91 [2, 3] # 11 1 91 ] 6:[ [1, 2] # 1 1 1991 [2, 4] # 11 11 91 [4, 5] # 1991 1 1 ] 7:[ [1, 3] # 1 11 1991 [2, 3] # 11 1 1991 [4, 5] # 1991 1 11 [4, 6] # 1991 11 1 ] 8:[ [2, 4] # 11 11 1991 [4, 6] # 1991 11 11 ] matching = empty: (obj) -> (k for k of obj).length == 0 extend: (lst, lst2) -> lst.push.apply lst, lst2 translate: (string, chr_map) -> (chr_map[chr] or chr for chr in string.split('')).join('') mod: (n, m) -> ((n % m) + m) % m # mod impl that works for negative numbers sorted: (matches) -> # sort on i primary, j secondary matches.sort (m1, m2) -> (m1.i - m2.i) or (m1.j - m2.j) # ------------------------------------------------------------------------------ # omnimatch -- combine everything ---------------------------------------------- # ------------------------------------------------------------------------------ omnimatch: (password) -> matches = [] matchers = [ @dictionary_match @reverse_dictionary_match @l33t_match @spatial_match @repeat_match @sequence_match @regex_match @date_match ] for matcher in matchers @extend matches, matcher.call(this, password) @sorted matches #------------------------------------------------------------------------------- # dictionary match (common passwords, english, last names, etc) ---------------- #------------------------------------------------------------------------------- dictionary_match: (password, _ranked_dictionaries = RANKED_DICTIONARIES) -> # _ranked_dictionaries variable is for unit testing purposes matches = [] len = password.length password_lower = password.toLowerCase() for dictionary_name, ranked_dict of _ranked_dictionaries for i in [0...len] for j in [i...len] if password_lower[i..j] of ranked_dict word = password_lower[i..j] rank = ranked_dict[word] matches.push pattern: 'dictionary' i: i j: j token: <PASSWORD>[i..j] matched_word: word rank: rank dictionary_name: dictionary_name reversed: false l33t: false @sorted matches reverse_dictionary_match: (password, _ranked_dictionaries = RANKED_DICTIONARIES) -> reversed_password = password.<KEY>('').<KEY>('') matches = @dictionary_match reversed_password, _ranked_dictionaries for match in matches match.token = match.token.<KEY> # reverse back match.reversed = true # map coordinates back to original string [match.i, match.j] = [ password.length - 1 - match.j password.length - 1 - match.i ] @sorted matches set_user_input_dictionary: (ordered_list) -> RANKED_DICTIONARIES['user_inputs'] = build_ranked_dict ordered_list.slice() #------------------------------------------------------------------------------- # dictionary match with common l33t substitutions ------------------------------ #------------------------------------------------------------------------------- # makes a pruned copy of l33t_table that only includes password's possible substitutions relevant_l33t_subtable: (password, table) -> password_chars = {} for chr in password.split('') password_chars[chr] = true subtable = {} for letter, subs of table relevant_subs = (sub for sub in subs when sub of password_chars) if relevant_subs.length > 0 subtable[letter] = relevant_subs subtable # returns the list of possible 1337 replacement dictionaries for a given password enumerate_l33t_subs: (table) -> keys = (k for k of table) subs = [[]] dedup = (subs) -> deduped = [] members = {} for sub in subs assoc = ([k,v] for k,v in sub) assoc.sort() label = (k+','+v for k,v in assoc).join('-') unless label of members members[label] = true deduped.push sub deduped helper = (keys) -> return if not keys.length first_key = keys[0] rest_keys = keys[1..] next_subs = [] for l33t_chr in table[first_key] for sub in subs dup_l33t_index = -1 for i in [0...sub.length] if sub[i][0] == l33t_chr dup_l33t_index = i break if dup_l33t_index == -1 sub_extension = sub.concat [[l33t_chr, first_key]] next_subs.push sub_extension else sub_alternative = sub.slice(0) sub_alternative.splice(dup_l33t_index, 1) sub_alternative.push [l33t_chr, first_key] next_subs.push sub next_subs.push sub_alternative subs = dedup next_subs helper(rest_keys) helper(keys) sub_dicts = [] # convert from assoc lists to dicts for sub in subs sub_dict = {} for [l33t_chr, chr] in sub sub_dict[l33t_chr] = chr sub_dicts.push sub_dict sub_dicts l33t_match: (password, _ranked_dictionaries = RANKED_DICTIONARIES, _l33t_table = L33T_TABLE) -> matches = [] for sub in @enumerate_l33t_subs @relevant_l33t_subtable(password, _l33t_table) break if @empty sub # corner case: password has no relevant subs. subbed_password = @translate password, sub for match in @dictionary_match(subbed_password, _ranked_dictionaries) token = password[match.i..match.j] if token.toLowerCase() == match.matched_word continue # only return the matches that contain an actual substitution match_sub = {} # subset of mappings in sub that are in use for this match for subbed_chr, chr of sub when token.indexOf(subbed_chr) != -1 match_sub[subbed_chr] = chr match.l33t = true match.token = token match.sub = match_sub match.sub_display = ("#{k} -> #{v}" for k,v of match_sub).join(', ') matches.push match @sorted matches.filter (match) -> # filter single-character l33t matches to reduce noise. # otherwise '1' matches 'i', '4' matches 'a', both very common English words # with low dictionary rank. match.token.length > 1 # ------------------------------------------------------------------------------ # spatial match (qwerty/dvorak/keypad) ----------------------------------------- # ------------------------------------------------------------------------------ spatial_match: (password, _graphs = GRAPHS) -> matches = [] for graph_name, graph of _graphs @extend matches, @spatial_match_helper(password, graph, graph_name) @sorted matches SHIFTED_RX: /[~!@#$%^&*()_+QWERTYUIOP{}|ASDFGHJKL:"ZXCVBNM<>?]/ spatial_match_helper: (password, graph, graph_name) -> matches = [] i = 0 while i < password.length - 1 j = i + 1 last_direction = null turns = 0 if graph_name in ['qwerty', 'dvorak'] and @SHIFTED_RX.exec(password.charAt(i)) # initial character is shifted shifted_count = 1 else shifted_count = 0 loop prev_char = password.charAt(j-1) found = false found_direction = -1 cur_direction = -1 adjacents = graph[prev_char] or [] # consider growing pattern by one character if j hasn't gone over the edge. if j < password.length cur_char = password.charAt(j) for adj in adjacents cur_direction += 1 if adj and adj.indexOf(cur_char) != -1 found = true found_direction = cur_direction if adj.indexOf(cur_char) == 1 # index 1 in the adjacency means the key is shifted, # 0 means unshifted: A vs a, % vs 5, etc. # for example, 'q' is adjacent to the entry '2@'. # @ is shifted w/ index 1, 2 is unshifted. shifted_count += 1 if last_direction != found_direction # adding a turn is correct even in the initial case when last_direction is null: # every spatial pattern starts with a turn. turns += 1 last_direction = found_direction break # if the current pattern continued, extend j and try to grow again if found j += 1 # otherwise push the pattern discovered so far, if any... else if j - i > 2 # don't consider length 1 or 2 chains. matches.push pattern: 'spatial' i: i j: j-1 token: <PASSWORD>[i...<PASSWORD>] graph: graph_name turns: turns shifted_count: shifted_count # ...and then start a new search for the rest of the password. i = j break matches #------------------------------------------------------------------------------- # repeats (aaa, abcabcabc) and sequences (abcdef) ------------------------------ #------------------------------------------------------------------------------- repeat_match: (password) -> matches = [] greedy = /(.+)\1+/g lazy = /(.+?)\1+/g lazy_anchored = /^(.+?)\1+$/ lastIndex = 0 while lastIndex < password.length greedy.lastIndex = lazy.lastIndex = lastIndex greedy_match = greedy.exec password lazy_match = lazy.exec password break unless greedy_match? if greedy_match[0].length > lazy_match[0].length # greedy beats lazy for 'aabaab' # greedy: [aabaab, aab] # lazy: [aa, a] match = greedy_match # greedy's repeated string might itself be repeated, eg. # aabaab in aabaabaabaab. # run an anchored lazy match on greedy's repeated string # to find the shortest repeated string base_token = lazy_anchored.exec(match[0])[1] else # lazy beats greedy for 'aaaaa' # greedy: [aaaa, aa] # lazy: [aaaaa, a] match = lazy_match base_token = match[1] [i, j] = [match.index, match.index + match[0].length - 1] # recursively match and score the base string base_analysis = scoring.most_guessable_match_sequence( base_token @omnimatch base_token ) base_matches = base_analysis.match_sequence base_guesses = base_analysis.guesses matches.push pattern: 'repeat' i: i j: j token: match[0] base_token: base_token base_guesses: base_guesses base_matches: base_matches repeat_count: match[0].length / base_token.length lastIndex = j + 1 matches MAX_DELTA: 5 sequence_match: (password) -> # Identifies sequences by looking for repeated differences in unicode codepoint. # this allows skipping, such as 9753, and also matches some extended unicode sequences # such as Greek and Cyrillic alphabets. # # for example, consider the input 'abcdb975zy' # # password: <PASSWORD> <PASSWORD> c d b 9 7 5 z y # index: 0 1 2 3 4 5 6 7 8 9 # delta: 1 1 1 -2 -41 -2 -2 69 1 # # expected result: # [(i, j, delta), ...] = [(0, 3, 1), (5, 7, -2), (8, 9, 1)] return [] if password.length == 1 update = (i, j, delta) => if j - i > 1 or Math.abs(delta) == 1 if 0 < Math.abs(delta) <= @MAX_DELTA token = password[i..j] if /^[a-z]+$/.test(token) sequence_name = 'lower' sequence_space = 26 else if /^[A-Z]+$/.test(token) sequence_name = 'upper' sequence_space = 26 else if /^\d+$/.test(token) sequence_name = 'digits' sequence_space = 10 else # conservatively stick with roman alphabet size. # (this could be improved) sequence_name = 'unicode' sequence_space = 26 result.push pattern: 'sequence' i: i j: j token: password[i..j] sequence_name: sequence_name sequence_space: sequence_space ascending: delta > 0 result = [] i = 0 last_delta = null for k in [1...password.length] delta = password.charCodeAt(k) - password.charCodeAt(k - 1) unless last_delta? last_delta = delta continue if delta == last_delta j = k - 1 update(i, j, last_delta) i = j last_delta = delta update(i, password.length - 1, last_delta) result #------------------------------------------------------------------------------- # regex matching --------------------------------------------------------------- #------------------------------------------------------------------------------- regex_match: (password, _regexen = REGEXEN) -> matches = [] for name, regex of _regexen regex.lastIndex = 0 # keeps regex_match stateless while rx_match = regex.exec password token = rx_match[0] matches.push pattern: 'regex' token: token i: rx_match.index j: rx_match.index + rx_match[0].length - 1 regex_name: name regex_match: rx_match @sorted matches #------------------------------------------------------------------------------- # date matching ---------------------------------------------------------------- #------------------------------------------------------------------------------- date_match: (password) -> # a "date" is recognized as: # any 3-tuple that starts or ends with a 2- or 4-digit year, # with 2 or 0 separator chars (1.1.91 or 1191), # maybe zero-padded (01-01-91 vs 1-1-91), # a month between 1 and 12, # a day between 1 and 31. # # note: this isn't true date parsing in that "feb 31st" is allowed, # this doesn't check for leap years, etc. # # recipe: # start with regex to find maybe-dates, then attempt to map the integers # onto month-day-year to filter the maybe-dates into dates. # finally, remove matches that are substrings of other matches to reduce noise. # # note: instead of using a lazy or greedy regex to find many dates over the full string, # this uses a ^...$ regex against every substring of the password -- less performant but leads # to every possible date match. matches = [] maybe_date_no_separator = /^\d{4,8}$/ maybe_date_with_separator = /// ^ ( \d{1,4} ) # day, month, year ( [\s/\\_.-] ) # separator ( \d{1,2} ) # day, month \2 # same separator ( \d{1,4} ) # day, month, year $ /// # dates without separators are between length 4 '1191' and 8 '11111991' for i in [0..password.length - 4] for j in [i + 3..i + 7] break if j >= password.length token = password[i..j] continue unless maybe_date_no_separator.exec token candidates = [] for [k,l] in DATE_SPLITS[token.length] dmy = @map_ints_to_dmy [ parseInt token[0...k] parseInt token[k...l] parseInt token[l...] ] candidates.push dmy if dmy? continue unless candidates.length > 0 # at this point: different possible dmy mappings for the same i,j substring. # match the candidate date that likely takes the fewest guesses: a year closest to 2000. # (scoring.REFERENCE_YEAR). # # ie, considering '111504', prefer 11-15-04 to 1-1-1504 # (interpreting '04' as 2004) best_candidate = candidates[0] metric = (candidate) -> Math.abs candidate.year - scoring.REFERENCE_YEAR min_distance = metric candidates[0] for candidate in candidates[1..] distance = metric candidate if distance < min_distance [best_candidate, min_distance] = [candidate, distance] matches.push pattern: 'date' token: token i: i j: j separator: '' year: best_candidate.year month: best_candidate.month day: best_candidate.day # dates with separators are between length 6 '1/1/91' and 10 '11/11/1991' for i in [0..password.length - 6] for j in [i + 5..i + 9] break if j >= password.length token = password[i..j] rx_match = maybe_date_with_separator.exec token continue unless rx_match? dmy = @map_ints_to_dmy [ parseInt rx_match[1] parseInt rx_match[3] parseInt rx_match[4] ] continue unless dmy? matches.push pattern: 'date' token: token i: i j: j separator: rx_match[2] year: dmy.year month: dmy.month day: dmy.day # matches now contains all valid date strings in a way that is tricky to capture # with regexes only. while thorough, it will contain some unintuitive noise: # # '2015_06_04', in addition to matching 2015_06_04, will also contain # 5(!) other date matches: 15_06_04, 5_06_04, ..., even 2015 (matched as 5/1/2020) # # to reduce noise, remove date matches that are strict substrings of others @sorted matches.filter (match) -> is_submatch = false for other_match in matches continue if match is other_match if other_match.i <= match.i and other_match.j >= match.j is_submatch = true break not is_submatch map_ints_to_dmy: (ints) -> # given a 3-tuple, discard if: # middle int is over 31 (for all dmy formats, years are never allowed in the middle) # middle int is zero # any int is over the max allowable year # any int is over two digits but under the min allowable year # 2 ints are over 31, the max allowable day # 2 ints are zero # all ints are over 12, the max allowable month return if ints[1] > 31 or ints[1] <= 0 over_12 = 0 over_31 = 0 under_1 = 0 for int in ints return if 99 < int < DATE_MIN_YEAR or int > DATE_MAX_YEAR over_31 += 1 if int > 31 over_12 += 1 if int > 12 under_1 += 1 if int <= 0 return if over_31 >= 2 or over_12 == 3 or under_1 >= 2 # first look for a four digit year: yyyy + daymonth or daymonth + yyyy possible_year_splits = [ [ints[2], ints[0..1]] # year last [ints[0], ints[1..2]] # year first ] for [y, rest] in possible_year_splits if DATE_MIN_YEAR <= y <= DATE_MAX_YEAR dm = @map_ints_to_dm rest if dm? return { year: y month: dm.month day: dm.day } else # for a candidate that includes a four-digit year, # when the remaining ints don't match to a day and month, # it is not a date. return # given no four-digit year, two digit years are the most flexible int to match, so # try to parse a day-month out of ints[0..1] or ints[1..0] for [y, rest] in possible_year_splits dm = @map_ints_to_dm rest if dm? y = @two_to_four_digit_year y return { year: y month: dm.month day: dm.day } map_ints_to_dm: (ints) -> for [d, m] in [ints, ints.slice().reverse()] if 1 <= d <= 31 and 1 <= m <= 12 return { day: d month: m } two_to_four_digit_year: (year) -> if year > 99 year else if year > 50 # 87 -> 1987 year + 1900 else # 15 -> 2015 year + 2000 module.exports = matching
true
frequency_lists = require('./frequency_lists') adjacency_graphs = require('./adjacency_graphs') scoring = require('./scoring') build_ranked_dict = (ordered_list) -> result = {} i = 1 # rank starts at 1, not 0 for word in ordered_list result[word] = i i += 1 result RANKED_DICTIONARIES = {} for name, lst of frequency_lists RANKED_DICTIONARIES[name] = build_ranked_dict lst GRAPHS = qwerty: adjacency_graphs.qwerty dvorak: adjacency_graphs.dvorak keypad: adjacency_graphs.keypad mac_keypad: adjacency_graphs.mac_keypad L33T_TABLE = a: ['4', '@'] b: ['8'] c: ['(', '{', '[', '<'] e: ['3'] g: ['6', '9'] i: ['1', '!', '|'] l: ['1', '|', '7'] o: ['0'] s: ['$', '5'] t: ['+', '7'] x: ['%'] z: ['2'] REGEXEN = recent_year: /19\d\d|200\d|201\d/g DATE_MAX_YEAR = 2050 DATE_MIN_YEAR = 1000 DATE_SPLITS = 4:[ # for length-4 strings, eg 1191 or 9111, two ways to split: [1, 2] # 1 1 91 (2nd split starts at index 1, 3rd at index 2) [2, 3] # 91 1 1 ] 5:[ [1, 3] # 1 11 91 [2, 3] # 11 1 91 ] 6:[ [1, 2] # 1 1 1991 [2, 4] # 11 11 91 [4, 5] # 1991 1 1 ] 7:[ [1, 3] # 1 11 1991 [2, 3] # 11 1 1991 [4, 5] # 1991 1 11 [4, 6] # 1991 11 1 ] 8:[ [2, 4] # 11 11 1991 [4, 6] # 1991 11 11 ] matching = empty: (obj) -> (k for k of obj).length == 0 extend: (lst, lst2) -> lst.push.apply lst, lst2 translate: (string, chr_map) -> (chr_map[chr] or chr for chr in string.split('')).join('') mod: (n, m) -> ((n % m) + m) % m # mod impl that works for negative numbers sorted: (matches) -> # sort on i primary, j secondary matches.sort (m1, m2) -> (m1.i - m2.i) or (m1.j - m2.j) # ------------------------------------------------------------------------------ # omnimatch -- combine everything ---------------------------------------------- # ------------------------------------------------------------------------------ omnimatch: (password) -> matches = [] matchers = [ @dictionary_match @reverse_dictionary_match @l33t_match @spatial_match @repeat_match @sequence_match @regex_match @date_match ] for matcher in matchers @extend matches, matcher.call(this, password) @sorted matches #------------------------------------------------------------------------------- # dictionary match (common passwords, english, last names, etc) ---------------- #------------------------------------------------------------------------------- dictionary_match: (password, _ranked_dictionaries = RANKED_DICTIONARIES) -> # _ranked_dictionaries variable is for unit testing purposes matches = [] len = password.length password_lower = password.toLowerCase() for dictionary_name, ranked_dict of _ranked_dictionaries for i in [0...len] for j in [i...len] if password_lower[i..j] of ranked_dict word = password_lower[i..j] rank = ranked_dict[word] matches.push pattern: 'dictionary' i: i j: j token: PI:PASSWORD:<PASSWORD>END_PI[i..j] matched_word: word rank: rank dictionary_name: dictionary_name reversed: false l33t: false @sorted matches reverse_dictionary_match: (password, _ranked_dictionaries = RANKED_DICTIONARIES) -> reversed_password = password.PI:KEY:<KEY>END_PI('').PI:KEY:<KEY>END_PI('') matches = @dictionary_match reversed_password, _ranked_dictionaries for match in matches match.token = match.token.PI:KEY:<KEY>END_PI # reverse back match.reversed = true # map coordinates back to original string [match.i, match.j] = [ password.length - 1 - match.j password.length - 1 - match.i ] @sorted matches set_user_input_dictionary: (ordered_list) -> RANKED_DICTIONARIES['user_inputs'] = build_ranked_dict ordered_list.slice() #------------------------------------------------------------------------------- # dictionary match with common l33t substitutions ------------------------------ #------------------------------------------------------------------------------- # makes a pruned copy of l33t_table that only includes password's possible substitutions relevant_l33t_subtable: (password, table) -> password_chars = {} for chr in password.split('') password_chars[chr] = true subtable = {} for letter, subs of table relevant_subs = (sub for sub in subs when sub of password_chars) if relevant_subs.length > 0 subtable[letter] = relevant_subs subtable # returns the list of possible 1337 replacement dictionaries for a given password enumerate_l33t_subs: (table) -> keys = (k for k of table) subs = [[]] dedup = (subs) -> deduped = [] members = {} for sub in subs assoc = ([k,v] for k,v in sub) assoc.sort() label = (k+','+v for k,v in assoc).join('-') unless label of members members[label] = true deduped.push sub deduped helper = (keys) -> return if not keys.length first_key = keys[0] rest_keys = keys[1..] next_subs = [] for l33t_chr in table[first_key] for sub in subs dup_l33t_index = -1 for i in [0...sub.length] if sub[i][0] == l33t_chr dup_l33t_index = i break if dup_l33t_index == -1 sub_extension = sub.concat [[l33t_chr, first_key]] next_subs.push sub_extension else sub_alternative = sub.slice(0) sub_alternative.splice(dup_l33t_index, 1) sub_alternative.push [l33t_chr, first_key] next_subs.push sub next_subs.push sub_alternative subs = dedup next_subs helper(rest_keys) helper(keys) sub_dicts = [] # convert from assoc lists to dicts for sub in subs sub_dict = {} for [l33t_chr, chr] in sub sub_dict[l33t_chr] = chr sub_dicts.push sub_dict sub_dicts l33t_match: (password, _ranked_dictionaries = RANKED_DICTIONARIES, _l33t_table = L33T_TABLE) -> matches = [] for sub in @enumerate_l33t_subs @relevant_l33t_subtable(password, _l33t_table) break if @empty sub # corner case: password has no relevant subs. subbed_password = @translate password, sub for match in @dictionary_match(subbed_password, _ranked_dictionaries) token = password[match.i..match.j] if token.toLowerCase() == match.matched_word continue # only return the matches that contain an actual substitution match_sub = {} # subset of mappings in sub that are in use for this match for subbed_chr, chr of sub when token.indexOf(subbed_chr) != -1 match_sub[subbed_chr] = chr match.l33t = true match.token = token match.sub = match_sub match.sub_display = ("#{k} -> #{v}" for k,v of match_sub).join(', ') matches.push match @sorted matches.filter (match) -> # filter single-character l33t matches to reduce noise. # otherwise '1' matches 'i', '4' matches 'a', both very common English words # with low dictionary rank. match.token.length > 1 # ------------------------------------------------------------------------------ # spatial match (qwerty/dvorak/keypad) ----------------------------------------- # ------------------------------------------------------------------------------ spatial_match: (password, _graphs = GRAPHS) -> matches = [] for graph_name, graph of _graphs @extend matches, @spatial_match_helper(password, graph, graph_name) @sorted matches SHIFTED_RX: /[~!@#$%^&*()_+QWERTYUIOP{}|ASDFGHJKL:"ZXCVBNM<>?]/ spatial_match_helper: (password, graph, graph_name) -> matches = [] i = 0 while i < password.length - 1 j = i + 1 last_direction = null turns = 0 if graph_name in ['qwerty', 'dvorak'] and @SHIFTED_RX.exec(password.charAt(i)) # initial character is shifted shifted_count = 1 else shifted_count = 0 loop prev_char = password.charAt(j-1) found = false found_direction = -1 cur_direction = -1 adjacents = graph[prev_char] or [] # consider growing pattern by one character if j hasn't gone over the edge. if j < password.length cur_char = password.charAt(j) for adj in adjacents cur_direction += 1 if adj and adj.indexOf(cur_char) != -1 found = true found_direction = cur_direction if adj.indexOf(cur_char) == 1 # index 1 in the adjacency means the key is shifted, # 0 means unshifted: A vs a, % vs 5, etc. # for example, 'q' is adjacent to the entry '2@'. # @ is shifted w/ index 1, 2 is unshifted. shifted_count += 1 if last_direction != found_direction # adding a turn is correct even in the initial case when last_direction is null: # every spatial pattern starts with a turn. turns += 1 last_direction = found_direction break # if the current pattern continued, extend j and try to grow again if found j += 1 # otherwise push the pattern discovered so far, if any... else if j - i > 2 # don't consider length 1 or 2 chains. matches.push pattern: 'spatial' i: i j: j-1 token: PI:PASSWORD:<PASSWORD>END_PI[i...PI:PASSWORD:<PASSWORD>END_PI] graph: graph_name turns: turns shifted_count: shifted_count # ...and then start a new search for the rest of the password. i = j break matches #------------------------------------------------------------------------------- # repeats (aaa, abcabcabc) and sequences (abcdef) ------------------------------ #------------------------------------------------------------------------------- repeat_match: (password) -> matches = [] greedy = /(.+)\1+/g lazy = /(.+?)\1+/g lazy_anchored = /^(.+?)\1+$/ lastIndex = 0 while lastIndex < password.length greedy.lastIndex = lazy.lastIndex = lastIndex greedy_match = greedy.exec password lazy_match = lazy.exec password break unless greedy_match? if greedy_match[0].length > lazy_match[0].length # greedy beats lazy for 'aabaab' # greedy: [aabaab, aab] # lazy: [aa, a] match = greedy_match # greedy's repeated string might itself be repeated, eg. # aabaab in aabaabaabaab. # run an anchored lazy match on greedy's repeated string # to find the shortest repeated string base_token = lazy_anchored.exec(match[0])[1] else # lazy beats greedy for 'aaaaa' # greedy: [aaaa, aa] # lazy: [aaaaa, a] match = lazy_match base_token = match[1] [i, j] = [match.index, match.index + match[0].length - 1] # recursively match and score the base string base_analysis = scoring.most_guessable_match_sequence( base_token @omnimatch base_token ) base_matches = base_analysis.match_sequence base_guesses = base_analysis.guesses matches.push pattern: 'repeat' i: i j: j token: match[0] base_token: base_token base_guesses: base_guesses base_matches: base_matches repeat_count: match[0].length / base_token.length lastIndex = j + 1 matches MAX_DELTA: 5 sequence_match: (password) -> # Identifies sequences by looking for repeated differences in unicode codepoint. # this allows skipping, such as 9753, and also matches some extended unicode sequences # such as Greek and Cyrillic alphabets. # # for example, consider the input 'abcdb975zy' # # password: PI:PASSWORD:<PASSWORD>END_PI PI:PASSWORD:<PASSWORD>END_PI c d b 9 7 5 z y # index: 0 1 2 3 4 5 6 7 8 9 # delta: 1 1 1 -2 -41 -2 -2 69 1 # # expected result: # [(i, j, delta), ...] = [(0, 3, 1), (5, 7, -2), (8, 9, 1)] return [] if password.length == 1 update = (i, j, delta) => if j - i > 1 or Math.abs(delta) == 1 if 0 < Math.abs(delta) <= @MAX_DELTA token = password[i..j] if /^[a-z]+$/.test(token) sequence_name = 'lower' sequence_space = 26 else if /^[A-Z]+$/.test(token) sequence_name = 'upper' sequence_space = 26 else if /^\d+$/.test(token) sequence_name = 'digits' sequence_space = 10 else # conservatively stick with roman alphabet size. # (this could be improved) sequence_name = 'unicode' sequence_space = 26 result.push pattern: 'sequence' i: i j: j token: password[i..j] sequence_name: sequence_name sequence_space: sequence_space ascending: delta > 0 result = [] i = 0 last_delta = null for k in [1...password.length] delta = password.charCodeAt(k) - password.charCodeAt(k - 1) unless last_delta? last_delta = delta continue if delta == last_delta j = k - 1 update(i, j, last_delta) i = j last_delta = delta update(i, password.length - 1, last_delta) result #------------------------------------------------------------------------------- # regex matching --------------------------------------------------------------- #------------------------------------------------------------------------------- regex_match: (password, _regexen = REGEXEN) -> matches = [] for name, regex of _regexen regex.lastIndex = 0 # keeps regex_match stateless while rx_match = regex.exec password token = rx_match[0] matches.push pattern: 'regex' token: token i: rx_match.index j: rx_match.index + rx_match[0].length - 1 regex_name: name regex_match: rx_match @sorted matches #------------------------------------------------------------------------------- # date matching ---------------------------------------------------------------- #------------------------------------------------------------------------------- date_match: (password) -> # a "date" is recognized as: # any 3-tuple that starts or ends with a 2- or 4-digit year, # with 2 or 0 separator chars (1.1.91 or 1191), # maybe zero-padded (01-01-91 vs 1-1-91), # a month between 1 and 12, # a day between 1 and 31. # # note: this isn't true date parsing in that "feb 31st" is allowed, # this doesn't check for leap years, etc. # # recipe: # start with regex to find maybe-dates, then attempt to map the integers # onto month-day-year to filter the maybe-dates into dates. # finally, remove matches that are substrings of other matches to reduce noise. # # note: instead of using a lazy or greedy regex to find many dates over the full string, # this uses a ^...$ regex against every substring of the password -- less performant but leads # to every possible date match. matches = [] maybe_date_no_separator = /^\d{4,8}$/ maybe_date_with_separator = /// ^ ( \d{1,4} ) # day, month, year ( [\s/\\_.-] ) # separator ( \d{1,2} ) # day, month \2 # same separator ( \d{1,4} ) # day, month, year $ /// # dates without separators are between length 4 '1191' and 8 '11111991' for i in [0..password.length - 4] for j in [i + 3..i + 7] break if j >= password.length token = password[i..j] continue unless maybe_date_no_separator.exec token candidates = [] for [k,l] in DATE_SPLITS[token.length] dmy = @map_ints_to_dmy [ parseInt token[0...k] parseInt token[k...l] parseInt token[l...] ] candidates.push dmy if dmy? continue unless candidates.length > 0 # at this point: different possible dmy mappings for the same i,j substring. # match the candidate date that likely takes the fewest guesses: a year closest to 2000. # (scoring.REFERENCE_YEAR). # # ie, considering '111504', prefer 11-15-04 to 1-1-1504 # (interpreting '04' as 2004) best_candidate = candidates[0] metric = (candidate) -> Math.abs candidate.year - scoring.REFERENCE_YEAR min_distance = metric candidates[0] for candidate in candidates[1..] distance = metric candidate if distance < min_distance [best_candidate, min_distance] = [candidate, distance] matches.push pattern: 'date' token: token i: i j: j separator: '' year: best_candidate.year month: best_candidate.month day: best_candidate.day # dates with separators are between length 6 '1/1/91' and 10 '11/11/1991' for i in [0..password.length - 6] for j in [i + 5..i + 9] break if j >= password.length token = password[i..j] rx_match = maybe_date_with_separator.exec token continue unless rx_match? dmy = @map_ints_to_dmy [ parseInt rx_match[1] parseInt rx_match[3] parseInt rx_match[4] ] continue unless dmy? matches.push pattern: 'date' token: token i: i j: j separator: rx_match[2] year: dmy.year month: dmy.month day: dmy.day # matches now contains all valid date strings in a way that is tricky to capture # with regexes only. while thorough, it will contain some unintuitive noise: # # '2015_06_04', in addition to matching 2015_06_04, will also contain # 5(!) other date matches: 15_06_04, 5_06_04, ..., even 2015 (matched as 5/1/2020) # # to reduce noise, remove date matches that are strict substrings of others @sorted matches.filter (match) -> is_submatch = false for other_match in matches continue if match is other_match if other_match.i <= match.i and other_match.j >= match.j is_submatch = true break not is_submatch map_ints_to_dmy: (ints) -> # given a 3-tuple, discard if: # middle int is over 31 (for all dmy formats, years are never allowed in the middle) # middle int is zero # any int is over the max allowable year # any int is over two digits but under the min allowable year # 2 ints are over 31, the max allowable day # 2 ints are zero # all ints are over 12, the max allowable month return if ints[1] > 31 or ints[1] <= 0 over_12 = 0 over_31 = 0 under_1 = 0 for int in ints return if 99 < int < DATE_MIN_YEAR or int > DATE_MAX_YEAR over_31 += 1 if int > 31 over_12 += 1 if int > 12 under_1 += 1 if int <= 0 return if over_31 >= 2 or over_12 == 3 or under_1 >= 2 # first look for a four digit year: yyyy + daymonth or daymonth + yyyy possible_year_splits = [ [ints[2], ints[0..1]] # year last [ints[0], ints[1..2]] # year first ] for [y, rest] in possible_year_splits if DATE_MIN_YEAR <= y <= DATE_MAX_YEAR dm = @map_ints_to_dm rest if dm? return { year: y month: dm.month day: dm.day } else # for a candidate that includes a four-digit year, # when the remaining ints don't match to a day and month, # it is not a date. return # given no four-digit year, two digit years are the most flexible int to match, so # try to parse a day-month out of ints[0..1] or ints[1..0] for [y, rest] in possible_year_splits dm = @map_ints_to_dm rest if dm? y = @two_to_four_digit_year y return { year: y month: dm.month day: dm.day } map_ints_to_dm: (ints) -> for [d, m] in [ints, ints.slice().reverse()] if 1 <= d <= 31 and 1 <= m <= 12 return { day: d month: m } two_to_four_digit_year: (year) -> if year > 99 year else if year > 50 # 87 -> 1987 year + 1900 else # 15 -> 2015 year + 2000 module.exports = matching
[ { "context": "###\n# @author Will Steinmetz\n# Test suite for the notific8 JavaScript plug-in\n", "end": 28, "score": 0.9998399615287781, "start": 14, "tag": "NAME", "value": "Will Steinmetz" }, { "context": "ific8 JavaScript plug-in\n# Copyright (c)2013-2016, Will Steinmetz\n# Licensed under the BSD license.\n# http://openso", "end": 118, "score": 0.9998222589492798, "start": 104, "tag": "NAME", "value": "Will Steinmetz" } ]
spec/notific8-iconSpec.coffee
willsteinmetz/notific8-icon
0
### # @author Will Steinmetz # Test suite for the notific8 JavaScript plug-in # Copyright (c)2013-2016, Will Steinmetz # Licensed under the BSD license. # http://opensource.org/licenses/BSD-3-Clause ### describe 'notific-icon module', -> beforeEach -> notific8 'remove' it 'should add an icon to the notification', -> notific8 'This is testing the icon module', icon: 'icon' notificationClass = "#{notific8Defaults.namespace}-notification" notification = document.getElementsByClassName(notificationClass)[0] notificationiconClass= ".#{notific8Defaults.namespace}-icon" notificationicon = notification.querySelectorAll(notificationiconClass) expect(notificationicon.length).toEqual 1
161213
### # @author <NAME> # Test suite for the notific8 JavaScript plug-in # Copyright (c)2013-2016, <NAME> # Licensed under the BSD license. # http://opensource.org/licenses/BSD-3-Clause ### describe 'notific-icon module', -> beforeEach -> notific8 'remove' it 'should add an icon to the notification', -> notific8 'This is testing the icon module', icon: 'icon' notificationClass = "#{notific8Defaults.namespace}-notification" notification = document.getElementsByClassName(notificationClass)[0] notificationiconClass= ".#{notific8Defaults.namespace}-icon" notificationicon = notification.querySelectorAll(notificationiconClass) expect(notificationicon.length).toEqual 1
true
### # @author PI:NAME:<NAME>END_PI # Test suite for the notific8 JavaScript plug-in # Copyright (c)2013-2016, PI:NAME:<NAME>END_PI # Licensed under the BSD license. # http://opensource.org/licenses/BSD-3-Clause ### describe 'notific-icon module', -> beforeEach -> notific8 'remove' it 'should add an icon to the notification', -> notific8 'This is testing the icon module', icon: 'icon' notificationClass = "#{notific8Defaults.namespace}-notification" notification = document.getElementsByClassName(notificationClass)[0] notificationiconClass= ".#{notific8Defaults.namespace}-icon" notificationicon = notification.querySelectorAll(notificationiconClass) expect(notificationicon.length).toEqual 1
[ { "context": "# Copyright (c) ppy Pty Ltd <contact@ppy.sh>. Licensed under the GNU Affero General Public Li", "end": 43, "score": 0.9999110102653503, "start": 29, "tag": "EMAIL", "value": "contact@ppy.sh" } ]
resources/assets/coffee/react/beatmap-discussions/beatmap-list-item.coffee
osu-katakuna/osu-katakuna-web
5
# Copyright (c) ppy Pty Ltd <contact@ppy.sh>. Licensed under the GNU Affero General Public License v3.0. # See the LICENCE file in the repository root for full licence text. import { BeatmapIcon } from 'beatmap-icon' import * as React from 'react' import { div, i } from 'react-dom-factories' el = React.createElement bn = 'beatmap-list-item' export BeatmapListItem = (props) -> topClasses = bn topClasses += " #{bn}--large" if props.large version = props.beatmap.version if props.beatmap.deleted_at? topClasses += " #{bn}--deleted" version += " [#{osu.trans 'beatmap_discussions.index.deleted_beatmap'}]" div className: topClasses div className: "#{bn}__col", el BeatmapIcon, beatmap: props.beatmap modifier: "#{'large' if props.large}" div className: "#{bn}__col #{bn}__col--main", div className: 'u-ellipsis-overflow', version if props.withButton? div className: "#{bn}__col", i className: "fas fa-chevron-#{props.withButton}" if props.count? div className: "#{bn}__col", div className: "#{bn}__counter", props.count
167677
# Copyright (c) ppy Pty Ltd <<EMAIL>>. Licensed under the GNU Affero General Public License v3.0. # See the LICENCE file in the repository root for full licence text. import { BeatmapIcon } from 'beatmap-icon' import * as React from 'react' import { div, i } from 'react-dom-factories' el = React.createElement bn = 'beatmap-list-item' export BeatmapListItem = (props) -> topClasses = bn topClasses += " #{bn}--large" if props.large version = props.beatmap.version if props.beatmap.deleted_at? topClasses += " #{bn}--deleted" version += " [#{osu.trans 'beatmap_discussions.index.deleted_beatmap'}]" div className: topClasses div className: "#{bn}__col", el BeatmapIcon, beatmap: props.beatmap modifier: "#{'large' if props.large}" div className: "#{bn}__col #{bn}__col--main", div className: 'u-ellipsis-overflow', version if props.withButton? div className: "#{bn}__col", i className: "fas fa-chevron-#{props.withButton}" if props.count? div className: "#{bn}__col", div className: "#{bn}__counter", props.count
true
# Copyright (c) ppy Pty Ltd <PI:EMAIL:<EMAIL>END_PI>. Licensed under the GNU Affero General Public License v3.0. # See the LICENCE file in the repository root for full licence text. import { BeatmapIcon } from 'beatmap-icon' import * as React from 'react' import { div, i } from 'react-dom-factories' el = React.createElement bn = 'beatmap-list-item' export BeatmapListItem = (props) -> topClasses = bn topClasses += " #{bn}--large" if props.large version = props.beatmap.version if props.beatmap.deleted_at? topClasses += " #{bn}--deleted" version += " [#{osu.trans 'beatmap_discussions.index.deleted_beatmap'}]" div className: topClasses div className: "#{bn}__col", el BeatmapIcon, beatmap: props.beatmap modifier: "#{'large' if props.large}" div className: "#{bn}__col #{bn}__col--main", div className: 'u-ellipsis-overflow', version if props.withButton? div className: "#{bn}__col", i className: "fas fa-chevron-#{props.withButton}" if props.count? div className: "#{bn}__col", div className: "#{bn}__counter", props.count
[ { "context": "password? or password is ''\n password = '123456'\n\n console.log 'before_create - password: ", "end": 636, "score": 0.999441385269165, "start": 630, "tag": "PASSWORD", "value": "123456" }, { "context": "word? or password is ''\n password = '123456'\n\n console.log 'password: ', password\n", "end": 1969, "score": 0.999469518661499, "start": 1963, "tag": "PASSWORD", "value": "123456" } ]
backend/api/user-plugin.coffee
chiehwen/ResShoPos
1
### Updated 25/12/2013 ### ### This docstring documents User-Plugin. It can include *Markdown* syntax, which will be converted to html. ### _ = require 'underscore' async = require 'async' { hash } = require('../core/pass') { Utils } = require '../core/utils' userPlugin = (appApi, User) -> appApi.on 'before_create', (before_create_notification) -> switch before_create_notification.table when 'Users' console.log 'before_create', before_create_notification data = before_create_notification.data password = data.password if not password? or password is '' password = '123456' console.log 'before_create - password: ', password console.log 'Create hash and salt...' hash password, (err, salt, hash) -> if err console.log 'Generate hash and salt - error:', err else console.log 'Generate hash and salt - successed' data.hash = hash data.salt = salt before_create_notification_feedback = {} before_create_notification_feedback.data = data appApi.emit 'before_create_feedback', before_create_notification_feedback return console.log 'before_create_feedback' else console.log 'come here 3' process.nextTick () -> before_create_notification_feedback = {} before_create_notification_feedback.data = before_create_notification.data console.log 'come here 4' appApi.emit 'before_create_feedback', before_create_notification_feedback return appApi.on "crud", (crud_notification) -> switch crud_notification.table when 'Users' switch crud_notification.action when 'update' console.log 'crud_notification', crud_notification password = crud_notification.data.password if not password? or password is '' password = '123456' console.log 'password: ', password userData = {} userData._id = crud_notification.data._id console.log 'Update hash and salt...' async.waterfall [ (cb) => hash password, (err, salt, hash) -> cb err, salt, hash (salt, hash, cb) => userData.hash = hash userData.salt = salt User.updateUser userData, (error, result) -> cb error, result ], (error, result) -> if error console.log 'Update hash and salt - error:', error else console.log 'Update hash and salt - successed result: ', result return else break; else break; return return exports.userPlugin = userPlugin
74884
### Updated 25/12/2013 ### ### This docstring documents User-Plugin. It can include *Markdown* syntax, which will be converted to html. ### _ = require 'underscore' async = require 'async' { hash } = require('../core/pass') { Utils } = require '../core/utils' userPlugin = (appApi, User) -> appApi.on 'before_create', (before_create_notification) -> switch before_create_notification.table when 'Users' console.log 'before_create', before_create_notification data = before_create_notification.data password = data.password if not password? or password is '' password = '<PASSWORD>' console.log 'before_create - password: ', password console.log 'Create hash and salt...' hash password, (err, salt, hash) -> if err console.log 'Generate hash and salt - error:', err else console.log 'Generate hash and salt - successed' data.hash = hash data.salt = salt before_create_notification_feedback = {} before_create_notification_feedback.data = data appApi.emit 'before_create_feedback', before_create_notification_feedback return console.log 'before_create_feedback' else console.log 'come here 3' process.nextTick () -> before_create_notification_feedback = {} before_create_notification_feedback.data = before_create_notification.data console.log 'come here 4' appApi.emit 'before_create_feedback', before_create_notification_feedback return appApi.on "crud", (crud_notification) -> switch crud_notification.table when 'Users' switch crud_notification.action when 'update' console.log 'crud_notification', crud_notification password = crud_notification.data.password if not password? or password is '' password = '<PASSWORD>' console.log 'password: ', password userData = {} userData._id = crud_notification.data._id console.log 'Update hash and salt...' async.waterfall [ (cb) => hash password, (err, salt, hash) -> cb err, salt, hash (salt, hash, cb) => userData.hash = hash userData.salt = salt User.updateUser userData, (error, result) -> cb error, result ], (error, result) -> if error console.log 'Update hash and salt - error:', error else console.log 'Update hash and salt - successed result: ', result return else break; else break; return return exports.userPlugin = userPlugin
true
### Updated 25/12/2013 ### ### This docstring documents User-Plugin. It can include *Markdown* syntax, which will be converted to html. ### _ = require 'underscore' async = require 'async' { hash } = require('../core/pass') { Utils } = require '../core/utils' userPlugin = (appApi, User) -> appApi.on 'before_create', (before_create_notification) -> switch before_create_notification.table when 'Users' console.log 'before_create', before_create_notification data = before_create_notification.data password = data.password if not password? or password is '' password = 'PI:PASSWORD:<PASSWORD>END_PI' console.log 'before_create - password: ', password console.log 'Create hash and salt...' hash password, (err, salt, hash) -> if err console.log 'Generate hash and salt - error:', err else console.log 'Generate hash and salt - successed' data.hash = hash data.salt = salt before_create_notification_feedback = {} before_create_notification_feedback.data = data appApi.emit 'before_create_feedback', before_create_notification_feedback return console.log 'before_create_feedback' else console.log 'come here 3' process.nextTick () -> before_create_notification_feedback = {} before_create_notification_feedback.data = before_create_notification.data console.log 'come here 4' appApi.emit 'before_create_feedback', before_create_notification_feedback return appApi.on "crud", (crud_notification) -> switch crud_notification.table when 'Users' switch crud_notification.action when 'update' console.log 'crud_notification', crud_notification password = crud_notification.data.password if not password? or password is '' password = 'PI:PASSWORD:<PASSWORD>END_PI' console.log 'password: ', password userData = {} userData._id = crud_notification.data._id console.log 'Update hash and salt...' async.waterfall [ (cb) => hash password, (err, salt, hash) -> cb err, salt, hash (salt, hash, cb) => userData.hash = hash userData.salt = salt User.updateUser userData, (error, result) -> cb error, result ], (error, result) -> if error console.log 'Update hash and salt - error:', error else console.log 'Update hash and salt - successed result: ', result return else break; else break; return return exports.userPlugin = userPlugin
[ { "context": "of the named library if it exists.\n#\n# Author:\n# Bryce Verdier (btv)\n\nmodule.exports = (robot) ->\n robot.respon", "end": 233, "score": 0.9998884201049805, "start": 220, "tag": "NAME", "value": "Bryce Verdier" }, { "context": "rary if it exists.\n#\n# Author:\n# Bryce Verdier (btv)\n\nmodule.exports = (robot) ->\n robot.respond /py", "end": 238, "score": 0.998608410358429, "start": 235, "tag": "USERNAME", "value": "btv" } ]
src/scripts/python_library.coffee
contolini/hubot-scripts
1,450
# Description: # Allows hubot to get the link to a Python 2 or 3 libaray. # # Dependencies: # None # # Commands: # hubot python(2|3) library <name> - Gets the url of the named library if it exists. # # Author: # Bryce Verdier (btv) module.exports = (robot) -> robot.respond /python(2|3) library (.*)/i, (msg) -> matches = msg.match libraryMe robot, matches[1], matches[2], (text) -> msg.send text libraryMe = (robot, version, lib, callback) -> url = "http://docs.python.org/#{version}/library/#{lib}.html" robot.http(url) .get() (err,res,body) -> if res.statusCode != 200 callback "MERP! The library #{lib} does not exist!" else callback url
90297
# Description: # Allows hubot to get the link to a Python 2 or 3 libaray. # # Dependencies: # None # # Commands: # hubot python(2|3) library <name> - Gets the url of the named library if it exists. # # Author: # <NAME> (btv) module.exports = (robot) -> robot.respond /python(2|3) library (.*)/i, (msg) -> matches = msg.match libraryMe robot, matches[1], matches[2], (text) -> msg.send text libraryMe = (robot, version, lib, callback) -> url = "http://docs.python.org/#{version}/library/#{lib}.html" robot.http(url) .get() (err,res,body) -> if res.statusCode != 200 callback "MERP! The library #{lib} does not exist!" else callback url
true
# Description: # Allows hubot to get the link to a Python 2 or 3 libaray. # # Dependencies: # None # # Commands: # hubot python(2|3) library <name> - Gets the url of the named library if it exists. # # Author: # PI:NAME:<NAME>END_PI (btv) module.exports = (robot) -> robot.respond /python(2|3) library (.*)/i, (msg) -> matches = msg.match libraryMe robot, matches[1], matches[2], (text) -> msg.send text libraryMe = (robot, version, lib, callback) -> url = "http://docs.python.org/#{version}/library/#{lib}.html" robot.http(url) .get() (err,res,body) -> if res.statusCode != 200 callback "MERP! The library #{lib} does not exist!" else callback url
[ { "context": " 'recoverPassword'\n '/recover-password/:id': 'recoverPassword_setPassword'\n '/activate/:id': 'account_activate'\n", "end": 732, "score": 0.8898747563362122, "start": 705, "tag": "PASSWORD", "value": "recoverPassword_setPassword" } ]
src/app/modules/user/ModuleRouter.coffee
josepramon/tfm-adminApp
0
Router = require 'msq-appbase/lib/appBaseComponents/Router' ### User module router ==================== @class @augments Router ### module.exports = class ModuleRouter extends Router ### @property {Object} Module routes similar to Marionette's appRoutes but automatically prefixed with the module rootUrl (supplied in the constructor) ### prefixedAppRoutes: '/login': 'login' '/logout': 'logout' '/profile': 'profile' '/account': 'account' '/authError': 'authError' '/recover-password': 'recoverPassword' '/recover-password/:id': 'recoverPassword_setPassword' '/activate/:id': 'account_activate'
96438
Router = require 'msq-appbase/lib/appBaseComponents/Router' ### User module router ==================== @class @augments Router ### module.exports = class ModuleRouter extends Router ### @property {Object} Module routes similar to Marionette's appRoutes but automatically prefixed with the module rootUrl (supplied in the constructor) ### prefixedAppRoutes: '/login': 'login' '/logout': 'logout' '/profile': 'profile' '/account': 'account' '/authError': 'authError' '/recover-password': 'recoverPassword' '/recover-password/:id': '<PASSWORD>' '/activate/:id': 'account_activate'
true
Router = require 'msq-appbase/lib/appBaseComponents/Router' ### User module router ==================== @class @augments Router ### module.exports = class ModuleRouter extends Router ### @property {Object} Module routes similar to Marionette's appRoutes but automatically prefixed with the module rootUrl (supplied in the constructor) ### prefixedAppRoutes: '/login': 'login' '/logout': 'logout' '/profile': 'profile' '/account': 'account' '/authError': 'authError' '/recover-password': 'recoverPassword' '/recover-password/:id': 'PI:PASSWORD:<PASSWORD>END_PI' '/activate/:id': 'account_activate'
[ { "context": "on/contents', true, (key, value)->\n if key == 'leisure/selection/contents'\n s = window.getSelection()\n if s.range", "end": 2831, "score": 0.9813424348831177, "start": 2805, "tag": "KEY", "value": "leisure/selection/contents" }, { "context": "e/evalExpr', false, (key, value)->\n if key == 'leisure/evalExpr' && value?\n [expr, result] = value\n con", "end": 3245, "score": 0.9420564770698547, "start": 3229, "tag": "KEY", "value": "leisure/evalExpr" } ]
METEOR-OLD/client/27-notebook.coffee
zot/Leisure
58
### # WARNING # WARNING THIS IS OLD CODE AND WILL SOON DISAPPEAR # WARNING # # use an element as a Leisure notebook # Only runs in the context of a browser ### console.log "LOADING NOTEBOOK" { delay, } = root = module.exports = require '10-namespace' { resolve, lazy, } = require '15-base' rz = resolve lz = lazy { nameSub, getRefName, define, foldLeft, Nil, getType, getAnnoName, getAnnoData, getAnnoBody, Leisure_anno, } = root = module.exports = require '16-ast' { isMonad, runMonad, makeMonad, makeSyncMonad, identity, defaultEnv, basicCall, } = require '17-runtime' { gen, } = require '18-gen' { BS, ENTER, DEL, svgMeasure, svgMeasureText, createNode, textNode, } = require '21-browserSupport' { getOrgText, } = require '24-orgSupport' URI = window.URI Xus = window.Xus $ = window.$ _ = require 'lodash.min' if !global? then window.global = window #debug = true debug = false TAB = 9 ESC = 27 PAGE_UP = 33 PAGE_DOWN = 34 END = 35 HOME = 36 LEFT_ARROW = 37 UP_ARROW = 38 RIGHT_ARROW = 39 DOWN_ARROW = 40 arrows = [37..40] updatePat = /(^|\n)(#@update )([^\n]+)(?:^|\n)/ peer = null nextId = 0 filename = null event = (widget, args...)-> basicCall args, envFor(widget), identity defaultEnv.readFile = (fileName, cont)-> uri = new URI(document.location.href, fileName) console.log "\n\n@@@@READ FILE: #{uri}\n\n" $.get(String(uri)) .done((data)-> cont(null, data)) .fail((err)-> cont(err, null)) defaultEnv.writeFile = (fileName, data, cont)-> snapshot = (el, pgm)-> setSnapper = (snapFunc)-> snapshot = snapFunc getParseErr = getHtml = (x)-> x lz (value)-> rz value escapeHtml = (str)-> if typeof str == 'string' then str.replace /[<>]/g, (c)-> switch c when '<' then '&lt;' when '>' then '&gt;' else str presentValue = (v)-> if (getType v) == 'svgNode' content = v(-> id) _svgPresent()(-> content)(-> id) else if (getType v) == 'html' then getHtml v else if (getType v) == 'parseErr' then "PARSE ERROR: #{getParseErr v}" else escapeHtml String(v) bootNotebook = (el)-> if !(document.getElementById 'channelList')? document.body.appendChild createNode """ <datalist id='channelList'> <option value=''></option> <option value='app'>app</option> <option value='compile'>compile</option> <option value='editorFocus'>editorFocus</option> </datalist>""" createPeer() closeWindow = -> console.log "CLOSING WINDOW" window.open '', '_self', '' window.close() createPeer = -> root.xusServer = server = new Xus.Server() #root.xusServer.verbose = (str)-> console.log str server.exit = -> closeWindow() peer = root.peer = Xus.createDirectPeer server peer.server = server peer.listen 'leisure/selection/contents', true, (key, value)-> if key == 'leisure/selection/contents' s = window.getSelection() if s.rangeCount && s.toString() != value r = s.getRangeAt 0 r.deleteContents() node = textNode value.toString() r.insertNode node s.removeAllRanges() r.selectNode node s.addRange(r) peer.set 'leisure/evalExpr', null, 'transient' peer.listen 'leisure/evalExpr', false, (key, value)-> if key == 'leisure/evalExpr' && value? [expr, result] = value console.log "EVAL: #{expr}, RESULT: #{result}" env = xusEnv(result, expr) processLine expr, env, -> env.cleanup?() peer.set 'leisure/document', peerGetDocument peer.set 'leisure/functions', peerGetFunctions peer.set 'leisure/storage', [] if Boot.documentFragment params = {} for param in Boot.documentFragment.substring(1).split '&' [k, v] = param.split '=' params[k.toLowerCase()] = decodeURIComponent v if params.xusproxy? then Xus.xusToProxy(server, params.xusproxy) replaceContents = (uri, contents)-> #console.log new Error("Replacing contents...").stack if !contents contents = uri uri = null if uri then setFilename uri.toString() document.body.setAttribute 'doc', '' window.leisureAutoRunAll = true window.markup contents bindAll() bindAll = -> for node in document.querySelectorAll "[leisurenode='code']" node.setAttribute 'contentEditable', 'true' bindNotebook node changeTheme node, 'thin' evalDoc node showFilenames() xusEnv = (resultVar, expr)-> result = '' env = debug: debug finishedEvent: -> owner: null require: req write: (msg)-> result += "#{msg}\n" prompt:(msg, cont)-> result += "Attempt to prompt with #{msg}" processResult: (res, ast)-> result += res peer.set resultVar, JSON.stringify result presentValue: (x)-> x fileSettings: uri: new URI document.location.href err: (err)-> result += if err.leisureContext then "ERROR: #{err}:\n#{leisureContextString(err)}\n#{err.stack}" else "Couldn't parse: #{expr}" peer.set resultVar, result env.__proto__ = root.defaultEnv env peerGetDocument = -> nodes = document.querySelectorAll "[leisurenode='code']" if nodes.length > 1 || Notebook.md then getMDDocument() else getSimpleDocument() peerGetFunctions = -> (_.uniq window.leisureFuncNames.toArray().sort(), true).sort() getMDDocument = -> md = '' for node in document.querySelectorAll '[doc] [leisureNode]' md += if isLeisureCode node then "```\n#{getElementCode node}\n```\n" else node.md ? '' md makeId = (el)-> if !el.id then el.id = "Leisure-#{nextId++}" allowEvents = true init = false bindNotebook = (el)-> if !init init = true # MARK CHECK defaultEnv.presentValue = presentValue defaultEnv.write = (msg)->console.log msg defaultEnv.owner = document.body defaultEnv.finishedEvent = (evt, channel)->update(channel ? 'app', defaultEnv) defaultEnv.debug = debug if !el.bound? makeId el el.bound = true el.addEventListener 'DOMCharacterDataModified', ((evt)->if allowEvents && !el.replacing then delay(->checkMutateFromModification evt)), true el.addEventListener 'DOMSubtreeModified', ((evt)->if allowEvents && !el.replacing then delay(->checkMutateFromModification evt)), true el.addEventListener 'mousedown', ((e)-> if !isSlider e.srcElement then delay -> highlightPosition e), true el.addEventListener 'mousemove', ((e)-> if !isSlider e.srcElement then delay -> highlightPosition e), true el.addEventListener 'mouseup', ((e)-> if !isSlider e.srcElement then delay -> highlightPosition e), true el.addEventListener 'keydown', (e)-> #if allowEvents c = (e.charCode || e.keyCode || e.which) if c == DEL || c == BS s = window.getSelection() r = s.getRangeAt(0) if c == BS checkDeleteExpr getBox r.startContainer if skipLeftOverOutputBox el, r then return e.preventDefault() else if c == DEL checkDeleteExpr getBox r.startContainer if ignoreDeleteOutputBox el, r then return e.preventDefault() if printable c then clearAst getBox window.getSelection().focusNode if (c in arrows) or printable c then delay -> highlightPosition e if e.ctrlKey and c == ENTER then handleKey "C-ENTER" else if e.altKey and c == ENTER then handleKey "M-ENTER" else if c == TAB handleKey("TAB") e.preventDefault() el.addEventListener 'keypress', (e)-> #if allowEvents s = window.getSelection() r = s.getRangeAt(0) if (e.charCode || e.keyCode || e.which) == ENTER br = textNode('\n') r.insertNode(br) r = document.createRange() r.setStart(br, 1) s.removeAllRanges() s.addRange(r) e.preventDefault() else if r.startContainer.parentNode == el sp = codeSpan '\n', 'codeExpr' sp.setAttribute('generatedNL', '') bx = box s.getRangeAt(0), 'codeMainExpr', true bx.appendChild sp makeOutputBox bx r = document.createRange() r.setStart(sp, 0) s.removeAllRanges() s.addRange(r) el.addEventListener 'focus', (-> if allowEvents then findCurrentCodeHolder()), true el.addEventListener 'blur', (-> if allowEvents then findCurrentCodeHolder()), true if window.leisureAutoRunAll autoRun el, true window.setTimeout (->runTests el), 1 else el.autorunState = false checkDeleteExpr = (node)-> if isOutput node && node.output out = node.output window.setTimeout (-> if !getOrgText(node).trim() then node.parentNode.removeChild node if !node.parentNode? && out?.parentNode? then out.parentNode.removeChild out ), 1 skipLeftOverOutputBox = (el, r)-> el.normalize() box = previousBoxRangeInternal(r) || previousBoxRangeStart r if isOutput box s = window.getSelection() r.selectNode box r.collapse true s.removeAllRanges() s.addRange r true else false previousBoxRangeInternal = (r)-> r.startContainer.nodeType == 1 && r.startOffset > 0 && r.startContainer.childNodes[r.startOffset - 1] previousBoxRangeStart = (r)-> r.startContainer.nodeType == 3 && r.startOffset == 0 && previousSibling r.startContainer ignoreDeleteOutputBox = (el, r)-> el.normalize() if r.startContainer.nodeType == 3 && r.startOffset == r.startContainer.length n = r.startContainer n = n.parentNode while n && n.nextSibling == null isOutput n?.nextSibling else false isOutput = (el)-> el?.nodeType == 1 && el.hasAttribute 'LeisureOutput' isLeisureCode = (el)-> el?.nodeType == 1 && el.getAttribute('leisureNode') == 'code' peerNotifySelection = (el, str)-> #peer.set 'leisure/selection/id', (if el then el.id else null) #peer.set 'leisure/selection/contents', str printableControlCharacters = (c.charCodeAt(0) for c in "\r\i\n\b") printable = (code)-> (code > 0xf and code < 37) or code > 40 or code in printableControlCharacters nonprintable = null (-> s='' for i in [0..0xf] s += String.fromCharCode(i) s.replace /[\i\r\f]/g, '' nonprintable = new RegExp("[#{s}]"))() handleKey = (key)-> switch key when "C-ENTER", "TAB" box = getBox window.getSelection().focusNode if (box.getAttribute 'codeMainExpr')? then evalOutput box.output else if (box.getAttribute 'codeMain')? then acceptCode box when "M-ENTER" box = getBox window.getSelection().focusNode if (box.getAttribute 'codeMainExpr')? then clearOutputBox box.output clearAst = (box)-> cbox = getBox box cbox?.ast = null #[node, positions] oldBrackets = [null, Nil] cleanEmptyNodes = (el)-> if el.nodeType == 3 and el.parentNode? then cleanEmptyNodes el.parentNode else prev = el.previousSibling next = el.nextSibling if el.nodeType == 1 && getOrgText(el).trim() == '' && el.parentNode?.hasAttribute 'doc' el.parentNode.removeChild el if next == nextSibling prev then mergeLeisureCode prev, next presentLeisureCode = (node, doEval)-> node.setAttribute 'contentEditable', 'true' Notebook.bindNotebook node Notebook.changeTheme node, 'thin' if doEval then evalDoc node else initNotebook node mergeLeisureCode = (el1, el2)-> # TODO: this should just take one arg and merge an element with the one after it if el1 && el2 if el1.nodeType == 1 && el2.nodeType == 3 el1.appendChild el2 el1.normalize() else if el1.nodeType == 3 and el2.nodeType == 1 el2.insertBefore el1, el2.firstChild el2.normalize() else if el1.hasAttribute('leisureNode') && el1.getAttribute('leisureNode') == el2.getAttribute('leisureNode') newCode = textNode el1.md = if el1.getAttribute('leisureNode') == 'code' then "#{getElementCode(el1)}\n#{getElementCode el2}" else "#{el1.md}\n#{el2.md}" r = document.createRange() r.selectNodeContents el2 el1.appendChild textNode '\n' el1.appendChild r.extractContents() el2.parentNode.removeChild el2 highlightPosition = (e)-> parent = null s = window.getSelection() if s.rangeCount if cleanEmptyNodes s.getRangeAt(0).startContainer then return focusBox s.focusNode parent = getBox s.focusNode if s.getRangeAt(0)?.collapsed if !parent or isOutput parent then return if parent.parentNode and ast = getAst parent r = s.getRangeAt(0) r.setStart parent, 0 pos = getRangeText(r).length changed = false if false brackets = Leisure.bracket ast.leisureBase, pos if oldBrackets[0] != parent or !oldBrackets[1].equals(brackets) oldBrackets = [parent, brackets] for node in document.querySelectorAll "[LeisureBrackets]" unwrap node for node in parent.querySelectorAll ".partialApply" unwrap node parent.normalize() markPartialApplies parent b = brackets ranges = [] while b != Nil ranges.push (makeRange parent, b.head().head(), b.head().tail().head()) b = b.tail() for r, i in ranges span = document.createElement 'span' span.setAttribute 'LeisureBrackets', '' span.setAttribute 'class', if i == 0 then 'LeisureFunc' else 'LeisureArg' wrapRange r, span changed = true if e instanceof KeyboardEvent if hideSlider() then pos += 1 else if e instanceof MouseEvent and e.type == 'mousedown' and (e.target == parent or parent.contains e.target) and showSliderButton parent, pos, e changed = true pos += 1 if changed window.EVT = e s.removeAllRanges() s.addRange(makeRange parent, pos) # MARK TODO #if parent?.ast?.leisureName? then update "sel-#{parent.ast.leisureName}" peerNotifySelection parent, s.toString() numberEnd = /(?:^|.*[^0-9.])([0-9]+\.?[0-9]*|\.[0-9]*)$/ numberStart = /^([0-9]+\.[0-9]+|[0-9]+|\.[0-9]+)/ slider = [] showSliderButton = (parent, pos, e)-> if slider.length hideSlider() false else text = getOrgText parent oldPos = pos changed = 0 if m = text.substring(0, pos).match(numberEnd) then pos -= m[1].length if m = text.substring(pos).match(numberStart) len = m[1].length if oldPos <= pos + len [sParent, sPos, sValue] = slider if parent != sParent || pos != sPos || m[1] != sValue hideSlider() r = makeRange parent, pos, pos + m[1].length span = createNode "<span class='leisureRangeNumber ui-widget-content'></span>" wrapRange r, span changed = 1 span.normalize() slider = [parent, pos, m[1], span] createSlider() changed else hideSlider() isSlider = (el)-> while el != document if el.hasAttribute 'slider' then return true el = el.parentNode false createSlider = -> [parent, pos, value, span, div] = slider if div then return inside = false sliding = false d = createNode "<div style='z-index: 1; position: absolute; width: 200px; background: white; border: solid green 1px' slider contentEditable='false'></div>" slider.push d d.style.top = "#{span.offsetTop + span.offsetHeight + 5}px" d.style.minTop = '0px' d.style.left = "#{Math.max(0, (span.offsetLeft + span.offsetWidth)/2 - 100)}px" d.addEventListener 'mouseover', (e)-> if !inside then inside = true d.addEventListener 'mouseout', (e)-> if e.toElement != d && !d.contains e.toElement inside = false if !sliding then hideSlider() value = Number value min = if value < 0 then value * 2 else value / 2 max = if value == 0 then 10 else value * 2 sl = $(d).slider animate: 'fast' start: -> sliding = true delay -> allowEvents = false stop: (event, ui)-> setMinMax sl allowEvents = true sliding = false if !inside then hideSlider() slide: (event, ui)-> if span.firstChild then span.firstChild.nodeValue = String(ui.value) if isDef parent parent.ast = null acceptCode parent ast = getAst parent # MARK CHECK if parent.ast?.leisureName update "sel-#{parent.ast.leisureName}" else makeId parent if !parent.getAttribute parent.output, 'leisureUpdate' setUpdate parent.output, "id-#{parent.id} compile", true update "id-#{parent.id}" update "compile" value: value setMinMax sl, value parent.insertBefore d, parent.firstChild d.focus() psgn = (x)-> if x < 0 then -1 else 1 setMinMax = (sl, value)-> value = value || sl.slider("value") min = 0 max = if 1 <= Math.abs(value) < 50 or value == 0 then 100 * psgn(value) else value * 2 if Math.round(value) == value step = Math.round((max - min) / 100) step = step - step % (max - min) else step = (max - min) / 100 sl.slider "option", "min", min sl.slider "option", "max", max sl.slider "option", "step", step hideSlider = -> if slider.length [parent, sPos, sValue, span, div] = slider unwrap span if div then remove div parent.normalize() slider = [] 2 else 0 wrapRange = (range, node)-> try range.surroundContents node catch err contents = range.cloneContents() replaceRange range, node node.appendChild contents replaceRange = (range, node)-> range.deleteContents() range.insertNode node getRangeText = (r)-> getOrgText r.cloneContents() getBox = (node)-> while node? and !(node.getAttribute?('LeisureBox'))? node = node.parentElement node checkMutateFromModification = (evt)-> b = getBox evt.target b2 = getBox window.getSelection().focusNode if b and b == b2 if (isDef b) and b.classList.contains('codeMainExpr') then toDefBox b else if !(isDef b) and b.classList.contains('codeMain') then toExprBox b replicate b replicate = (b)-> if b.replicator then delay -> b.replicator.replicate b buttonClasses = 'ui-button ui-widget ui-state-default ui-corner-all ui-button-text-only'.split ' ' boxClasses = codeMainExpr: ['codeMainExpr', 'ui-widget', 'ui-widget-content', 'ui-corner-all'] codeMain: ['codeMain', 'ui-widget', 'ui-widget-content', 'ui-corner-all'] codeMainTest: ['codeMainTest'] #output: ['output', 'ui-widget', 'ui-widget-content', 'ui-corner-all'] output: ['output', 'ui-corner-all'] addBoxClasses = (box, type)-> box.setAttribute type, '' box.classList.add cl for cl in boxClasses[type] removeBoxClasses = (box, type)-> box.removeAttribute type box.classList.remove cl for cl in boxClasses[type] toExprBox = (b)-> removeBoxClasses b, 'codeMain' addBoxClasses b, 'codeMainExpr' for node in b.querySelectorAll '[codename]' unwrap node for node in b.querySelectorAll '.astbutton' remove node makeOutputBox b toDefBox = (b)-> if b.output then remove b.output removeBoxClasses b, 'codeMainExpr' addBoxClasses b, 'codeMain' addDefControls b addDefControls = (box)-> btn = createNode "<button onclick='Notebook.showAst(this.parentNode)' class='astbutton' title='Show AST'></button>" markupButton btn box.appendChild btn remove = (node)->node.parentNode?.removeChild node showAst = (box)-> # MARK CHECK name = (getAst box).leisureName if box.astOut? remove box.astOut.output remove box.astOut box.astOut = null else if name? node = codeBox 'codeMainExpr' box.astOut = node node.setAttribute 'leisureOutput', '' box.parentNode.insertBefore node, box.nextSibling node.textContent = "#@update sel-#{name}\ntreeForNotebook #{name}" output = makeOutputBox node toggleEdit output evalOutput output, true highlightNotebookFunction = (funcName, start, stop)-> box = document.body.querySelector "[leisurefunc=#{funcName}]" # MARK CHECK # offset = getAst(box).leisureCodeOffset ? 0 offset = 0 sel = window.getSelection() sel.removeAllRanges() sel.addRange makeRange box, start + offset, stop + offset isDef = (box)-> txt = getOrgText box # MARK CHECK #if (m = txt.match Leisure.linePat) if (m = txt.match L_defPat()) [matched, leading, name, defType] = m return defType?.length > 0 false initNotebook = (el)-> el.replacing = true removeOldDefs el pgm = markupDefs el, findDefs el el.normalize() el.replacing = false if !el.hasAttribute('noLeisureBar') insertControls(el) el.testResults.innerHTML = pgm[2] snapshot(el, pgm) pgm makeLabel = (text, c)-> node = document.createElement 'SPAN' node.innerHTML = text node.setAttribute 'class', c node makeOption = (name)-> opt = document.createElement 'OPTION' opt.text = name opt createFragment = (txt)-> scratch = document.createElement 'DIV' scratch.innerHTML = txt frag = document.createDocumentFragment() while scratch.firstChild frag.appendChild scratch.firstChild frag insertControls = (el)-> controlDiv = createNode """ <div LeisureOutput contentEditable='false' class='leisure_bar'><div class="leisure_bar_contents"> <button leisureId='saveButton' class="leisure_start">Save</button> <button leisureId='testButton'>Run Tests</button> <span leisureId='testResults' class="notrun"></span> <input type='checkbox' leisureId='autorunTests'><b>Auto</b></input> <span class="leisure_theme">Theme: </span> <select leisureId='themeSelect'> <option value=thin>Thin</option> <option value=gaudy>Gaudy</option> <option value=cthulhu>Cthulhu</option> </select> <span>View: </span> <select leisureId='viewSelect'> <option value=coding>Coding</option> <option value=debugging>Debugging</option> <option value=testing>Testing</option> <option value=running>Running</option> </select> </div> """ spacer = createNode "<div LeisureOutput contentEditable='false' class='leisure_space'></div>" el.insertBefore spacer, el.firstChild el.insertBefore controlDiv, el.firstChild [el.leisureDownloadLink, el.leisureViewLink, saveButton, testButton, el.testResults, el.autorun, themeSelect, viewSelect] = getElements el, ['downloadLink', 'viewLink', 'saveButton', 'testButton', 'testResults', 'autorunTests', 'themeSelect', 'viewSelect'] controlDiv.addEventListener 'click', (evt)-> if document.body.classList.contains 'hideControls' document.body.classList.remove 'hideControls' else document.body.classList.add 'hideControls' saveButton.addEventListener 'click', (evt)-> saveProgram el testButton.addEventListener 'click', -> runTests el themeSelect.value = el.leisureTheme ? 'thin' themeSelect.addEventListener 'change', (evt)-> changeTheme el, evt.target.value viewSelect.addEventListener 'change', (evt)-> changeView el, evt.target.value el.autorun.checked = el.autorunState el.autorun.addEventListener 'change', (evt)-> el.autorunState = el.autorun.checked if el.autorunState then runTests el #configureSaveLink(el) markupButtons controlDiv # MARK TODO saveProgram = -> write filename, getMDDocument(), (-> alert "Saving #{filename}"), (err)-> console.log err alert err.stack throw err showFilename = (el)-> if el && filename el.innerHTML = "Save: #{filename.pathName()}" el.title = filename.toString() showFilenames = -> for node in document.body.querySelectorAll '[leisureId=saveButton]' showFilename node setFilename = (newName)-> console.log "SET FILENAME: #{newName}" filename = if newName instanceof URI then newName else new URI(document.location.href, newName) showFilenames() markupButtons = (el)-> markupButton btn for btn in el.querySelectorAll 'button' markupButton = (btn)-> btn.classList.add cl for cl in buttonClasses getElements = (el, ids)-> els = {} for node in el.querySelectorAll '[leisureId]' els[node.getAttribute 'leisureId'] = node els[id] for id in ids escapeHtml = (str)-> if typeof str == 'string' then str.replace /[<>]/g, (c)-> switch c when '<' then '&lt;' when '>' then '&gt;' else str loadProgram = (el, files)-> el = getBox fr = new FileReader() fr.onloadend = (evt)-> el.innerHTML = escapeHtml(fr.result) initNotebook el fr.readAsBinaryString(files.item(0)) configureSaveLink = (el)-> window.URL = window.URL || window.webkitURL builder = new WebKitBlobBuilder() builder.append getElementCode el blob = builder.getBlob('text/plain') el.leisureDownloadLink.href = window.URL.createObjectURL(blob) el.leisureViewLink.href = window.URL.createObjectURL(blob) getElementCode = (el)-> r = document.createRange() r.selectNode(el) c = r.cloneContents().firstChild removeOldDefs c getOrgText c runTests = (el)-> passed = 0 failed = 0 for test in el.querySelectorAll '.codeMainTest' if runTest test then passed++ else failed++ if el.testResults resultsClass = el.testResults.classList resultsClass.remove 'notrun' if !failed resultsClass.remove 'failed' resultsClass.add 'passed' el.testResults.innerHTML = passed else resultsClass.remove 'passed' resultsClass.add 'failed' el.testResults.innerHTML = "#{passed}/#{failed}" changeTheme = (el, value)-> theme = value el.leisureTheme = theme el.className = theme changeView = (el, value)-> debug = value == 'debugging' alert 'new view: ' + value + ", debug: " + debug unwrap = (node)-> parent = node.parentNode if parent while node.firstChild? parent.insertBefore node.firstChild, node parent.removeChild node removeOldDefs = (el)-> el.leisureDownloadLink = null el.leisureViewLink = null extracted = [] for node in el.querySelectorAll "[LeisureOutput]" remove node for node in el.querySelectorAll "[generatednl]" txt = node.lastChild if txt.nodeType == 3 and txt.data[txt.data.length - 1] == '\n' txt.data = txt.data.substring(0, txt.data.length - 1) for node in el.querySelectorAll "[Leisure]" if addsLine(node) and node.firstChild? then extracted.push(node.firstChild) unwrap node for node in extracted if node.parentNode? and !addsLine(node) and node.previousSibling? and !addsLine(node.previousSibling) then node.parentNode.insertBefore text('\n'), node el.textContent = getOrgText(el).replace /\uFEFF/g, '' txt = el.lastChild if txt?.nodeType == 3 and (m = txt.data.match /(^|[^\n])(\n+)$/) txt.data = txt.data.substring(0, txt.data.length - m[2].length) markupDefs = (el, defs)-> pgm = '' auto = '' totalTests = 0 notebookAutoNodes = [] for i in defs {main, name, def, body, tests} = i if name bx = box main, 'codeMain', true bx.appendChild (codeSpan name, 'codeName') bx.appendChild (textNode def) bod = codeSpan textNode(body), 'codeBody' bod.appendChild textNode('\n') bod.setAttribute('generatedNL', '') bx.appendChild bod bx.addEventListener 'blur', (-> evalDoc el), true markPartialApplies bx addDefControls bx pgm += "#{name} #{def} #{body}\n" else if main? bx = box main, 'codeMainExpr', true s = codeSpan textNode(body), 'codeExpr' s.setAttribute('generatedNL', '') s.appendChild textNode('\n') bx.appendChild s markPartialApplies bx if main.leisureAuto?.mode == 'silent' then auto += "#{body}\n" else if main.leisureAuto?.mode == 'notebook' then notebookAutoNodes.push bx makeOutputBox(bx) for test in tests replaceRange test, makeTestBox test.leisureTest totalTests++ [pgm, auto, totalTests, notebookAutoNodes] getDefName = (ast)-> if ast instanceof Leisure_anno && getAnnoName(ast) == 'definition' then getAnnoData(ast) else null getAst = (bx, def)-> if bx.ast? patchFuncAst bx.ast # MARK CHECK bx.setAttribute 'leisureFunc', (bx.ast.leisureName ? '') bx.ast else def = def || getOrgText(bx) # MARK CHECK # setAst bx, (Leisure.compileNext def, Parse.Nil, true, null)[0] defName = getDefName runMonad rz(L_newParseLine)(lz Nil)(lz def) setAst bx, (if defName then {leisureName: defName, leisureSource: def} else {}) bx.ast setAst = (bx, ast)-> bx.ast = ast patchFuncAst ast patchFuncAst = (ast)-> if ast?.leisureName? parent = window[nameSub(ast.leisureName)] if parent? parent.ast = ast parent.src = ast.leisureSource update "ast-#{ast.leisureName}" # mark partial applies within bx # the last child of bx should be a fresh expr span with the full code in it markPartialApplies = (bx, def)-> # MARK TODO # # bx.normalize() # def = def ? bx.textContent # ast = getAst bx, def # partial = [] # # MARK # ((Leisure.findFuncs(ast)) Nil).each (f)-> # name = getRefName(f.head()) # arity = global[nameSub(name)]?()?.leisureArity # if (arity and f.tail().head() < arity) # partial.push [f.head(), arity, f.tail().head()] # if partial.length # ranges = [] # # MARK # offset = ast.leisureCodeOffset ? 0 # t = bx.lastChild.firstChild # for info in partial # p = info[0] # r = document.createRange() # r.setStart t, p.leisureStart + offset # r.setEnd t, p.leisureEnd + offset # r.expected = info[1] # r.actual = info[2] # ranges.push r # for r in ranges # c = r.extractContents() # s = document.createElement 'span' # s.setAttribute 'Leisure', '' # s.setAttribute 'expected', String(r.expected) # s.setAttribute 'actual', String(r.actual) # s.classList.add 'partialApply' # s.appendChild c # r.insertNode s nodeFor = (text)-> if typeof text == 'string' then textNode(text) else text evalOutput = (exBox, nofocus, cont)-> exBox = getBox exBox if !nofocus then focusBox exBox cleanOutput exBox, true selector = findUpdateSelector exBox.source if selector then exBox.setAttribute 'leisureUpdate', selector makeOutputControls exBox [updateSelector, stopUpdates] = getElements exBox.firstChild, ['chooseUpdate', 'stopUpdates'] updateSelector.addEventListener 'change', (evt)-> setUpdate exBox, evt.target.value, true updateSelector.addEventListener 'keydown', (e)-> c = (e.charCode || e.keyCode || e.which) if c == ENTER e.preventDefault() updateSelector.blur() updateSelector.value = (exBox.getAttribute 'leisureUpdate') or '' exBox.updateSelector = updateSelector evalBox exBox.source, exBox, cont findUpdateSelector = (box)-> # MARK CHECK #if def = box.textContent.match Leisure.linePat if def = getOrgText(box).match rz(L_defPat) [matched, leading, name, defType] = def if u = leading.match updatePat then u[3] getExprSource = (box)-> s = window.getSelection() b = getBox s.focusNode if b != box or !s.rangeCount or s.getRangeAt(0).collapsed then getOrgText box else getRangeText s.getRangeAt(0) setUpdate = (el, channel, preserveSource)-> el.setAttribute 'leisureUpdate', channel if channel then el.classList.add 'ui-state-highlight' else el.classList.remove 'ui-state-highlight' ast = getAst el.source txt = getOrgText el.source # MARK CHECK #if !preserveSource and def = txt.match Leisure.linePat if !preserveSource and def = txt.match rz(L_defPat) [matched, leading, name, defType] = def index = def.index if u = leading.match updatePat index += u.index + u[1].length + u[2].length r = makeRange el.source, index, index + u[3].length r.deleteContents() else r = makeRange el.source, index + leading.length, index + leading.length r.insertNode textNode(channel) el.source.normalize() hasMonadOutput = (box)-> box.firstElementChild?.nextElementSibling?.nextElementSibling? #hasMonadOutput = (box)-> $(box).find('.outputDiv').length checkHideSource = (box)-> if !box.hideOutputSource and hasMonadOutput box box.hideOutputSource = true hs = createNode "<button class='editToggle' style='float:right'></button>" markupButton hs hs.addEventListener 'click', -> toggleEdit(hs) box.firstElementChild.appendChild hs makeOutputControls = (exBox)-> if exBox.firstChild.firstChild == exBox.firstChild.lastChild exBox.firstChild.insertBefore createFragment(""" <button onclick='Notebook.clearOutputBox(this)'>X</button> """), exBox.firstChild.firstChild exBox.firstChild.appendChild createFragment """ <button onclick='Notebook.makeTestCase(this)' leisureId='makeTestCase'>Make test case</button><b>Update: </b><input type='text' placeholder='Click for updating' list='channelList' leisureId='chooseUpdate'></input><button onclick='Notebook.clearUpdates(this)' leisureId='stopUpdates'>Stop Updates</button> """ markupButtons exBox exBox.classList.add 'fatControls' showOutputSource = (output)-> output.classList.remove 'hidingSource' output.source.style.display = '' hideOutputSource = (output)-> console.log "HIDE: #{output}" output.classList.add 'hidingSource' output.source.style.display = 'none' toggleEdit = (toggleButton)-> output = getBox toggleButton if output.classList.contains 'hidingSource' then showOutputSource output else hideOutputSource output clearUpdates = (widget, preserveSource)-> exBox = getBox widget exBox.updateSelector.value = '' setUpdate exBox, '', preserveSource update = (type, env)-> # MARK DONE env = env ? defaultEnv for node in env.owner.querySelectorAll "[leisureUpdate~='#{type}']" evalOutput node, true clearOutputBox = (exBox)-> clearUpdates exBox, true cleanOutput(exBox) cleanOutput = (exBox, preserveControls)-> exBox = getBox exBox exBox.classList.remove 'fatControls' if !preserveControls exBox.hideOutputSource = null fc = exBox.firstChild fc.removeChild fc.firstChild while fc.firstChild != fc.lastChild fc.removeChild fc.lastChild while exBox.firstChild != exBox.lastChild exBox.removeChild exBox.lastChild makeTestCase = (exBox)-> output = getBox exBox source = output.source test = expr: getOrgText(source).trim() expected: escapeHtml(Parse.print(output.result)) box = makeTestBox test, owner(exBox) source.parentNode.insertBefore box, source remove source remove output # semi-fix to allow you to position the caret properly before and after a test case box.parentNode.insertBefore textNode('\uFEFF'), box box.parentNode.insertBefore textNode('\uFEFF'), box.nextSibling if owner(box).autorunState then clickTest(box) makeTestBox = (test, owner, src)-> src = src ? "#@test #{JSON.stringify test.expr}\n#@expected #{JSON.stringify test.expected}" s = codeSpan src, 'codeTest' s.appendChild textNode('\n') s.setAttribute('generatedNL', '') bx = codeBox 'codeMainTest' bx.testSrc = s bx.setAttribute 'class', 'codeMainTest notrun' bx.setAttribute 'contenteditable', 'false' bx.appendChild s bx.addEventListener 'click', (-> clickTest bx), true bx.test = test bx clickTest = (bx)-> if bx.classList.contains 'notrun' then runTest bx else r = document.createRange() r.setStartBefore bx r.setEndAfter bx r.deleteContents() sp = codeSpan bx.test.expr, 'codeExpr' sp.setAttribute('generatedNL', '') exprBox = box r, 'codeMainExpr', true exprBox.appendChild sp makeOutputBox exprBox runTest = (bx)-> test = bx.test passed = true processLine prepExpr(test.expr), ( values: {} require: req write: (str)-> console.log str debug: debug prompt: (msg, cont)-> cont(null) # MARK CHECK # processResult: (result, ast)-> passed = showResult bx, escapeHtml(Parse.print(result)), escapeHtml(test.expected) processResult: (result, ast)-> passed = showResult bx, escapeHtml(String(result)), escapeHtml(test.expected) err: -> passed = false presentValue: (x)-> x ), identity passed showResult = (bx, actual, expected)-> cl = bx.classList cl.remove 'notrun' if actual == expected cl.remove 'failed' cl.add 'passed' bx.testSrc.innerHTML = "#@test #{JSON.stringify bx.test.expr}\n#@expected #{JSON.stringify bx.test.expected}" else cl.remove 'passed' cl.add 'failed' bx.testSrc.innerHTML = "#@test #{JSON.stringify bx.test.expr}\n#@expected #{JSON.stringify bx.test.expected}\n#@result #{JSON.stringify actual}" console.log "expected <#{expected}> but got <#{actual}>" actual == expected # MARK CHECK -- used to precede exprs with = # prepExpr = (txt)-> if txt[0] in '=!' then txt else "=#{txt}" prepExpr = (txt)-> txt envFor = (box)-> exBox = getBox box widget = null # MARK CHECK # env = Prim.initFileSettings env = fileSettings: {} debug: debug finishedEvent: (evt, channel)->update(channel ? 'app', this) owner: owner(box) box: box require: req write: (msg)-> div = document.createElement 'div' div.classList.add 'outputDiv' div.innerHTML = "#{msg}\n" exBox.appendChild(div) checkHideSource exBox markupButtons exBox getWidget: -> if !widget widget = document.createElement "DIV" exBox.appendChild widget widget destroyWidget: -> if widget then remove widget prompt:(msg, cont)-> cont(window.prompt(msg)) processResult: (result, ast)-> box.result = result setAst box, ast presentValue: presentValue err: (err)-> btn = box.querySelector '[leisureId="makeTestCase"]' if btn then remove btn @write "<div class='errorDiv'>" + escapeHtml("ERROR: #{if err.leisureContext then "#{err}:\n#{leisureContextString(err)}\n" else ''}#{err.stack ? err}") + "</div>" cleanup: -> @destroyWidget() if root.lastEnv == env then root.lastEnv = null # MARK DONE env.__proto__ = defaultEnv env.fileSettings.uri = new URI document.location.href root.lastEnv = env env leisureContextString = (err)-> (linkSource func, offset for [func, offset] in err.leisureContext.toArray()).join('\n') # MARK TODO linkSource = (funcName, offset)-> # [src, start, end] = Leisure.funcContextSource funcName, offset # " <a href='javascript:void(Notebook.showSource(\"#{funcName}\", #{offset}))'>#{funcName}:#{start},#{end}</a>" # MARK TODO showSource = (funcName, offset)-> # [src, start, end] = Leisure.funcContextSource funcName, offset # alert("#{funcName} = #{src.substring(0, start)} << #{src.substring(start, end)} >> #{src.substring(end)}") makeOutputBox = (source)-> node = document.createElement 'div' node.setAttribute 'LeisureOutput', '' node.setAttribute 'Leisure', '' node.setAttribute 'LeisureBox', '' node.classList.add cl for cl in boxClasses.output node.setAttribute 'contentEditable', 'false' node.source = source source.output = node node.innerHTML = "<div class='controls'><button onclick='Notebook.evalOutput(this)'>-&gt;</button></div>" markupButtons node source.parentNode.insertBefore node, source.nextSibling node codeSpan = (text, boxType)-> node = document.createElement 'span' node.setAttribute boxType, '' node.setAttribute 'Leisure', '' node.setAttribute 'class', boxType if text then node.appendChild nodeFor(text) node codeBox = (boxType)-> node = document.createElement 'div' addBoxClasses node, boxType node.setAttribute 'LeisureBox', '' node.setAttribute 'Leisure', '' node.addEventListener 'compositionstart', (e)-> checkMutateFromModification e node box = (range, boxType, empty)-> node = codeBox boxType if empty then range.deleteContents() else node.appendChild(range.extractContents()) range.insertNode(node) node linePat = new RegExp "(#{rz(L_linePat).source})" #findDefs = (el)-> # console.log "\n\n@@@@@ FINDING DEFS" # txt = el.textContent # exprs = txt.split linePat # offset = 0 # ranges = [] # for i in [0..exprs.length] by 2 # start = offset # offset += exprs[i].length # console.log "\n\n@@@@@ RANGE: #{start}, #{offset}" # range = makeRange el, start, offset # ranges.push range # #span = createNode "<span class='ui-widget-content'></span>" # #wrapRange range, span # if i + 1 < exprs.length then offset += exprs[i + 1].length # ranges findDefs = (el)-> txt = getOrgText el #console.log "LINE EXP: #{linePat.source}" #console.log "LINES: [#{txt.split(linePat).join ']\n['}]" rest = txt ranges = [] # MARK TODO Leisure.linePat #while (def = rest.match Leisure.linePat) and def[1].length != rest.length #console.log "FIND DEFS IN #{txt}" while (def = rest.match rz(L_unanchoredDefPat)) and def[1].length != rest.length #console.log "def: #{def}" rng = getRanges(el, txt, rest, def, txt.length - rest.length) if rng rest = rng.next if rng then ranges.push(rng) else break else break ranges testPat = /(#@test([^\n]*)\n#@expected([^\n]*))\n/m getRanges = (el, txt, rest, def, restOff)-> [matched, leading, nameRaw, defType] = m = def if !rest.trim() then null else if !m? then [(makeRange el, restOff, txt.length), null, null, [], ''] else tests = [] matchStart = restOff + m.index if !defType? then name = null else if nameRaw[0] == ' ' name = null defType = null else name = (nameRaw.trim() || null) rest1 = rest.substring (if defType then matched else leading).length endPat = rest1.match /\n+[^\s]|\n?$/ next = if endPat then rest1.substring(endPat.index) else rest1 mainEnd = txt.length - next.length t = leading leadOff = tOff = restOff while m2 = t.match testPat r = makeRange(el, tOff + m2.index, tOff + m2.index + m2[1].length) r.leisureTest = expr: JSON.parse(m2[2]), expected: JSON.parse(m2[3]) tests.push r tOff += m2.index + m2[1].length t = leading.substring tOff - leadOff if name mainStart = matchStart + (leading?.length ? 0) nameEnd = mainStart + name.length leadingSpaces = (rest1.match /^\s*/)[0].length bodyStart = txt.length - (rest1.length - leadingSpaces) outerRange = makeRange el, mainStart, mainEnd main: outerRange name: txt.substring(mainStart, nameEnd) def: defType body: txt.substring(bodyStart, mainEnd) tests: tests next: next else mainStart = if defType == '=' then restOff + m.index + m[0].length else matchStart + (leading?.length ? 0) ex = txt.substring(mainStart, mainEnd).match /^(.*[^ \n])[ \n]*$/ exEnd = if ex then mainStart + ex[1].length else mainEnd body = txt.substring mainStart, exEnd if body.trim() textStart = restOff + m.index + (if t then leading.length - t.length else 0) if t? and (lm = t.match /^[ \n]+/) then textStart += lm[0].length #console.log "CHECKING AUTO..." if m = t.match /(?:^|\n)#@auto( +[^\n]*)?(\n|$)/ outerRange = makeRange el, textStart, exEnd outerRange.leisureAuto = JSON.parse "{#{m[1] ? ''}}" if outerRange.leisureAuto.mode == 'notebook' outerRange.leisureNode = el outerRange.leisureStart = textStart #console.log "Auto expr: #{txt.substring(textStart, exEnd)}, attrs: #{m[1]}" main: outerRange name: null def: null body: txt.substring(textStart, exEnd) tests: tests fullText: txt.substring(textStart, exEnd) next: next else outerRange = makeRange el, textStart, exEnd main: outerRange name: null def: null body: txt.substring(textStart, exEnd) tests: tests next: next else main: null name: null def: null body: null tests: tests next: next makeRange = (el, off1, off2)-> range = document.createRange() [node, offset] = grp el, off1, false if offset? and offset > 0 then range.setStart(node, offset) else range.setStartBefore node if off2? [node, offset] = grp el, off2, true if offset? then range.setEnd(node, offset) else range.setEndAfter node range grp = (node, charOffset, end)-> [child, offset] = ret = getRangePosition node.firstChild, charOffset, end if child then ret else if node.lastChild then nodeEnd node.lastChild else [node, if end then 1 else 0] getRangePosition = (node, charOffset, end)-> if !node then [null, charOffset] else if node.nodeType == 3 if node.length > (if end then charOffset - 1 else charOffset) then [node, charOffset] else ret = continueRangePosition node, charOffset - node.length, end ret else if node.nodeName == 'BR' if charOffset == (if end then 1 else 0) then [node] else continueRangePosition node, charOffset, end else if node.firstChild? [newNode, newOff] = getRangePosition node.firstChild, charOffset, end if newNode? then [newNode, newOff] else continueRangePosition node, newOff, end else continueRangePosition node, charOffset, end continueRangePosition = (node, charOffset, end)-> newOff = charOffset - (if (addsLine node) or (node.nextSibling? and (addsLine node.nextSibling)) then 1 else 0) if end and (newOff == 1 or charOffset == 1) then nodeEnd node else if node.nextSibling? then getRangePosition node.nextSibling, newOff, end else continueRangePosition node.parentNode, newOff, end nodeEnd = (node)-> [node, if node.nodeType == 3 then node.length else node.childNodes.length - 1] addsLine = (node)-> node?.nodeType == 1 and (node.nodeName == 'BR' or (getComputedStyle(node, null).display == 'block' and node.childNodes.length > 0)) req = (file, cont)-> if !(file.match /\.js$/) then file = "#{file}.js" name = file.substring(0, file.length - 3) s = document.createElement 'script' s.setAttribute 'src', file s.addEventListener 'load', -> # MARK TODO Leisure.processDefs global[name], global if cont then cont(rz L_false) document.head.appendChild s postLoadQueue = [] loaded = false queueAfterLoad = (func)-> if loaded then func() else postLoadQueue.push(func) ### # handle focus manually, because grabbing focus and blur events doesn't seem to work for the parent ### docFocus = null codeFocus = null findCurrentCodeHolder = -> focusBox window.getSelection()?.focusNode focusBox = (box)-> newCode = null while box and (box.nodeType != 1 or !isLeisureCode box) if box.nodeType == 1 and (box.getAttribute 'LeisureBox')? then newCode = box box = box.parentNode if box != docFocus docFocus?.classList.remove 'focused' docFocus = box box?.classList?.add 'focused' if newCode != codeFocus old = codeFocus codeFocus = newCode if old then acceptCode old owner = (box)-> while box and (box.nodeType != 1 or !isLeisureCode box) box = box.parentNode box hiddenPat = /(^|\n)#@hidden *(\n|$)/ evalBox = (box, envBox, cont)-> env = if envBox? then envFor(envBox) else null processLine getOrgText(box), env, (result)-> env?.cleanup?() (cont ? (x)->x) result getAst box if box.output && hasMonadOutput(box.output) && getOrgText(box).match hiddenPat then hideOutputSource box.output else if getOrgText(box).match hiddenPat then console.log "NO MONAD, BUT MATCHES HIDDEN" acceptCode = (box)-> if (box.getAttribute 'codemain')? evalBox box update 'compile' if owner(box).autorunState then runTests owner(box) errString = (err)-> err.stack evaluating = false evaluationQueue = [] evalNodes = (nodes)-> if evaluating then evaluationQueue.push nodes else chainEvalNodes nodes chainEvalNodes = (nodes)-> evaluating = true runAuto nodes, 0, -> if evaluationQueue.length then chainEvalNodes evaluationQueue.shift() else evaluating = false evalDoc = (el)-> [pgm, auto, x, autoNodes] = initNotebook(el) try if auto || autoNodes #console.log "\n\n@@@@ AUTO: #{auto}, AUTONODES: #{_(autoNodes ? []).map (el)->'\n' + el.innerHTML}\n\n" auto = "do\n #{(auto ? '#').trim().replace /\n/g, '\n '}\n delay\n finishLoading" global.noredefs = false Notebook.queueAfterLoad -> evalDocCode el, pgm if el.autorunState then runTests el evalNodes autoNodes #runAuto autoNodes, 0 #for node in autoNodes # console.log "evalOutput", node, node.output # evalOutput node.output e = envFor(el) e.write = -> e.err = (err)->alert('bubba ' + errString err) processLine auto, e, identity else evalDocCode el, pgm catch err showError err, "Error compiling #{pgm}" runAuto = (nodes, index, cont)-> if index < nodes.length console.log "RUNNING AUTO: #{index}" node = nodes[index] console.log "evalOutput", node, node.output evalOutput node.output, false, -> runAuto nodes, index + 1, cont else (cont ? ->)() processLine = (text, env, cont)-> if text try runMonad rz(L_newParseLine)(lz Nil)(lz text), env, (ast)-> try if getType(ast) == 'parseErr' env.write env.presentValue ast env.processResult? ast cont ast else result = eval "(#{gen ast})" env.write env.presentValue result if isMonad result #console.log "INTERMEDIATE RESULT" runMonad result, env, (result)-> #console.log "RESULT: #{result}" env.processResult result cont result else #console.log "DIRECT RESULT: #{result}" #env.write env.presentValue result env.processResult? result cont result catch err console.log "ERROR: #{err.stack}" env.write env.presentValue err.stack env.processResult? err.stack cont err.stack catch err console.log "ERROR: #{err.stack}" env.write env.presentValue err.stack env.processResult? err.stack cont err.stack else cont '' showError = (e, msg)-> console.log msg console.log e console.log e.stack alert(e.stack) evalDocCode = (el, pgm)-> runMonad rz(L_runFile)(lz pgm), defaultEnv, (result)-> for node in el.querySelectorAll '[codeMain]' getAst node define 'getDocument', makeSyncMonad (env, cont)-> cont peerGetDocument() # MARK TODO define 'getLink', -> # makeSyncMonad (env, cont)-> cont Prim.linkFor filename 0 define 'replaceDocument', (str)-> makeSyncMonad (env, cont)-> replaceContents rz str cont rz L_true define 'gdriveOpen', makeMonad (env, cont)-> GdriveStorage.runOpen (json)-> if json?.action == 'picked' and json.docs?.length > 0 GdriveStorage.loadFile json.docs[0].id, -> cont rz(_some)(lz json.docs[0].title) else cont rz _none define 'getFilename', makeSyncMonad (env, cont)-> cont filename?.pathName() ? '' define 'setURI', (uri)-> makeSyncMonad (env, cont)-> setFilename rz uri cont rz L_true define 'getURI', makeSyncMonad (env, cont)-> cont filename?.toString() ? '' define 'finishLoading', makeMonad (env, cont)-> loaded = true for i in postLoadQueue rz i postLoadQueue = [] cont rz L_false define 'markupButtons', makeSyncMonad (env, cont)-> if env.box then markupButtons env.box cont rz L_false define 'alert', (str)-> makeSyncMonad (env, cont)-> window.alert(rz str) cont rz L_false define 'bindEvent', (selector)->(eventName)->(func)-> makeSyncMonad (env, cont)-> node = env.box.querySelector rz selector if !node then node = document.body.querySelector rz selector console.log "ADDING EVENT: #{rz selector} #{rz eventName} NODE: #{node}" if node then node.addEventListener eventName(), (e)-> console.log "EVENT: #{rz selector} #{rz eventName} #{rz func}" runMonad rz(func)(lz e), envFor(e.target), -> cont rz L_false define 'quit', -> window.close() define 'config', (expr)-> makeSyncMonad (env, cont)-> switch rz expr when 'autoTest' then autoRun(env.owner, true) cont(rz L_false) define 'notebookSelection', (func)-> makeSyncMonad (env, cont)-> sel = window.getSelection() bx = getBox sel.focusNode if bx? and hasFunc bx, func # MARK CHECK # offset = (bx.ast.leisureCodeOffset ? 0) offset = 0 r = sel.getRangeAt(0) window.r = r r2 = document.createRange() r2.setStart bx, 0 r2.setEnd r.startContainer, r.startOffset p1 = getOrgText(r2.cloneContents()).length - offset if !r.collapsed then r2.setEnd r.endContainer, r.endOffset p2 = getOrgText(r2.cloneContents()).length - offset cont(rz(_some2)(lz p1)(lz p2)) else cont(rz _none) hasFunc = (bx, func)-> ast = getAst(bx) ast == func().ast || ast == func.ast define 'notebookAst', (func)-> makeSyncMonad (env, cont)-> # MARK CHECK if func.leisureName? # MARK CHECK node = document.querySelector "[LeisureFunc=#{func.leisureName}]" if node? ast = getAst node return cont(rz(_some)(lz ast)) cont(rz _none) autoRun = (el, state)-> el.autorunState = state el.autorun?.checked = state head = (l)->l lz (hh)->(tt)->rz hh tail = (l)->l lz (hh)->(tt)->rz tt id = (v)->rz v primconcatNodes = (nodes)-> if nodes == rz(_nil) then "" else (head nodes)(id) + concatNodes tail nodes #getSvgElement = (id)-> # if (el = document.getElementById id) then el # else # svg = createNode "<svg id='HIDDEN_SVG' xmlns='http://www.w3.org/2000/svg' version='1.1' style='top: -100000px; position: absolute'><text id='HIDDEN_TEXT'>bubba</text></svg>" # document.body.appendChild(svg) # document.getElementById id # #svgMeasureText = (text)->(style)->(f)-> # txt = getSvgElement('HIDDEN_TEXT') # if rz style then txt.setAttribute 'style', rz style # txt.lastChild.textContent = rz text # bx = txt.getBBox() # rz(f)(lz bx.width)(lz bx.height) # # #transformedPoint = (pt, x, y, ctm, ictm)-> # pt.x = x # pt.y = y # pt.matrixTransform(ctm).matrixTransform(ictm) # ## try to take strokeWidth into account #svgMeasure = (content)-> primSvgMeasure content, baseStrokeWidth # ## try to take strokeWidth into account #svgBetterMeasure = (content)-> primSvgMeasure content, transformStrokeWidth # ## try to take strokeWidth into account #primSvgMeasure = (content, transformFunc)->(f)-> # svg = createNode "<svg xmlns='http://www.w3.org/2000/svg' version='1.1' style='top: -100000'><g>#{content()}</g></svg>" # document.body.appendChild(svg) # g = svg.firstChild # bbox = g.getBBox() # pad = getMaxStrokeWidth g, g, svg, transformFunc # document.body.removeChild(svg) # rz(f)(lz bbox.x - Math.ceil(pad/2))(lz bbox.y - Math.ceil(pad/2))(lz bbox.width + pad)(lz bbox.height + pad) # #baseElements = ['path', 'rect', 'circle', 'ellipse', 'line', 'polyline', 'polygon'] # #getMaxStrokeWidth = (el, base, svg, transformFunc)-> # if base.nodeName in baseElements # #hack to parse strokeWidth string by setting the width of the svg to it # svg.setAttribute 'width', (getComputedStyle(base).strokeWidth ? '0'), svg # transformFunc el, svg.width.baseVal.value # else if base.nodeName == 'use' then getMaxStrokeWidth base, base.instanceRoot.correspondingElement, svg, transformFunc # else if base.nodeName == 'g' # foldLeft ((v, n)-> Math.max v, (getMaxStrokeWidth n, n, svg, transformFunc)), 0, el.childNodes # else 0 # #baseStrokeWidth = (el, w)-> w # #transformStrokeWidth = (el, w)-> # if w == 0 then 0 # else # ctm = el.getScreenCTM() # tp1 = transformedPoint pt, bx.x - Math.ceil(w), bx.y - Math.ceil(w), ctm, isctm # tp2 = transformedPoint pt, bx.x + bx.width + Math.ceil(w), bx.y + bx.height + Math.ceil(w), ctm, isctm # x = tp2.x - tp1.x # y = tp2.y - tp1.y # Math.sqrt(x * x + y * y) previousSibling = (node)-> while node?.parentNode && !node.previousSibling node = node.parentNode node?.previousSibling nextSibling = (node)-> while node?.parentNode && !node.nextSibling node = node.parentNode node?.nextSibling # # System pages # hideControlSection = -> controlSection = document.body.querySelector '[leisureSection="Leisure Controls"]' if !controlSection controlSection = document.createElement 'DIV' document.body.insertBefore controlSection, document.body.firstChild root.markupElement controlSection, """ # Leisure Controls ## File Save and Load ``` saveFile saveAs 'filename' saveAs pickFile loadFile emptyFile ``` """ unwrap controlSection controlSection.classList.add leisure_controls controlSection.classList.add hidden # # Notebook prims # define 'printValue', (value)-> makeMonad (env, cont)-> if rz(value) != rz(L_nil) then env.write("#{env.presentValue rz value}\n") cont L_false() # # Exports # # MARK CHECK defaultEnv.require = req root.initNotebook = initNotebook root.bindNotebook = bindNotebook root.bindAll = bindAll root.evalOutput = evalOutput root.makeTestCase = makeTestCase root.cleanOutput = cleanOutput root.clearOutputBox = clearOutputBox root.envFor = envFor root.queueAfterLoad = queueAfterLoad root.evalDoc = evalDoc root.getBox = getBox root.makeRange = makeRange root.grp = grp root.changeTheme = changeTheme root.setSnapper = setSnapper root.update = update root.clearUpdates = clearUpdates root.showAst = showAst root.toggleEdit = toggleEdit root.showSource = showSource root.bootNotebook = bootNotebook root.ENTER = ENTER root.cleanEmptyNodes = cleanEmptyNodes root.isLeisureCode = isLeisureCode root.getElementCode = getElementCode root.runTests = runTests root.previousSibling = previousSibling root.nextSibling = nextSibling root.presentLeisureCode = presentLeisureCode root.mergeLeisureCode = mergeLeisureCode root.highlightNotebookFunction = highlightNotebookFunction root.ESC = ESC root.HOME = HOME root.END = END root.PAGE_UP = PAGE_UP root.PAGE_DOWN = PAGE_DOWN root.LEFT_ARROW = LEFT_ARROW root.UP_ARROW = UP_ARROW root.RIGHT_ARROW = RIGHT_ARROW root.DOWN_ARROW = DOWN_ARROW root.arrows = arrows root.closeWindow = closeWindow root.markupButton = markupButton root.markupButtons = markupButtons root.getAst = getAst root.insertControls = insertControls root.setFilename = setFilename root.unwrap = unwrap root.remove = remove root.wrapRange = wrapRange root.replaceContents = replaceContents root.event = event
81977
### # WARNING # WARNING THIS IS OLD CODE AND WILL SOON DISAPPEAR # WARNING # # use an element as a Leisure notebook # Only runs in the context of a browser ### console.log "LOADING NOTEBOOK" { delay, } = root = module.exports = require '10-namespace' { resolve, lazy, } = require '15-base' rz = resolve lz = lazy { nameSub, getRefName, define, foldLeft, Nil, getType, getAnnoName, getAnnoData, getAnnoBody, Leisure_anno, } = root = module.exports = require '16-ast' { isMonad, runMonad, makeMonad, makeSyncMonad, identity, defaultEnv, basicCall, } = require '17-runtime' { gen, } = require '18-gen' { BS, ENTER, DEL, svgMeasure, svgMeasureText, createNode, textNode, } = require '21-browserSupport' { getOrgText, } = require '24-orgSupport' URI = window.URI Xus = window.Xus $ = window.$ _ = require 'lodash.min' if !global? then window.global = window #debug = true debug = false TAB = 9 ESC = 27 PAGE_UP = 33 PAGE_DOWN = 34 END = 35 HOME = 36 LEFT_ARROW = 37 UP_ARROW = 38 RIGHT_ARROW = 39 DOWN_ARROW = 40 arrows = [37..40] updatePat = /(^|\n)(#@update )([^\n]+)(?:^|\n)/ peer = null nextId = 0 filename = null event = (widget, args...)-> basicCall args, envFor(widget), identity defaultEnv.readFile = (fileName, cont)-> uri = new URI(document.location.href, fileName) console.log "\n\n@@@@READ FILE: #{uri}\n\n" $.get(String(uri)) .done((data)-> cont(null, data)) .fail((err)-> cont(err, null)) defaultEnv.writeFile = (fileName, data, cont)-> snapshot = (el, pgm)-> setSnapper = (snapFunc)-> snapshot = snapFunc getParseErr = getHtml = (x)-> x lz (value)-> rz value escapeHtml = (str)-> if typeof str == 'string' then str.replace /[<>]/g, (c)-> switch c when '<' then '&lt;' when '>' then '&gt;' else str presentValue = (v)-> if (getType v) == 'svgNode' content = v(-> id) _svgPresent()(-> content)(-> id) else if (getType v) == 'html' then getHtml v else if (getType v) == 'parseErr' then "PARSE ERROR: #{getParseErr v}" else escapeHtml String(v) bootNotebook = (el)-> if !(document.getElementById 'channelList')? document.body.appendChild createNode """ <datalist id='channelList'> <option value=''></option> <option value='app'>app</option> <option value='compile'>compile</option> <option value='editorFocus'>editorFocus</option> </datalist>""" createPeer() closeWindow = -> console.log "CLOSING WINDOW" window.open '', '_self', '' window.close() createPeer = -> root.xusServer = server = new Xus.Server() #root.xusServer.verbose = (str)-> console.log str server.exit = -> closeWindow() peer = root.peer = Xus.createDirectPeer server peer.server = server peer.listen 'leisure/selection/contents', true, (key, value)-> if key == '<KEY>' s = window.getSelection() if s.rangeCount && s.toString() != value r = s.getRangeAt 0 r.deleteContents() node = textNode value.toString() r.insertNode node s.removeAllRanges() r.selectNode node s.addRange(r) peer.set 'leisure/evalExpr', null, 'transient' peer.listen 'leisure/evalExpr', false, (key, value)-> if key == '<KEY>' && value? [expr, result] = value console.log "EVAL: #{expr}, RESULT: #{result}" env = xusEnv(result, expr) processLine expr, env, -> env.cleanup?() peer.set 'leisure/document', peerGetDocument peer.set 'leisure/functions', peerGetFunctions peer.set 'leisure/storage', [] if Boot.documentFragment params = {} for param in Boot.documentFragment.substring(1).split '&' [k, v] = param.split '=' params[k.toLowerCase()] = decodeURIComponent v if params.xusproxy? then Xus.xusToProxy(server, params.xusproxy) replaceContents = (uri, contents)-> #console.log new Error("Replacing contents...").stack if !contents contents = uri uri = null if uri then setFilename uri.toString() document.body.setAttribute 'doc', '' window.leisureAutoRunAll = true window.markup contents bindAll() bindAll = -> for node in document.querySelectorAll "[leisurenode='code']" node.setAttribute 'contentEditable', 'true' bindNotebook node changeTheme node, 'thin' evalDoc node showFilenames() xusEnv = (resultVar, expr)-> result = '' env = debug: debug finishedEvent: -> owner: null require: req write: (msg)-> result += "#{msg}\n" prompt:(msg, cont)-> result += "Attempt to prompt with #{msg}" processResult: (res, ast)-> result += res peer.set resultVar, JSON.stringify result presentValue: (x)-> x fileSettings: uri: new URI document.location.href err: (err)-> result += if err.leisureContext then "ERROR: #{err}:\n#{leisureContextString(err)}\n#{err.stack}" else "Couldn't parse: #{expr}" peer.set resultVar, result env.__proto__ = root.defaultEnv env peerGetDocument = -> nodes = document.querySelectorAll "[leisurenode='code']" if nodes.length > 1 || Notebook.md then getMDDocument() else getSimpleDocument() peerGetFunctions = -> (_.uniq window.leisureFuncNames.toArray().sort(), true).sort() getMDDocument = -> md = '' for node in document.querySelectorAll '[doc] [leisureNode]' md += if isLeisureCode node then "```\n#{getElementCode node}\n```\n" else node.md ? '' md makeId = (el)-> if !el.id then el.id = "Leisure-#{nextId++}" allowEvents = true init = false bindNotebook = (el)-> if !init init = true # MARK CHECK defaultEnv.presentValue = presentValue defaultEnv.write = (msg)->console.log msg defaultEnv.owner = document.body defaultEnv.finishedEvent = (evt, channel)->update(channel ? 'app', defaultEnv) defaultEnv.debug = debug if !el.bound? makeId el el.bound = true el.addEventListener 'DOMCharacterDataModified', ((evt)->if allowEvents && !el.replacing then delay(->checkMutateFromModification evt)), true el.addEventListener 'DOMSubtreeModified', ((evt)->if allowEvents && !el.replacing then delay(->checkMutateFromModification evt)), true el.addEventListener 'mousedown', ((e)-> if !isSlider e.srcElement then delay -> highlightPosition e), true el.addEventListener 'mousemove', ((e)-> if !isSlider e.srcElement then delay -> highlightPosition e), true el.addEventListener 'mouseup', ((e)-> if !isSlider e.srcElement then delay -> highlightPosition e), true el.addEventListener 'keydown', (e)-> #if allowEvents c = (e.charCode || e.keyCode || e.which) if c == DEL || c == BS s = window.getSelection() r = s.getRangeAt(0) if c == BS checkDeleteExpr getBox r.startContainer if skipLeftOverOutputBox el, r then return e.preventDefault() else if c == DEL checkDeleteExpr getBox r.startContainer if ignoreDeleteOutputBox el, r then return e.preventDefault() if printable c then clearAst getBox window.getSelection().focusNode if (c in arrows) or printable c then delay -> highlightPosition e if e.ctrlKey and c == ENTER then handleKey "C-ENTER" else if e.altKey and c == ENTER then handleKey "M-ENTER" else if c == TAB handleKey("TAB") e.preventDefault() el.addEventListener 'keypress', (e)-> #if allowEvents s = window.getSelection() r = s.getRangeAt(0) if (e.charCode || e.keyCode || e.which) == ENTER br = textNode('\n') r.insertNode(br) r = document.createRange() r.setStart(br, 1) s.removeAllRanges() s.addRange(r) e.preventDefault() else if r.startContainer.parentNode == el sp = codeSpan '\n', 'codeExpr' sp.setAttribute('generatedNL', '') bx = box s.getRangeAt(0), 'codeMainExpr', true bx.appendChild sp makeOutputBox bx r = document.createRange() r.setStart(sp, 0) s.removeAllRanges() s.addRange(r) el.addEventListener 'focus', (-> if allowEvents then findCurrentCodeHolder()), true el.addEventListener 'blur', (-> if allowEvents then findCurrentCodeHolder()), true if window.leisureAutoRunAll autoRun el, true window.setTimeout (->runTests el), 1 else el.autorunState = false checkDeleteExpr = (node)-> if isOutput node && node.output out = node.output window.setTimeout (-> if !getOrgText(node).trim() then node.parentNode.removeChild node if !node.parentNode? && out?.parentNode? then out.parentNode.removeChild out ), 1 skipLeftOverOutputBox = (el, r)-> el.normalize() box = previousBoxRangeInternal(r) || previousBoxRangeStart r if isOutput box s = window.getSelection() r.selectNode box r.collapse true s.removeAllRanges() s.addRange r true else false previousBoxRangeInternal = (r)-> r.startContainer.nodeType == 1 && r.startOffset > 0 && r.startContainer.childNodes[r.startOffset - 1] previousBoxRangeStart = (r)-> r.startContainer.nodeType == 3 && r.startOffset == 0 && previousSibling r.startContainer ignoreDeleteOutputBox = (el, r)-> el.normalize() if r.startContainer.nodeType == 3 && r.startOffset == r.startContainer.length n = r.startContainer n = n.parentNode while n && n.nextSibling == null isOutput n?.nextSibling else false isOutput = (el)-> el?.nodeType == 1 && el.hasAttribute 'LeisureOutput' isLeisureCode = (el)-> el?.nodeType == 1 && el.getAttribute('leisureNode') == 'code' peerNotifySelection = (el, str)-> #peer.set 'leisure/selection/id', (if el then el.id else null) #peer.set 'leisure/selection/contents', str printableControlCharacters = (c.charCodeAt(0) for c in "\r\i\n\b") printable = (code)-> (code > 0xf and code < 37) or code > 40 or code in printableControlCharacters nonprintable = null (-> s='' for i in [0..0xf] s += String.fromCharCode(i) s.replace /[\i\r\f]/g, '' nonprintable = new RegExp("[#{s}]"))() handleKey = (key)-> switch key when "C-ENTER", "TAB" box = getBox window.getSelection().focusNode if (box.getAttribute 'codeMainExpr')? then evalOutput box.output else if (box.getAttribute 'codeMain')? then acceptCode box when "M-ENTER" box = getBox window.getSelection().focusNode if (box.getAttribute 'codeMainExpr')? then clearOutputBox box.output clearAst = (box)-> cbox = getBox box cbox?.ast = null #[node, positions] oldBrackets = [null, Nil] cleanEmptyNodes = (el)-> if el.nodeType == 3 and el.parentNode? then cleanEmptyNodes el.parentNode else prev = el.previousSibling next = el.nextSibling if el.nodeType == 1 && getOrgText(el).trim() == '' && el.parentNode?.hasAttribute 'doc' el.parentNode.removeChild el if next == nextSibling prev then mergeLeisureCode prev, next presentLeisureCode = (node, doEval)-> node.setAttribute 'contentEditable', 'true' Notebook.bindNotebook node Notebook.changeTheme node, 'thin' if doEval then evalDoc node else initNotebook node mergeLeisureCode = (el1, el2)-> # TODO: this should just take one arg and merge an element with the one after it if el1 && el2 if el1.nodeType == 1 && el2.nodeType == 3 el1.appendChild el2 el1.normalize() else if el1.nodeType == 3 and el2.nodeType == 1 el2.insertBefore el1, el2.firstChild el2.normalize() else if el1.hasAttribute('leisureNode') && el1.getAttribute('leisureNode') == el2.getAttribute('leisureNode') newCode = textNode el1.md = if el1.getAttribute('leisureNode') == 'code' then "#{getElementCode(el1)}\n#{getElementCode el2}" else "#{el1.md}\n#{el2.md}" r = document.createRange() r.selectNodeContents el2 el1.appendChild textNode '\n' el1.appendChild r.extractContents() el2.parentNode.removeChild el2 highlightPosition = (e)-> parent = null s = window.getSelection() if s.rangeCount if cleanEmptyNodes s.getRangeAt(0).startContainer then return focusBox s.focusNode parent = getBox s.focusNode if s.getRangeAt(0)?.collapsed if !parent or isOutput parent then return if parent.parentNode and ast = getAst parent r = s.getRangeAt(0) r.setStart parent, 0 pos = getRangeText(r).length changed = false if false brackets = Leisure.bracket ast.leisureBase, pos if oldBrackets[0] != parent or !oldBrackets[1].equals(brackets) oldBrackets = [parent, brackets] for node in document.querySelectorAll "[LeisureBrackets]" unwrap node for node in parent.querySelectorAll ".partialApply" unwrap node parent.normalize() markPartialApplies parent b = brackets ranges = [] while b != Nil ranges.push (makeRange parent, b.head().head(), b.head().tail().head()) b = b.tail() for r, i in ranges span = document.createElement 'span' span.setAttribute 'LeisureBrackets', '' span.setAttribute 'class', if i == 0 then 'LeisureFunc' else 'LeisureArg' wrapRange r, span changed = true if e instanceof KeyboardEvent if hideSlider() then pos += 1 else if e instanceof MouseEvent and e.type == 'mousedown' and (e.target == parent or parent.contains e.target) and showSliderButton parent, pos, e changed = true pos += 1 if changed window.EVT = e s.removeAllRanges() s.addRange(makeRange parent, pos) # MARK TODO #if parent?.ast?.leisureName? then update "sel-#{parent.ast.leisureName}" peerNotifySelection parent, s.toString() numberEnd = /(?:^|.*[^0-9.])([0-9]+\.?[0-9]*|\.[0-9]*)$/ numberStart = /^([0-9]+\.[0-9]+|[0-9]+|\.[0-9]+)/ slider = [] showSliderButton = (parent, pos, e)-> if slider.length hideSlider() false else text = getOrgText parent oldPos = pos changed = 0 if m = text.substring(0, pos).match(numberEnd) then pos -= m[1].length if m = text.substring(pos).match(numberStart) len = m[1].length if oldPos <= pos + len [sParent, sPos, sValue] = slider if parent != sParent || pos != sPos || m[1] != sValue hideSlider() r = makeRange parent, pos, pos + m[1].length span = createNode "<span class='leisureRangeNumber ui-widget-content'></span>" wrapRange r, span changed = 1 span.normalize() slider = [parent, pos, m[1], span] createSlider() changed else hideSlider() isSlider = (el)-> while el != document if el.hasAttribute 'slider' then return true el = el.parentNode false createSlider = -> [parent, pos, value, span, div] = slider if div then return inside = false sliding = false d = createNode "<div style='z-index: 1; position: absolute; width: 200px; background: white; border: solid green 1px' slider contentEditable='false'></div>" slider.push d d.style.top = "#{span.offsetTop + span.offsetHeight + 5}px" d.style.minTop = '0px' d.style.left = "#{Math.max(0, (span.offsetLeft + span.offsetWidth)/2 - 100)}px" d.addEventListener 'mouseover', (e)-> if !inside then inside = true d.addEventListener 'mouseout', (e)-> if e.toElement != d && !d.contains e.toElement inside = false if !sliding then hideSlider() value = Number value min = if value < 0 then value * 2 else value / 2 max = if value == 0 then 10 else value * 2 sl = $(d).slider animate: 'fast' start: -> sliding = true delay -> allowEvents = false stop: (event, ui)-> setMinMax sl allowEvents = true sliding = false if !inside then hideSlider() slide: (event, ui)-> if span.firstChild then span.firstChild.nodeValue = String(ui.value) if isDef parent parent.ast = null acceptCode parent ast = getAst parent # MARK CHECK if parent.ast?.leisureName update "sel-#{parent.ast.leisureName}" else makeId parent if !parent.getAttribute parent.output, 'leisureUpdate' setUpdate parent.output, "id-#{parent.id} compile", true update "id-#{parent.id}" update "compile" value: value setMinMax sl, value parent.insertBefore d, parent.firstChild d.focus() psgn = (x)-> if x < 0 then -1 else 1 setMinMax = (sl, value)-> value = value || sl.slider("value") min = 0 max = if 1 <= Math.abs(value) < 50 or value == 0 then 100 * psgn(value) else value * 2 if Math.round(value) == value step = Math.round((max - min) / 100) step = step - step % (max - min) else step = (max - min) / 100 sl.slider "option", "min", min sl.slider "option", "max", max sl.slider "option", "step", step hideSlider = -> if slider.length [parent, sPos, sValue, span, div] = slider unwrap span if div then remove div parent.normalize() slider = [] 2 else 0 wrapRange = (range, node)-> try range.surroundContents node catch err contents = range.cloneContents() replaceRange range, node node.appendChild contents replaceRange = (range, node)-> range.deleteContents() range.insertNode node getRangeText = (r)-> getOrgText r.cloneContents() getBox = (node)-> while node? and !(node.getAttribute?('LeisureBox'))? node = node.parentElement node checkMutateFromModification = (evt)-> b = getBox evt.target b2 = getBox window.getSelection().focusNode if b and b == b2 if (isDef b) and b.classList.contains('codeMainExpr') then toDefBox b else if !(isDef b) and b.classList.contains('codeMain') then toExprBox b replicate b replicate = (b)-> if b.replicator then delay -> b.replicator.replicate b buttonClasses = 'ui-button ui-widget ui-state-default ui-corner-all ui-button-text-only'.split ' ' boxClasses = codeMainExpr: ['codeMainExpr', 'ui-widget', 'ui-widget-content', 'ui-corner-all'] codeMain: ['codeMain', 'ui-widget', 'ui-widget-content', 'ui-corner-all'] codeMainTest: ['codeMainTest'] #output: ['output', 'ui-widget', 'ui-widget-content', 'ui-corner-all'] output: ['output', 'ui-corner-all'] addBoxClasses = (box, type)-> box.setAttribute type, '' box.classList.add cl for cl in boxClasses[type] removeBoxClasses = (box, type)-> box.removeAttribute type box.classList.remove cl for cl in boxClasses[type] toExprBox = (b)-> removeBoxClasses b, 'codeMain' addBoxClasses b, 'codeMainExpr' for node in b.querySelectorAll '[codename]' unwrap node for node in b.querySelectorAll '.astbutton' remove node makeOutputBox b toDefBox = (b)-> if b.output then remove b.output removeBoxClasses b, 'codeMainExpr' addBoxClasses b, 'codeMain' addDefControls b addDefControls = (box)-> btn = createNode "<button onclick='Notebook.showAst(this.parentNode)' class='astbutton' title='Show AST'></button>" markupButton btn box.appendChild btn remove = (node)->node.parentNode?.removeChild node showAst = (box)-> # MARK CHECK name = (getAst box).leisureName if box.astOut? remove box.astOut.output remove box.astOut box.astOut = null else if name? node = codeBox 'codeMainExpr' box.astOut = node node.setAttribute 'leisureOutput', '' box.parentNode.insertBefore node, box.nextSibling node.textContent = "#@update sel-#{name}\ntreeForNotebook #{name}" output = makeOutputBox node toggleEdit output evalOutput output, true highlightNotebookFunction = (funcName, start, stop)-> box = document.body.querySelector "[leisurefunc=#{funcName}]" # MARK CHECK # offset = getAst(box).leisureCodeOffset ? 0 offset = 0 sel = window.getSelection() sel.removeAllRanges() sel.addRange makeRange box, start + offset, stop + offset isDef = (box)-> txt = getOrgText box # MARK CHECK #if (m = txt.match Leisure.linePat) if (m = txt.match L_defPat()) [matched, leading, name, defType] = m return defType?.length > 0 false initNotebook = (el)-> el.replacing = true removeOldDefs el pgm = markupDefs el, findDefs el el.normalize() el.replacing = false if !el.hasAttribute('noLeisureBar') insertControls(el) el.testResults.innerHTML = pgm[2] snapshot(el, pgm) pgm makeLabel = (text, c)-> node = document.createElement 'SPAN' node.innerHTML = text node.setAttribute 'class', c node makeOption = (name)-> opt = document.createElement 'OPTION' opt.text = name opt createFragment = (txt)-> scratch = document.createElement 'DIV' scratch.innerHTML = txt frag = document.createDocumentFragment() while scratch.firstChild frag.appendChild scratch.firstChild frag insertControls = (el)-> controlDiv = createNode """ <div LeisureOutput contentEditable='false' class='leisure_bar'><div class="leisure_bar_contents"> <button leisureId='saveButton' class="leisure_start">Save</button> <button leisureId='testButton'>Run Tests</button> <span leisureId='testResults' class="notrun"></span> <input type='checkbox' leisureId='autorunTests'><b>Auto</b></input> <span class="leisure_theme">Theme: </span> <select leisureId='themeSelect'> <option value=thin>Thin</option> <option value=gaudy>Gaudy</option> <option value=cthulhu>Cthulhu</option> </select> <span>View: </span> <select leisureId='viewSelect'> <option value=coding>Coding</option> <option value=debugging>Debugging</option> <option value=testing>Testing</option> <option value=running>Running</option> </select> </div> """ spacer = createNode "<div LeisureOutput contentEditable='false' class='leisure_space'></div>" el.insertBefore spacer, el.firstChild el.insertBefore controlDiv, el.firstChild [el.leisureDownloadLink, el.leisureViewLink, saveButton, testButton, el.testResults, el.autorun, themeSelect, viewSelect] = getElements el, ['downloadLink', 'viewLink', 'saveButton', 'testButton', 'testResults', 'autorunTests', 'themeSelect', 'viewSelect'] controlDiv.addEventListener 'click', (evt)-> if document.body.classList.contains 'hideControls' document.body.classList.remove 'hideControls' else document.body.classList.add 'hideControls' saveButton.addEventListener 'click', (evt)-> saveProgram el testButton.addEventListener 'click', -> runTests el themeSelect.value = el.leisureTheme ? 'thin' themeSelect.addEventListener 'change', (evt)-> changeTheme el, evt.target.value viewSelect.addEventListener 'change', (evt)-> changeView el, evt.target.value el.autorun.checked = el.autorunState el.autorun.addEventListener 'change', (evt)-> el.autorunState = el.autorun.checked if el.autorunState then runTests el #configureSaveLink(el) markupButtons controlDiv # MARK TODO saveProgram = -> write filename, getMDDocument(), (-> alert "Saving #{filename}"), (err)-> console.log err alert err.stack throw err showFilename = (el)-> if el && filename el.innerHTML = "Save: #{filename.pathName()}" el.title = filename.toString() showFilenames = -> for node in document.body.querySelectorAll '[leisureId=saveButton]' showFilename node setFilename = (newName)-> console.log "SET FILENAME: #{newName}" filename = if newName instanceof URI then newName else new URI(document.location.href, newName) showFilenames() markupButtons = (el)-> markupButton btn for btn in el.querySelectorAll 'button' markupButton = (btn)-> btn.classList.add cl for cl in buttonClasses getElements = (el, ids)-> els = {} for node in el.querySelectorAll '[leisureId]' els[node.getAttribute 'leisureId'] = node els[id] for id in ids escapeHtml = (str)-> if typeof str == 'string' then str.replace /[<>]/g, (c)-> switch c when '<' then '&lt;' when '>' then '&gt;' else str loadProgram = (el, files)-> el = getBox fr = new FileReader() fr.onloadend = (evt)-> el.innerHTML = escapeHtml(fr.result) initNotebook el fr.readAsBinaryString(files.item(0)) configureSaveLink = (el)-> window.URL = window.URL || window.webkitURL builder = new WebKitBlobBuilder() builder.append getElementCode el blob = builder.getBlob('text/plain') el.leisureDownloadLink.href = window.URL.createObjectURL(blob) el.leisureViewLink.href = window.URL.createObjectURL(blob) getElementCode = (el)-> r = document.createRange() r.selectNode(el) c = r.cloneContents().firstChild removeOldDefs c getOrgText c runTests = (el)-> passed = 0 failed = 0 for test in el.querySelectorAll '.codeMainTest' if runTest test then passed++ else failed++ if el.testResults resultsClass = el.testResults.classList resultsClass.remove 'notrun' if !failed resultsClass.remove 'failed' resultsClass.add 'passed' el.testResults.innerHTML = passed else resultsClass.remove 'passed' resultsClass.add 'failed' el.testResults.innerHTML = "#{passed}/#{failed}" changeTheme = (el, value)-> theme = value el.leisureTheme = theme el.className = theme changeView = (el, value)-> debug = value == 'debugging' alert 'new view: ' + value + ", debug: " + debug unwrap = (node)-> parent = node.parentNode if parent while node.firstChild? parent.insertBefore node.firstChild, node parent.removeChild node removeOldDefs = (el)-> el.leisureDownloadLink = null el.leisureViewLink = null extracted = [] for node in el.querySelectorAll "[LeisureOutput]" remove node for node in el.querySelectorAll "[generatednl]" txt = node.lastChild if txt.nodeType == 3 and txt.data[txt.data.length - 1] == '\n' txt.data = txt.data.substring(0, txt.data.length - 1) for node in el.querySelectorAll "[Leisure]" if addsLine(node) and node.firstChild? then extracted.push(node.firstChild) unwrap node for node in extracted if node.parentNode? and !addsLine(node) and node.previousSibling? and !addsLine(node.previousSibling) then node.parentNode.insertBefore text('\n'), node el.textContent = getOrgText(el).replace /\uFEFF/g, '' txt = el.lastChild if txt?.nodeType == 3 and (m = txt.data.match /(^|[^\n])(\n+)$/) txt.data = txt.data.substring(0, txt.data.length - m[2].length) markupDefs = (el, defs)-> pgm = '' auto = '' totalTests = 0 notebookAutoNodes = [] for i in defs {main, name, def, body, tests} = i if name bx = box main, 'codeMain', true bx.appendChild (codeSpan name, 'codeName') bx.appendChild (textNode def) bod = codeSpan textNode(body), 'codeBody' bod.appendChild textNode('\n') bod.setAttribute('generatedNL', '') bx.appendChild bod bx.addEventListener 'blur', (-> evalDoc el), true markPartialApplies bx addDefControls bx pgm += "#{name} #{def} #{body}\n" else if main? bx = box main, 'codeMainExpr', true s = codeSpan textNode(body), 'codeExpr' s.setAttribute('generatedNL', '') s.appendChild textNode('\n') bx.appendChild s markPartialApplies bx if main.leisureAuto?.mode == 'silent' then auto += "#{body}\n" else if main.leisureAuto?.mode == 'notebook' then notebookAutoNodes.push bx makeOutputBox(bx) for test in tests replaceRange test, makeTestBox test.leisureTest totalTests++ [pgm, auto, totalTests, notebookAutoNodes] getDefName = (ast)-> if ast instanceof Leisure_anno && getAnnoName(ast) == 'definition' then getAnnoData(ast) else null getAst = (bx, def)-> if bx.ast? patchFuncAst bx.ast # MARK CHECK bx.setAttribute 'leisureFunc', (bx.ast.leisureName ? '') bx.ast else def = def || getOrgText(bx) # MARK CHECK # setAst bx, (Leisure.compileNext def, Parse.Nil, true, null)[0] defName = getDefName runMonad rz(L_newParseLine)(lz Nil)(lz def) setAst bx, (if defName then {leisureName: defName, leisureSource: def} else {}) bx.ast setAst = (bx, ast)-> bx.ast = ast patchFuncAst ast patchFuncAst = (ast)-> if ast?.leisureName? parent = window[nameSub(ast.leisureName)] if parent? parent.ast = ast parent.src = ast.leisureSource update "ast-#{ast.leisureName}" # mark partial applies within bx # the last child of bx should be a fresh expr span with the full code in it markPartialApplies = (bx, def)-> # MARK TODO # # bx.normalize() # def = def ? bx.textContent # ast = getAst bx, def # partial = [] # # MARK # ((Leisure.findFuncs(ast)) Nil).each (f)-> # name = getRefName(f.head()) # arity = global[nameSub(name)]?()?.leisureArity # if (arity and f.tail().head() < arity) # partial.push [f.head(), arity, f.tail().head()] # if partial.length # ranges = [] # # MARK # offset = ast.leisureCodeOffset ? 0 # t = bx.lastChild.firstChild # for info in partial # p = info[0] # r = document.createRange() # r.setStart t, p.leisureStart + offset # r.setEnd t, p.leisureEnd + offset # r.expected = info[1] # r.actual = info[2] # ranges.push r # for r in ranges # c = r.extractContents() # s = document.createElement 'span' # s.setAttribute 'Leisure', '' # s.setAttribute 'expected', String(r.expected) # s.setAttribute 'actual', String(r.actual) # s.classList.add 'partialApply' # s.appendChild c # r.insertNode s nodeFor = (text)-> if typeof text == 'string' then textNode(text) else text evalOutput = (exBox, nofocus, cont)-> exBox = getBox exBox if !nofocus then focusBox exBox cleanOutput exBox, true selector = findUpdateSelector exBox.source if selector then exBox.setAttribute 'leisureUpdate', selector makeOutputControls exBox [updateSelector, stopUpdates] = getElements exBox.firstChild, ['chooseUpdate', 'stopUpdates'] updateSelector.addEventListener 'change', (evt)-> setUpdate exBox, evt.target.value, true updateSelector.addEventListener 'keydown', (e)-> c = (e.charCode || e.keyCode || e.which) if c == ENTER e.preventDefault() updateSelector.blur() updateSelector.value = (exBox.getAttribute 'leisureUpdate') or '' exBox.updateSelector = updateSelector evalBox exBox.source, exBox, cont findUpdateSelector = (box)-> # MARK CHECK #if def = box.textContent.match Leisure.linePat if def = getOrgText(box).match rz(L_defPat) [matched, leading, name, defType] = def if u = leading.match updatePat then u[3] getExprSource = (box)-> s = window.getSelection() b = getBox s.focusNode if b != box or !s.rangeCount or s.getRangeAt(0).collapsed then getOrgText box else getRangeText s.getRangeAt(0) setUpdate = (el, channel, preserveSource)-> el.setAttribute 'leisureUpdate', channel if channel then el.classList.add 'ui-state-highlight' else el.classList.remove 'ui-state-highlight' ast = getAst el.source txt = getOrgText el.source # MARK CHECK #if !preserveSource and def = txt.match Leisure.linePat if !preserveSource and def = txt.match rz(L_defPat) [matched, leading, name, defType] = def index = def.index if u = leading.match updatePat index += u.index + u[1].length + u[2].length r = makeRange el.source, index, index + u[3].length r.deleteContents() else r = makeRange el.source, index + leading.length, index + leading.length r.insertNode textNode(channel) el.source.normalize() hasMonadOutput = (box)-> box.firstElementChild?.nextElementSibling?.nextElementSibling? #hasMonadOutput = (box)-> $(box).find('.outputDiv').length checkHideSource = (box)-> if !box.hideOutputSource and hasMonadOutput box box.hideOutputSource = true hs = createNode "<button class='editToggle' style='float:right'></button>" markupButton hs hs.addEventListener 'click', -> toggleEdit(hs) box.firstElementChild.appendChild hs makeOutputControls = (exBox)-> if exBox.firstChild.firstChild == exBox.firstChild.lastChild exBox.firstChild.insertBefore createFragment(""" <button onclick='Notebook.clearOutputBox(this)'>X</button> """), exBox.firstChild.firstChild exBox.firstChild.appendChild createFragment """ <button onclick='Notebook.makeTestCase(this)' leisureId='makeTestCase'>Make test case</button><b>Update: </b><input type='text' placeholder='Click for updating' list='channelList' leisureId='chooseUpdate'></input><button onclick='Notebook.clearUpdates(this)' leisureId='stopUpdates'>Stop Updates</button> """ markupButtons exBox exBox.classList.add 'fatControls' showOutputSource = (output)-> output.classList.remove 'hidingSource' output.source.style.display = '' hideOutputSource = (output)-> console.log "HIDE: #{output}" output.classList.add 'hidingSource' output.source.style.display = 'none' toggleEdit = (toggleButton)-> output = getBox toggleButton if output.classList.contains 'hidingSource' then showOutputSource output else hideOutputSource output clearUpdates = (widget, preserveSource)-> exBox = getBox widget exBox.updateSelector.value = '' setUpdate exBox, '', preserveSource update = (type, env)-> # MARK DONE env = env ? defaultEnv for node in env.owner.querySelectorAll "[leisureUpdate~='#{type}']" evalOutput node, true clearOutputBox = (exBox)-> clearUpdates exBox, true cleanOutput(exBox) cleanOutput = (exBox, preserveControls)-> exBox = getBox exBox exBox.classList.remove 'fatControls' if !preserveControls exBox.hideOutputSource = null fc = exBox.firstChild fc.removeChild fc.firstChild while fc.firstChild != fc.lastChild fc.removeChild fc.lastChild while exBox.firstChild != exBox.lastChild exBox.removeChild exBox.lastChild makeTestCase = (exBox)-> output = getBox exBox source = output.source test = expr: getOrgText(source).trim() expected: escapeHtml(Parse.print(output.result)) box = makeTestBox test, owner(exBox) source.parentNode.insertBefore box, source remove source remove output # semi-fix to allow you to position the caret properly before and after a test case box.parentNode.insertBefore textNode('\uFEFF'), box box.parentNode.insertBefore textNode('\uFEFF'), box.nextSibling if owner(box).autorunState then clickTest(box) makeTestBox = (test, owner, src)-> src = src ? "#@test #{JSON.stringify test.expr}\n#@expected #{JSON.stringify test.expected}" s = codeSpan src, 'codeTest' s.appendChild textNode('\n') s.setAttribute('generatedNL', '') bx = codeBox 'codeMainTest' bx.testSrc = s bx.setAttribute 'class', 'codeMainTest notrun' bx.setAttribute 'contenteditable', 'false' bx.appendChild s bx.addEventListener 'click', (-> clickTest bx), true bx.test = test bx clickTest = (bx)-> if bx.classList.contains 'notrun' then runTest bx else r = document.createRange() r.setStartBefore bx r.setEndAfter bx r.deleteContents() sp = codeSpan bx.test.expr, 'codeExpr' sp.setAttribute('generatedNL', '') exprBox = box r, 'codeMainExpr', true exprBox.appendChild sp makeOutputBox exprBox runTest = (bx)-> test = bx.test passed = true processLine prepExpr(test.expr), ( values: {} require: req write: (str)-> console.log str debug: debug prompt: (msg, cont)-> cont(null) # MARK CHECK # processResult: (result, ast)-> passed = showResult bx, escapeHtml(Parse.print(result)), escapeHtml(test.expected) processResult: (result, ast)-> passed = showResult bx, escapeHtml(String(result)), escapeHtml(test.expected) err: -> passed = false presentValue: (x)-> x ), identity passed showResult = (bx, actual, expected)-> cl = bx.classList cl.remove 'notrun' if actual == expected cl.remove 'failed' cl.add 'passed' bx.testSrc.innerHTML = "#@test #{JSON.stringify bx.test.expr}\n#@expected #{JSON.stringify bx.test.expected}" else cl.remove 'passed' cl.add 'failed' bx.testSrc.innerHTML = "#@test #{JSON.stringify bx.test.expr}\n#@expected #{JSON.stringify bx.test.expected}\n#@result #{JSON.stringify actual}" console.log "expected <#{expected}> but got <#{actual}>" actual == expected # MARK CHECK -- used to precede exprs with = # prepExpr = (txt)-> if txt[0] in '=!' then txt else "=#{txt}" prepExpr = (txt)-> txt envFor = (box)-> exBox = getBox box widget = null # MARK CHECK # env = Prim.initFileSettings env = fileSettings: {} debug: debug finishedEvent: (evt, channel)->update(channel ? 'app', this) owner: owner(box) box: box require: req write: (msg)-> div = document.createElement 'div' div.classList.add 'outputDiv' div.innerHTML = "#{msg}\n" exBox.appendChild(div) checkHideSource exBox markupButtons exBox getWidget: -> if !widget widget = document.createElement "DIV" exBox.appendChild widget widget destroyWidget: -> if widget then remove widget prompt:(msg, cont)-> cont(window.prompt(msg)) processResult: (result, ast)-> box.result = result setAst box, ast presentValue: presentValue err: (err)-> btn = box.querySelector '[leisureId="makeTestCase"]' if btn then remove btn @write "<div class='errorDiv'>" + escapeHtml("ERROR: #{if err.leisureContext then "#{err}:\n#{leisureContextString(err)}\n" else ''}#{err.stack ? err}") + "</div>" cleanup: -> @destroyWidget() if root.lastEnv == env then root.lastEnv = null # MARK DONE env.__proto__ = defaultEnv env.fileSettings.uri = new URI document.location.href root.lastEnv = env env leisureContextString = (err)-> (linkSource func, offset for [func, offset] in err.leisureContext.toArray()).join('\n') # MARK TODO linkSource = (funcName, offset)-> # [src, start, end] = Leisure.funcContextSource funcName, offset # " <a href='javascript:void(Notebook.showSource(\"#{funcName}\", #{offset}))'>#{funcName}:#{start},#{end}</a>" # MARK TODO showSource = (funcName, offset)-> # [src, start, end] = Leisure.funcContextSource funcName, offset # alert("#{funcName} = #{src.substring(0, start)} << #{src.substring(start, end)} >> #{src.substring(end)}") makeOutputBox = (source)-> node = document.createElement 'div' node.setAttribute 'LeisureOutput', '' node.setAttribute 'Leisure', '' node.setAttribute 'LeisureBox', '' node.classList.add cl for cl in boxClasses.output node.setAttribute 'contentEditable', 'false' node.source = source source.output = node node.innerHTML = "<div class='controls'><button onclick='Notebook.evalOutput(this)'>-&gt;</button></div>" markupButtons node source.parentNode.insertBefore node, source.nextSibling node codeSpan = (text, boxType)-> node = document.createElement 'span' node.setAttribute boxType, '' node.setAttribute 'Leisure', '' node.setAttribute 'class', boxType if text then node.appendChild nodeFor(text) node codeBox = (boxType)-> node = document.createElement 'div' addBoxClasses node, boxType node.setAttribute 'LeisureBox', '' node.setAttribute 'Leisure', '' node.addEventListener 'compositionstart', (e)-> checkMutateFromModification e node box = (range, boxType, empty)-> node = codeBox boxType if empty then range.deleteContents() else node.appendChild(range.extractContents()) range.insertNode(node) node linePat = new RegExp "(#{rz(L_linePat).source})" #findDefs = (el)-> # console.log "\n\n@@@@@ FINDING DEFS" # txt = el.textContent # exprs = txt.split linePat # offset = 0 # ranges = [] # for i in [0..exprs.length] by 2 # start = offset # offset += exprs[i].length # console.log "\n\n@@@@@ RANGE: #{start}, #{offset}" # range = makeRange el, start, offset # ranges.push range # #span = createNode "<span class='ui-widget-content'></span>" # #wrapRange range, span # if i + 1 < exprs.length then offset += exprs[i + 1].length # ranges findDefs = (el)-> txt = getOrgText el #console.log "LINE EXP: #{linePat.source}" #console.log "LINES: [#{txt.split(linePat).join ']\n['}]" rest = txt ranges = [] # MARK TODO Leisure.linePat #while (def = rest.match Leisure.linePat) and def[1].length != rest.length #console.log "FIND DEFS IN #{txt}" while (def = rest.match rz(L_unanchoredDefPat)) and def[1].length != rest.length #console.log "def: #{def}" rng = getRanges(el, txt, rest, def, txt.length - rest.length) if rng rest = rng.next if rng then ranges.push(rng) else break else break ranges testPat = /(#@test([^\n]*)\n#@expected([^\n]*))\n/m getRanges = (el, txt, rest, def, restOff)-> [matched, leading, nameRaw, defType] = m = def if !rest.trim() then null else if !m? then [(makeRange el, restOff, txt.length), null, null, [], ''] else tests = [] matchStart = restOff + m.index if !defType? then name = null else if nameRaw[0] == ' ' name = null defType = null else name = (nameRaw.trim() || null) rest1 = rest.substring (if defType then matched else leading).length endPat = rest1.match /\n+[^\s]|\n?$/ next = if endPat then rest1.substring(endPat.index) else rest1 mainEnd = txt.length - next.length t = leading leadOff = tOff = restOff while m2 = t.match testPat r = makeRange(el, tOff + m2.index, tOff + m2.index + m2[1].length) r.leisureTest = expr: JSON.parse(m2[2]), expected: JSON.parse(m2[3]) tests.push r tOff += m2.index + m2[1].length t = leading.substring tOff - leadOff if name mainStart = matchStart + (leading?.length ? 0) nameEnd = mainStart + name.length leadingSpaces = (rest1.match /^\s*/)[0].length bodyStart = txt.length - (rest1.length - leadingSpaces) outerRange = makeRange el, mainStart, mainEnd main: outerRange name: txt.substring(mainStart, nameEnd) def: defType body: txt.substring(bodyStart, mainEnd) tests: tests next: next else mainStart = if defType == '=' then restOff + m.index + m[0].length else matchStart + (leading?.length ? 0) ex = txt.substring(mainStart, mainEnd).match /^(.*[^ \n])[ \n]*$/ exEnd = if ex then mainStart + ex[1].length else mainEnd body = txt.substring mainStart, exEnd if body.trim() textStart = restOff + m.index + (if t then leading.length - t.length else 0) if t? and (lm = t.match /^[ \n]+/) then textStart += lm[0].length #console.log "CHECKING AUTO..." if m = t.match /(?:^|\n)#@auto( +[^\n]*)?(\n|$)/ outerRange = makeRange el, textStart, exEnd outerRange.leisureAuto = JSON.parse "{#{m[1] ? ''}}" if outerRange.leisureAuto.mode == 'notebook' outerRange.leisureNode = el outerRange.leisureStart = textStart #console.log "Auto expr: #{txt.substring(textStart, exEnd)}, attrs: #{m[1]}" main: outerRange name: null def: null body: txt.substring(textStart, exEnd) tests: tests fullText: txt.substring(textStart, exEnd) next: next else outerRange = makeRange el, textStart, exEnd main: outerRange name: null def: null body: txt.substring(textStart, exEnd) tests: tests next: next else main: null name: null def: null body: null tests: tests next: next makeRange = (el, off1, off2)-> range = document.createRange() [node, offset] = grp el, off1, false if offset? and offset > 0 then range.setStart(node, offset) else range.setStartBefore node if off2? [node, offset] = grp el, off2, true if offset? then range.setEnd(node, offset) else range.setEndAfter node range grp = (node, charOffset, end)-> [child, offset] = ret = getRangePosition node.firstChild, charOffset, end if child then ret else if node.lastChild then nodeEnd node.lastChild else [node, if end then 1 else 0] getRangePosition = (node, charOffset, end)-> if !node then [null, charOffset] else if node.nodeType == 3 if node.length > (if end then charOffset - 1 else charOffset) then [node, charOffset] else ret = continueRangePosition node, charOffset - node.length, end ret else if node.nodeName == 'BR' if charOffset == (if end then 1 else 0) then [node] else continueRangePosition node, charOffset, end else if node.firstChild? [newNode, newOff] = getRangePosition node.firstChild, charOffset, end if newNode? then [newNode, newOff] else continueRangePosition node, newOff, end else continueRangePosition node, charOffset, end continueRangePosition = (node, charOffset, end)-> newOff = charOffset - (if (addsLine node) or (node.nextSibling? and (addsLine node.nextSibling)) then 1 else 0) if end and (newOff == 1 or charOffset == 1) then nodeEnd node else if node.nextSibling? then getRangePosition node.nextSibling, newOff, end else continueRangePosition node.parentNode, newOff, end nodeEnd = (node)-> [node, if node.nodeType == 3 then node.length else node.childNodes.length - 1] addsLine = (node)-> node?.nodeType == 1 and (node.nodeName == 'BR' or (getComputedStyle(node, null).display == 'block' and node.childNodes.length > 0)) req = (file, cont)-> if !(file.match /\.js$/) then file = "#{file}.js" name = file.substring(0, file.length - 3) s = document.createElement 'script' s.setAttribute 'src', file s.addEventListener 'load', -> # MARK TODO Leisure.processDefs global[name], global if cont then cont(rz L_false) document.head.appendChild s postLoadQueue = [] loaded = false queueAfterLoad = (func)-> if loaded then func() else postLoadQueue.push(func) ### # handle focus manually, because grabbing focus and blur events doesn't seem to work for the parent ### docFocus = null codeFocus = null findCurrentCodeHolder = -> focusBox window.getSelection()?.focusNode focusBox = (box)-> newCode = null while box and (box.nodeType != 1 or !isLeisureCode box) if box.nodeType == 1 and (box.getAttribute 'LeisureBox')? then newCode = box box = box.parentNode if box != docFocus docFocus?.classList.remove 'focused' docFocus = box box?.classList?.add 'focused' if newCode != codeFocus old = codeFocus codeFocus = newCode if old then acceptCode old owner = (box)-> while box and (box.nodeType != 1 or !isLeisureCode box) box = box.parentNode box hiddenPat = /(^|\n)#@hidden *(\n|$)/ evalBox = (box, envBox, cont)-> env = if envBox? then envFor(envBox) else null processLine getOrgText(box), env, (result)-> env?.cleanup?() (cont ? (x)->x) result getAst box if box.output && hasMonadOutput(box.output) && getOrgText(box).match hiddenPat then hideOutputSource box.output else if getOrgText(box).match hiddenPat then console.log "NO MONAD, BUT MATCHES HIDDEN" acceptCode = (box)-> if (box.getAttribute 'codemain')? evalBox box update 'compile' if owner(box).autorunState then runTests owner(box) errString = (err)-> err.stack evaluating = false evaluationQueue = [] evalNodes = (nodes)-> if evaluating then evaluationQueue.push nodes else chainEvalNodes nodes chainEvalNodes = (nodes)-> evaluating = true runAuto nodes, 0, -> if evaluationQueue.length then chainEvalNodes evaluationQueue.shift() else evaluating = false evalDoc = (el)-> [pgm, auto, x, autoNodes] = initNotebook(el) try if auto || autoNodes #console.log "\n\n@@@@ AUTO: #{auto}, AUTONODES: #{_(autoNodes ? []).map (el)->'\n' + el.innerHTML}\n\n" auto = "do\n #{(auto ? '#').trim().replace /\n/g, '\n '}\n delay\n finishLoading" global.noredefs = false Notebook.queueAfterLoad -> evalDocCode el, pgm if el.autorunState then runTests el evalNodes autoNodes #runAuto autoNodes, 0 #for node in autoNodes # console.log "evalOutput", node, node.output # evalOutput node.output e = envFor(el) e.write = -> e.err = (err)->alert('bubba ' + errString err) processLine auto, e, identity else evalDocCode el, pgm catch err showError err, "Error compiling #{pgm}" runAuto = (nodes, index, cont)-> if index < nodes.length console.log "RUNNING AUTO: #{index}" node = nodes[index] console.log "evalOutput", node, node.output evalOutput node.output, false, -> runAuto nodes, index + 1, cont else (cont ? ->)() processLine = (text, env, cont)-> if text try runMonad rz(L_newParseLine)(lz Nil)(lz text), env, (ast)-> try if getType(ast) == 'parseErr' env.write env.presentValue ast env.processResult? ast cont ast else result = eval "(#{gen ast})" env.write env.presentValue result if isMonad result #console.log "INTERMEDIATE RESULT" runMonad result, env, (result)-> #console.log "RESULT: #{result}" env.processResult result cont result else #console.log "DIRECT RESULT: #{result}" #env.write env.presentValue result env.processResult? result cont result catch err console.log "ERROR: #{err.stack}" env.write env.presentValue err.stack env.processResult? err.stack cont err.stack catch err console.log "ERROR: #{err.stack}" env.write env.presentValue err.stack env.processResult? err.stack cont err.stack else cont '' showError = (e, msg)-> console.log msg console.log e console.log e.stack alert(e.stack) evalDocCode = (el, pgm)-> runMonad rz(L_runFile)(lz pgm), defaultEnv, (result)-> for node in el.querySelectorAll '[codeMain]' getAst node define 'getDocument', makeSyncMonad (env, cont)-> cont peerGetDocument() # MARK TODO define 'getLink', -> # makeSyncMonad (env, cont)-> cont Prim.linkFor filename 0 define 'replaceDocument', (str)-> makeSyncMonad (env, cont)-> replaceContents rz str cont rz L_true define 'gdriveOpen', makeMonad (env, cont)-> GdriveStorage.runOpen (json)-> if json?.action == 'picked' and json.docs?.length > 0 GdriveStorage.loadFile json.docs[0].id, -> cont rz(_some)(lz json.docs[0].title) else cont rz _none define 'getFilename', makeSyncMonad (env, cont)-> cont filename?.pathName() ? '' define 'setURI', (uri)-> makeSyncMonad (env, cont)-> setFilename rz uri cont rz L_true define 'getURI', makeSyncMonad (env, cont)-> cont filename?.toString() ? '' define 'finishLoading', makeMonad (env, cont)-> loaded = true for i in postLoadQueue rz i postLoadQueue = [] cont rz L_false define 'markupButtons', makeSyncMonad (env, cont)-> if env.box then markupButtons env.box cont rz L_false define 'alert', (str)-> makeSyncMonad (env, cont)-> window.alert(rz str) cont rz L_false define 'bindEvent', (selector)->(eventName)->(func)-> makeSyncMonad (env, cont)-> node = env.box.querySelector rz selector if !node then node = document.body.querySelector rz selector console.log "ADDING EVENT: #{rz selector} #{rz eventName} NODE: #{node}" if node then node.addEventListener eventName(), (e)-> console.log "EVENT: #{rz selector} #{rz eventName} #{rz func}" runMonad rz(func)(lz e), envFor(e.target), -> cont rz L_false define 'quit', -> window.close() define 'config', (expr)-> makeSyncMonad (env, cont)-> switch rz expr when 'autoTest' then autoRun(env.owner, true) cont(rz L_false) define 'notebookSelection', (func)-> makeSyncMonad (env, cont)-> sel = window.getSelection() bx = getBox sel.focusNode if bx? and hasFunc bx, func # MARK CHECK # offset = (bx.ast.leisureCodeOffset ? 0) offset = 0 r = sel.getRangeAt(0) window.r = r r2 = document.createRange() r2.setStart bx, 0 r2.setEnd r.startContainer, r.startOffset p1 = getOrgText(r2.cloneContents()).length - offset if !r.collapsed then r2.setEnd r.endContainer, r.endOffset p2 = getOrgText(r2.cloneContents()).length - offset cont(rz(_some2)(lz p1)(lz p2)) else cont(rz _none) hasFunc = (bx, func)-> ast = getAst(bx) ast == func().ast || ast == func.ast define 'notebookAst', (func)-> makeSyncMonad (env, cont)-> # MARK CHECK if func.leisureName? # MARK CHECK node = document.querySelector "[LeisureFunc=#{func.leisureName}]" if node? ast = getAst node return cont(rz(_some)(lz ast)) cont(rz _none) autoRun = (el, state)-> el.autorunState = state el.autorun?.checked = state head = (l)->l lz (hh)->(tt)->rz hh tail = (l)->l lz (hh)->(tt)->rz tt id = (v)->rz v primconcatNodes = (nodes)-> if nodes == rz(_nil) then "" else (head nodes)(id) + concatNodes tail nodes #getSvgElement = (id)-> # if (el = document.getElementById id) then el # else # svg = createNode "<svg id='HIDDEN_SVG' xmlns='http://www.w3.org/2000/svg' version='1.1' style='top: -100000px; position: absolute'><text id='HIDDEN_TEXT'>bubba</text></svg>" # document.body.appendChild(svg) # document.getElementById id # #svgMeasureText = (text)->(style)->(f)-> # txt = getSvgElement('HIDDEN_TEXT') # if rz style then txt.setAttribute 'style', rz style # txt.lastChild.textContent = rz text # bx = txt.getBBox() # rz(f)(lz bx.width)(lz bx.height) # # #transformedPoint = (pt, x, y, ctm, ictm)-> # pt.x = x # pt.y = y # pt.matrixTransform(ctm).matrixTransform(ictm) # ## try to take strokeWidth into account #svgMeasure = (content)-> primSvgMeasure content, baseStrokeWidth # ## try to take strokeWidth into account #svgBetterMeasure = (content)-> primSvgMeasure content, transformStrokeWidth # ## try to take strokeWidth into account #primSvgMeasure = (content, transformFunc)->(f)-> # svg = createNode "<svg xmlns='http://www.w3.org/2000/svg' version='1.1' style='top: -100000'><g>#{content()}</g></svg>" # document.body.appendChild(svg) # g = svg.firstChild # bbox = g.getBBox() # pad = getMaxStrokeWidth g, g, svg, transformFunc # document.body.removeChild(svg) # rz(f)(lz bbox.x - Math.ceil(pad/2))(lz bbox.y - Math.ceil(pad/2))(lz bbox.width + pad)(lz bbox.height + pad) # #baseElements = ['path', 'rect', 'circle', 'ellipse', 'line', 'polyline', 'polygon'] # #getMaxStrokeWidth = (el, base, svg, transformFunc)-> # if base.nodeName in baseElements # #hack to parse strokeWidth string by setting the width of the svg to it # svg.setAttribute 'width', (getComputedStyle(base).strokeWidth ? '0'), svg # transformFunc el, svg.width.baseVal.value # else if base.nodeName == 'use' then getMaxStrokeWidth base, base.instanceRoot.correspondingElement, svg, transformFunc # else if base.nodeName == 'g' # foldLeft ((v, n)-> Math.max v, (getMaxStrokeWidth n, n, svg, transformFunc)), 0, el.childNodes # else 0 # #baseStrokeWidth = (el, w)-> w # #transformStrokeWidth = (el, w)-> # if w == 0 then 0 # else # ctm = el.getScreenCTM() # tp1 = transformedPoint pt, bx.x - Math.ceil(w), bx.y - Math.ceil(w), ctm, isctm # tp2 = transformedPoint pt, bx.x + bx.width + Math.ceil(w), bx.y + bx.height + Math.ceil(w), ctm, isctm # x = tp2.x - tp1.x # y = tp2.y - tp1.y # Math.sqrt(x * x + y * y) previousSibling = (node)-> while node?.parentNode && !node.previousSibling node = node.parentNode node?.previousSibling nextSibling = (node)-> while node?.parentNode && !node.nextSibling node = node.parentNode node?.nextSibling # # System pages # hideControlSection = -> controlSection = document.body.querySelector '[leisureSection="Leisure Controls"]' if !controlSection controlSection = document.createElement 'DIV' document.body.insertBefore controlSection, document.body.firstChild root.markupElement controlSection, """ # Leisure Controls ## File Save and Load ``` saveFile saveAs 'filename' saveAs pickFile loadFile emptyFile ``` """ unwrap controlSection controlSection.classList.add leisure_controls controlSection.classList.add hidden # # Notebook prims # define 'printValue', (value)-> makeMonad (env, cont)-> if rz(value) != rz(L_nil) then env.write("#{env.presentValue rz value}\n") cont L_false() # # Exports # # MARK CHECK defaultEnv.require = req root.initNotebook = initNotebook root.bindNotebook = bindNotebook root.bindAll = bindAll root.evalOutput = evalOutput root.makeTestCase = makeTestCase root.cleanOutput = cleanOutput root.clearOutputBox = clearOutputBox root.envFor = envFor root.queueAfterLoad = queueAfterLoad root.evalDoc = evalDoc root.getBox = getBox root.makeRange = makeRange root.grp = grp root.changeTheme = changeTheme root.setSnapper = setSnapper root.update = update root.clearUpdates = clearUpdates root.showAst = showAst root.toggleEdit = toggleEdit root.showSource = showSource root.bootNotebook = bootNotebook root.ENTER = ENTER root.cleanEmptyNodes = cleanEmptyNodes root.isLeisureCode = isLeisureCode root.getElementCode = getElementCode root.runTests = runTests root.previousSibling = previousSibling root.nextSibling = nextSibling root.presentLeisureCode = presentLeisureCode root.mergeLeisureCode = mergeLeisureCode root.highlightNotebookFunction = highlightNotebookFunction root.ESC = ESC root.HOME = HOME root.END = END root.PAGE_UP = PAGE_UP root.PAGE_DOWN = PAGE_DOWN root.LEFT_ARROW = LEFT_ARROW root.UP_ARROW = UP_ARROW root.RIGHT_ARROW = RIGHT_ARROW root.DOWN_ARROW = DOWN_ARROW root.arrows = arrows root.closeWindow = closeWindow root.markupButton = markupButton root.markupButtons = markupButtons root.getAst = getAst root.insertControls = insertControls root.setFilename = setFilename root.unwrap = unwrap root.remove = remove root.wrapRange = wrapRange root.replaceContents = replaceContents root.event = event
true
### # WARNING # WARNING THIS IS OLD CODE AND WILL SOON DISAPPEAR # WARNING # # use an element as a Leisure notebook # Only runs in the context of a browser ### console.log "LOADING NOTEBOOK" { delay, } = root = module.exports = require '10-namespace' { resolve, lazy, } = require '15-base' rz = resolve lz = lazy { nameSub, getRefName, define, foldLeft, Nil, getType, getAnnoName, getAnnoData, getAnnoBody, Leisure_anno, } = root = module.exports = require '16-ast' { isMonad, runMonad, makeMonad, makeSyncMonad, identity, defaultEnv, basicCall, } = require '17-runtime' { gen, } = require '18-gen' { BS, ENTER, DEL, svgMeasure, svgMeasureText, createNode, textNode, } = require '21-browserSupport' { getOrgText, } = require '24-orgSupport' URI = window.URI Xus = window.Xus $ = window.$ _ = require 'lodash.min' if !global? then window.global = window #debug = true debug = false TAB = 9 ESC = 27 PAGE_UP = 33 PAGE_DOWN = 34 END = 35 HOME = 36 LEFT_ARROW = 37 UP_ARROW = 38 RIGHT_ARROW = 39 DOWN_ARROW = 40 arrows = [37..40] updatePat = /(^|\n)(#@update )([^\n]+)(?:^|\n)/ peer = null nextId = 0 filename = null event = (widget, args...)-> basicCall args, envFor(widget), identity defaultEnv.readFile = (fileName, cont)-> uri = new URI(document.location.href, fileName) console.log "\n\n@@@@READ FILE: #{uri}\n\n" $.get(String(uri)) .done((data)-> cont(null, data)) .fail((err)-> cont(err, null)) defaultEnv.writeFile = (fileName, data, cont)-> snapshot = (el, pgm)-> setSnapper = (snapFunc)-> snapshot = snapFunc getParseErr = getHtml = (x)-> x lz (value)-> rz value escapeHtml = (str)-> if typeof str == 'string' then str.replace /[<>]/g, (c)-> switch c when '<' then '&lt;' when '>' then '&gt;' else str presentValue = (v)-> if (getType v) == 'svgNode' content = v(-> id) _svgPresent()(-> content)(-> id) else if (getType v) == 'html' then getHtml v else if (getType v) == 'parseErr' then "PARSE ERROR: #{getParseErr v}" else escapeHtml String(v) bootNotebook = (el)-> if !(document.getElementById 'channelList')? document.body.appendChild createNode """ <datalist id='channelList'> <option value=''></option> <option value='app'>app</option> <option value='compile'>compile</option> <option value='editorFocus'>editorFocus</option> </datalist>""" createPeer() closeWindow = -> console.log "CLOSING WINDOW" window.open '', '_self', '' window.close() createPeer = -> root.xusServer = server = new Xus.Server() #root.xusServer.verbose = (str)-> console.log str server.exit = -> closeWindow() peer = root.peer = Xus.createDirectPeer server peer.server = server peer.listen 'leisure/selection/contents', true, (key, value)-> if key == 'PI:KEY:<KEY>END_PI' s = window.getSelection() if s.rangeCount && s.toString() != value r = s.getRangeAt 0 r.deleteContents() node = textNode value.toString() r.insertNode node s.removeAllRanges() r.selectNode node s.addRange(r) peer.set 'leisure/evalExpr', null, 'transient' peer.listen 'leisure/evalExpr', false, (key, value)-> if key == 'PI:KEY:<KEY>END_PI' && value? [expr, result] = value console.log "EVAL: #{expr}, RESULT: #{result}" env = xusEnv(result, expr) processLine expr, env, -> env.cleanup?() peer.set 'leisure/document', peerGetDocument peer.set 'leisure/functions', peerGetFunctions peer.set 'leisure/storage', [] if Boot.documentFragment params = {} for param in Boot.documentFragment.substring(1).split '&' [k, v] = param.split '=' params[k.toLowerCase()] = decodeURIComponent v if params.xusproxy? then Xus.xusToProxy(server, params.xusproxy) replaceContents = (uri, contents)-> #console.log new Error("Replacing contents...").stack if !contents contents = uri uri = null if uri then setFilename uri.toString() document.body.setAttribute 'doc', '' window.leisureAutoRunAll = true window.markup contents bindAll() bindAll = -> for node in document.querySelectorAll "[leisurenode='code']" node.setAttribute 'contentEditable', 'true' bindNotebook node changeTheme node, 'thin' evalDoc node showFilenames() xusEnv = (resultVar, expr)-> result = '' env = debug: debug finishedEvent: -> owner: null require: req write: (msg)-> result += "#{msg}\n" prompt:(msg, cont)-> result += "Attempt to prompt with #{msg}" processResult: (res, ast)-> result += res peer.set resultVar, JSON.stringify result presentValue: (x)-> x fileSettings: uri: new URI document.location.href err: (err)-> result += if err.leisureContext then "ERROR: #{err}:\n#{leisureContextString(err)}\n#{err.stack}" else "Couldn't parse: #{expr}" peer.set resultVar, result env.__proto__ = root.defaultEnv env peerGetDocument = -> nodes = document.querySelectorAll "[leisurenode='code']" if nodes.length > 1 || Notebook.md then getMDDocument() else getSimpleDocument() peerGetFunctions = -> (_.uniq window.leisureFuncNames.toArray().sort(), true).sort() getMDDocument = -> md = '' for node in document.querySelectorAll '[doc] [leisureNode]' md += if isLeisureCode node then "```\n#{getElementCode node}\n```\n" else node.md ? '' md makeId = (el)-> if !el.id then el.id = "Leisure-#{nextId++}" allowEvents = true init = false bindNotebook = (el)-> if !init init = true # MARK CHECK defaultEnv.presentValue = presentValue defaultEnv.write = (msg)->console.log msg defaultEnv.owner = document.body defaultEnv.finishedEvent = (evt, channel)->update(channel ? 'app', defaultEnv) defaultEnv.debug = debug if !el.bound? makeId el el.bound = true el.addEventListener 'DOMCharacterDataModified', ((evt)->if allowEvents && !el.replacing then delay(->checkMutateFromModification evt)), true el.addEventListener 'DOMSubtreeModified', ((evt)->if allowEvents && !el.replacing then delay(->checkMutateFromModification evt)), true el.addEventListener 'mousedown', ((e)-> if !isSlider e.srcElement then delay -> highlightPosition e), true el.addEventListener 'mousemove', ((e)-> if !isSlider e.srcElement then delay -> highlightPosition e), true el.addEventListener 'mouseup', ((e)-> if !isSlider e.srcElement then delay -> highlightPosition e), true el.addEventListener 'keydown', (e)-> #if allowEvents c = (e.charCode || e.keyCode || e.which) if c == DEL || c == BS s = window.getSelection() r = s.getRangeAt(0) if c == BS checkDeleteExpr getBox r.startContainer if skipLeftOverOutputBox el, r then return e.preventDefault() else if c == DEL checkDeleteExpr getBox r.startContainer if ignoreDeleteOutputBox el, r then return e.preventDefault() if printable c then clearAst getBox window.getSelection().focusNode if (c in arrows) or printable c then delay -> highlightPosition e if e.ctrlKey and c == ENTER then handleKey "C-ENTER" else if e.altKey and c == ENTER then handleKey "M-ENTER" else if c == TAB handleKey("TAB") e.preventDefault() el.addEventListener 'keypress', (e)-> #if allowEvents s = window.getSelection() r = s.getRangeAt(0) if (e.charCode || e.keyCode || e.which) == ENTER br = textNode('\n') r.insertNode(br) r = document.createRange() r.setStart(br, 1) s.removeAllRanges() s.addRange(r) e.preventDefault() else if r.startContainer.parentNode == el sp = codeSpan '\n', 'codeExpr' sp.setAttribute('generatedNL', '') bx = box s.getRangeAt(0), 'codeMainExpr', true bx.appendChild sp makeOutputBox bx r = document.createRange() r.setStart(sp, 0) s.removeAllRanges() s.addRange(r) el.addEventListener 'focus', (-> if allowEvents then findCurrentCodeHolder()), true el.addEventListener 'blur', (-> if allowEvents then findCurrentCodeHolder()), true if window.leisureAutoRunAll autoRun el, true window.setTimeout (->runTests el), 1 else el.autorunState = false checkDeleteExpr = (node)-> if isOutput node && node.output out = node.output window.setTimeout (-> if !getOrgText(node).trim() then node.parentNode.removeChild node if !node.parentNode? && out?.parentNode? then out.parentNode.removeChild out ), 1 skipLeftOverOutputBox = (el, r)-> el.normalize() box = previousBoxRangeInternal(r) || previousBoxRangeStart r if isOutput box s = window.getSelection() r.selectNode box r.collapse true s.removeAllRanges() s.addRange r true else false previousBoxRangeInternal = (r)-> r.startContainer.nodeType == 1 && r.startOffset > 0 && r.startContainer.childNodes[r.startOffset - 1] previousBoxRangeStart = (r)-> r.startContainer.nodeType == 3 && r.startOffset == 0 && previousSibling r.startContainer ignoreDeleteOutputBox = (el, r)-> el.normalize() if r.startContainer.nodeType == 3 && r.startOffset == r.startContainer.length n = r.startContainer n = n.parentNode while n && n.nextSibling == null isOutput n?.nextSibling else false isOutput = (el)-> el?.nodeType == 1 && el.hasAttribute 'LeisureOutput' isLeisureCode = (el)-> el?.nodeType == 1 && el.getAttribute('leisureNode') == 'code' peerNotifySelection = (el, str)-> #peer.set 'leisure/selection/id', (if el then el.id else null) #peer.set 'leisure/selection/contents', str printableControlCharacters = (c.charCodeAt(0) for c in "\r\i\n\b") printable = (code)-> (code > 0xf and code < 37) or code > 40 or code in printableControlCharacters nonprintable = null (-> s='' for i in [0..0xf] s += String.fromCharCode(i) s.replace /[\i\r\f]/g, '' nonprintable = new RegExp("[#{s}]"))() handleKey = (key)-> switch key when "C-ENTER", "TAB" box = getBox window.getSelection().focusNode if (box.getAttribute 'codeMainExpr')? then evalOutput box.output else if (box.getAttribute 'codeMain')? then acceptCode box when "M-ENTER" box = getBox window.getSelection().focusNode if (box.getAttribute 'codeMainExpr')? then clearOutputBox box.output clearAst = (box)-> cbox = getBox box cbox?.ast = null #[node, positions] oldBrackets = [null, Nil] cleanEmptyNodes = (el)-> if el.nodeType == 3 and el.parentNode? then cleanEmptyNodes el.parentNode else prev = el.previousSibling next = el.nextSibling if el.nodeType == 1 && getOrgText(el).trim() == '' && el.parentNode?.hasAttribute 'doc' el.parentNode.removeChild el if next == nextSibling prev then mergeLeisureCode prev, next presentLeisureCode = (node, doEval)-> node.setAttribute 'contentEditable', 'true' Notebook.bindNotebook node Notebook.changeTheme node, 'thin' if doEval then evalDoc node else initNotebook node mergeLeisureCode = (el1, el2)-> # TODO: this should just take one arg and merge an element with the one after it if el1 && el2 if el1.nodeType == 1 && el2.nodeType == 3 el1.appendChild el2 el1.normalize() else if el1.nodeType == 3 and el2.nodeType == 1 el2.insertBefore el1, el2.firstChild el2.normalize() else if el1.hasAttribute('leisureNode') && el1.getAttribute('leisureNode') == el2.getAttribute('leisureNode') newCode = textNode el1.md = if el1.getAttribute('leisureNode') == 'code' then "#{getElementCode(el1)}\n#{getElementCode el2}" else "#{el1.md}\n#{el2.md}" r = document.createRange() r.selectNodeContents el2 el1.appendChild textNode '\n' el1.appendChild r.extractContents() el2.parentNode.removeChild el2 highlightPosition = (e)-> parent = null s = window.getSelection() if s.rangeCount if cleanEmptyNodes s.getRangeAt(0).startContainer then return focusBox s.focusNode parent = getBox s.focusNode if s.getRangeAt(0)?.collapsed if !parent or isOutput parent then return if parent.parentNode and ast = getAst parent r = s.getRangeAt(0) r.setStart parent, 0 pos = getRangeText(r).length changed = false if false brackets = Leisure.bracket ast.leisureBase, pos if oldBrackets[0] != parent or !oldBrackets[1].equals(brackets) oldBrackets = [parent, brackets] for node in document.querySelectorAll "[LeisureBrackets]" unwrap node for node in parent.querySelectorAll ".partialApply" unwrap node parent.normalize() markPartialApplies parent b = brackets ranges = [] while b != Nil ranges.push (makeRange parent, b.head().head(), b.head().tail().head()) b = b.tail() for r, i in ranges span = document.createElement 'span' span.setAttribute 'LeisureBrackets', '' span.setAttribute 'class', if i == 0 then 'LeisureFunc' else 'LeisureArg' wrapRange r, span changed = true if e instanceof KeyboardEvent if hideSlider() then pos += 1 else if e instanceof MouseEvent and e.type == 'mousedown' and (e.target == parent or parent.contains e.target) and showSliderButton parent, pos, e changed = true pos += 1 if changed window.EVT = e s.removeAllRanges() s.addRange(makeRange parent, pos) # MARK TODO #if parent?.ast?.leisureName? then update "sel-#{parent.ast.leisureName}" peerNotifySelection parent, s.toString() numberEnd = /(?:^|.*[^0-9.])([0-9]+\.?[0-9]*|\.[0-9]*)$/ numberStart = /^([0-9]+\.[0-9]+|[0-9]+|\.[0-9]+)/ slider = [] showSliderButton = (parent, pos, e)-> if slider.length hideSlider() false else text = getOrgText parent oldPos = pos changed = 0 if m = text.substring(0, pos).match(numberEnd) then pos -= m[1].length if m = text.substring(pos).match(numberStart) len = m[1].length if oldPos <= pos + len [sParent, sPos, sValue] = slider if parent != sParent || pos != sPos || m[1] != sValue hideSlider() r = makeRange parent, pos, pos + m[1].length span = createNode "<span class='leisureRangeNumber ui-widget-content'></span>" wrapRange r, span changed = 1 span.normalize() slider = [parent, pos, m[1], span] createSlider() changed else hideSlider() isSlider = (el)-> while el != document if el.hasAttribute 'slider' then return true el = el.parentNode false createSlider = -> [parent, pos, value, span, div] = slider if div then return inside = false sliding = false d = createNode "<div style='z-index: 1; position: absolute; width: 200px; background: white; border: solid green 1px' slider contentEditable='false'></div>" slider.push d d.style.top = "#{span.offsetTop + span.offsetHeight + 5}px" d.style.minTop = '0px' d.style.left = "#{Math.max(0, (span.offsetLeft + span.offsetWidth)/2 - 100)}px" d.addEventListener 'mouseover', (e)-> if !inside then inside = true d.addEventListener 'mouseout', (e)-> if e.toElement != d && !d.contains e.toElement inside = false if !sliding then hideSlider() value = Number value min = if value < 0 then value * 2 else value / 2 max = if value == 0 then 10 else value * 2 sl = $(d).slider animate: 'fast' start: -> sliding = true delay -> allowEvents = false stop: (event, ui)-> setMinMax sl allowEvents = true sliding = false if !inside then hideSlider() slide: (event, ui)-> if span.firstChild then span.firstChild.nodeValue = String(ui.value) if isDef parent parent.ast = null acceptCode parent ast = getAst parent # MARK CHECK if parent.ast?.leisureName update "sel-#{parent.ast.leisureName}" else makeId parent if !parent.getAttribute parent.output, 'leisureUpdate' setUpdate parent.output, "id-#{parent.id} compile", true update "id-#{parent.id}" update "compile" value: value setMinMax sl, value parent.insertBefore d, parent.firstChild d.focus() psgn = (x)-> if x < 0 then -1 else 1 setMinMax = (sl, value)-> value = value || sl.slider("value") min = 0 max = if 1 <= Math.abs(value) < 50 or value == 0 then 100 * psgn(value) else value * 2 if Math.round(value) == value step = Math.round((max - min) / 100) step = step - step % (max - min) else step = (max - min) / 100 sl.slider "option", "min", min sl.slider "option", "max", max sl.slider "option", "step", step hideSlider = -> if slider.length [parent, sPos, sValue, span, div] = slider unwrap span if div then remove div parent.normalize() slider = [] 2 else 0 wrapRange = (range, node)-> try range.surroundContents node catch err contents = range.cloneContents() replaceRange range, node node.appendChild contents replaceRange = (range, node)-> range.deleteContents() range.insertNode node getRangeText = (r)-> getOrgText r.cloneContents() getBox = (node)-> while node? and !(node.getAttribute?('LeisureBox'))? node = node.parentElement node checkMutateFromModification = (evt)-> b = getBox evt.target b2 = getBox window.getSelection().focusNode if b and b == b2 if (isDef b) and b.classList.contains('codeMainExpr') then toDefBox b else if !(isDef b) and b.classList.contains('codeMain') then toExprBox b replicate b replicate = (b)-> if b.replicator then delay -> b.replicator.replicate b buttonClasses = 'ui-button ui-widget ui-state-default ui-corner-all ui-button-text-only'.split ' ' boxClasses = codeMainExpr: ['codeMainExpr', 'ui-widget', 'ui-widget-content', 'ui-corner-all'] codeMain: ['codeMain', 'ui-widget', 'ui-widget-content', 'ui-corner-all'] codeMainTest: ['codeMainTest'] #output: ['output', 'ui-widget', 'ui-widget-content', 'ui-corner-all'] output: ['output', 'ui-corner-all'] addBoxClasses = (box, type)-> box.setAttribute type, '' box.classList.add cl for cl in boxClasses[type] removeBoxClasses = (box, type)-> box.removeAttribute type box.classList.remove cl for cl in boxClasses[type] toExprBox = (b)-> removeBoxClasses b, 'codeMain' addBoxClasses b, 'codeMainExpr' for node in b.querySelectorAll '[codename]' unwrap node for node in b.querySelectorAll '.astbutton' remove node makeOutputBox b toDefBox = (b)-> if b.output then remove b.output removeBoxClasses b, 'codeMainExpr' addBoxClasses b, 'codeMain' addDefControls b addDefControls = (box)-> btn = createNode "<button onclick='Notebook.showAst(this.parentNode)' class='astbutton' title='Show AST'></button>" markupButton btn box.appendChild btn remove = (node)->node.parentNode?.removeChild node showAst = (box)-> # MARK CHECK name = (getAst box).leisureName if box.astOut? remove box.astOut.output remove box.astOut box.astOut = null else if name? node = codeBox 'codeMainExpr' box.astOut = node node.setAttribute 'leisureOutput', '' box.parentNode.insertBefore node, box.nextSibling node.textContent = "#@update sel-#{name}\ntreeForNotebook #{name}" output = makeOutputBox node toggleEdit output evalOutput output, true highlightNotebookFunction = (funcName, start, stop)-> box = document.body.querySelector "[leisurefunc=#{funcName}]" # MARK CHECK # offset = getAst(box).leisureCodeOffset ? 0 offset = 0 sel = window.getSelection() sel.removeAllRanges() sel.addRange makeRange box, start + offset, stop + offset isDef = (box)-> txt = getOrgText box # MARK CHECK #if (m = txt.match Leisure.linePat) if (m = txt.match L_defPat()) [matched, leading, name, defType] = m return defType?.length > 0 false initNotebook = (el)-> el.replacing = true removeOldDefs el pgm = markupDefs el, findDefs el el.normalize() el.replacing = false if !el.hasAttribute('noLeisureBar') insertControls(el) el.testResults.innerHTML = pgm[2] snapshot(el, pgm) pgm makeLabel = (text, c)-> node = document.createElement 'SPAN' node.innerHTML = text node.setAttribute 'class', c node makeOption = (name)-> opt = document.createElement 'OPTION' opt.text = name opt createFragment = (txt)-> scratch = document.createElement 'DIV' scratch.innerHTML = txt frag = document.createDocumentFragment() while scratch.firstChild frag.appendChild scratch.firstChild frag insertControls = (el)-> controlDiv = createNode """ <div LeisureOutput contentEditable='false' class='leisure_bar'><div class="leisure_bar_contents"> <button leisureId='saveButton' class="leisure_start">Save</button> <button leisureId='testButton'>Run Tests</button> <span leisureId='testResults' class="notrun"></span> <input type='checkbox' leisureId='autorunTests'><b>Auto</b></input> <span class="leisure_theme">Theme: </span> <select leisureId='themeSelect'> <option value=thin>Thin</option> <option value=gaudy>Gaudy</option> <option value=cthulhu>Cthulhu</option> </select> <span>View: </span> <select leisureId='viewSelect'> <option value=coding>Coding</option> <option value=debugging>Debugging</option> <option value=testing>Testing</option> <option value=running>Running</option> </select> </div> """ spacer = createNode "<div LeisureOutput contentEditable='false' class='leisure_space'></div>" el.insertBefore spacer, el.firstChild el.insertBefore controlDiv, el.firstChild [el.leisureDownloadLink, el.leisureViewLink, saveButton, testButton, el.testResults, el.autorun, themeSelect, viewSelect] = getElements el, ['downloadLink', 'viewLink', 'saveButton', 'testButton', 'testResults', 'autorunTests', 'themeSelect', 'viewSelect'] controlDiv.addEventListener 'click', (evt)-> if document.body.classList.contains 'hideControls' document.body.classList.remove 'hideControls' else document.body.classList.add 'hideControls' saveButton.addEventListener 'click', (evt)-> saveProgram el testButton.addEventListener 'click', -> runTests el themeSelect.value = el.leisureTheme ? 'thin' themeSelect.addEventListener 'change', (evt)-> changeTheme el, evt.target.value viewSelect.addEventListener 'change', (evt)-> changeView el, evt.target.value el.autorun.checked = el.autorunState el.autorun.addEventListener 'change', (evt)-> el.autorunState = el.autorun.checked if el.autorunState then runTests el #configureSaveLink(el) markupButtons controlDiv # MARK TODO saveProgram = -> write filename, getMDDocument(), (-> alert "Saving #{filename}"), (err)-> console.log err alert err.stack throw err showFilename = (el)-> if el && filename el.innerHTML = "Save: #{filename.pathName()}" el.title = filename.toString() showFilenames = -> for node in document.body.querySelectorAll '[leisureId=saveButton]' showFilename node setFilename = (newName)-> console.log "SET FILENAME: #{newName}" filename = if newName instanceof URI then newName else new URI(document.location.href, newName) showFilenames() markupButtons = (el)-> markupButton btn for btn in el.querySelectorAll 'button' markupButton = (btn)-> btn.classList.add cl for cl in buttonClasses getElements = (el, ids)-> els = {} for node in el.querySelectorAll '[leisureId]' els[node.getAttribute 'leisureId'] = node els[id] for id in ids escapeHtml = (str)-> if typeof str == 'string' then str.replace /[<>]/g, (c)-> switch c when '<' then '&lt;' when '>' then '&gt;' else str loadProgram = (el, files)-> el = getBox fr = new FileReader() fr.onloadend = (evt)-> el.innerHTML = escapeHtml(fr.result) initNotebook el fr.readAsBinaryString(files.item(0)) configureSaveLink = (el)-> window.URL = window.URL || window.webkitURL builder = new WebKitBlobBuilder() builder.append getElementCode el blob = builder.getBlob('text/plain') el.leisureDownloadLink.href = window.URL.createObjectURL(blob) el.leisureViewLink.href = window.URL.createObjectURL(blob) getElementCode = (el)-> r = document.createRange() r.selectNode(el) c = r.cloneContents().firstChild removeOldDefs c getOrgText c runTests = (el)-> passed = 0 failed = 0 for test in el.querySelectorAll '.codeMainTest' if runTest test then passed++ else failed++ if el.testResults resultsClass = el.testResults.classList resultsClass.remove 'notrun' if !failed resultsClass.remove 'failed' resultsClass.add 'passed' el.testResults.innerHTML = passed else resultsClass.remove 'passed' resultsClass.add 'failed' el.testResults.innerHTML = "#{passed}/#{failed}" changeTheme = (el, value)-> theme = value el.leisureTheme = theme el.className = theme changeView = (el, value)-> debug = value == 'debugging' alert 'new view: ' + value + ", debug: " + debug unwrap = (node)-> parent = node.parentNode if parent while node.firstChild? parent.insertBefore node.firstChild, node parent.removeChild node removeOldDefs = (el)-> el.leisureDownloadLink = null el.leisureViewLink = null extracted = [] for node in el.querySelectorAll "[LeisureOutput]" remove node for node in el.querySelectorAll "[generatednl]" txt = node.lastChild if txt.nodeType == 3 and txt.data[txt.data.length - 1] == '\n' txt.data = txt.data.substring(0, txt.data.length - 1) for node in el.querySelectorAll "[Leisure]" if addsLine(node) and node.firstChild? then extracted.push(node.firstChild) unwrap node for node in extracted if node.parentNode? and !addsLine(node) and node.previousSibling? and !addsLine(node.previousSibling) then node.parentNode.insertBefore text('\n'), node el.textContent = getOrgText(el).replace /\uFEFF/g, '' txt = el.lastChild if txt?.nodeType == 3 and (m = txt.data.match /(^|[^\n])(\n+)$/) txt.data = txt.data.substring(0, txt.data.length - m[2].length) markupDefs = (el, defs)-> pgm = '' auto = '' totalTests = 0 notebookAutoNodes = [] for i in defs {main, name, def, body, tests} = i if name bx = box main, 'codeMain', true bx.appendChild (codeSpan name, 'codeName') bx.appendChild (textNode def) bod = codeSpan textNode(body), 'codeBody' bod.appendChild textNode('\n') bod.setAttribute('generatedNL', '') bx.appendChild bod bx.addEventListener 'blur', (-> evalDoc el), true markPartialApplies bx addDefControls bx pgm += "#{name} #{def} #{body}\n" else if main? bx = box main, 'codeMainExpr', true s = codeSpan textNode(body), 'codeExpr' s.setAttribute('generatedNL', '') s.appendChild textNode('\n') bx.appendChild s markPartialApplies bx if main.leisureAuto?.mode == 'silent' then auto += "#{body}\n" else if main.leisureAuto?.mode == 'notebook' then notebookAutoNodes.push bx makeOutputBox(bx) for test in tests replaceRange test, makeTestBox test.leisureTest totalTests++ [pgm, auto, totalTests, notebookAutoNodes] getDefName = (ast)-> if ast instanceof Leisure_anno && getAnnoName(ast) == 'definition' then getAnnoData(ast) else null getAst = (bx, def)-> if bx.ast? patchFuncAst bx.ast # MARK CHECK bx.setAttribute 'leisureFunc', (bx.ast.leisureName ? '') bx.ast else def = def || getOrgText(bx) # MARK CHECK # setAst bx, (Leisure.compileNext def, Parse.Nil, true, null)[0] defName = getDefName runMonad rz(L_newParseLine)(lz Nil)(lz def) setAst bx, (if defName then {leisureName: defName, leisureSource: def} else {}) bx.ast setAst = (bx, ast)-> bx.ast = ast patchFuncAst ast patchFuncAst = (ast)-> if ast?.leisureName? parent = window[nameSub(ast.leisureName)] if parent? parent.ast = ast parent.src = ast.leisureSource update "ast-#{ast.leisureName}" # mark partial applies within bx # the last child of bx should be a fresh expr span with the full code in it markPartialApplies = (bx, def)-> # MARK TODO # # bx.normalize() # def = def ? bx.textContent # ast = getAst bx, def # partial = [] # # MARK # ((Leisure.findFuncs(ast)) Nil).each (f)-> # name = getRefName(f.head()) # arity = global[nameSub(name)]?()?.leisureArity # if (arity and f.tail().head() < arity) # partial.push [f.head(), arity, f.tail().head()] # if partial.length # ranges = [] # # MARK # offset = ast.leisureCodeOffset ? 0 # t = bx.lastChild.firstChild # for info in partial # p = info[0] # r = document.createRange() # r.setStart t, p.leisureStart + offset # r.setEnd t, p.leisureEnd + offset # r.expected = info[1] # r.actual = info[2] # ranges.push r # for r in ranges # c = r.extractContents() # s = document.createElement 'span' # s.setAttribute 'Leisure', '' # s.setAttribute 'expected', String(r.expected) # s.setAttribute 'actual', String(r.actual) # s.classList.add 'partialApply' # s.appendChild c # r.insertNode s nodeFor = (text)-> if typeof text == 'string' then textNode(text) else text evalOutput = (exBox, nofocus, cont)-> exBox = getBox exBox if !nofocus then focusBox exBox cleanOutput exBox, true selector = findUpdateSelector exBox.source if selector then exBox.setAttribute 'leisureUpdate', selector makeOutputControls exBox [updateSelector, stopUpdates] = getElements exBox.firstChild, ['chooseUpdate', 'stopUpdates'] updateSelector.addEventListener 'change', (evt)-> setUpdate exBox, evt.target.value, true updateSelector.addEventListener 'keydown', (e)-> c = (e.charCode || e.keyCode || e.which) if c == ENTER e.preventDefault() updateSelector.blur() updateSelector.value = (exBox.getAttribute 'leisureUpdate') or '' exBox.updateSelector = updateSelector evalBox exBox.source, exBox, cont findUpdateSelector = (box)-> # MARK CHECK #if def = box.textContent.match Leisure.linePat if def = getOrgText(box).match rz(L_defPat) [matched, leading, name, defType] = def if u = leading.match updatePat then u[3] getExprSource = (box)-> s = window.getSelection() b = getBox s.focusNode if b != box or !s.rangeCount or s.getRangeAt(0).collapsed then getOrgText box else getRangeText s.getRangeAt(0) setUpdate = (el, channel, preserveSource)-> el.setAttribute 'leisureUpdate', channel if channel then el.classList.add 'ui-state-highlight' else el.classList.remove 'ui-state-highlight' ast = getAst el.source txt = getOrgText el.source # MARK CHECK #if !preserveSource and def = txt.match Leisure.linePat if !preserveSource and def = txt.match rz(L_defPat) [matched, leading, name, defType] = def index = def.index if u = leading.match updatePat index += u.index + u[1].length + u[2].length r = makeRange el.source, index, index + u[3].length r.deleteContents() else r = makeRange el.source, index + leading.length, index + leading.length r.insertNode textNode(channel) el.source.normalize() hasMonadOutput = (box)-> box.firstElementChild?.nextElementSibling?.nextElementSibling? #hasMonadOutput = (box)-> $(box).find('.outputDiv').length checkHideSource = (box)-> if !box.hideOutputSource and hasMonadOutput box box.hideOutputSource = true hs = createNode "<button class='editToggle' style='float:right'></button>" markupButton hs hs.addEventListener 'click', -> toggleEdit(hs) box.firstElementChild.appendChild hs makeOutputControls = (exBox)-> if exBox.firstChild.firstChild == exBox.firstChild.lastChild exBox.firstChild.insertBefore createFragment(""" <button onclick='Notebook.clearOutputBox(this)'>X</button> """), exBox.firstChild.firstChild exBox.firstChild.appendChild createFragment """ <button onclick='Notebook.makeTestCase(this)' leisureId='makeTestCase'>Make test case</button><b>Update: </b><input type='text' placeholder='Click for updating' list='channelList' leisureId='chooseUpdate'></input><button onclick='Notebook.clearUpdates(this)' leisureId='stopUpdates'>Stop Updates</button> """ markupButtons exBox exBox.classList.add 'fatControls' showOutputSource = (output)-> output.classList.remove 'hidingSource' output.source.style.display = '' hideOutputSource = (output)-> console.log "HIDE: #{output}" output.classList.add 'hidingSource' output.source.style.display = 'none' toggleEdit = (toggleButton)-> output = getBox toggleButton if output.classList.contains 'hidingSource' then showOutputSource output else hideOutputSource output clearUpdates = (widget, preserveSource)-> exBox = getBox widget exBox.updateSelector.value = '' setUpdate exBox, '', preserveSource update = (type, env)-> # MARK DONE env = env ? defaultEnv for node in env.owner.querySelectorAll "[leisureUpdate~='#{type}']" evalOutput node, true clearOutputBox = (exBox)-> clearUpdates exBox, true cleanOutput(exBox) cleanOutput = (exBox, preserveControls)-> exBox = getBox exBox exBox.classList.remove 'fatControls' if !preserveControls exBox.hideOutputSource = null fc = exBox.firstChild fc.removeChild fc.firstChild while fc.firstChild != fc.lastChild fc.removeChild fc.lastChild while exBox.firstChild != exBox.lastChild exBox.removeChild exBox.lastChild makeTestCase = (exBox)-> output = getBox exBox source = output.source test = expr: getOrgText(source).trim() expected: escapeHtml(Parse.print(output.result)) box = makeTestBox test, owner(exBox) source.parentNode.insertBefore box, source remove source remove output # semi-fix to allow you to position the caret properly before and after a test case box.parentNode.insertBefore textNode('\uFEFF'), box box.parentNode.insertBefore textNode('\uFEFF'), box.nextSibling if owner(box).autorunState then clickTest(box) makeTestBox = (test, owner, src)-> src = src ? "#@test #{JSON.stringify test.expr}\n#@expected #{JSON.stringify test.expected}" s = codeSpan src, 'codeTest' s.appendChild textNode('\n') s.setAttribute('generatedNL', '') bx = codeBox 'codeMainTest' bx.testSrc = s bx.setAttribute 'class', 'codeMainTest notrun' bx.setAttribute 'contenteditable', 'false' bx.appendChild s bx.addEventListener 'click', (-> clickTest bx), true bx.test = test bx clickTest = (bx)-> if bx.classList.contains 'notrun' then runTest bx else r = document.createRange() r.setStartBefore bx r.setEndAfter bx r.deleteContents() sp = codeSpan bx.test.expr, 'codeExpr' sp.setAttribute('generatedNL', '') exprBox = box r, 'codeMainExpr', true exprBox.appendChild sp makeOutputBox exprBox runTest = (bx)-> test = bx.test passed = true processLine prepExpr(test.expr), ( values: {} require: req write: (str)-> console.log str debug: debug prompt: (msg, cont)-> cont(null) # MARK CHECK # processResult: (result, ast)-> passed = showResult bx, escapeHtml(Parse.print(result)), escapeHtml(test.expected) processResult: (result, ast)-> passed = showResult bx, escapeHtml(String(result)), escapeHtml(test.expected) err: -> passed = false presentValue: (x)-> x ), identity passed showResult = (bx, actual, expected)-> cl = bx.classList cl.remove 'notrun' if actual == expected cl.remove 'failed' cl.add 'passed' bx.testSrc.innerHTML = "#@test #{JSON.stringify bx.test.expr}\n#@expected #{JSON.stringify bx.test.expected}" else cl.remove 'passed' cl.add 'failed' bx.testSrc.innerHTML = "#@test #{JSON.stringify bx.test.expr}\n#@expected #{JSON.stringify bx.test.expected}\n#@result #{JSON.stringify actual}" console.log "expected <#{expected}> but got <#{actual}>" actual == expected # MARK CHECK -- used to precede exprs with = # prepExpr = (txt)-> if txt[0] in '=!' then txt else "=#{txt}" prepExpr = (txt)-> txt envFor = (box)-> exBox = getBox box widget = null # MARK CHECK # env = Prim.initFileSettings env = fileSettings: {} debug: debug finishedEvent: (evt, channel)->update(channel ? 'app', this) owner: owner(box) box: box require: req write: (msg)-> div = document.createElement 'div' div.classList.add 'outputDiv' div.innerHTML = "#{msg}\n" exBox.appendChild(div) checkHideSource exBox markupButtons exBox getWidget: -> if !widget widget = document.createElement "DIV" exBox.appendChild widget widget destroyWidget: -> if widget then remove widget prompt:(msg, cont)-> cont(window.prompt(msg)) processResult: (result, ast)-> box.result = result setAst box, ast presentValue: presentValue err: (err)-> btn = box.querySelector '[leisureId="makeTestCase"]' if btn then remove btn @write "<div class='errorDiv'>" + escapeHtml("ERROR: #{if err.leisureContext then "#{err}:\n#{leisureContextString(err)}\n" else ''}#{err.stack ? err}") + "</div>" cleanup: -> @destroyWidget() if root.lastEnv == env then root.lastEnv = null # MARK DONE env.__proto__ = defaultEnv env.fileSettings.uri = new URI document.location.href root.lastEnv = env env leisureContextString = (err)-> (linkSource func, offset for [func, offset] in err.leisureContext.toArray()).join('\n') # MARK TODO linkSource = (funcName, offset)-> # [src, start, end] = Leisure.funcContextSource funcName, offset # " <a href='javascript:void(Notebook.showSource(\"#{funcName}\", #{offset}))'>#{funcName}:#{start},#{end}</a>" # MARK TODO showSource = (funcName, offset)-> # [src, start, end] = Leisure.funcContextSource funcName, offset # alert("#{funcName} = #{src.substring(0, start)} << #{src.substring(start, end)} >> #{src.substring(end)}") makeOutputBox = (source)-> node = document.createElement 'div' node.setAttribute 'LeisureOutput', '' node.setAttribute 'Leisure', '' node.setAttribute 'LeisureBox', '' node.classList.add cl for cl in boxClasses.output node.setAttribute 'contentEditable', 'false' node.source = source source.output = node node.innerHTML = "<div class='controls'><button onclick='Notebook.evalOutput(this)'>-&gt;</button></div>" markupButtons node source.parentNode.insertBefore node, source.nextSibling node codeSpan = (text, boxType)-> node = document.createElement 'span' node.setAttribute boxType, '' node.setAttribute 'Leisure', '' node.setAttribute 'class', boxType if text then node.appendChild nodeFor(text) node codeBox = (boxType)-> node = document.createElement 'div' addBoxClasses node, boxType node.setAttribute 'LeisureBox', '' node.setAttribute 'Leisure', '' node.addEventListener 'compositionstart', (e)-> checkMutateFromModification e node box = (range, boxType, empty)-> node = codeBox boxType if empty then range.deleteContents() else node.appendChild(range.extractContents()) range.insertNode(node) node linePat = new RegExp "(#{rz(L_linePat).source})" #findDefs = (el)-> # console.log "\n\n@@@@@ FINDING DEFS" # txt = el.textContent # exprs = txt.split linePat # offset = 0 # ranges = [] # for i in [0..exprs.length] by 2 # start = offset # offset += exprs[i].length # console.log "\n\n@@@@@ RANGE: #{start}, #{offset}" # range = makeRange el, start, offset # ranges.push range # #span = createNode "<span class='ui-widget-content'></span>" # #wrapRange range, span # if i + 1 < exprs.length then offset += exprs[i + 1].length # ranges findDefs = (el)-> txt = getOrgText el #console.log "LINE EXP: #{linePat.source}" #console.log "LINES: [#{txt.split(linePat).join ']\n['}]" rest = txt ranges = [] # MARK TODO Leisure.linePat #while (def = rest.match Leisure.linePat) and def[1].length != rest.length #console.log "FIND DEFS IN #{txt}" while (def = rest.match rz(L_unanchoredDefPat)) and def[1].length != rest.length #console.log "def: #{def}" rng = getRanges(el, txt, rest, def, txt.length - rest.length) if rng rest = rng.next if rng then ranges.push(rng) else break else break ranges testPat = /(#@test([^\n]*)\n#@expected([^\n]*))\n/m getRanges = (el, txt, rest, def, restOff)-> [matched, leading, nameRaw, defType] = m = def if !rest.trim() then null else if !m? then [(makeRange el, restOff, txt.length), null, null, [], ''] else tests = [] matchStart = restOff + m.index if !defType? then name = null else if nameRaw[0] == ' ' name = null defType = null else name = (nameRaw.trim() || null) rest1 = rest.substring (if defType then matched else leading).length endPat = rest1.match /\n+[^\s]|\n?$/ next = if endPat then rest1.substring(endPat.index) else rest1 mainEnd = txt.length - next.length t = leading leadOff = tOff = restOff while m2 = t.match testPat r = makeRange(el, tOff + m2.index, tOff + m2.index + m2[1].length) r.leisureTest = expr: JSON.parse(m2[2]), expected: JSON.parse(m2[3]) tests.push r tOff += m2.index + m2[1].length t = leading.substring tOff - leadOff if name mainStart = matchStart + (leading?.length ? 0) nameEnd = mainStart + name.length leadingSpaces = (rest1.match /^\s*/)[0].length bodyStart = txt.length - (rest1.length - leadingSpaces) outerRange = makeRange el, mainStart, mainEnd main: outerRange name: txt.substring(mainStart, nameEnd) def: defType body: txt.substring(bodyStart, mainEnd) tests: tests next: next else mainStart = if defType == '=' then restOff + m.index + m[0].length else matchStart + (leading?.length ? 0) ex = txt.substring(mainStart, mainEnd).match /^(.*[^ \n])[ \n]*$/ exEnd = if ex then mainStart + ex[1].length else mainEnd body = txt.substring mainStart, exEnd if body.trim() textStart = restOff + m.index + (if t then leading.length - t.length else 0) if t? and (lm = t.match /^[ \n]+/) then textStart += lm[0].length #console.log "CHECKING AUTO..." if m = t.match /(?:^|\n)#@auto( +[^\n]*)?(\n|$)/ outerRange = makeRange el, textStart, exEnd outerRange.leisureAuto = JSON.parse "{#{m[1] ? ''}}" if outerRange.leisureAuto.mode == 'notebook' outerRange.leisureNode = el outerRange.leisureStart = textStart #console.log "Auto expr: #{txt.substring(textStart, exEnd)}, attrs: #{m[1]}" main: outerRange name: null def: null body: txt.substring(textStart, exEnd) tests: tests fullText: txt.substring(textStart, exEnd) next: next else outerRange = makeRange el, textStart, exEnd main: outerRange name: null def: null body: txt.substring(textStart, exEnd) tests: tests next: next else main: null name: null def: null body: null tests: tests next: next makeRange = (el, off1, off2)-> range = document.createRange() [node, offset] = grp el, off1, false if offset? and offset > 0 then range.setStart(node, offset) else range.setStartBefore node if off2? [node, offset] = grp el, off2, true if offset? then range.setEnd(node, offset) else range.setEndAfter node range grp = (node, charOffset, end)-> [child, offset] = ret = getRangePosition node.firstChild, charOffset, end if child then ret else if node.lastChild then nodeEnd node.lastChild else [node, if end then 1 else 0] getRangePosition = (node, charOffset, end)-> if !node then [null, charOffset] else if node.nodeType == 3 if node.length > (if end then charOffset - 1 else charOffset) then [node, charOffset] else ret = continueRangePosition node, charOffset - node.length, end ret else if node.nodeName == 'BR' if charOffset == (if end then 1 else 0) then [node] else continueRangePosition node, charOffset, end else if node.firstChild? [newNode, newOff] = getRangePosition node.firstChild, charOffset, end if newNode? then [newNode, newOff] else continueRangePosition node, newOff, end else continueRangePosition node, charOffset, end continueRangePosition = (node, charOffset, end)-> newOff = charOffset - (if (addsLine node) or (node.nextSibling? and (addsLine node.nextSibling)) then 1 else 0) if end and (newOff == 1 or charOffset == 1) then nodeEnd node else if node.nextSibling? then getRangePosition node.nextSibling, newOff, end else continueRangePosition node.parentNode, newOff, end nodeEnd = (node)-> [node, if node.nodeType == 3 then node.length else node.childNodes.length - 1] addsLine = (node)-> node?.nodeType == 1 and (node.nodeName == 'BR' or (getComputedStyle(node, null).display == 'block' and node.childNodes.length > 0)) req = (file, cont)-> if !(file.match /\.js$/) then file = "#{file}.js" name = file.substring(0, file.length - 3) s = document.createElement 'script' s.setAttribute 'src', file s.addEventListener 'load', -> # MARK TODO Leisure.processDefs global[name], global if cont then cont(rz L_false) document.head.appendChild s postLoadQueue = [] loaded = false queueAfterLoad = (func)-> if loaded then func() else postLoadQueue.push(func) ### # handle focus manually, because grabbing focus and blur events doesn't seem to work for the parent ### docFocus = null codeFocus = null findCurrentCodeHolder = -> focusBox window.getSelection()?.focusNode focusBox = (box)-> newCode = null while box and (box.nodeType != 1 or !isLeisureCode box) if box.nodeType == 1 and (box.getAttribute 'LeisureBox')? then newCode = box box = box.parentNode if box != docFocus docFocus?.classList.remove 'focused' docFocus = box box?.classList?.add 'focused' if newCode != codeFocus old = codeFocus codeFocus = newCode if old then acceptCode old owner = (box)-> while box and (box.nodeType != 1 or !isLeisureCode box) box = box.parentNode box hiddenPat = /(^|\n)#@hidden *(\n|$)/ evalBox = (box, envBox, cont)-> env = if envBox? then envFor(envBox) else null processLine getOrgText(box), env, (result)-> env?.cleanup?() (cont ? (x)->x) result getAst box if box.output && hasMonadOutput(box.output) && getOrgText(box).match hiddenPat then hideOutputSource box.output else if getOrgText(box).match hiddenPat then console.log "NO MONAD, BUT MATCHES HIDDEN" acceptCode = (box)-> if (box.getAttribute 'codemain')? evalBox box update 'compile' if owner(box).autorunState then runTests owner(box) errString = (err)-> err.stack evaluating = false evaluationQueue = [] evalNodes = (nodes)-> if evaluating then evaluationQueue.push nodes else chainEvalNodes nodes chainEvalNodes = (nodes)-> evaluating = true runAuto nodes, 0, -> if evaluationQueue.length then chainEvalNodes evaluationQueue.shift() else evaluating = false evalDoc = (el)-> [pgm, auto, x, autoNodes] = initNotebook(el) try if auto || autoNodes #console.log "\n\n@@@@ AUTO: #{auto}, AUTONODES: #{_(autoNodes ? []).map (el)->'\n' + el.innerHTML}\n\n" auto = "do\n #{(auto ? '#').trim().replace /\n/g, '\n '}\n delay\n finishLoading" global.noredefs = false Notebook.queueAfterLoad -> evalDocCode el, pgm if el.autorunState then runTests el evalNodes autoNodes #runAuto autoNodes, 0 #for node in autoNodes # console.log "evalOutput", node, node.output # evalOutput node.output e = envFor(el) e.write = -> e.err = (err)->alert('bubba ' + errString err) processLine auto, e, identity else evalDocCode el, pgm catch err showError err, "Error compiling #{pgm}" runAuto = (nodes, index, cont)-> if index < nodes.length console.log "RUNNING AUTO: #{index}" node = nodes[index] console.log "evalOutput", node, node.output evalOutput node.output, false, -> runAuto nodes, index + 1, cont else (cont ? ->)() processLine = (text, env, cont)-> if text try runMonad rz(L_newParseLine)(lz Nil)(lz text), env, (ast)-> try if getType(ast) == 'parseErr' env.write env.presentValue ast env.processResult? ast cont ast else result = eval "(#{gen ast})" env.write env.presentValue result if isMonad result #console.log "INTERMEDIATE RESULT" runMonad result, env, (result)-> #console.log "RESULT: #{result}" env.processResult result cont result else #console.log "DIRECT RESULT: #{result}" #env.write env.presentValue result env.processResult? result cont result catch err console.log "ERROR: #{err.stack}" env.write env.presentValue err.stack env.processResult? err.stack cont err.stack catch err console.log "ERROR: #{err.stack}" env.write env.presentValue err.stack env.processResult? err.stack cont err.stack else cont '' showError = (e, msg)-> console.log msg console.log e console.log e.stack alert(e.stack) evalDocCode = (el, pgm)-> runMonad rz(L_runFile)(lz pgm), defaultEnv, (result)-> for node in el.querySelectorAll '[codeMain]' getAst node define 'getDocument', makeSyncMonad (env, cont)-> cont peerGetDocument() # MARK TODO define 'getLink', -> # makeSyncMonad (env, cont)-> cont Prim.linkFor filename 0 define 'replaceDocument', (str)-> makeSyncMonad (env, cont)-> replaceContents rz str cont rz L_true define 'gdriveOpen', makeMonad (env, cont)-> GdriveStorage.runOpen (json)-> if json?.action == 'picked' and json.docs?.length > 0 GdriveStorage.loadFile json.docs[0].id, -> cont rz(_some)(lz json.docs[0].title) else cont rz _none define 'getFilename', makeSyncMonad (env, cont)-> cont filename?.pathName() ? '' define 'setURI', (uri)-> makeSyncMonad (env, cont)-> setFilename rz uri cont rz L_true define 'getURI', makeSyncMonad (env, cont)-> cont filename?.toString() ? '' define 'finishLoading', makeMonad (env, cont)-> loaded = true for i in postLoadQueue rz i postLoadQueue = [] cont rz L_false define 'markupButtons', makeSyncMonad (env, cont)-> if env.box then markupButtons env.box cont rz L_false define 'alert', (str)-> makeSyncMonad (env, cont)-> window.alert(rz str) cont rz L_false define 'bindEvent', (selector)->(eventName)->(func)-> makeSyncMonad (env, cont)-> node = env.box.querySelector rz selector if !node then node = document.body.querySelector rz selector console.log "ADDING EVENT: #{rz selector} #{rz eventName} NODE: #{node}" if node then node.addEventListener eventName(), (e)-> console.log "EVENT: #{rz selector} #{rz eventName} #{rz func}" runMonad rz(func)(lz e), envFor(e.target), -> cont rz L_false define 'quit', -> window.close() define 'config', (expr)-> makeSyncMonad (env, cont)-> switch rz expr when 'autoTest' then autoRun(env.owner, true) cont(rz L_false) define 'notebookSelection', (func)-> makeSyncMonad (env, cont)-> sel = window.getSelection() bx = getBox sel.focusNode if bx? and hasFunc bx, func # MARK CHECK # offset = (bx.ast.leisureCodeOffset ? 0) offset = 0 r = sel.getRangeAt(0) window.r = r r2 = document.createRange() r2.setStart bx, 0 r2.setEnd r.startContainer, r.startOffset p1 = getOrgText(r2.cloneContents()).length - offset if !r.collapsed then r2.setEnd r.endContainer, r.endOffset p2 = getOrgText(r2.cloneContents()).length - offset cont(rz(_some2)(lz p1)(lz p2)) else cont(rz _none) hasFunc = (bx, func)-> ast = getAst(bx) ast == func().ast || ast == func.ast define 'notebookAst', (func)-> makeSyncMonad (env, cont)-> # MARK CHECK if func.leisureName? # MARK CHECK node = document.querySelector "[LeisureFunc=#{func.leisureName}]" if node? ast = getAst node return cont(rz(_some)(lz ast)) cont(rz _none) autoRun = (el, state)-> el.autorunState = state el.autorun?.checked = state head = (l)->l lz (hh)->(tt)->rz hh tail = (l)->l lz (hh)->(tt)->rz tt id = (v)->rz v primconcatNodes = (nodes)-> if nodes == rz(_nil) then "" else (head nodes)(id) + concatNodes tail nodes #getSvgElement = (id)-> # if (el = document.getElementById id) then el # else # svg = createNode "<svg id='HIDDEN_SVG' xmlns='http://www.w3.org/2000/svg' version='1.1' style='top: -100000px; position: absolute'><text id='HIDDEN_TEXT'>bubba</text></svg>" # document.body.appendChild(svg) # document.getElementById id # #svgMeasureText = (text)->(style)->(f)-> # txt = getSvgElement('HIDDEN_TEXT') # if rz style then txt.setAttribute 'style', rz style # txt.lastChild.textContent = rz text # bx = txt.getBBox() # rz(f)(lz bx.width)(lz bx.height) # # #transformedPoint = (pt, x, y, ctm, ictm)-> # pt.x = x # pt.y = y # pt.matrixTransform(ctm).matrixTransform(ictm) # ## try to take strokeWidth into account #svgMeasure = (content)-> primSvgMeasure content, baseStrokeWidth # ## try to take strokeWidth into account #svgBetterMeasure = (content)-> primSvgMeasure content, transformStrokeWidth # ## try to take strokeWidth into account #primSvgMeasure = (content, transformFunc)->(f)-> # svg = createNode "<svg xmlns='http://www.w3.org/2000/svg' version='1.1' style='top: -100000'><g>#{content()}</g></svg>" # document.body.appendChild(svg) # g = svg.firstChild # bbox = g.getBBox() # pad = getMaxStrokeWidth g, g, svg, transformFunc # document.body.removeChild(svg) # rz(f)(lz bbox.x - Math.ceil(pad/2))(lz bbox.y - Math.ceil(pad/2))(lz bbox.width + pad)(lz bbox.height + pad) # #baseElements = ['path', 'rect', 'circle', 'ellipse', 'line', 'polyline', 'polygon'] # #getMaxStrokeWidth = (el, base, svg, transformFunc)-> # if base.nodeName in baseElements # #hack to parse strokeWidth string by setting the width of the svg to it # svg.setAttribute 'width', (getComputedStyle(base).strokeWidth ? '0'), svg # transformFunc el, svg.width.baseVal.value # else if base.nodeName == 'use' then getMaxStrokeWidth base, base.instanceRoot.correspondingElement, svg, transformFunc # else if base.nodeName == 'g' # foldLeft ((v, n)-> Math.max v, (getMaxStrokeWidth n, n, svg, transformFunc)), 0, el.childNodes # else 0 # #baseStrokeWidth = (el, w)-> w # #transformStrokeWidth = (el, w)-> # if w == 0 then 0 # else # ctm = el.getScreenCTM() # tp1 = transformedPoint pt, bx.x - Math.ceil(w), bx.y - Math.ceil(w), ctm, isctm # tp2 = transformedPoint pt, bx.x + bx.width + Math.ceil(w), bx.y + bx.height + Math.ceil(w), ctm, isctm # x = tp2.x - tp1.x # y = tp2.y - tp1.y # Math.sqrt(x * x + y * y) previousSibling = (node)-> while node?.parentNode && !node.previousSibling node = node.parentNode node?.previousSibling nextSibling = (node)-> while node?.parentNode && !node.nextSibling node = node.parentNode node?.nextSibling # # System pages # hideControlSection = -> controlSection = document.body.querySelector '[leisureSection="Leisure Controls"]' if !controlSection controlSection = document.createElement 'DIV' document.body.insertBefore controlSection, document.body.firstChild root.markupElement controlSection, """ # Leisure Controls ## File Save and Load ``` saveFile saveAs 'filename' saveAs pickFile loadFile emptyFile ``` """ unwrap controlSection controlSection.classList.add leisure_controls controlSection.classList.add hidden # # Notebook prims # define 'printValue', (value)-> makeMonad (env, cont)-> if rz(value) != rz(L_nil) then env.write("#{env.presentValue rz value}\n") cont L_false() # # Exports # # MARK CHECK defaultEnv.require = req root.initNotebook = initNotebook root.bindNotebook = bindNotebook root.bindAll = bindAll root.evalOutput = evalOutput root.makeTestCase = makeTestCase root.cleanOutput = cleanOutput root.clearOutputBox = clearOutputBox root.envFor = envFor root.queueAfterLoad = queueAfterLoad root.evalDoc = evalDoc root.getBox = getBox root.makeRange = makeRange root.grp = grp root.changeTheme = changeTheme root.setSnapper = setSnapper root.update = update root.clearUpdates = clearUpdates root.showAst = showAst root.toggleEdit = toggleEdit root.showSource = showSource root.bootNotebook = bootNotebook root.ENTER = ENTER root.cleanEmptyNodes = cleanEmptyNodes root.isLeisureCode = isLeisureCode root.getElementCode = getElementCode root.runTests = runTests root.previousSibling = previousSibling root.nextSibling = nextSibling root.presentLeisureCode = presentLeisureCode root.mergeLeisureCode = mergeLeisureCode root.highlightNotebookFunction = highlightNotebookFunction root.ESC = ESC root.HOME = HOME root.END = END root.PAGE_UP = PAGE_UP root.PAGE_DOWN = PAGE_DOWN root.LEFT_ARROW = LEFT_ARROW root.UP_ARROW = UP_ARROW root.RIGHT_ARROW = RIGHT_ARROW root.DOWN_ARROW = DOWN_ARROW root.arrows = arrows root.closeWindow = closeWindow root.markupButton = markupButton root.markupButtons = markupButtons root.getAst = getAst root.insertControls = insertControls root.setFilename = setFilename root.unwrap = unwrap root.remove = remove root.wrapRange = wrapRange root.replaceContents = replaceContents root.event = event
[ { "context": "nt: '-10.00'\n memo: 'Some memo'\n name: 'Some name'\n payee: 'Some payee'\n ref_number: 'Som", "end": 205, "score": 0.9579158425331116, "start": 196, "tag": "NAME", "value": "Some name" }, { "context": "nsaction: sorted_transaction\n account_name: 'Eftpos'\n account_group_name: 'Personal'\n\n createVi", "end": 431, "score": 0.8631187081336975, "start": 425, "tag": "NAME", "value": "Eftpos" }, { "context": "w().render()\n expect(view.$el).toContainText('Eftpos')\n\n it \"renders the account_group_name\", ->\n ", "end": 1797, "score": 0.8758094906806946, "start": 1792, "tag": "NAME", "value": "ftpos" } ]
spec/javascripts/dot_ledger/views/transactions/details_spec.js.coffee
malclocke/dotledger
0
describe "DotLedger.Views.Transactions.Details", -> createModel = (sorted_transaction = null)-> new DotLedger.Models.Transaction amount: '-10.00' memo: 'Some memo' name: 'Some name' payee: 'Some payee' ref_number: 'Some ref_number' type: 'Some type' fit_id: '1234567' posted_at: '2013-01-01' id: 1 sorted_transaction: sorted_transaction account_name: 'Eftpos' account_group_name: 'Personal' createView = (model = createModel()) -> new DotLedger.Views.Transactions.Details model: model it "should be defined", -> expect(DotLedger.Views.Transactions.Details).toBeDefined() it "should use the correct template", -> expect(DotLedger.Views.Transactions.Details).toUseTemplate('transactions/details') it "can be rendered", -> view = createView() expect(view.render).not.toThrow() it "renders the amount", -> view = createView().render() expect(view.$el).toContainText('-10.00') it "renders the memo", -> view = createView().render() expect(view.$el).toContainText('Some memo') it "renders the payee", -> view = createView().render() expect(view.$el).toContainText('Some payee') it "renders the ref_number", -> view = createView().render() expect(view.$el).toContainText('Some ref_number') it "renders the type", -> view = createView().render() expect(view.$el).toContainText('Some type') it "renders the fit_id", -> view = createView().render() expect(view.$el).toContainText('1234567') it "renders the posted_at date", -> view = createView().render() expect(view.$el).toContainText('1 Jan 2013') it "renders the account_name", -> view = createView().render() expect(view.$el).toContainText('Eftpos') it "renders the account_group_name", -> view = createView().render() expect(view.$el).toContainText('Personal') it "renders other if account_group_name if null", -> model = createModel() model.set('account_group_name', null) view = createView(model).render() expect(view.$el).toContainText('Other') it "renders the sorted transaction details if the transaction is sorted", -> model = createModel({ category_name: "Some Category", tag_list: ["tag1, tag2, tag3"], note: "Some note." }) view = createView(model).render() expect(view.$el).toContainText('Some Category') expect(view.$el).toContainText('tag1, tag2, tag3') expect(view.$el).toContainText('Some note.')
164549
describe "DotLedger.Views.Transactions.Details", -> createModel = (sorted_transaction = null)-> new DotLedger.Models.Transaction amount: '-10.00' memo: 'Some memo' name: '<NAME>' payee: 'Some payee' ref_number: 'Some ref_number' type: 'Some type' fit_id: '1234567' posted_at: '2013-01-01' id: 1 sorted_transaction: sorted_transaction account_name: '<NAME>' account_group_name: 'Personal' createView = (model = createModel()) -> new DotLedger.Views.Transactions.Details model: model it "should be defined", -> expect(DotLedger.Views.Transactions.Details).toBeDefined() it "should use the correct template", -> expect(DotLedger.Views.Transactions.Details).toUseTemplate('transactions/details') it "can be rendered", -> view = createView() expect(view.render).not.toThrow() it "renders the amount", -> view = createView().render() expect(view.$el).toContainText('-10.00') it "renders the memo", -> view = createView().render() expect(view.$el).toContainText('Some memo') it "renders the payee", -> view = createView().render() expect(view.$el).toContainText('Some payee') it "renders the ref_number", -> view = createView().render() expect(view.$el).toContainText('Some ref_number') it "renders the type", -> view = createView().render() expect(view.$el).toContainText('Some type') it "renders the fit_id", -> view = createView().render() expect(view.$el).toContainText('1234567') it "renders the posted_at date", -> view = createView().render() expect(view.$el).toContainText('1 Jan 2013') it "renders the account_name", -> view = createView().render() expect(view.$el).toContainText('E<NAME>') it "renders the account_group_name", -> view = createView().render() expect(view.$el).toContainText('Personal') it "renders other if account_group_name if null", -> model = createModel() model.set('account_group_name', null) view = createView(model).render() expect(view.$el).toContainText('Other') it "renders the sorted transaction details if the transaction is sorted", -> model = createModel({ category_name: "Some Category", tag_list: ["tag1, tag2, tag3"], note: "Some note." }) view = createView(model).render() expect(view.$el).toContainText('Some Category') expect(view.$el).toContainText('tag1, tag2, tag3') expect(view.$el).toContainText('Some note.')
true
describe "DotLedger.Views.Transactions.Details", -> createModel = (sorted_transaction = null)-> new DotLedger.Models.Transaction amount: '-10.00' memo: 'Some memo' name: 'PI:NAME:<NAME>END_PI' payee: 'Some payee' ref_number: 'Some ref_number' type: 'Some type' fit_id: '1234567' posted_at: '2013-01-01' id: 1 sorted_transaction: sorted_transaction account_name: 'PI:NAME:<NAME>END_PI' account_group_name: 'Personal' createView = (model = createModel()) -> new DotLedger.Views.Transactions.Details model: model it "should be defined", -> expect(DotLedger.Views.Transactions.Details).toBeDefined() it "should use the correct template", -> expect(DotLedger.Views.Transactions.Details).toUseTemplate('transactions/details') it "can be rendered", -> view = createView() expect(view.render).not.toThrow() it "renders the amount", -> view = createView().render() expect(view.$el).toContainText('-10.00') it "renders the memo", -> view = createView().render() expect(view.$el).toContainText('Some memo') it "renders the payee", -> view = createView().render() expect(view.$el).toContainText('Some payee') it "renders the ref_number", -> view = createView().render() expect(view.$el).toContainText('Some ref_number') it "renders the type", -> view = createView().render() expect(view.$el).toContainText('Some type') it "renders the fit_id", -> view = createView().render() expect(view.$el).toContainText('1234567') it "renders the posted_at date", -> view = createView().render() expect(view.$el).toContainText('1 Jan 2013') it "renders the account_name", -> view = createView().render() expect(view.$el).toContainText('EPI:NAME:<NAME>END_PI') it "renders the account_group_name", -> view = createView().render() expect(view.$el).toContainText('Personal') it "renders other if account_group_name if null", -> model = createModel() model.set('account_group_name', null) view = createView(model).render() expect(view.$el).toContainText('Other') it "renders the sorted transaction details if the transaction is sorted", -> model = createModel({ category_name: "Some Category", tag_list: ["tag1, tag2, tag3"], note: "Some note." }) view = createView(model).render() expect(view.$el).toContainText('Some Category') expect(view.$el).toContainText('tag1, tag2, tag3') expect(view.$el).toContainText('Some note.')
[ { "context": "LimitChecker', ->\n beforeEach ->\n @clientKey = uuid.v1()\n @client = redis.createClient @clientKey\n s", "end": 217, "score": 0.9183686971664429, "start": 208, "tag": "KEY", "value": "uuid.v1()" } ]
test/rate-limit-checker-spec.coffee
octoblu/meshblu-core-rate-limit-checker
0
_ = require 'lodash' redis = require 'fakeredis' uuid = require 'uuid' RateLimitChecker = require '../' describe 'RateLimitChecker', -> beforeEach -> @clientKey = uuid.v1() @client = redis.createClient @clientKey startTime = Date.now() FakeDate = now: -> return startTime @sut = new RateLimitChecker {@client, Date: FakeDate} @request = metadata: responseId: 'its-electric' auth: uuid: 'electric-eels' messageType: 'received' options: {} rawData: '{}' describe '->isLimited', -> context 'when under the limit', -> beforeEach (done) -> @sut.isLimited uuid: 'electric-eels', (error, @result) => done error it 'should yield false', -> expect(@result).to.be.false context 'when above the limit', -> beforeEach (done) -> @client.hset @sut.getMinuteKey(), 'electric-eels', @sut.msgRateLimit, done beforeEach (done) -> @sut.isLimited uuid: 'electric-eels', (error, @result) => done error it 'should yield true', -> expect(@result).to.be.true
151093
_ = require 'lodash' redis = require 'fakeredis' uuid = require 'uuid' RateLimitChecker = require '../' describe 'RateLimitChecker', -> beforeEach -> @clientKey = <KEY> @client = redis.createClient @clientKey startTime = Date.now() FakeDate = now: -> return startTime @sut = new RateLimitChecker {@client, Date: FakeDate} @request = metadata: responseId: 'its-electric' auth: uuid: 'electric-eels' messageType: 'received' options: {} rawData: '{}' describe '->isLimited', -> context 'when under the limit', -> beforeEach (done) -> @sut.isLimited uuid: 'electric-eels', (error, @result) => done error it 'should yield false', -> expect(@result).to.be.false context 'when above the limit', -> beforeEach (done) -> @client.hset @sut.getMinuteKey(), 'electric-eels', @sut.msgRateLimit, done beforeEach (done) -> @sut.isLimited uuid: 'electric-eels', (error, @result) => done error it 'should yield true', -> expect(@result).to.be.true
true
_ = require 'lodash' redis = require 'fakeredis' uuid = require 'uuid' RateLimitChecker = require '../' describe 'RateLimitChecker', -> beforeEach -> @clientKey = PI:KEY:<KEY>END_PI @client = redis.createClient @clientKey startTime = Date.now() FakeDate = now: -> return startTime @sut = new RateLimitChecker {@client, Date: FakeDate} @request = metadata: responseId: 'its-electric' auth: uuid: 'electric-eels' messageType: 'received' options: {} rawData: '{}' describe '->isLimited', -> context 'when under the limit', -> beforeEach (done) -> @sut.isLimited uuid: 'electric-eels', (error, @result) => done error it 'should yield false', -> expect(@result).to.be.false context 'when above the limit', -> beforeEach (done) -> @client.hset @sut.getMinuteKey(), 'electric-eels', @sut.msgRateLimit, done beforeEach (done) -> @sut.isLimited uuid: 'electric-eels', (error, @result) => done error it 'should yield true', -> expect(@result).to.be.true
[ { "context": "literals in a React component definition\n# @author Caleb morris\n# @author David Buchan-Swanson\n###\n'use strict'\n\n", "end": 108, "score": 0.9998378753662109, "start": 96, "tag": "NAME", "value": "Caleb morris" }, { "context": "ponent definition\n# @author Caleb morris\n# @author David Buchan-Swanson\n###\n'use strict'\n\n# -----------------------------", "end": 139, "score": 0.9998000860214233, "start": 119, "tag": "NAME", "value": "David Buchan-Swanson" } ]
src/tests/rules/jsx-no-literals.coffee
danielbayley/eslint-plugin-coffee
0
###* # @fileoverview Prevent using unwrapped literals in a React component definition # @author Caleb morris # @author David Buchan-Swanson ### 'use strict' # ------------------------------------------------------------------------------ # Requirements # ------------------------------------------------------------------------------ rule = require 'eslint-plugin-react/lib/rules/jsx-no-literals' {RuleTester} = require 'eslint' path = require 'path' # ------------------------------------------------------------------------------ # Tests # ------------------------------------------------------------------------------ ruleTester = new RuleTester parser: path.join __dirname, '../../..' ### eslint-disable coffee/no-template-curly-in-string ### ruleTester.run 'jsx-no-literals', rule, valid: [ code: ''' class Comp1 extends Component render: -> return ( <div> {'asdjfl'} </div> ) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> return ( <> {'asdjfl'} </> ) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> (<div>{'test'}</div>) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> bar = (<div>{'hello'}</div>) return bar ''' , # parser: 'babel-eslint' code: ''' Hello = createReactClass({ foo: (<div>{'hello'}</div>), render: -> return this.foo }) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> return ( <div> {'asdjfl'} {'test'} {'foo'} </div> ) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> return ( <div> </div> ) ''' , # parser: 'babel-eslint' code: ''' foo = require('foo') ''' , # parser: 'babel-eslint' code: ''' <Foo bar='test'> {'blarg'} </Foo> ''' , # parser: 'babel-eslint' code: ''' <Foo bar="test"> {intl.formatText(message)} </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] , code: ''' <Foo bar="test"> {translate('my.translate.key')} </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] , code: ''' <Foo bar="test"> {intl.formatText(message)} </Foo> ''' options: [noStrings: yes] , code: ''' <Foo bar="test"> {translate('my.translate.key')} </Foo> ''' options: [noStrings: yes] , code: '<Foo bar={true} />' options: [noStrings: yes] , code: '<Foo bar={false} />' options: [noStrings: yes] , code: '<Foo bar={100} />' options: [noStrings: yes] , code: '<Foo bar={null} />' options: [noStrings: yes] , code: '<Foo bar={{}} />' options: [noStrings: yes] , code: ''' class Comp1 extends Component asdf: -> render: -> return <Foo bar={this.asdf} /> ''' options: [noStrings: yes] , code: ''' class Comp1 extends Component render: -> foo = "bar" return <div /> ''' options: [noStrings: yes] ] invalid: [ code: ''' class Comp1 extends Component render: -> return (<div>test</div>) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' class Comp1 extends Component render: -> return (<>test</>) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' class Comp1 extends Component render: -> foo = (<div>test</div>) return foo ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' class Comp1 extends Component render: -> varObjectTest = { testKey : (<div>test</div>) } return varObjectTest.testKey ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' Hello = createReactClass({ foo: (<div>hello</div>), render: -> return this.foo }) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “hello”' ] , code: ''' class Comp1 extends Component render: -> return ( <div> asdjfl </div> ) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “asdjfl”' ] , code: ''' class Comp1 extends Component render: -> return ( <div> asdjfl test foo </div> ) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “asdjfl\n test\n foo”' ] , code: ''' class Comp1 extends Component render: -> return ( <div> {'asdjfl'} test {'foo'} </div> ) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' <Foo bar="test"> {'Test'} </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] errors: [message: "Strings not allowed in JSX files: “'Test'”"] , code: ''' <Foo bar="test"> {'Test'} </Foo> ''' options: [noStrings: yes] errors: [message: "Strings not allowed in JSX files: “'Test'”"] , code: ''' <Foo bar="test"> {'Test' + name} </Foo> ''' options: [noStrings: yes] errors: [message: "Strings not allowed in JSX files: “'Test'”"] , code: ''' <Foo bar="test"> Test </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “Test”'] , code: ''' <Foo bar="test"> Test </Foo> ''' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “Test”'] , code: ''' <Foo> {"Test"} </Foo> ''' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"Test"”'] , code: '<Foo bar={"Test"} />' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"Test"”'] , code: '<Foo bar={"#{baz}"} />' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"#{baz}"”'] , code: '<Foo bar={"Test #{baz}"} />' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"Test #{baz}"”'] , code: '<Foo bar={"foo" + \'bar\'} />' options: [noStrings: yes] errors: [ message: 'Strings not allowed in JSX files: “"foo"”' , message: "Strings not allowed in JSX files: “'bar'”" ] , code: '<Foo bar={"foo" + "bar"} />' options: [noStrings: yes] errors: [ message: 'Strings not allowed in JSX files: “"foo"”' , message: 'Strings not allowed in JSX files: “"bar"”' ] , code: '<Foo bar={\'foo\' + "bar"} />' options: [noStrings: yes] errors: [ message: "Strings not allowed in JSX files: “'foo'”" , message: 'Strings not allowed in JSX files: “"bar"”' ] ]
138163
###* # @fileoverview Prevent using unwrapped literals in a React component definition # @author <NAME> # @author <NAME> ### 'use strict' # ------------------------------------------------------------------------------ # Requirements # ------------------------------------------------------------------------------ rule = require 'eslint-plugin-react/lib/rules/jsx-no-literals' {RuleTester} = require 'eslint' path = require 'path' # ------------------------------------------------------------------------------ # Tests # ------------------------------------------------------------------------------ ruleTester = new RuleTester parser: path.join __dirname, '../../..' ### eslint-disable coffee/no-template-curly-in-string ### ruleTester.run 'jsx-no-literals', rule, valid: [ code: ''' class Comp1 extends Component render: -> return ( <div> {'asdjfl'} </div> ) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> return ( <> {'asdjfl'} </> ) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> (<div>{'test'}</div>) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> bar = (<div>{'hello'}</div>) return bar ''' , # parser: 'babel-eslint' code: ''' Hello = createReactClass({ foo: (<div>{'hello'}</div>), render: -> return this.foo }) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> return ( <div> {'asdjfl'} {'test'} {'foo'} </div> ) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> return ( <div> </div> ) ''' , # parser: 'babel-eslint' code: ''' foo = require('foo') ''' , # parser: 'babel-eslint' code: ''' <Foo bar='test'> {'blarg'} </Foo> ''' , # parser: 'babel-eslint' code: ''' <Foo bar="test"> {intl.formatText(message)} </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] , code: ''' <Foo bar="test"> {translate('my.translate.key')} </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] , code: ''' <Foo bar="test"> {intl.formatText(message)} </Foo> ''' options: [noStrings: yes] , code: ''' <Foo bar="test"> {translate('my.translate.key')} </Foo> ''' options: [noStrings: yes] , code: '<Foo bar={true} />' options: [noStrings: yes] , code: '<Foo bar={false} />' options: [noStrings: yes] , code: '<Foo bar={100} />' options: [noStrings: yes] , code: '<Foo bar={null} />' options: [noStrings: yes] , code: '<Foo bar={{}} />' options: [noStrings: yes] , code: ''' class Comp1 extends Component asdf: -> render: -> return <Foo bar={this.asdf} /> ''' options: [noStrings: yes] , code: ''' class Comp1 extends Component render: -> foo = "bar" return <div /> ''' options: [noStrings: yes] ] invalid: [ code: ''' class Comp1 extends Component render: -> return (<div>test</div>) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' class Comp1 extends Component render: -> return (<>test</>) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' class Comp1 extends Component render: -> foo = (<div>test</div>) return foo ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' class Comp1 extends Component render: -> varObjectTest = { testKey : (<div>test</div>) } return varObjectTest.testKey ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' Hello = createReactClass({ foo: (<div>hello</div>), render: -> return this.foo }) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “hello”' ] , code: ''' class Comp1 extends Component render: -> return ( <div> asdjfl </div> ) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “asdjfl”' ] , code: ''' class Comp1 extends Component render: -> return ( <div> asdjfl test foo </div> ) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “asdjfl\n test\n foo”' ] , code: ''' class Comp1 extends Component render: -> return ( <div> {'asdjfl'} test {'foo'} </div> ) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' <Foo bar="test"> {'Test'} </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] errors: [message: "Strings not allowed in JSX files: “'Test'”"] , code: ''' <Foo bar="test"> {'Test'} </Foo> ''' options: [noStrings: yes] errors: [message: "Strings not allowed in JSX files: “'Test'”"] , code: ''' <Foo bar="test"> {'Test' + name} </Foo> ''' options: [noStrings: yes] errors: [message: "Strings not allowed in JSX files: “'Test'”"] , code: ''' <Foo bar="test"> Test </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “Test”'] , code: ''' <Foo bar="test"> Test </Foo> ''' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “Test”'] , code: ''' <Foo> {"Test"} </Foo> ''' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"Test"”'] , code: '<Foo bar={"Test"} />' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"Test"”'] , code: '<Foo bar={"#{baz}"} />' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"#{baz}"”'] , code: '<Foo bar={"Test #{baz}"} />' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"Test #{baz}"”'] , code: '<Foo bar={"foo" + \'bar\'} />' options: [noStrings: yes] errors: [ message: 'Strings not allowed in JSX files: “"foo"”' , message: "Strings not allowed in JSX files: “'bar'”" ] , code: '<Foo bar={"foo" + "bar"} />' options: [noStrings: yes] errors: [ message: 'Strings not allowed in JSX files: “"foo"”' , message: 'Strings not allowed in JSX files: “"bar"”' ] , code: '<Foo bar={\'foo\' + "bar"} />' options: [noStrings: yes] errors: [ message: "Strings not allowed in JSX files: “'foo'”" , message: 'Strings not allowed in JSX files: “"bar"”' ] ]
true
###* # @fileoverview Prevent using unwrapped literals in a React component definition # @author PI:NAME:<NAME>END_PI # @author PI:NAME:<NAME>END_PI ### 'use strict' # ------------------------------------------------------------------------------ # Requirements # ------------------------------------------------------------------------------ rule = require 'eslint-plugin-react/lib/rules/jsx-no-literals' {RuleTester} = require 'eslint' path = require 'path' # ------------------------------------------------------------------------------ # Tests # ------------------------------------------------------------------------------ ruleTester = new RuleTester parser: path.join __dirname, '../../..' ### eslint-disable coffee/no-template-curly-in-string ### ruleTester.run 'jsx-no-literals', rule, valid: [ code: ''' class Comp1 extends Component render: -> return ( <div> {'asdjfl'} </div> ) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> return ( <> {'asdjfl'} </> ) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> (<div>{'test'}</div>) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> bar = (<div>{'hello'}</div>) return bar ''' , # parser: 'babel-eslint' code: ''' Hello = createReactClass({ foo: (<div>{'hello'}</div>), render: -> return this.foo }) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> return ( <div> {'asdjfl'} {'test'} {'foo'} </div> ) ''' , # parser: 'babel-eslint' code: ''' class Comp1 extends Component render: -> return ( <div> </div> ) ''' , # parser: 'babel-eslint' code: ''' foo = require('foo') ''' , # parser: 'babel-eslint' code: ''' <Foo bar='test'> {'blarg'} </Foo> ''' , # parser: 'babel-eslint' code: ''' <Foo bar="test"> {intl.formatText(message)} </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] , code: ''' <Foo bar="test"> {translate('my.translate.key')} </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] , code: ''' <Foo bar="test"> {intl.formatText(message)} </Foo> ''' options: [noStrings: yes] , code: ''' <Foo bar="test"> {translate('my.translate.key')} </Foo> ''' options: [noStrings: yes] , code: '<Foo bar={true} />' options: [noStrings: yes] , code: '<Foo bar={false} />' options: [noStrings: yes] , code: '<Foo bar={100} />' options: [noStrings: yes] , code: '<Foo bar={null} />' options: [noStrings: yes] , code: '<Foo bar={{}} />' options: [noStrings: yes] , code: ''' class Comp1 extends Component asdf: -> render: -> return <Foo bar={this.asdf} /> ''' options: [noStrings: yes] , code: ''' class Comp1 extends Component render: -> foo = "bar" return <div /> ''' options: [noStrings: yes] ] invalid: [ code: ''' class Comp1 extends Component render: -> return (<div>test</div>) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' class Comp1 extends Component render: -> return (<>test</>) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' class Comp1 extends Component render: -> foo = (<div>test</div>) return foo ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' class Comp1 extends Component render: -> varObjectTest = { testKey : (<div>test</div>) } return varObjectTest.testKey ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' Hello = createReactClass({ foo: (<div>hello</div>), render: -> return this.foo }) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “hello”' ] , code: ''' class Comp1 extends Component render: -> return ( <div> asdjfl </div> ) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “asdjfl”' ] , code: ''' class Comp1 extends Component render: -> return ( <div> asdjfl test foo </div> ) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “asdjfl\n test\n foo”' ] , code: ''' class Comp1 extends Component render: -> return ( <div> {'asdjfl'} test {'foo'} </div> ) ''' # parser: 'babel-eslint' errors: [ message: 'Missing JSX expression container around literal string: “test”' ] , code: ''' <Foo bar="test"> {'Test'} </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] errors: [message: "Strings not allowed in JSX files: “'Test'”"] , code: ''' <Foo bar="test"> {'Test'} </Foo> ''' options: [noStrings: yes] errors: [message: "Strings not allowed in JSX files: “'Test'”"] , code: ''' <Foo bar="test"> {'Test' + name} </Foo> ''' options: [noStrings: yes] errors: [message: "Strings not allowed in JSX files: “'Test'”"] , code: ''' <Foo bar="test"> Test </Foo> ''' # parser: 'babel-eslint' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “Test”'] , code: ''' <Foo bar="test"> Test </Foo> ''' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “Test”'] , code: ''' <Foo> {"Test"} </Foo> ''' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"Test"”'] , code: '<Foo bar={"Test"} />' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"Test"”'] , code: '<Foo bar={"#{baz}"} />' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"#{baz}"”'] , code: '<Foo bar={"Test #{baz}"} />' options: [noStrings: yes] errors: [message: 'Strings not allowed in JSX files: “"Test #{baz}"”'] , code: '<Foo bar={"foo" + \'bar\'} />' options: [noStrings: yes] errors: [ message: 'Strings not allowed in JSX files: “"foo"”' , message: "Strings not allowed in JSX files: “'bar'”" ] , code: '<Foo bar={"foo" + "bar"} />' options: [noStrings: yes] errors: [ message: 'Strings not allowed in JSX files: “"foo"”' , message: 'Strings not allowed in JSX files: “"bar"”' ] , code: '<Foo bar={\'foo\' + "bar"} />' options: [noStrings: yes] errors: [ message: "Strings not allowed in JSX files: “'foo'”" , message: 'Strings not allowed in JSX files: “"bar"”' ] ]
[ { "context": "ndard input button.'\n\n args =\n label:'My Button'\n cssClass: 'my-foo'\n\n @load '", "end": 191, "score": 0.933204174041748, "start": 189, "tag": "NAME", "value": "My" } ]
packages/ctrl-button-spec/ctrl-button-spec.coffee
dferber90/meteor-crux
2
describe 'Core', -> describe 'Ctrls', -> describe 'Button', -> after -> @reset() before -> @title true @subtitle 'Standard input button.' args = label:'My Button' cssClass: 'my-foo' @load 'ctrl-button', args:args, => ctrl = @ctrl() # Events. ctrl.on 'clicked', (j, e) => console.log '++clicked', e # @autorun => console.log 'AUTORUN isOver', ctrl.isOver() it 'write', -> console.group('Button') ctrl = @ctrl() console.log ctrl console.log ' - isEnabled', ctrl.isEnabled() console.log ' - size', ctrl.size() console.log ctrl.el()[0] console.groupEnd() it '`focus`', -> @ctrl().focus() describe.section 'State', -> it.boolean 'isEnabled', -> it.boolean 'labelOnly', -> it.radio 'size', [50, 32, 28, 22], -> it.radio 'color', [null, 'silver', 'blue', 'green', 'red', 'orange', 'black'], -> it.select 'tabIndex', [null, 0, -1, 5], -> describe.section 'Label', -> it '`null`', -> @ctrl().label(null) it '`empty-string`', -> @ctrl().label('') it '`spaces`', -> @ctrl().label(' ') it '`My Button`', -> @ctrl().label('My Button') it '`long`', -> @ctrl().label(@lorem(10)) it '`HTML`', -> @ctrl().label("<code>Hello</code> there") it '`markdown`', -> @ctrl().label('My *simple* `markdown`')
76053
describe 'Core', -> describe 'Ctrls', -> describe 'Button', -> after -> @reset() before -> @title true @subtitle 'Standard input button.' args = label:'<NAME> Button' cssClass: 'my-foo' @load 'ctrl-button', args:args, => ctrl = @ctrl() # Events. ctrl.on 'clicked', (j, e) => console.log '++clicked', e # @autorun => console.log 'AUTORUN isOver', ctrl.isOver() it 'write', -> console.group('Button') ctrl = @ctrl() console.log ctrl console.log ' - isEnabled', ctrl.isEnabled() console.log ' - size', ctrl.size() console.log ctrl.el()[0] console.groupEnd() it '`focus`', -> @ctrl().focus() describe.section 'State', -> it.boolean 'isEnabled', -> it.boolean 'labelOnly', -> it.radio 'size', [50, 32, 28, 22], -> it.radio 'color', [null, 'silver', 'blue', 'green', 'red', 'orange', 'black'], -> it.select 'tabIndex', [null, 0, -1, 5], -> describe.section 'Label', -> it '`null`', -> @ctrl().label(null) it '`empty-string`', -> @ctrl().label('') it '`spaces`', -> @ctrl().label(' ') it '`My Button`', -> @ctrl().label('My Button') it '`long`', -> @ctrl().label(@lorem(10)) it '`HTML`', -> @ctrl().label("<code>Hello</code> there") it '`markdown`', -> @ctrl().label('My *simple* `markdown`')
true
describe 'Core', -> describe 'Ctrls', -> describe 'Button', -> after -> @reset() before -> @title true @subtitle 'Standard input button.' args = label:'PI:NAME:<NAME>END_PI Button' cssClass: 'my-foo' @load 'ctrl-button', args:args, => ctrl = @ctrl() # Events. ctrl.on 'clicked', (j, e) => console.log '++clicked', e # @autorun => console.log 'AUTORUN isOver', ctrl.isOver() it 'write', -> console.group('Button') ctrl = @ctrl() console.log ctrl console.log ' - isEnabled', ctrl.isEnabled() console.log ' - size', ctrl.size() console.log ctrl.el()[0] console.groupEnd() it '`focus`', -> @ctrl().focus() describe.section 'State', -> it.boolean 'isEnabled', -> it.boolean 'labelOnly', -> it.radio 'size', [50, 32, 28, 22], -> it.radio 'color', [null, 'silver', 'blue', 'green', 'red', 'orange', 'black'], -> it.select 'tabIndex', [null, 0, -1, 5], -> describe.section 'Label', -> it '`null`', -> @ctrl().label(null) it '`empty-string`', -> @ctrl().label('') it '`spaces`', -> @ctrl().label(' ') it '`My Button`', -> @ctrl().label('My Button') it '`long`', -> @ctrl().label(@lorem(10)) it '`HTML`', -> @ctrl().label("<code>Hello</code> there") it '`markdown`', -> @ctrl().label('My *simple* `markdown`')
[ { "context": "er\", ->\n result = Table.column example, 1, ['eins', 'zwei', 'drei']\n expect(result).to.deep.eq", "end": 6709, "score": 0.9935579895973206, "start": 6705, "tag": "NAME", "value": "eins" }, { "context": " result = Table.column example, 1, ['eins', 'zwei', 'drei']\n expect(result).to.deep.equal ['ei", "end": 6717, "score": 0.8318936824798584, "start": 6713, "tag": "NAME", "value": "zwei" }, { "context": "ult = Table.column example, 1, ['eins', 'zwei', 'drei']\n expect(result).to.deep.equal ['eins', 'zw", "end": 6725, "score": 0.7519090175628662, "start": 6722, "tag": "NAME", "value": "rei" }, { "context": "ei', 'drei']\n expect(result).to.deep.equal ['eins', 'zwei', 'drei']\n\n it \"should get a column by", "end": 6769, "score": 0.8894783854484558, "start": 6765, "tag": "NAME", "value": "eins" }, { "context": " (instance)\", ->\n result = table.column 1, ['eins', 'zwei', 'drei']\n expect(result).to.be.inst", "end": 7024, "score": 0.9915814399719238, "start": 7020, "tag": "NAME", "value": "eins" }, { "context": "ce)\", ->\n result = table.column 1, ['eins', 'zwei', 'drei']\n expect(result).to.be.instanceof T", "end": 7032, "score": 0.7252534627914429, "start": 7028, "tag": "NAME", "value": "zwei" }, { "context": " result = table.column 1, ['eins', 'zwei', 'drei']\n expect(result).to.be.instanceof Table\n ", "end": 7040, "score": 0.6827672719955444, "start": 7037, "tag": "NAME", "value": "rei" }, { "context": "ble.column 1\n expect(result).to.deep.equal ['eins', 'zwei', 'drei']\n\n describe \"columnAdd\", ->\n\n ", "end": 7158, "score": 0.859017014503479, "start": 7154, "tag": "NAME", "value": "eins" }, { "context": "es\", ->\n Table.columnAdd example, 1, 'DE', ['eins', 'zwei', 'drei']\n expect(example).to.deep.e", "end": 7530, "score": 0.9914908409118652, "start": 7526, "tag": "NAME", "value": "eins" }, { "context": " Table.columnAdd example, 1, 'DE', ['eins', 'zwei', 'drei']\n expect(example).to.deep.equal [\n ", "end": 7538, "score": 0.8452139496803284, "start": 7534, "tag": "NAME", "value": "zwei" }, { "context": "ble.columnAdd example, 1, 'DE', ['eins', 'zwei', 'drei']\n expect(example).to.deep.equal [\n [", "end": 7546, "score": 0.8194540739059448, "start": 7542, "tag": "NAME", "value": "drei" }, { "context": "al [\n [ 'ID', 'DE', 'Name' ]\n [ 1, 'eins', 'one' ]\n [ 2, 'zwei', 'two' ]\n [ ", "end": 7636, "score": 0.997979462146759, "start": 7632, "tag": "NAME", "value": "eins" }, { "context": "ame' ]\n [ 1, 'eins', 'one' ]\n [ 2, 'zwei', 'two' ]\n [ 3, 'drei', 'three' ]\n ]\n", "end": 7665, "score": 0.9299169182777405, "start": 7661, "tag": "NAME", "value": "zwei" }, { "context": "one' ]\n [ 2, 'zwei', 'two' ]\n [ 3, 'drei', 'three' ]\n ]\n\n it \"should add a column ", "end": 7694, "score": 0.5969212651252747, "start": 7690, "tag": "NAME", "value": "drei" } ]
test/mocha/access.coffee
alinex/node-table
1
chai = require 'chai' expect = chai.expect ### eslint-env node, mocha ### Table = require '../../src/index' example = null table = null describe "Access", -> beforeEach -> example = [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] ] table = new Table example describe "field", -> it "should get entries by number", -> expect(Table.field(example, 1, 1), '1/1').to.equal 'one' expect(Table.field(example, 3, 0), '3/0').to.equal 3 it "should get entries by number (instance)", -> expect(table.field(1, 1), '1/1').to.equal 'one' expect(table.field(3, 0), '3/0').to.equal 3 it "should get entries by name", -> expect(Table.field(example, 1, 'Name'), '1/1').to.equal 'one' expect(Table.field(example, 3, 'ID'), '3/0').to.equal 3 it "should get entries by name (instance)", -> expect(table.field(1, 'Name'), '1/1').to.equal 'one' expect(table.field(3, 'ID'), '3/0').to.equal 3 it "should set entries by number", -> expect(Table.field(example, 1, 1, 'two'), '1/1').to.equal 'two' expect(Table.field(example, 3, 0, '3.0'), '3/0').to.equal '3.0' it "should set entries by number (instance)", -> result = table.field 1, 1, 'two' expect(table.field(1, 1), '1/1').to.equal 'two' expect(result).to.be.instanceof Table it "should set entries by name", -> expect(Table.field(example, 1, 'Name', 'two'), '1/1').to.equal 'two' expect(Table.field(example, 3, 'ID', '3.0'), '3/0').to.equal '3.0' it "should set entries by name (instance)", -> result = table.field 1, 'Name', 'two' expect(table.field(1, 1), '1/1').to.equal 'two' expect(result).to.be.instanceof Table describe "row", -> it "should get entries by number", -> expect(Table.row(example, 1), '1').to.deep.equal {ID: 1, Name: 'one'} it "should get entries by number (instance)", -> expect(table.row(1), '1').to.deep.equal {ID: 1, Name: 'one'} it "should set entries by number", -> expect(Table.row(example, 1, {ID: 3, Name: 'three'}), '1').to.deep.equal {ID: 3, Name: 'three'} it "should set entries by number (instance)", -> result = table.row 1, {ID: 3, Name: 'three'} expect(table.row(1), '1').to.deep.equal {ID: 3, Name: 'three'} expect(result).to.be.instanceof Table describe "insert", -> it "should insert two rows", -> Table.insert example, 2, [[5, 'five'], [6, 'six']] expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [5, 'five'] [6, 'six'] [2, 'two'] [3, 'three'] ] it "should insert two rows (instance)", -> result = table.insert 2, [[5, 'five'], [6, 'six']] expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [5, 'five'] [6, 'six'] [2, 'two'] [3, 'three'] ] it "should insert two rows at the end", -> Table.insert example, null, [[5, 'five']] Table.insert example, [[6, 'six']] expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [5, 'five'] [6, 'six'] ] it "should insert two rows at the end (instance)", -> result = table.insert null, [[5, 'five'], [6, 'six']] expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [5, 'five'] [6, 'six'] ] describe "delete", -> it "should delete one row", -> Table.delete example, 2 expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [3, 'three'] ] it "should delete two rows", -> Table.delete example, 2, 2 expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] ] it "should delete one row (instance)", -> result = table.delete 2 expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [3, 'three'] ] describe "shift", -> it "should get first row", -> record = Table.shift example expect(record).to.deep.equal {ID: 1, Name: 'one'} expect(example).to.deep.equal [ ['ID', 'Name'] [2, 'two'] [3, 'three'] ] it "should get first row (instance)", -> record = table.shift() expect(record).to.deep.equal {ID: 1, Name: 'one'} expect(table.data).to.deep.equal [ ['ID', 'Name'] [2, 'two'] [3, 'three'] ] describe "unshift", -> it "should add row to the front", -> Table.unshift example, {ID: 6, Name: 'six'} expect(example).to.deep.equal [ ['ID', 'Name'] [6, 'six'] [1, 'one'] [2, 'two'] [3, 'three'] ] it "should add row to the front (instance)", -> result = table.unshift {ID: 6, Name: 'six'} expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [6, 'six'] [1, 'one'] [2, 'two'] [3, 'three'] ] describe "pop", -> it "should get last row", -> record = Table.pop example expect(record).to.deep.equal {ID: 3, Name: 'three'} expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] ] it "should get last row (instance)", -> record = table.pop() expect(record).to.deep.equal {ID: 3, Name: 'three'} expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] ] describe "push", -> it "should add row at the end", -> Table.push example, {ID: 6, Name: 'six'} expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [6, 'six'] ] it "should add row at the end (instance)", -> result = table.push {ID: 6, Name: 'six'} expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [6, 'six'] ] describe "column", -> it "should get a column by number", -> result = Table.column example, 1 expect(result).to.deep.equal ['one', 'two', 'three'] it "should get a column by name", -> result = Table.column example, 'Name' expect(result).to.deep.equal ['one', 'two', 'three'] it "should set a column by number", -> result = Table.column example, 1, ['eins', 'zwei', 'drei'] expect(result).to.deep.equal ['eins', 'zwei', 'drei'] it "should get a column by number (instance)", -> result = table.column 1 expect(result).to.deep.equal ['one', 'two', 'three'] it "should set a column by number (instance)", -> result = table.column 1, ['eins', 'zwei', 'drei'] expect(result).to.be.instanceof Table result = table.column 1 expect(result).to.deep.equal ['eins', 'zwei', 'drei'] describe "columnAdd", -> it "should add a column", -> Table.columnAdd example, 1, 'DE' expect(example).to.deep.equal [ [ 'ID', 'DE', 'Name' ] [ 1, null, 'one' ] [ 2, null, 'two' ] [ 3, null, 'three' ] ] it "should add a column with values", -> Table.columnAdd example, 1, 'DE', ['eins', 'zwei', 'drei'] expect(example).to.deep.equal [ [ 'ID', 'DE', 'Name' ] [ 1, 'eins', 'one' ] [ 2, 'zwei', 'two' ] [ 3, 'drei', 'three' ] ] it "should add a column (instance)", -> result = table.columnAdd 1, 'DE' expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ [ 'ID', 'DE', 'Name' ] [ 1, null, 'one' ] [ 2, null, 'two' ] [ 3, null, 'three' ] ] describe "columnRemove", -> it "should remove a column", -> Table.columnRemove example, 0 expect(example).to.deep.equal [ [ 'Name' ] [ 'one' ] [ 'two' ] [ 'three' ] ] it "should remove a column (instance)", -> result = table.columnRemove 0 expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ [ 'Name' ] [ 'one' ] [ 'two' ] [ 'three' ] ]
41819
chai = require 'chai' expect = chai.expect ### eslint-env node, mocha ### Table = require '../../src/index' example = null table = null describe "Access", -> beforeEach -> example = [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] ] table = new Table example describe "field", -> it "should get entries by number", -> expect(Table.field(example, 1, 1), '1/1').to.equal 'one' expect(Table.field(example, 3, 0), '3/0').to.equal 3 it "should get entries by number (instance)", -> expect(table.field(1, 1), '1/1').to.equal 'one' expect(table.field(3, 0), '3/0').to.equal 3 it "should get entries by name", -> expect(Table.field(example, 1, 'Name'), '1/1').to.equal 'one' expect(Table.field(example, 3, 'ID'), '3/0').to.equal 3 it "should get entries by name (instance)", -> expect(table.field(1, 'Name'), '1/1').to.equal 'one' expect(table.field(3, 'ID'), '3/0').to.equal 3 it "should set entries by number", -> expect(Table.field(example, 1, 1, 'two'), '1/1').to.equal 'two' expect(Table.field(example, 3, 0, '3.0'), '3/0').to.equal '3.0' it "should set entries by number (instance)", -> result = table.field 1, 1, 'two' expect(table.field(1, 1), '1/1').to.equal 'two' expect(result).to.be.instanceof Table it "should set entries by name", -> expect(Table.field(example, 1, 'Name', 'two'), '1/1').to.equal 'two' expect(Table.field(example, 3, 'ID', '3.0'), '3/0').to.equal '3.0' it "should set entries by name (instance)", -> result = table.field 1, 'Name', 'two' expect(table.field(1, 1), '1/1').to.equal 'two' expect(result).to.be.instanceof Table describe "row", -> it "should get entries by number", -> expect(Table.row(example, 1), '1').to.deep.equal {ID: 1, Name: 'one'} it "should get entries by number (instance)", -> expect(table.row(1), '1').to.deep.equal {ID: 1, Name: 'one'} it "should set entries by number", -> expect(Table.row(example, 1, {ID: 3, Name: 'three'}), '1').to.deep.equal {ID: 3, Name: 'three'} it "should set entries by number (instance)", -> result = table.row 1, {ID: 3, Name: 'three'} expect(table.row(1), '1').to.deep.equal {ID: 3, Name: 'three'} expect(result).to.be.instanceof Table describe "insert", -> it "should insert two rows", -> Table.insert example, 2, [[5, 'five'], [6, 'six']] expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [5, 'five'] [6, 'six'] [2, 'two'] [3, 'three'] ] it "should insert two rows (instance)", -> result = table.insert 2, [[5, 'five'], [6, 'six']] expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [5, 'five'] [6, 'six'] [2, 'two'] [3, 'three'] ] it "should insert two rows at the end", -> Table.insert example, null, [[5, 'five']] Table.insert example, [[6, 'six']] expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [5, 'five'] [6, 'six'] ] it "should insert two rows at the end (instance)", -> result = table.insert null, [[5, 'five'], [6, 'six']] expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [5, 'five'] [6, 'six'] ] describe "delete", -> it "should delete one row", -> Table.delete example, 2 expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [3, 'three'] ] it "should delete two rows", -> Table.delete example, 2, 2 expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] ] it "should delete one row (instance)", -> result = table.delete 2 expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [3, 'three'] ] describe "shift", -> it "should get first row", -> record = Table.shift example expect(record).to.deep.equal {ID: 1, Name: 'one'} expect(example).to.deep.equal [ ['ID', 'Name'] [2, 'two'] [3, 'three'] ] it "should get first row (instance)", -> record = table.shift() expect(record).to.deep.equal {ID: 1, Name: 'one'} expect(table.data).to.deep.equal [ ['ID', 'Name'] [2, 'two'] [3, 'three'] ] describe "unshift", -> it "should add row to the front", -> Table.unshift example, {ID: 6, Name: 'six'} expect(example).to.deep.equal [ ['ID', 'Name'] [6, 'six'] [1, 'one'] [2, 'two'] [3, 'three'] ] it "should add row to the front (instance)", -> result = table.unshift {ID: 6, Name: 'six'} expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [6, 'six'] [1, 'one'] [2, 'two'] [3, 'three'] ] describe "pop", -> it "should get last row", -> record = Table.pop example expect(record).to.deep.equal {ID: 3, Name: 'three'} expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] ] it "should get last row (instance)", -> record = table.pop() expect(record).to.deep.equal {ID: 3, Name: 'three'} expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] ] describe "push", -> it "should add row at the end", -> Table.push example, {ID: 6, Name: 'six'} expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [6, 'six'] ] it "should add row at the end (instance)", -> result = table.push {ID: 6, Name: 'six'} expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [6, 'six'] ] describe "column", -> it "should get a column by number", -> result = Table.column example, 1 expect(result).to.deep.equal ['one', 'two', 'three'] it "should get a column by name", -> result = Table.column example, 'Name' expect(result).to.deep.equal ['one', 'two', 'three'] it "should set a column by number", -> result = Table.column example, 1, ['<NAME>', '<NAME>', 'd<NAME>'] expect(result).to.deep.equal ['<NAME>', 'zwei', 'drei'] it "should get a column by number (instance)", -> result = table.column 1 expect(result).to.deep.equal ['one', 'two', 'three'] it "should set a column by number (instance)", -> result = table.column 1, ['<NAME>', '<NAME>', 'd<NAME>'] expect(result).to.be.instanceof Table result = table.column 1 expect(result).to.deep.equal ['<NAME>', 'zwei', 'drei'] describe "columnAdd", -> it "should add a column", -> Table.columnAdd example, 1, 'DE' expect(example).to.deep.equal [ [ 'ID', 'DE', 'Name' ] [ 1, null, 'one' ] [ 2, null, 'two' ] [ 3, null, 'three' ] ] it "should add a column with values", -> Table.columnAdd example, 1, 'DE', ['<NAME>', '<NAME>', '<NAME>'] expect(example).to.deep.equal [ [ 'ID', 'DE', 'Name' ] [ 1, '<NAME>', 'one' ] [ 2, '<NAME>', 'two' ] [ 3, '<NAME>', 'three' ] ] it "should add a column (instance)", -> result = table.columnAdd 1, 'DE' expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ [ 'ID', 'DE', 'Name' ] [ 1, null, 'one' ] [ 2, null, 'two' ] [ 3, null, 'three' ] ] describe "columnRemove", -> it "should remove a column", -> Table.columnRemove example, 0 expect(example).to.deep.equal [ [ 'Name' ] [ 'one' ] [ 'two' ] [ 'three' ] ] it "should remove a column (instance)", -> result = table.columnRemove 0 expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ [ 'Name' ] [ 'one' ] [ 'two' ] [ 'three' ] ]
true
chai = require 'chai' expect = chai.expect ### eslint-env node, mocha ### Table = require '../../src/index' example = null table = null describe "Access", -> beforeEach -> example = [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] ] table = new Table example describe "field", -> it "should get entries by number", -> expect(Table.field(example, 1, 1), '1/1').to.equal 'one' expect(Table.field(example, 3, 0), '3/0').to.equal 3 it "should get entries by number (instance)", -> expect(table.field(1, 1), '1/1').to.equal 'one' expect(table.field(3, 0), '3/0').to.equal 3 it "should get entries by name", -> expect(Table.field(example, 1, 'Name'), '1/1').to.equal 'one' expect(Table.field(example, 3, 'ID'), '3/0').to.equal 3 it "should get entries by name (instance)", -> expect(table.field(1, 'Name'), '1/1').to.equal 'one' expect(table.field(3, 'ID'), '3/0').to.equal 3 it "should set entries by number", -> expect(Table.field(example, 1, 1, 'two'), '1/1').to.equal 'two' expect(Table.field(example, 3, 0, '3.0'), '3/0').to.equal '3.0' it "should set entries by number (instance)", -> result = table.field 1, 1, 'two' expect(table.field(1, 1), '1/1').to.equal 'two' expect(result).to.be.instanceof Table it "should set entries by name", -> expect(Table.field(example, 1, 'Name', 'two'), '1/1').to.equal 'two' expect(Table.field(example, 3, 'ID', '3.0'), '3/0').to.equal '3.0' it "should set entries by name (instance)", -> result = table.field 1, 'Name', 'two' expect(table.field(1, 1), '1/1').to.equal 'two' expect(result).to.be.instanceof Table describe "row", -> it "should get entries by number", -> expect(Table.row(example, 1), '1').to.deep.equal {ID: 1, Name: 'one'} it "should get entries by number (instance)", -> expect(table.row(1), '1').to.deep.equal {ID: 1, Name: 'one'} it "should set entries by number", -> expect(Table.row(example, 1, {ID: 3, Name: 'three'}), '1').to.deep.equal {ID: 3, Name: 'three'} it "should set entries by number (instance)", -> result = table.row 1, {ID: 3, Name: 'three'} expect(table.row(1), '1').to.deep.equal {ID: 3, Name: 'three'} expect(result).to.be.instanceof Table describe "insert", -> it "should insert two rows", -> Table.insert example, 2, [[5, 'five'], [6, 'six']] expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [5, 'five'] [6, 'six'] [2, 'two'] [3, 'three'] ] it "should insert two rows (instance)", -> result = table.insert 2, [[5, 'five'], [6, 'six']] expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [5, 'five'] [6, 'six'] [2, 'two'] [3, 'three'] ] it "should insert two rows at the end", -> Table.insert example, null, [[5, 'five']] Table.insert example, [[6, 'six']] expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [5, 'five'] [6, 'six'] ] it "should insert two rows at the end (instance)", -> result = table.insert null, [[5, 'five'], [6, 'six']] expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [5, 'five'] [6, 'six'] ] describe "delete", -> it "should delete one row", -> Table.delete example, 2 expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [3, 'three'] ] it "should delete two rows", -> Table.delete example, 2, 2 expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] ] it "should delete one row (instance)", -> result = table.delete 2 expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [3, 'three'] ] describe "shift", -> it "should get first row", -> record = Table.shift example expect(record).to.deep.equal {ID: 1, Name: 'one'} expect(example).to.deep.equal [ ['ID', 'Name'] [2, 'two'] [3, 'three'] ] it "should get first row (instance)", -> record = table.shift() expect(record).to.deep.equal {ID: 1, Name: 'one'} expect(table.data).to.deep.equal [ ['ID', 'Name'] [2, 'two'] [3, 'three'] ] describe "unshift", -> it "should add row to the front", -> Table.unshift example, {ID: 6, Name: 'six'} expect(example).to.deep.equal [ ['ID', 'Name'] [6, 'six'] [1, 'one'] [2, 'two'] [3, 'three'] ] it "should add row to the front (instance)", -> result = table.unshift {ID: 6, Name: 'six'} expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [6, 'six'] [1, 'one'] [2, 'two'] [3, 'three'] ] describe "pop", -> it "should get last row", -> record = Table.pop example expect(record).to.deep.equal {ID: 3, Name: 'three'} expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] ] it "should get last row (instance)", -> record = table.pop() expect(record).to.deep.equal {ID: 3, Name: 'three'} expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] ] describe "push", -> it "should add row at the end", -> Table.push example, {ID: 6, Name: 'six'} expect(example).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [6, 'six'] ] it "should add row at the end (instance)", -> result = table.push {ID: 6, Name: 'six'} expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ ['ID', 'Name'] [1, 'one'] [2, 'two'] [3, 'three'] [6, 'six'] ] describe "column", -> it "should get a column by number", -> result = Table.column example, 1 expect(result).to.deep.equal ['one', 'two', 'three'] it "should get a column by name", -> result = Table.column example, 'Name' expect(result).to.deep.equal ['one', 'two', 'three'] it "should set a column by number", -> result = Table.column example, 1, ['PI:NAME:<NAME>END_PI', 'PI:NAME:<NAME>END_PI', 'dPI:NAME:<NAME>END_PI'] expect(result).to.deep.equal ['PI:NAME:<NAME>END_PI', 'zwei', 'drei'] it "should get a column by number (instance)", -> result = table.column 1 expect(result).to.deep.equal ['one', 'two', 'three'] it "should set a column by number (instance)", -> result = table.column 1, ['PI:NAME:<NAME>END_PI', 'PI:NAME:<NAME>END_PI', 'dPI:NAME:<NAME>END_PI'] expect(result).to.be.instanceof Table result = table.column 1 expect(result).to.deep.equal ['PI:NAME:<NAME>END_PI', 'zwei', 'drei'] describe "columnAdd", -> it "should add a column", -> Table.columnAdd example, 1, 'DE' expect(example).to.deep.equal [ [ 'ID', 'DE', 'Name' ] [ 1, null, 'one' ] [ 2, null, 'two' ] [ 3, null, 'three' ] ] it "should add a column with values", -> Table.columnAdd example, 1, 'DE', ['PI:NAME:<NAME>END_PI', 'PI:NAME:<NAME>END_PI', 'PI:NAME:<NAME>END_PI'] expect(example).to.deep.equal [ [ 'ID', 'DE', 'Name' ] [ 1, 'PI:NAME:<NAME>END_PI', 'one' ] [ 2, 'PI:NAME:<NAME>END_PI', 'two' ] [ 3, 'PI:NAME:<NAME>END_PI', 'three' ] ] it "should add a column (instance)", -> result = table.columnAdd 1, 'DE' expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ [ 'ID', 'DE', 'Name' ] [ 1, null, 'one' ] [ 2, null, 'two' ] [ 3, null, 'three' ] ] describe "columnRemove", -> it "should remove a column", -> Table.columnRemove example, 0 expect(example).to.deep.equal [ [ 'Name' ] [ 'one' ] [ 'two' ] [ 'three' ] ] it "should remove a column (instance)", -> result = table.columnRemove 0 expect(result).to.be.instanceof Table expect(table.data).to.deep.equal [ [ 'Name' ] [ 'one' ] [ 'two' ] [ 'three' ] ]
[ { "context": " backbone-http.js 0.5.5\n Copyright (c) 2013 Vidigami - https://github.com/vidigami/backbone-http\n ", "end": 102, "score": 0.9998233318328857, "start": 94, "tag": "NAME", "value": "Vidigami" }, { "context": " Copyright (c) 2013 Vidigami - https://github.com/vidigami/backbone-http\n License: MIT (http://www.open", "end": 132, "score": 0.9996387958526611, "start": 124, "tag": "USERNAME", "value": "vidigami" } ]
client/config_library_wrap.coffee
michaelBenin/backbone-http
1
module.exports = license: """ /* backbone-http.js 0.5.5 Copyright (c) 2013 Vidigami - https://github.com/vidigami/backbone-http License: MIT (http://www.opensource.org/licenses/mit-license.php) Dependencies: Backbone.js, Underscore.js, Moment.js, Inflection.js, BackboneORM, and Superagent. */ """
152844
module.exports = license: """ /* backbone-http.js 0.5.5 Copyright (c) 2013 <NAME> - https://github.com/vidigami/backbone-http License: MIT (http://www.opensource.org/licenses/mit-license.php) Dependencies: Backbone.js, Underscore.js, Moment.js, Inflection.js, BackboneORM, and Superagent. */ """
true
module.exports = license: """ /* backbone-http.js 0.5.5 Copyright (c) 2013 PI:NAME:<NAME>END_PI - https://github.com/vidigami/backbone-http License: MIT (http://www.opensource.org/licenses/mit-license.php) Dependencies: Backbone.js, Underscore.js, Moment.js, Inflection.js, BackboneORM, and Superagent. */ """
[ { "context": "LoginRateLimiter\", ->\n\n\tbeforeEach ->\n\t\t@email = \"bob@bob.com\"\n\t\t@RateLimiter =\n\t\t\tclearRateLimit: sinon.stub()", "end": 302, "score": 0.9999042749404907, "start": 291, "tag": "EMAIL", "value": "bob@bob.com" } ]
test/unit/coffee/Security/LoginRateLimiterTests.coffee
davidmehren/web-sharelatex
1
SandboxedModule = require('sandboxed-module') sinon = require('sinon') require('chai').should() expect = require('chai').expect modulePath = require('path').join __dirname, '../../../../app/js/Features/Security/LoginRateLimiter' describe "LoginRateLimiter", -> beforeEach -> @email = "bob@bob.com" @RateLimiter = clearRateLimit: sinon.stub() addCount: sinon.stub() @LoginRateLimiter = SandboxedModule.require modulePath, requires: '../../infrastructure/RateLimiter': @RateLimiter describe "processLoginRequest", -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, null, true) it 'should call RateLimiter.addCount', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => @RateLimiter.addCount.callCount.should.equal 1 expect(@RateLimiter.addCount.lastCall.args[0].endpointName).to.equal 'login' expect(@RateLimiter.addCount.lastCall.args[0].subjectName).to.equal @email done() describe 'when login is allowed', -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, null, true) it 'should call pass allow=true', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => expect(err).to.equal null expect(allow).to.equal true done() describe 'when login is blocked', -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, null, false) it 'should call pass allow=false', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => expect(err).to.equal null expect(allow).to.equal false done() describe 'when addCount produces an error', -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, new Error('woops')) it 'should produce an error', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => expect(err).to.not.equal null expect(err).to.be.instanceof Error done() describe "recordSuccessfulLogin", -> beforeEach -> @RateLimiter.clearRateLimit = sinon.stub().callsArgWith 2, null it "should call clearRateLimit", (done)-> @LoginRateLimiter.recordSuccessfulLogin @email, => @RateLimiter.clearRateLimit.callCount.should.equal 1 @RateLimiter.clearRateLimit.calledWith('login', @email).should.equal true done()
132940
SandboxedModule = require('sandboxed-module') sinon = require('sinon') require('chai').should() expect = require('chai').expect modulePath = require('path').join __dirname, '../../../../app/js/Features/Security/LoginRateLimiter' describe "LoginRateLimiter", -> beforeEach -> @email = "<EMAIL>" @RateLimiter = clearRateLimit: sinon.stub() addCount: sinon.stub() @LoginRateLimiter = SandboxedModule.require modulePath, requires: '../../infrastructure/RateLimiter': @RateLimiter describe "processLoginRequest", -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, null, true) it 'should call RateLimiter.addCount', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => @RateLimiter.addCount.callCount.should.equal 1 expect(@RateLimiter.addCount.lastCall.args[0].endpointName).to.equal 'login' expect(@RateLimiter.addCount.lastCall.args[0].subjectName).to.equal @email done() describe 'when login is allowed', -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, null, true) it 'should call pass allow=true', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => expect(err).to.equal null expect(allow).to.equal true done() describe 'when login is blocked', -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, null, false) it 'should call pass allow=false', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => expect(err).to.equal null expect(allow).to.equal false done() describe 'when addCount produces an error', -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, new Error('woops')) it 'should produce an error', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => expect(err).to.not.equal null expect(err).to.be.instanceof Error done() describe "recordSuccessfulLogin", -> beforeEach -> @RateLimiter.clearRateLimit = sinon.stub().callsArgWith 2, null it "should call clearRateLimit", (done)-> @LoginRateLimiter.recordSuccessfulLogin @email, => @RateLimiter.clearRateLimit.callCount.should.equal 1 @RateLimiter.clearRateLimit.calledWith('login', @email).should.equal true done()
true
SandboxedModule = require('sandboxed-module') sinon = require('sinon') require('chai').should() expect = require('chai').expect modulePath = require('path').join __dirname, '../../../../app/js/Features/Security/LoginRateLimiter' describe "LoginRateLimiter", -> beforeEach -> @email = "PI:EMAIL:<EMAIL>END_PI" @RateLimiter = clearRateLimit: sinon.stub() addCount: sinon.stub() @LoginRateLimiter = SandboxedModule.require modulePath, requires: '../../infrastructure/RateLimiter': @RateLimiter describe "processLoginRequest", -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, null, true) it 'should call RateLimiter.addCount', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => @RateLimiter.addCount.callCount.should.equal 1 expect(@RateLimiter.addCount.lastCall.args[0].endpointName).to.equal 'login' expect(@RateLimiter.addCount.lastCall.args[0].subjectName).to.equal @email done() describe 'when login is allowed', -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, null, true) it 'should call pass allow=true', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => expect(err).to.equal null expect(allow).to.equal true done() describe 'when login is blocked', -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, null, false) it 'should call pass allow=false', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => expect(err).to.equal null expect(allow).to.equal false done() describe 'when addCount produces an error', -> beforeEach -> @RateLimiter.addCount = sinon.stub().callsArgWith(1, new Error('woops')) it 'should produce an error', (done) -> @LoginRateLimiter.processLoginRequest @email, (err, allow) => expect(err).to.not.equal null expect(err).to.be.instanceof Error done() describe "recordSuccessfulLogin", -> beforeEach -> @RateLimiter.clearRateLimit = sinon.stub().callsArgWith 2, null it "should call clearRateLimit", (done)-> @LoginRateLimiter.recordSuccessfulLogin @email, => @RateLimiter.clearRateLimit.callCount.should.equal 1 @RateLimiter.clearRateLimit.calledWith('login', @email).should.equal true done()
[ { "context": "emembered name\n#\n# Notes:\n# None\n#\n# Author:\n# Jack Miner <3ch01c@gmail.com>\n\nmodule.exports = (robot) ->\n ", "end": 325, "score": 0.9998304843902588, "start": 315, "tag": "NAME", "value": "Jack Miner" }, { "context": "e\n#\n# Notes:\n# None\n#\n# Author:\n# Jack Miner <3ch01c@gmail.com>\n\nmodule.exports = (robot) ->\n robot.respond /(b", "end": 343, "score": 0.9999253749847412, "start": 327, "tag": "EMAIL", "value": "3ch01c@gmail.com" } ]
src/ingress-barcodes.coffee
3ch01c/hubot-ingress-barcodes
0
# Description # Decode names of players who exploit sans-serif to obfuscate their identities. # # Dependencies: # factoids (optional for storing manual names) # # Configuration: # None # # Commands: # hubot bc <BARCODE> - translate BARCODE to more easily remembered name # # Notes: # None # # Author: # Jack Miner <3ch01c@gmail.com> module.exports = (robot) -> robot.respond /(barcode|bc) ([Il]+)\??$/, (res) -> barcode = res.match[2] factoids = robot.brain.get("factoids") or {} if factoids[barcode] decoded = factoids[barcode] res.send "#{JSON.stringify(decoded)}" else s = "" s += String.fromCharCode(64 + parseInt(barcode.slice(i,i+5).replace(/\I/g,'0').replace(/\l/g,'1'), 2)) for i in [0,5,10] if s.length == 3 res.send "#{s}" else res.send "Sorry, I can't decode that. :("
186033
# Description # Decode names of players who exploit sans-serif to obfuscate their identities. # # Dependencies: # factoids (optional for storing manual names) # # Configuration: # None # # Commands: # hubot bc <BARCODE> - translate BARCODE to more easily remembered name # # Notes: # None # # Author: # <NAME> <<EMAIL>> module.exports = (robot) -> robot.respond /(barcode|bc) ([Il]+)\??$/, (res) -> barcode = res.match[2] factoids = robot.brain.get("factoids") or {} if factoids[barcode] decoded = factoids[barcode] res.send "#{JSON.stringify(decoded)}" else s = "" s += String.fromCharCode(64 + parseInt(barcode.slice(i,i+5).replace(/\I/g,'0').replace(/\l/g,'1'), 2)) for i in [0,5,10] if s.length == 3 res.send "#{s}" else res.send "Sorry, I can't decode that. :("
true
# Description # Decode names of players who exploit sans-serif to obfuscate their identities. # # Dependencies: # factoids (optional for storing manual names) # # Configuration: # None # # Commands: # hubot bc <BARCODE> - translate BARCODE to more easily remembered name # # Notes: # None # # Author: # PI:NAME:<NAME>END_PI <PI:EMAIL:<EMAIL>END_PI> module.exports = (robot) -> robot.respond /(barcode|bc) ([Il]+)\??$/, (res) -> barcode = res.match[2] factoids = robot.brain.get("factoids") or {} if factoids[barcode] decoded = factoids[barcode] res.send "#{JSON.stringify(decoded)}" else s = "" s += String.fromCharCode(64 + parseInt(barcode.slice(i,i+5).replace(/\I/g,'0').replace(/\l/g,'1'), 2)) for i in [0,5,10] if s.length == 3 res.send "#{s}" else res.send "Sorry, I can't decode that. :("
[ { "context": " #\n setupContainers: ->\n # Setup Tools\n #@networkVisualisation.tools.listOfTools.containers.splice(0,@networkVisualisation.tools.listOfTools.", "end": 5583, "score": 0.8201441764831543, "start": 5534, "tag": "EMAIL", "value": "networkVisualisation.tools.listOfTools.containers" }, { "context": " new D3.Quota(\"instancesSlider\")\n #else\n #@instancePie.animate([{\"percentage\":instancePer},{\"percentage\":", "end": 9628, "score": 0.6968156099319458, "start": 9615, "tag": "EMAIL", "value": "#@instancePie" } ]
app/assets/javascripts/visualisation/App/curvature.js.coffee
CiscoSystems/curvature
16
# Curvature object, this is the main entry point for the program and # contains all code related to specific GUI elements e.g. setting # up network tabs # class App.Curvature # @property [Object] The instance of network visualisation to display networks networkVisualisation: Object # @property [Object] The instance of deploy deploy: Object # Construct a new instance of Curvature and setup instance variables # constructor: () -> @networkVisualisation = new D3.Visualisation('D3Graph') @deploy = new App.Deploy() # Code to restart the page on a change. # # Will repopulate the openstack data and redraw the page # restartPage: () -> @networkVisualisation.clearGraph() _this = this $.when( App.openstack.tenants.populate(), App.openstack.flavors.populate(), App.openstack.images.populate(), App.openstack.quotas.populate(), App.openstack.currentTenant.populate(), App.openstack.services.populate(), App.openstack.keypairs.populate(), App.openstack.securityGroups.populate() ).then( () -> $('body,html').css('visibility','visible') console.log App.openstack.services.get() _this.setupTenants() _this.setupFlavorsDropdown() _this.setupImages() _this.displayQuotas() if App.openstack.services.get().indexOf("donabe") >= 0 donabeActive = true if donabeActive $.when( App.donabe.containers.populate() App.donabe.deployed_containers.populate() ).then( () -> _this.setupContainers() ) $.when( App.openstack.networks.populate() App.openstack.floatingIps.populate() ).then(() -> _this.networkTabs() openstackPromises = [App.openstack.subnets.populate(), App.openstack.ports.populate()] if App.openstack.services.get().indexOf("cinder") >= 0 openstackPromises.push(App.openstack.volumes.populate()) $.when.apply(this, openstackPromises).then(() -> $.when( App.openstack.servers.populate(), App.openstack.routers.populate() ).then(-> if App.openstack.services.get().indexOf("cinder") >= 0 _this.setupVolumes() _this.networkVisualisation.displayAllNetworks() ) ) ) ) # ============================================================================= # = GUI Functionality = # ============================================================================= # Show or Hide the labels for every node (works like a toggle) # showLabels: -> if $('.nodeLabel').css('display') is 'none' $('.nodeLabel').show() $('#shLabels').text("Hide Node Labels") else $('.nodeLabel').hide() $('#shLabels').text("Show Node Labels") displayVNCConsole: (server) -> $.when( server.vnc() ).then((data) => iframe = "<iframe width='800' height='640px' src='"+data['console']['url']+"''></iframe>" $("#vncConsole").html(iframe) $('#vncConsole').dialog('open') ) # ==================================================================== # = NETWORK TABS = # ==================================================================== # Delete a network # # @param name [String] The network id of the network to be deleted # deleteNetwork: (network_id) -> $( "#dialog-confirm" ).dialog( resizable: false, height: 170, modal: true, buttons: "Delete network!": -> Nodes.Network.terminate(network_id) $( this ).dialog( "close" ) Cancel: -> $( this ).dialog( "close" ) ) # Setup the network tabs for every network # networkTabs: -> foundNetworks = false for network in App.openstack.networks.internal.get() foundNetworks = true $("#menubar").menubar({autoExpand: true}) $("#deployButton").button() # =============================================================== # = Tenants = # =============================================================== # Setup List of Tenants to popuplate the dropdown menu # setupTenants: -> #Set the name based on current tenant document.getElementById("currentProject").innerHTML = 'Current Project - ' + App.openstack.currentTenant.get() list = document.getElementById("projectList") list.innerHTML = "" for tenant in App.openstack.tenants.get() opt = document.createElement("li") opt.setAttribute 'class', 'ui-menu-item' opt.setAttribute 'role', 'presentation' opt.innerHTML = "<a class='ui-corner-all' role='menuitem' href='#' onClick='window.curvy.switchTenant(\"#{tenant.name}\")'>#{tenant.name}</a>" list.insertBefore opt , list.lastChild $("#menubar").menubar({ autoExpand: true }) # Switch to a different tenant # # @param name [String] The name of the tenant you want to switch to # switchTenant: (name) -> $.when( App.openstack.currentTenant.switch(name) ).then( => this.restartPage()) # =============================================================== # = Containers = # =============================================================== # Setup all container relavent stuff. # setupContainers: -> # Setup Tools #@networkVisualisation.tools.listOfTools.containers.splice(0,@networkVisualisation.tools.listOfTools.containers.length) @networkVisualisation.tools.listOfTools.containers = [] for container in App.donabe.containers.get() @networkVisualisation.tools.listOfTools.containers.push new Nodes.Container(container, "deployed") # Setup DropDowns list = document.getElementById("containerList") list.innerHTML = "" for container in App.donabe.containers.get() opt = document.createElement("li") opt.setAttribute 'class', 'ui-menu-item' opt.setAttribute 'role', 'presentation' opt.innerHTML = "<a class='ui-corner-all' role='menuitem' href='#' onClick='$(\"#containerEditor\").data(\"containerID\", "+container["id"]+");$(\"#containerEditor\").dialog(\"open\");'>"+container["name"]+"</a>" list.insertBefore opt , list.lastChild newButton = document.createElement("li") newButton.setAttribute 'class', 'ui-menu-item' newButton.innerHTML = "<a class='ui-corner-all' role='menuitem' href='#' onClick='$(\"#containerEditor\").data(\"containerID\", null);$(\"#containerEditor\").dialog(\"open\");'><b>New Container</b></a>" list.insertBefore newButton, list.lastChild $("#menubar").menubar({ autoExpand: true }) # ============================================================== # = IMAGES = # ============================================================== # Create buttons for the different images unless they are kernal images or ramdisks # setupImages: -> @networkVisualisation.tools.listOfTools.images.splice(0,@networkVisualisation.tools.listOfTools.images.length) for image in App.openstack.images.get() if (image.disk_format isnt "aki") and (image.disk_format isnt "ari") @networkVisualisation.tools.listOfTools.images.push image $('#VMButtonDiv').append '<button class=\"nodeButton\" onMouseDown=\"javascript:$(\'#addImageDialog\').dialog(\'open\');\">Add Image</button>' # Setup the dropdown that displays the flavours a VM can be # setupFlavorsDropdown: -> selectBox = $("#vmFlavor").html("") for flavor,i in App.openstack.flavors.get() option = "<option value='#{flavor.id}'>#{flavor.name}</option>" selectBox.append(option) # =============================================================== # = VOLUMES = # =============================================================== # Create buttons for volumes # setupVolumes: -> if $('#volumeTab').length == 0 $('#toolName').append("<li id='volumeTab'><a href='#t' onClick='curvy.networkVisualisation.tools.drawTools(curvy.networkVisualisation.tools.listOfTools.volumes,\"volumes\")'>Volumes</a></li>") $('#toolTabs').tabs('refresh') @networkVisualisation.tools.listOfTools.volumes.splice(0, @networkVisualisation.tools.listOfTools.volumes.length) for volume in App.openstack.volumes.get() unless volume.attachments.length > 0 @networkVisualisation.tools.listOfTools.volumes.push new Nodes.Volume(volume) # ============================================================== # = QUOTAS = # ============================================================== # Show or Hide the overview bars (works like a toggle) # showHideOverview: -> if $("#overviewsContainer").css("display") is "none" $("#overviewsContainer").show() $("#shOverview").text "Hide the Overview Bars" else $("#overviewsContainer").hide() $("#shOverview").text "Show the Overview Bars" # Populate the overview quotas sliders # displayQuotas: -> d3.selectAll(".piechart").remove() instancePer = (App.openstack.quotas.totalInstancesUsed() / App.openstack.quotas.maxTotalInstances()) * 100 $("#instancesSlider").data().used = instancePer console.log @instancePie #if @instancePie is undefined new D3.Quota("instancesSlider") #else #@instancePie.animate([{"percentage":instancePer},{"percentage":100 - instancePer}]) $("#instanceText").html("Instances Used : " + App.openstack.quotas.totalInstancesUsed() + "/" + App.openstack.quotas.maxTotalInstances()) cpuPer = (App.openstack.quotas.totalCoresUsed() / App.openstack.quotas.maxTotalCores()) * 100 $("#cpusSlider").data().used = cpuPer #if @cpusPie is undefined new D3.Quota("cpusSlider") $("#cpusText").html("CPUs Used : " + App.openstack.quotas.totalCoresUsed() + "/" + App.openstack.quotas.maxTotalCores()) ramPer = (App.openstack.quotas.totalRAMUsed() / App.openstack.quotas.maxTotalRAMSize()) * 100 $("#ramSlider").data().used = ramPer #if @ramPie is undefined new D3.Quota("ramSlider") $("#ramText").html("RAM Used : " + App.openstack.quotas.totalRAMUsed() + "MB/" + App.openstack.quotas.maxTotalRAMSize() + "MB") # ===================================== # Floating IP, Security Groups, etc = # ===================================== releaseButtonClick: (id, ext_net) => return => $.when(App.openstack.floatingIps.destroy(id)).done(=> @populateTableWithFloatingIps(ext_net) ) populateTableWithFloatingIps: (ext_net) => $('#floatingIpTable tbody').empty() for fIp in App.openstack.floatingIps.get() if fIp.floating_network_id is ext_net.id associated = "----" unless fIp.port_id == null port = App.openstack.ports.get(fIp.port_id) associated = App.openstack.servers.get(port.device_id).name $('#floatingIpTable tbody').append(" <tr> <td> #{fIp.floating_ip_address} </td> <td> #{associated} </td> <td> <button id=\"release-#{fIp.id}\"> Release </button> </td> </tr>") $("#release-#{fIp.id}").click(@releaseButtonClick(fIp.id, ext_net)) showFloatingIpDialog: (ext_net) -> $('#floatingIpDialog').dialog().data 'node', ext_net @populateTableWithFloatingIps(ext_net) $('#floatingIpDialog').dialog('open') disassociateButtonClick: (id, vm) => return => $.when(App.openstack.floatingIps.update(id, null)).done(=> @populateServerFloatingIpStuff(vm) ) populateServerFloatingIpStuff: (vm) => selectBox = $("#vmFloating").html("") $('#vmFloatingTable tbody').empty() networkids = [] portids = [] for port in App.openstack.ports.get() if port.device_id is vm.id networkids.push(port.network_id) portids.push(port.id) extNets = [] extPorts = [] for port in App.openstack.ports.get() if port.device_owner is "network:router_interface" and port.network_id in networkids router = App.openstack.routers.get(port.device_id) unless router.external_gateway_info is null extNets.push(router.external_gateway_info.network_id) extPorts.push(portids[networkids.indexOf(port.network_id)]) floatingIps = false for fIp in App.openstack.floatingIps.get() if fIp.floating_network_id in extNets port_id = extPorts[extNets.indexOf(fIp.floating_network_id)] if fIp.port_id is null floatingIps = true option = "<option value='{\"fip\":\"#{fIp.id}\", \"port\":\"#{port_id}\"}'>#{fIp.floating_ip_address}</option>" selectBox.append(option) else if fIp.port_id is port_id $('#vmFloatingTable tbody').append(" <tr> <td> #{fIp.floating_ip_address} </td> <td> #{fIp.fixed_ip_address} </td> <td> <button id=\"disassociate-#{fIp.id}\"> Disassociate </button> </td> </tr>") $("#disassociate-#{fIp.id}").click(@disassociateButtonClick(fIp.id, vm)) if floatingIps and vm.deployStatus is "deployed" $('#vmFloating').prop('disabled', false) $('#vmAssociate').prop('disabled', false) else $('#vmFloating').prop('disabled', 'disabled') $('#vmAssociate').prop('disabled', 'disabled') option = "<option value='none'>None Available</option>" selectBox.append(option) showServerDialog: (vm) -> $('#vm').dialog().data 'node', vm $('#vmNAME').val(vm.name) $('#vmFlavor').val(vm.flavor.id) keypairs = $("#vmKeypair").html("") for kp in App.openstack.keypairs.get() option = "<option value='#{kp.name}'>#{kp.name}</option>" keypairs.append(option) keyname = vm.key_name keyname ?= "none" if keyname is "none" option = "<option value='none'>none</option>" keypairs.append(option) $('#vmKeypair').val(keyname) securityGroups = $("#vmSecurityGroup").html("") for sg in App.openstack.securityGroups.get() option = "<option value='#{sg.id}'>#{sg.name}</option>" securityGroups.append(option) sgid = vm.security_group sgid ?= "none" if sgid is "none" option = "<option value='none'>none</option>" securityGroups.append(option) $('#vmSecurityGroup').val(sgid) @populateServerFloatingIpStuff(vm) if vm.deployStatus is "undeployed" $('#vmFlavor').prop('disabled', false) $('#vmKeypair').prop('disabled', false) $('#vmSecurityGroup').prop('disabled', false) else $('#vmSecurityGroup').prop('disabled', 'disabled') $('#vmFlavor').prop('disabled', 'disabled') $('#vmKeypair').prop('disabled', 'disabled') $('#vm').dialog('open') populateKeyPairDialog: -> $('#keyPairTable tbody').empty() for kp in App.openstack.keypairs.get() downloadbutton = "" downloadbutton = "<button id='download-#{kp.name}'> Download </button>" if kp.private_key $('#keyPairTable tbody').append(" <tr> <td> #{kp.name} </td> <td> #{kp.fingerprint} </td> <td> #{downloadbutton} </td> <td> <button id='delete-#{kp.name}'> Delete </button> </td> </tr>") $("#download-#{kp.name}").click(@downloadKeyPairButton(kp)) if kp.private_key $("#delete-#{kp.name}").click(@deleteKeyPairButton(kp)) downloadKeyPairButton: (kp) -> return => kpDownload.location.href = "/openstack/keypairs/#{kp.name}/download" deleteKeyPairButton: (kp) => return => $.when( App.openstack.keypairs.delete(kp) ).done(=> @populateKeyPairDialog() ) showKeyPairDialog: -> @populateKeyPairDialog() $('#keyPairDialog').dialog('open') populateSecurityGroupDialog: -> $('#securityGroupTable tbody').empty() for sg in App.openstack.securityGroups.get() $('#securityGroupTable tbody').append(" <tr> <td> #{sg.name} </td> <td> #{sg.description} </td> <td> <button id=\"edit-#{sg.id}\"> Edit </button> </td> <td> <button> Delete </button> </td> </tr>") $("#edit-#{sg.id}").click(@sgEditDialogButton(sg)) showSecurityGroupDialog: -> @populateSecurityGroupDialog() $('#securityGroupDialog').dialog('open') sgEditDialogButton: (sg) -> return => $('#securityGroupDialog').dialog('close') @showSecurityGroupRuleDialog(sg) populateSecurityRulesTable: (sg) -> $('#securityRuleTable tbody').empty() for rule in sg.rules protocol = rule.ip_protocol || "Any" $('#securityRuleTable tbody').append(" <tr> <td> #{protocol} </td> <td> #{rule.from_port} </td> <td> #{rule.to_port} </td> <td> #{rule.ip_range.cidr} </td> <td> <button id='delete-#{rule.id}'> Delete </button> </td> </tr>") $("#delete-#{rule.id}").click(@deleteRuleButton(sg, rule)) deleteRuleButton: (sg, rule) -> return -> $.when( App.openstack.securityGroups.deleteRule(sg, rule.id) ).done(=> ) showSecurityGroupRuleDialog: (sg) -> console.log sg $('#securityRuleDialog').dialog().data 'node', sg @populateSecurityRulesTable(sg) $('#securityRuleDialog').dialog('open')
132009
# Curvature object, this is the main entry point for the program and # contains all code related to specific GUI elements e.g. setting # up network tabs # class App.Curvature # @property [Object] The instance of network visualisation to display networks networkVisualisation: Object # @property [Object] The instance of deploy deploy: Object # Construct a new instance of Curvature and setup instance variables # constructor: () -> @networkVisualisation = new D3.Visualisation('D3Graph') @deploy = new App.Deploy() # Code to restart the page on a change. # # Will repopulate the openstack data and redraw the page # restartPage: () -> @networkVisualisation.clearGraph() _this = this $.when( App.openstack.tenants.populate(), App.openstack.flavors.populate(), App.openstack.images.populate(), App.openstack.quotas.populate(), App.openstack.currentTenant.populate(), App.openstack.services.populate(), App.openstack.keypairs.populate(), App.openstack.securityGroups.populate() ).then( () -> $('body,html').css('visibility','visible') console.log App.openstack.services.get() _this.setupTenants() _this.setupFlavorsDropdown() _this.setupImages() _this.displayQuotas() if App.openstack.services.get().indexOf("donabe") >= 0 donabeActive = true if donabeActive $.when( App.donabe.containers.populate() App.donabe.deployed_containers.populate() ).then( () -> _this.setupContainers() ) $.when( App.openstack.networks.populate() App.openstack.floatingIps.populate() ).then(() -> _this.networkTabs() openstackPromises = [App.openstack.subnets.populate(), App.openstack.ports.populate()] if App.openstack.services.get().indexOf("cinder") >= 0 openstackPromises.push(App.openstack.volumes.populate()) $.when.apply(this, openstackPromises).then(() -> $.when( App.openstack.servers.populate(), App.openstack.routers.populate() ).then(-> if App.openstack.services.get().indexOf("cinder") >= 0 _this.setupVolumes() _this.networkVisualisation.displayAllNetworks() ) ) ) ) # ============================================================================= # = GUI Functionality = # ============================================================================= # Show or Hide the labels for every node (works like a toggle) # showLabels: -> if $('.nodeLabel').css('display') is 'none' $('.nodeLabel').show() $('#shLabels').text("Hide Node Labels") else $('.nodeLabel').hide() $('#shLabels').text("Show Node Labels") displayVNCConsole: (server) -> $.when( server.vnc() ).then((data) => iframe = "<iframe width='800' height='640px' src='"+data['console']['url']+"''></iframe>" $("#vncConsole").html(iframe) $('#vncConsole').dialog('open') ) # ==================================================================== # = NETWORK TABS = # ==================================================================== # Delete a network # # @param name [String] The network id of the network to be deleted # deleteNetwork: (network_id) -> $( "#dialog-confirm" ).dialog( resizable: false, height: 170, modal: true, buttons: "Delete network!": -> Nodes.Network.terminate(network_id) $( this ).dialog( "close" ) Cancel: -> $( this ).dialog( "close" ) ) # Setup the network tabs for every network # networkTabs: -> foundNetworks = false for network in App.openstack.networks.internal.get() foundNetworks = true $("#menubar").menubar({autoExpand: true}) $("#deployButton").button() # =============================================================== # = Tenants = # =============================================================== # Setup List of Tenants to popuplate the dropdown menu # setupTenants: -> #Set the name based on current tenant document.getElementById("currentProject").innerHTML = 'Current Project - ' + App.openstack.currentTenant.get() list = document.getElementById("projectList") list.innerHTML = "" for tenant in App.openstack.tenants.get() opt = document.createElement("li") opt.setAttribute 'class', 'ui-menu-item' opt.setAttribute 'role', 'presentation' opt.innerHTML = "<a class='ui-corner-all' role='menuitem' href='#' onClick='window.curvy.switchTenant(\"#{tenant.name}\")'>#{tenant.name}</a>" list.insertBefore opt , list.lastChild $("#menubar").menubar({ autoExpand: true }) # Switch to a different tenant # # @param name [String] The name of the tenant you want to switch to # switchTenant: (name) -> $.when( App.openstack.currentTenant.switch(name) ).then( => this.restartPage()) # =============================================================== # = Containers = # =============================================================== # Setup all container relavent stuff. # setupContainers: -> # Setup Tools #@<EMAIL>.splice(0,@networkVisualisation.tools.listOfTools.containers.length) @networkVisualisation.tools.listOfTools.containers = [] for container in App.donabe.containers.get() @networkVisualisation.tools.listOfTools.containers.push new Nodes.Container(container, "deployed") # Setup DropDowns list = document.getElementById("containerList") list.innerHTML = "" for container in App.donabe.containers.get() opt = document.createElement("li") opt.setAttribute 'class', 'ui-menu-item' opt.setAttribute 'role', 'presentation' opt.innerHTML = "<a class='ui-corner-all' role='menuitem' href='#' onClick='$(\"#containerEditor\").data(\"containerID\", "+container["id"]+");$(\"#containerEditor\").dialog(\"open\");'>"+container["name"]+"</a>" list.insertBefore opt , list.lastChild newButton = document.createElement("li") newButton.setAttribute 'class', 'ui-menu-item' newButton.innerHTML = "<a class='ui-corner-all' role='menuitem' href='#' onClick='$(\"#containerEditor\").data(\"containerID\", null);$(\"#containerEditor\").dialog(\"open\");'><b>New Container</b></a>" list.insertBefore newButton, list.lastChild $("#menubar").menubar({ autoExpand: true }) # ============================================================== # = IMAGES = # ============================================================== # Create buttons for the different images unless they are kernal images or ramdisks # setupImages: -> @networkVisualisation.tools.listOfTools.images.splice(0,@networkVisualisation.tools.listOfTools.images.length) for image in App.openstack.images.get() if (image.disk_format isnt "aki") and (image.disk_format isnt "ari") @networkVisualisation.tools.listOfTools.images.push image $('#VMButtonDiv').append '<button class=\"nodeButton\" onMouseDown=\"javascript:$(\'#addImageDialog\').dialog(\'open\');\">Add Image</button>' # Setup the dropdown that displays the flavours a VM can be # setupFlavorsDropdown: -> selectBox = $("#vmFlavor").html("") for flavor,i in App.openstack.flavors.get() option = "<option value='#{flavor.id}'>#{flavor.name}</option>" selectBox.append(option) # =============================================================== # = VOLUMES = # =============================================================== # Create buttons for volumes # setupVolumes: -> if $('#volumeTab').length == 0 $('#toolName').append("<li id='volumeTab'><a href='#t' onClick='curvy.networkVisualisation.tools.drawTools(curvy.networkVisualisation.tools.listOfTools.volumes,\"volumes\")'>Volumes</a></li>") $('#toolTabs').tabs('refresh') @networkVisualisation.tools.listOfTools.volumes.splice(0, @networkVisualisation.tools.listOfTools.volumes.length) for volume in App.openstack.volumes.get() unless volume.attachments.length > 0 @networkVisualisation.tools.listOfTools.volumes.push new Nodes.Volume(volume) # ============================================================== # = QUOTAS = # ============================================================== # Show or Hide the overview bars (works like a toggle) # showHideOverview: -> if $("#overviewsContainer").css("display") is "none" $("#overviewsContainer").show() $("#shOverview").text "Hide the Overview Bars" else $("#overviewsContainer").hide() $("#shOverview").text "Show the Overview Bars" # Populate the overview quotas sliders # displayQuotas: -> d3.selectAll(".piechart").remove() instancePer = (App.openstack.quotas.totalInstancesUsed() / App.openstack.quotas.maxTotalInstances()) * 100 $("#instancesSlider").data().used = instancePer console.log @instancePie #if @instancePie is undefined new D3.Quota("instancesSlider") #else <EMAIL>.animate([{"percentage":instancePer},{"percentage":100 - instancePer}]) $("#instanceText").html("Instances Used : " + App.openstack.quotas.totalInstancesUsed() + "/" + App.openstack.quotas.maxTotalInstances()) cpuPer = (App.openstack.quotas.totalCoresUsed() / App.openstack.quotas.maxTotalCores()) * 100 $("#cpusSlider").data().used = cpuPer #if @cpusPie is undefined new D3.Quota("cpusSlider") $("#cpusText").html("CPUs Used : " + App.openstack.quotas.totalCoresUsed() + "/" + App.openstack.quotas.maxTotalCores()) ramPer = (App.openstack.quotas.totalRAMUsed() / App.openstack.quotas.maxTotalRAMSize()) * 100 $("#ramSlider").data().used = ramPer #if @ramPie is undefined new D3.Quota("ramSlider") $("#ramText").html("RAM Used : " + App.openstack.quotas.totalRAMUsed() + "MB/" + App.openstack.quotas.maxTotalRAMSize() + "MB") # ===================================== # Floating IP, Security Groups, etc = # ===================================== releaseButtonClick: (id, ext_net) => return => $.when(App.openstack.floatingIps.destroy(id)).done(=> @populateTableWithFloatingIps(ext_net) ) populateTableWithFloatingIps: (ext_net) => $('#floatingIpTable tbody').empty() for fIp in App.openstack.floatingIps.get() if fIp.floating_network_id is ext_net.id associated = "----" unless fIp.port_id == null port = App.openstack.ports.get(fIp.port_id) associated = App.openstack.servers.get(port.device_id).name $('#floatingIpTable tbody').append(" <tr> <td> #{fIp.floating_ip_address} </td> <td> #{associated} </td> <td> <button id=\"release-#{fIp.id}\"> Release </button> </td> </tr>") $("#release-#{fIp.id}").click(@releaseButtonClick(fIp.id, ext_net)) showFloatingIpDialog: (ext_net) -> $('#floatingIpDialog').dialog().data 'node', ext_net @populateTableWithFloatingIps(ext_net) $('#floatingIpDialog').dialog('open') disassociateButtonClick: (id, vm) => return => $.when(App.openstack.floatingIps.update(id, null)).done(=> @populateServerFloatingIpStuff(vm) ) populateServerFloatingIpStuff: (vm) => selectBox = $("#vmFloating").html("") $('#vmFloatingTable tbody').empty() networkids = [] portids = [] for port in App.openstack.ports.get() if port.device_id is vm.id networkids.push(port.network_id) portids.push(port.id) extNets = [] extPorts = [] for port in App.openstack.ports.get() if port.device_owner is "network:router_interface" and port.network_id in networkids router = App.openstack.routers.get(port.device_id) unless router.external_gateway_info is null extNets.push(router.external_gateway_info.network_id) extPorts.push(portids[networkids.indexOf(port.network_id)]) floatingIps = false for fIp in App.openstack.floatingIps.get() if fIp.floating_network_id in extNets port_id = extPorts[extNets.indexOf(fIp.floating_network_id)] if fIp.port_id is null floatingIps = true option = "<option value='{\"fip\":\"#{fIp.id}\", \"port\":\"#{port_id}\"}'>#{fIp.floating_ip_address}</option>" selectBox.append(option) else if fIp.port_id is port_id $('#vmFloatingTable tbody').append(" <tr> <td> #{fIp.floating_ip_address} </td> <td> #{fIp.fixed_ip_address} </td> <td> <button id=\"disassociate-#{fIp.id}\"> Disassociate </button> </td> </tr>") $("#disassociate-#{fIp.id}").click(@disassociateButtonClick(fIp.id, vm)) if floatingIps and vm.deployStatus is "deployed" $('#vmFloating').prop('disabled', false) $('#vmAssociate').prop('disabled', false) else $('#vmFloating').prop('disabled', 'disabled') $('#vmAssociate').prop('disabled', 'disabled') option = "<option value='none'>None Available</option>" selectBox.append(option) showServerDialog: (vm) -> $('#vm').dialog().data 'node', vm $('#vmNAME').val(vm.name) $('#vmFlavor').val(vm.flavor.id) keypairs = $("#vmKeypair").html("") for kp in App.openstack.keypairs.get() option = "<option value='#{kp.name}'>#{kp.name}</option>" keypairs.append(option) keyname = vm.key_name keyname ?= "none" if keyname is "none" option = "<option value='none'>none</option>" keypairs.append(option) $('#vmKeypair').val(keyname) securityGroups = $("#vmSecurityGroup").html("") for sg in App.openstack.securityGroups.get() option = "<option value='#{sg.id}'>#{sg.name}</option>" securityGroups.append(option) sgid = vm.security_group sgid ?= "none" if sgid is "none" option = "<option value='none'>none</option>" securityGroups.append(option) $('#vmSecurityGroup').val(sgid) @populateServerFloatingIpStuff(vm) if vm.deployStatus is "undeployed" $('#vmFlavor').prop('disabled', false) $('#vmKeypair').prop('disabled', false) $('#vmSecurityGroup').prop('disabled', false) else $('#vmSecurityGroup').prop('disabled', 'disabled') $('#vmFlavor').prop('disabled', 'disabled') $('#vmKeypair').prop('disabled', 'disabled') $('#vm').dialog('open') populateKeyPairDialog: -> $('#keyPairTable tbody').empty() for kp in App.openstack.keypairs.get() downloadbutton = "" downloadbutton = "<button id='download-#{kp.name}'> Download </button>" if kp.private_key $('#keyPairTable tbody').append(" <tr> <td> #{kp.name} </td> <td> #{kp.fingerprint} </td> <td> #{downloadbutton} </td> <td> <button id='delete-#{kp.name}'> Delete </button> </td> </tr>") $("#download-#{kp.name}").click(@downloadKeyPairButton(kp)) if kp.private_key $("#delete-#{kp.name}").click(@deleteKeyPairButton(kp)) downloadKeyPairButton: (kp) -> return => kpDownload.location.href = "/openstack/keypairs/#{kp.name}/download" deleteKeyPairButton: (kp) => return => $.when( App.openstack.keypairs.delete(kp) ).done(=> @populateKeyPairDialog() ) showKeyPairDialog: -> @populateKeyPairDialog() $('#keyPairDialog').dialog('open') populateSecurityGroupDialog: -> $('#securityGroupTable tbody').empty() for sg in App.openstack.securityGroups.get() $('#securityGroupTable tbody').append(" <tr> <td> #{sg.name} </td> <td> #{sg.description} </td> <td> <button id=\"edit-#{sg.id}\"> Edit </button> </td> <td> <button> Delete </button> </td> </tr>") $("#edit-#{sg.id}").click(@sgEditDialogButton(sg)) showSecurityGroupDialog: -> @populateSecurityGroupDialog() $('#securityGroupDialog').dialog('open') sgEditDialogButton: (sg) -> return => $('#securityGroupDialog').dialog('close') @showSecurityGroupRuleDialog(sg) populateSecurityRulesTable: (sg) -> $('#securityRuleTable tbody').empty() for rule in sg.rules protocol = rule.ip_protocol || "Any" $('#securityRuleTable tbody').append(" <tr> <td> #{protocol} </td> <td> #{rule.from_port} </td> <td> #{rule.to_port} </td> <td> #{rule.ip_range.cidr} </td> <td> <button id='delete-#{rule.id}'> Delete </button> </td> </tr>") $("#delete-#{rule.id}").click(@deleteRuleButton(sg, rule)) deleteRuleButton: (sg, rule) -> return -> $.when( App.openstack.securityGroups.deleteRule(sg, rule.id) ).done(=> ) showSecurityGroupRuleDialog: (sg) -> console.log sg $('#securityRuleDialog').dialog().data 'node', sg @populateSecurityRulesTable(sg) $('#securityRuleDialog').dialog('open')
true
# Curvature object, this is the main entry point for the program and # contains all code related to specific GUI elements e.g. setting # up network tabs # class App.Curvature # @property [Object] The instance of network visualisation to display networks networkVisualisation: Object # @property [Object] The instance of deploy deploy: Object # Construct a new instance of Curvature and setup instance variables # constructor: () -> @networkVisualisation = new D3.Visualisation('D3Graph') @deploy = new App.Deploy() # Code to restart the page on a change. # # Will repopulate the openstack data and redraw the page # restartPage: () -> @networkVisualisation.clearGraph() _this = this $.when( App.openstack.tenants.populate(), App.openstack.flavors.populate(), App.openstack.images.populate(), App.openstack.quotas.populate(), App.openstack.currentTenant.populate(), App.openstack.services.populate(), App.openstack.keypairs.populate(), App.openstack.securityGroups.populate() ).then( () -> $('body,html').css('visibility','visible') console.log App.openstack.services.get() _this.setupTenants() _this.setupFlavorsDropdown() _this.setupImages() _this.displayQuotas() if App.openstack.services.get().indexOf("donabe") >= 0 donabeActive = true if donabeActive $.when( App.donabe.containers.populate() App.donabe.deployed_containers.populate() ).then( () -> _this.setupContainers() ) $.when( App.openstack.networks.populate() App.openstack.floatingIps.populate() ).then(() -> _this.networkTabs() openstackPromises = [App.openstack.subnets.populate(), App.openstack.ports.populate()] if App.openstack.services.get().indexOf("cinder") >= 0 openstackPromises.push(App.openstack.volumes.populate()) $.when.apply(this, openstackPromises).then(() -> $.when( App.openstack.servers.populate(), App.openstack.routers.populate() ).then(-> if App.openstack.services.get().indexOf("cinder") >= 0 _this.setupVolumes() _this.networkVisualisation.displayAllNetworks() ) ) ) ) # ============================================================================= # = GUI Functionality = # ============================================================================= # Show or Hide the labels for every node (works like a toggle) # showLabels: -> if $('.nodeLabel').css('display') is 'none' $('.nodeLabel').show() $('#shLabels').text("Hide Node Labels") else $('.nodeLabel').hide() $('#shLabels').text("Show Node Labels") displayVNCConsole: (server) -> $.when( server.vnc() ).then((data) => iframe = "<iframe width='800' height='640px' src='"+data['console']['url']+"''></iframe>" $("#vncConsole").html(iframe) $('#vncConsole').dialog('open') ) # ==================================================================== # = NETWORK TABS = # ==================================================================== # Delete a network # # @param name [String] The network id of the network to be deleted # deleteNetwork: (network_id) -> $( "#dialog-confirm" ).dialog( resizable: false, height: 170, modal: true, buttons: "Delete network!": -> Nodes.Network.terminate(network_id) $( this ).dialog( "close" ) Cancel: -> $( this ).dialog( "close" ) ) # Setup the network tabs for every network # networkTabs: -> foundNetworks = false for network in App.openstack.networks.internal.get() foundNetworks = true $("#menubar").menubar({autoExpand: true}) $("#deployButton").button() # =============================================================== # = Tenants = # =============================================================== # Setup List of Tenants to popuplate the dropdown menu # setupTenants: -> #Set the name based on current tenant document.getElementById("currentProject").innerHTML = 'Current Project - ' + App.openstack.currentTenant.get() list = document.getElementById("projectList") list.innerHTML = "" for tenant in App.openstack.tenants.get() opt = document.createElement("li") opt.setAttribute 'class', 'ui-menu-item' opt.setAttribute 'role', 'presentation' opt.innerHTML = "<a class='ui-corner-all' role='menuitem' href='#' onClick='window.curvy.switchTenant(\"#{tenant.name}\")'>#{tenant.name}</a>" list.insertBefore opt , list.lastChild $("#menubar").menubar({ autoExpand: true }) # Switch to a different tenant # # @param name [String] The name of the tenant you want to switch to # switchTenant: (name) -> $.when( App.openstack.currentTenant.switch(name) ).then( => this.restartPage()) # =============================================================== # = Containers = # =============================================================== # Setup all container relavent stuff. # setupContainers: -> # Setup Tools #@PI:EMAIL:<EMAIL>END_PI.splice(0,@networkVisualisation.tools.listOfTools.containers.length) @networkVisualisation.tools.listOfTools.containers = [] for container in App.donabe.containers.get() @networkVisualisation.tools.listOfTools.containers.push new Nodes.Container(container, "deployed") # Setup DropDowns list = document.getElementById("containerList") list.innerHTML = "" for container in App.donabe.containers.get() opt = document.createElement("li") opt.setAttribute 'class', 'ui-menu-item' opt.setAttribute 'role', 'presentation' opt.innerHTML = "<a class='ui-corner-all' role='menuitem' href='#' onClick='$(\"#containerEditor\").data(\"containerID\", "+container["id"]+");$(\"#containerEditor\").dialog(\"open\");'>"+container["name"]+"</a>" list.insertBefore opt , list.lastChild newButton = document.createElement("li") newButton.setAttribute 'class', 'ui-menu-item' newButton.innerHTML = "<a class='ui-corner-all' role='menuitem' href='#' onClick='$(\"#containerEditor\").data(\"containerID\", null);$(\"#containerEditor\").dialog(\"open\");'><b>New Container</b></a>" list.insertBefore newButton, list.lastChild $("#menubar").menubar({ autoExpand: true }) # ============================================================== # = IMAGES = # ============================================================== # Create buttons for the different images unless they are kernal images or ramdisks # setupImages: -> @networkVisualisation.tools.listOfTools.images.splice(0,@networkVisualisation.tools.listOfTools.images.length) for image in App.openstack.images.get() if (image.disk_format isnt "aki") and (image.disk_format isnt "ari") @networkVisualisation.tools.listOfTools.images.push image $('#VMButtonDiv').append '<button class=\"nodeButton\" onMouseDown=\"javascript:$(\'#addImageDialog\').dialog(\'open\');\">Add Image</button>' # Setup the dropdown that displays the flavours a VM can be # setupFlavorsDropdown: -> selectBox = $("#vmFlavor").html("") for flavor,i in App.openstack.flavors.get() option = "<option value='#{flavor.id}'>#{flavor.name}</option>" selectBox.append(option) # =============================================================== # = VOLUMES = # =============================================================== # Create buttons for volumes # setupVolumes: -> if $('#volumeTab').length == 0 $('#toolName').append("<li id='volumeTab'><a href='#t' onClick='curvy.networkVisualisation.tools.drawTools(curvy.networkVisualisation.tools.listOfTools.volumes,\"volumes\")'>Volumes</a></li>") $('#toolTabs').tabs('refresh') @networkVisualisation.tools.listOfTools.volumes.splice(0, @networkVisualisation.tools.listOfTools.volumes.length) for volume in App.openstack.volumes.get() unless volume.attachments.length > 0 @networkVisualisation.tools.listOfTools.volumes.push new Nodes.Volume(volume) # ============================================================== # = QUOTAS = # ============================================================== # Show or Hide the overview bars (works like a toggle) # showHideOverview: -> if $("#overviewsContainer").css("display") is "none" $("#overviewsContainer").show() $("#shOverview").text "Hide the Overview Bars" else $("#overviewsContainer").hide() $("#shOverview").text "Show the Overview Bars" # Populate the overview quotas sliders # displayQuotas: -> d3.selectAll(".piechart").remove() instancePer = (App.openstack.quotas.totalInstancesUsed() / App.openstack.quotas.maxTotalInstances()) * 100 $("#instancesSlider").data().used = instancePer console.log @instancePie #if @instancePie is undefined new D3.Quota("instancesSlider") #else PI:EMAIL:<EMAIL>END_PI.animate([{"percentage":instancePer},{"percentage":100 - instancePer}]) $("#instanceText").html("Instances Used : " + App.openstack.quotas.totalInstancesUsed() + "/" + App.openstack.quotas.maxTotalInstances()) cpuPer = (App.openstack.quotas.totalCoresUsed() / App.openstack.quotas.maxTotalCores()) * 100 $("#cpusSlider").data().used = cpuPer #if @cpusPie is undefined new D3.Quota("cpusSlider") $("#cpusText").html("CPUs Used : " + App.openstack.quotas.totalCoresUsed() + "/" + App.openstack.quotas.maxTotalCores()) ramPer = (App.openstack.quotas.totalRAMUsed() / App.openstack.quotas.maxTotalRAMSize()) * 100 $("#ramSlider").data().used = ramPer #if @ramPie is undefined new D3.Quota("ramSlider") $("#ramText").html("RAM Used : " + App.openstack.quotas.totalRAMUsed() + "MB/" + App.openstack.quotas.maxTotalRAMSize() + "MB") # ===================================== # Floating IP, Security Groups, etc = # ===================================== releaseButtonClick: (id, ext_net) => return => $.when(App.openstack.floatingIps.destroy(id)).done(=> @populateTableWithFloatingIps(ext_net) ) populateTableWithFloatingIps: (ext_net) => $('#floatingIpTable tbody').empty() for fIp in App.openstack.floatingIps.get() if fIp.floating_network_id is ext_net.id associated = "----" unless fIp.port_id == null port = App.openstack.ports.get(fIp.port_id) associated = App.openstack.servers.get(port.device_id).name $('#floatingIpTable tbody').append(" <tr> <td> #{fIp.floating_ip_address} </td> <td> #{associated} </td> <td> <button id=\"release-#{fIp.id}\"> Release </button> </td> </tr>") $("#release-#{fIp.id}").click(@releaseButtonClick(fIp.id, ext_net)) showFloatingIpDialog: (ext_net) -> $('#floatingIpDialog').dialog().data 'node', ext_net @populateTableWithFloatingIps(ext_net) $('#floatingIpDialog').dialog('open') disassociateButtonClick: (id, vm) => return => $.when(App.openstack.floatingIps.update(id, null)).done(=> @populateServerFloatingIpStuff(vm) ) populateServerFloatingIpStuff: (vm) => selectBox = $("#vmFloating").html("") $('#vmFloatingTable tbody').empty() networkids = [] portids = [] for port in App.openstack.ports.get() if port.device_id is vm.id networkids.push(port.network_id) portids.push(port.id) extNets = [] extPorts = [] for port in App.openstack.ports.get() if port.device_owner is "network:router_interface" and port.network_id in networkids router = App.openstack.routers.get(port.device_id) unless router.external_gateway_info is null extNets.push(router.external_gateway_info.network_id) extPorts.push(portids[networkids.indexOf(port.network_id)]) floatingIps = false for fIp in App.openstack.floatingIps.get() if fIp.floating_network_id in extNets port_id = extPorts[extNets.indexOf(fIp.floating_network_id)] if fIp.port_id is null floatingIps = true option = "<option value='{\"fip\":\"#{fIp.id}\", \"port\":\"#{port_id}\"}'>#{fIp.floating_ip_address}</option>" selectBox.append(option) else if fIp.port_id is port_id $('#vmFloatingTable tbody').append(" <tr> <td> #{fIp.floating_ip_address} </td> <td> #{fIp.fixed_ip_address} </td> <td> <button id=\"disassociate-#{fIp.id}\"> Disassociate </button> </td> </tr>") $("#disassociate-#{fIp.id}").click(@disassociateButtonClick(fIp.id, vm)) if floatingIps and vm.deployStatus is "deployed" $('#vmFloating').prop('disabled', false) $('#vmAssociate').prop('disabled', false) else $('#vmFloating').prop('disabled', 'disabled') $('#vmAssociate').prop('disabled', 'disabled') option = "<option value='none'>None Available</option>" selectBox.append(option) showServerDialog: (vm) -> $('#vm').dialog().data 'node', vm $('#vmNAME').val(vm.name) $('#vmFlavor').val(vm.flavor.id) keypairs = $("#vmKeypair").html("") for kp in App.openstack.keypairs.get() option = "<option value='#{kp.name}'>#{kp.name}</option>" keypairs.append(option) keyname = vm.key_name keyname ?= "none" if keyname is "none" option = "<option value='none'>none</option>" keypairs.append(option) $('#vmKeypair').val(keyname) securityGroups = $("#vmSecurityGroup").html("") for sg in App.openstack.securityGroups.get() option = "<option value='#{sg.id}'>#{sg.name}</option>" securityGroups.append(option) sgid = vm.security_group sgid ?= "none" if sgid is "none" option = "<option value='none'>none</option>" securityGroups.append(option) $('#vmSecurityGroup').val(sgid) @populateServerFloatingIpStuff(vm) if vm.deployStatus is "undeployed" $('#vmFlavor').prop('disabled', false) $('#vmKeypair').prop('disabled', false) $('#vmSecurityGroup').prop('disabled', false) else $('#vmSecurityGroup').prop('disabled', 'disabled') $('#vmFlavor').prop('disabled', 'disabled') $('#vmKeypair').prop('disabled', 'disabled') $('#vm').dialog('open') populateKeyPairDialog: -> $('#keyPairTable tbody').empty() for kp in App.openstack.keypairs.get() downloadbutton = "" downloadbutton = "<button id='download-#{kp.name}'> Download </button>" if kp.private_key $('#keyPairTable tbody').append(" <tr> <td> #{kp.name} </td> <td> #{kp.fingerprint} </td> <td> #{downloadbutton} </td> <td> <button id='delete-#{kp.name}'> Delete </button> </td> </tr>") $("#download-#{kp.name}").click(@downloadKeyPairButton(kp)) if kp.private_key $("#delete-#{kp.name}").click(@deleteKeyPairButton(kp)) downloadKeyPairButton: (kp) -> return => kpDownload.location.href = "/openstack/keypairs/#{kp.name}/download" deleteKeyPairButton: (kp) => return => $.when( App.openstack.keypairs.delete(kp) ).done(=> @populateKeyPairDialog() ) showKeyPairDialog: -> @populateKeyPairDialog() $('#keyPairDialog').dialog('open') populateSecurityGroupDialog: -> $('#securityGroupTable tbody').empty() for sg in App.openstack.securityGroups.get() $('#securityGroupTable tbody').append(" <tr> <td> #{sg.name} </td> <td> #{sg.description} </td> <td> <button id=\"edit-#{sg.id}\"> Edit </button> </td> <td> <button> Delete </button> </td> </tr>") $("#edit-#{sg.id}").click(@sgEditDialogButton(sg)) showSecurityGroupDialog: -> @populateSecurityGroupDialog() $('#securityGroupDialog').dialog('open') sgEditDialogButton: (sg) -> return => $('#securityGroupDialog').dialog('close') @showSecurityGroupRuleDialog(sg) populateSecurityRulesTable: (sg) -> $('#securityRuleTable tbody').empty() for rule in sg.rules protocol = rule.ip_protocol || "Any" $('#securityRuleTable tbody').append(" <tr> <td> #{protocol} </td> <td> #{rule.from_port} </td> <td> #{rule.to_port} </td> <td> #{rule.ip_range.cidr} </td> <td> <button id='delete-#{rule.id}'> Delete </button> </td> </tr>") $("#delete-#{rule.id}").click(@deleteRuleButton(sg, rule)) deleteRuleButton: (sg, rule) -> return -> $.when( App.openstack.securityGroups.deleteRule(sg, rule.id) ).done(=> ) showSecurityGroupRuleDialog: (sg) -> console.log sg $('#securityRuleDialog').dialog().data 'node', sg @populateSecurityRulesTable(sg) $('#securityRuleDialog').dialog('open')
[ { "context": "e if redirectURI != code.redirectUri\n token = utils.uid 256\n new Credentials token, code.userId,", "end": 916, "score": 0.5949780344963074, "start": 911, "tag": "KEY", "value": "utils" }, { "context": "directURI != code.redirectUri\n token = utils.uid 256\n new Credentials token, code.userId, cod", "end": 920, "score": 0.7729758024215698, "start": 917, "tag": "KEY", "value": "uid" } ]
src/index.coffee
vancarney/rikki-tikki-oauth2
0
passport = require 'passport' oauth2orize = require 'oauth2orize' # RikkiTikkiAPI = module.parent.exports.RikkiTikkiAPI class OAuthModule serialize: (client, done)-> done null, client.id deserialize: (id, done)-> @api.getCollectionManager().getCollection 'Clients', (e,col)=> col.findOne id, (e, client)=> done?.apply @, unless e then [null, client] else [e,null] grant:(client, redirectURI, user, ares, done)-> code = utils.uid 16 grant = new Grant code, client.id, redirectURI, user.id, ares.scope .on 'save', (e)=> done?.apply @, unless e then [null,code] else [e, null] exchange:(client, code, redirectURI, done)-> Clients.findOne code, (err, code)-> return done e if e return done 'invalid client id', false if client.id != code.clientId return done 'invalid redirect url', false if redirectURI != code.redirectUri token = utils.uid 256 new Credentials token, code.userId, code.clientId, code.scope .on 'save', (e)=> done?.apply @, unless e then [null,token] else [e, null] onRegister:-> # initialize oauth2orize service server = oauth2orize.createServer() server.serializeClient @serialize server.deserializeClient @deserialize server.grant oauth2orize.grant.code @grant server.exchange oauth2orize.exchange.code @exchange # inistialize routes @api.addRoute "/#{OAuthModule.namespace}/token", 'post', (req,res)-> passport.authenticate 'consumer', session: false @api.addRoute "/#{OAuthModule.namespace}/authorize", 'get', (req, res)-> # console.log 'authorize' res.end 'test' #JSON.stringify {body:"authorize"} @api.addRoute "#{@api.getAPIPath()}/#{OAuthModule.namespace}/decision", 'get', (req, res)-> res.end JSON.stringify {body:"decision"} @api.addRoute "#{@api.getAPIPath()}/#{OAuthModule.namespace}/token", 'get', (req, res)-> res.end JSON.stringify {body:"token"} onRemove:-> OAuthModule.namespace = 'auth' module.exports = OAuthModule
103337
passport = require 'passport' oauth2orize = require 'oauth2orize' # RikkiTikkiAPI = module.parent.exports.RikkiTikkiAPI class OAuthModule serialize: (client, done)-> done null, client.id deserialize: (id, done)-> @api.getCollectionManager().getCollection 'Clients', (e,col)=> col.findOne id, (e, client)=> done?.apply @, unless e then [null, client] else [e,null] grant:(client, redirectURI, user, ares, done)-> code = utils.uid 16 grant = new Grant code, client.id, redirectURI, user.id, ares.scope .on 'save', (e)=> done?.apply @, unless e then [null,code] else [e, null] exchange:(client, code, redirectURI, done)-> Clients.findOne code, (err, code)-> return done e if e return done 'invalid client id', false if client.id != code.clientId return done 'invalid redirect url', false if redirectURI != code.redirectUri token = <KEY>.<KEY> 256 new Credentials token, code.userId, code.clientId, code.scope .on 'save', (e)=> done?.apply @, unless e then [null,token] else [e, null] onRegister:-> # initialize oauth2orize service server = oauth2orize.createServer() server.serializeClient @serialize server.deserializeClient @deserialize server.grant oauth2orize.grant.code @grant server.exchange oauth2orize.exchange.code @exchange # inistialize routes @api.addRoute "/#{OAuthModule.namespace}/token", 'post', (req,res)-> passport.authenticate 'consumer', session: false @api.addRoute "/#{OAuthModule.namespace}/authorize", 'get', (req, res)-> # console.log 'authorize' res.end 'test' #JSON.stringify {body:"authorize"} @api.addRoute "#{@api.getAPIPath()}/#{OAuthModule.namespace}/decision", 'get', (req, res)-> res.end JSON.stringify {body:"decision"} @api.addRoute "#{@api.getAPIPath()}/#{OAuthModule.namespace}/token", 'get', (req, res)-> res.end JSON.stringify {body:"token"} onRemove:-> OAuthModule.namespace = 'auth' module.exports = OAuthModule
true
passport = require 'passport' oauth2orize = require 'oauth2orize' # RikkiTikkiAPI = module.parent.exports.RikkiTikkiAPI class OAuthModule serialize: (client, done)-> done null, client.id deserialize: (id, done)-> @api.getCollectionManager().getCollection 'Clients', (e,col)=> col.findOne id, (e, client)=> done?.apply @, unless e then [null, client] else [e,null] grant:(client, redirectURI, user, ares, done)-> code = utils.uid 16 grant = new Grant code, client.id, redirectURI, user.id, ares.scope .on 'save', (e)=> done?.apply @, unless e then [null,code] else [e, null] exchange:(client, code, redirectURI, done)-> Clients.findOne code, (err, code)-> return done e if e return done 'invalid client id', false if client.id != code.clientId return done 'invalid redirect url', false if redirectURI != code.redirectUri token = PI:KEY:<KEY>END_PI.PI:KEY:<KEY>END_PI 256 new Credentials token, code.userId, code.clientId, code.scope .on 'save', (e)=> done?.apply @, unless e then [null,token] else [e, null] onRegister:-> # initialize oauth2orize service server = oauth2orize.createServer() server.serializeClient @serialize server.deserializeClient @deserialize server.grant oauth2orize.grant.code @grant server.exchange oauth2orize.exchange.code @exchange # inistialize routes @api.addRoute "/#{OAuthModule.namespace}/token", 'post', (req,res)-> passport.authenticate 'consumer', session: false @api.addRoute "/#{OAuthModule.namespace}/authorize", 'get', (req, res)-> # console.log 'authorize' res.end 'test' #JSON.stringify {body:"authorize"} @api.addRoute "#{@api.getAPIPath()}/#{OAuthModule.namespace}/decision", 'get', (req, res)-> res.end JSON.stringify {body:"decision"} @api.addRoute "#{@api.getAPIPath()}/#{OAuthModule.namespace}/token", 'get', (req, res)-> res.end JSON.stringify {body:"token"} onRemove:-> OAuthModule.namespace = 'auth' module.exports = OAuthModule
[ { "context": "il \"Final key is incorrect #{toIbh last}\" unless \"a8a6d3dbb021502f5b7d712de1c716c7d110c3f5118e0a434e6aec81d5cb3809\" is toIbh last\nconsole.log \"Final key obtained: \"", "end": 1610, "score": 0.9997342824935913, "start": 1546, "tag": "KEY", "value": "a8a6d3dbb021502f5b7d712de1c716c7d110c3f5118e0a434e6aec81d5cb3809" } ]
web-test/test-curve25519-quick.coffee
santosh653/jodid25519
25
inBrowser = window?.document? if inBrowser env = window echo = (x)-> element = window.document.createElement 'span' element.innerHTML = x window.document.body.appendChild(element) fail = (reason = "")-> msg = "Failed! #{reason}" msg = msg + " " + reason if reason? echo msg throw "Test failed!" echo ". " else fs = require "fs" env = do -> this env.eval(fs.readFileSync("../curve255.js").toString()) stdout = process.stdout stderr = process.stderr write = (x)-> stdout.write x echo = (x)-> write x + "\n" fail = (reason)-> echo "Failed! #{reason}"; process.exit 1 pass = -> echo "Passed!" fromHex = env.c255lhexdecode toHex = env.c255lhexencode hex2ibh = (x) -> x = new Array(64 + 1 - x.length).join("0") + x; # Pad with '0' at the front # Invert bytes return x.split(/(..)/).reverse().join(""); toIbh = (x) -> hex2ibh(toHex x) printKey = (x) -> write(toIbh x) cmp = env.c255lbigintcmp xor = (a, b) -> r = env.c255lzero() for x in [15..0] r[x] = a[x] ^ b[x] r doit = (e, k) -> # printKey e # write " " # printKey k # write " " ek = env.curve25519_raw e, k # printKey ek # write "\n" ek e1 = fromHex "3" e2 = fromHex "5" k = fromHex "9" l = 0 while l < 25 e1k = doit e1, k e2e1k = doit e2, e1k e2k = doit e2, k e1e2k = doit e1, e2k if cmp e1e2k, e2e1k fail() else last = e1e2k e1 = xor e1, e2k e2 = xor e2, e1k k = xor k, e1e2k l++ fail "Final key is incorrect #{toIbh last}" unless "a8a6d3dbb021502f5b7d712de1c716c7d110c3f5118e0a434e6aec81d5cb3809" is toIbh last console.log "Final key obtained: " + toIbh(last) pass()
27124
inBrowser = window?.document? if inBrowser env = window echo = (x)-> element = window.document.createElement 'span' element.innerHTML = x window.document.body.appendChild(element) fail = (reason = "")-> msg = "Failed! #{reason}" msg = msg + " " + reason if reason? echo msg throw "Test failed!" echo ". " else fs = require "fs" env = do -> this env.eval(fs.readFileSync("../curve255.js").toString()) stdout = process.stdout stderr = process.stderr write = (x)-> stdout.write x echo = (x)-> write x + "\n" fail = (reason)-> echo "Failed! #{reason}"; process.exit 1 pass = -> echo "Passed!" fromHex = env.c255lhexdecode toHex = env.c255lhexencode hex2ibh = (x) -> x = new Array(64 + 1 - x.length).join("0") + x; # Pad with '0' at the front # Invert bytes return x.split(/(..)/).reverse().join(""); toIbh = (x) -> hex2ibh(toHex x) printKey = (x) -> write(toIbh x) cmp = env.c255lbigintcmp xor = (a, b) -> r = env.c255lzero() for x in [15..0] r[x] = a[x] ^ b[x] r doit = (e, k) -> # printKey e # write " " # printKey k # write " " ek = env.curve25519_raw e, k # printKey ek # write "\n" ek e1 = fromHex "3" e2 = fromHex "5" k = fromHex "9" l = 0 while l < 25 e1k = doit e1, k e2e1k = doit e2, e1k e2k = doit e2, k e1e2k = doit e1, e2k if cmp e1e2k, e2e1k fail() else last = e1e2k e1 = xor e1, e2k e2 = xor e2, e1k k = xor k, e1e2k l++ fail "Final key is incorrect #{toIbh last}" unless "<KEY>" is toIbh last console.log "Final key obtained: " + toIbh(last) pass()
true
inBrowser = window?.document? if inBrowser env = window echo = (x)-> element = window.document.createElement 'span' element.innerHTML = x window.document.body.appendChild(element) fail = (reason = "")-> msg = "Failed! #{reason}" msg = msg + " " + reason if reason? echo msg throw "Test failed!" echo ". " else fs = require "fs" env = do -> this env.eval(fs.readFileSync("../curve255.js").toString()) stdout = process.stdout stderr = process.stderr write = (x)-> stdout.write x echo = (x)-> write x + "\n" fail = (reason)-> echo "Failed! #{reason}"; process.exit 1 pass = -> echo "Passed!" fromHex = env.c255lhexdecode toHex = env.c255lhexencode hex2ibh = (x) -> x = new Array(64 + 1 - x.length).join("0") + x; # Pad with '0' at the front # Invert bytes return x.split(/(..)/).reverse().join(""); toIbh = (x) -> hex2ibh(toHex x) printKey = (x) -> write(toIbh x) cmp = env.c255lbigintcmp xor = (a, b) -> r = env.c255lzero() for x in [15..0] r[x] = a[x] ^ b[x] r doit = (e, k) -> # printKey e # write " " # printKey k # write " " ek = env.curve25519_raw e, k # printKey ek # write "\n" ek e1 = fromHex "3" e2 = fromHex "5" k = fromHex "9" l = 0 while l < 25 e1k = doit e1, k e2e1k = doit e2, e1k e2k = doit e2, k e1e2k = doit e1, e2k if cmp e1e2k, e2e1k fail() else last = e1e2k e1 = xor e1, e2k e2 = xor e2, e1k k = xor k, e1e2k l++ fail "Final key is incorrect #{toIbh last}" unless "PI:KEY:<KEY>END_PI" is toIbh last console.log "Final key obtained: " + toIbh(last) pass()
[ { "context": "urrentUser.id = user.id\n currentUser.name = user.name\n\n currentUser.authorized = authorized\n\n", "end": 1088, "score": 0.6010631322860718, "start": 1084, "tag": "NAME", "value": "user" } ]
app/assets/javascripts/services/sessionService.coffee
sectore/CafeTownsend-Angular-Rails
70
angular.module('cafeTownsend.services').factory('SessionService', [ '$log' '$resource' ($log, $resource)-> service = $resource '/sessions/:param', {}, 'login': method: 'POST' 'logout': method: 'DELETE' # login # ------------------------------------------------------------ authorized = -> getCurrentUser().authorized is 'true' login = (newUser)-> promise = service.login(newUser).$promise promise.then((result)-> updateCurrentUser(result.user, result.authorized) ) promise # logout # ------------------------------------------------------------ logout = -> promise = service.logout(param: currentUser.id).$promise updateCurrentUser {}, false promise # user # ------------------------------------------------------------ currentUser = {} getCurrentUser = -> currentUser # helper method to update currentUser updateCurrentUser = (user, authorized)-> if user currentUser.id = user.id currentUser.name = user.name currentUser.authorized = authorized { login logout authorized getCurrentUser } ])
75074
angular.module('cafeTownsend.services').factory('SessionService', [ '$log' '$resource' ($log, $resource)-> service = $resource '/sessions/:param', {}, 'login': method: 'POST' 'logout': method: 'DELETE' # login # ------------------------------------------------------------ authorized = -> getCurrentUser().authorized is 'true' login = (newUser)-> promise = service.login(newUser).$promise promise.then((result)-> updateCurrentUser(result.user, result.authorized) ) promise # logout # ------------------------------------------------------------ logout = -> promise = service.logout(param: currentUser.id).$promise updateCurrentUser {}, false promise # user # ------------------------------------------------------------ currentUser = {} getCurrentUser = -> currentUser # helper method to update currentUser updateCurrentUser = (user, authorized)-> if user currentUser.id = user.id currentUser.name = <NAME>.name currentUser.authorized = authorized { login logout authorized getCurrentUser } ])
true
angular.module('cafeTownsend.services').factory('SessionService', [ '$log' '$resource' ($log, $resource)-> service = $resource '/sessions/:param', {}, 'login': method: 'POST' 'logout': method: 'DELETE' # login # ------------------------------------------------------------ authorized = -> getCurrentUser().authorized is 'true' login = (newUser)-> promise = service.login(newUser).$promise promise.then((result)-> updateCurrentUser(result.user, result.authorized) ) promise # logout # ------------------------------------------------------------ logout = -> promise = service.logout(param: currentUser.id).$promise updateCurrentUser {}, false promise # user # ------------------------------------------------------------ currentUser = {} getCurrentUser = -> currentUser # helper method to update currentUser updateCurrentUser = (user, authorized)-> if user currentUser.id = user.id currentUser.name = PI:NAME:<NAME>END_PI.name currentUser.authorized = authorized { login logout authorized getCurrentUser } ])
[ { "context": " =\n email: user.email\n name: user.name\n\n $scope.saveDetails = ->\n ", "end": 2450, "score": 0.6770437359809875, "start": 2446, "tag": "NAME", "value": "user" } ]
site/modules/user/user.coffee
soulweaver91/gw2hub
0
verifyLoggedIn = [ 'authService', '$q', (authService, $q) -> deferred = $q.defer() authService.userAsync() .then (user) -> if !user? deferred.reject() else deferred.resolve user , (err) -> deferred.reject err deferred.promise ] angular.module 'module.user', [ 'restangular' 'ui.router' 'module.common' ] .config [ '$stateProvider', ($stateProvider) -> $stateProvider .state 'profile', url: '/u/:id' templateUrl: 'modules/user/profile.tpl.html' controller: 'userProfileController' resolve: { user: (Restangular, $stateParams) -> Restangular.all 'users' .one $stateParams.id .get() } .state 'controlPanel', url: '/cp' templateUrl: 'modules/user/controlpanel.tpl.html' controller: 'controlPanelController' resolve: user: verifyLoggedIn .state 'controlPanel.details', url: '/details' templateUrl: 'modules/user/cp-details.tpl.html' controller: 'controlPanelDetailsController' resolve: user: verifyLoggedIn .state 'controlPanel.password', url: '/password' templateUrl: 'modules/user/cp-password.tpl.html' controller: 'controlPanelPasswordController' resolve: user: verifyLoggedIn ] .controller 'userProfileController', [ '$scope', '$state', 'user' ($scope, $state, user) -> $scope.user = user if !user?.name? $state.go 'main' ] .controller 'controlPanelController', [ '$state', '$scope', 'authService' ($state, $scope, authService) -> $scope.user = authService.user # Prevent using the related state directly. if $state.current.name == 'controlPanel' $state.go 'controlPanel.details' $scope.$on '$stateChangeStart', (event, toState, toParams) -> if toState.name == 'controlPanel' event.preventDefault() ] .controller 'controlPanelDetailsController', [ '$scope', 'Restangular', 'user', 'authService' ($scope, Restangular, user, authService) -> $scope.profile = email: user.email name: user.name $scope.saveDetails = -> $scope.message = null Restangular.one 'users', user.id .patch $scope.profile .then (status) -> $scope.message = type: 'success' text: 'Profile saved successfully!' authService.init() , (err) -> $scope.message = type: 'danger' text: 'Could not edit profile! Server responded with: ' + err.data.error ] .controller 'controlPanelPasswordController', [ '$scope', 'Restangular' ($scope, Restangular) -> emptyFields = current: '' new: '' newConfirm: '' $scope.password = angular.copy emptyFields $scope.minPassLength = hubEnv.minimumPasswordLength $scope.submitPassword = -> $scope.message = null Restangular.all 'auth/password' .post $scope.password .then (status) -> $scope.message = type: 'success' text: 'Password changed successfully!' $scope.password = angular.copy emptyFields , (err) -> $scope.message = type: 'danger' text: 'Could not change password! Server responded with: ' + err.data.error ]
63559
verifyLoggedIn = [ 'authService', '$q', (authService, $q) -> deferred = $q.defer() authService.userAsync() .then (user) -> if !user? deferred.reject() else deferred.resolve user , (err) -> deferred.reject err deferred.promise ] angular.module 'module.user', [ 'restangular' 'ui.router' 'module.common' ] .config [ '$stateProvider', ($stateProvider) -> $stateProvider .state 'profile', url: '/u/:id' templateUrl: 'modules/user/profile.tpl.html' controller: 'userProfileController' resolve: { user: (Restangular, $stateParams) -> Restangular.all 'users' .one $stateParams.id .get() } .state 'controlPanel', url: '/cp' templateUrl: 'modules/user/controlpanel.tpl.html' controller: 'controlPanelController' resolve: user: verifyLoggedIn .state 'controlPanel.details', url: '/details' templateUrl: 'modules/user/cp-details.tpl.html' controller: 'controlPanelDetailsController' resolve: user: verifyLoggedIn .state 'controlPanel.password', url: '/password' templateUrl: 'modules/user/cp-password.tpl.html' controller: 'controlPanelPasswordController' resolve: user: verifyLoggedIn ] .controller 'userProfileController', [ '$scope', '$state', 'user' ($scope, $state, user) -> $scope.user = user if !user?.name? $state.go 'main' ] .controller 'controlPanelController', [ '$state', '$scope', 'authService' ($state, $scope, authService) -> $scope.user = authService.user # Prevent using the related state directly. if $state.current.name == 'controlPanel' $state.go 'controlPanel.details' $scope.$on '$stateChangeStart', (event, toState, toParams) -> if toState.name == 'controlPanel' event.preventDefault() ] .controller 'controlPanelDetailsController', [ '$scope', 'Restangular', 'user', 'authService' ($scope, Restangular, user, authService) -> $scope.profile = email: user.email name: <NAME>.name $scope.saveDetails = -> $scope.message = null Restangular.one 'users', user.id .patch $scope.profile .then (status) -> $scope.message = type: 'success' text: 'Profile saved successfully!' authService.init() , (err) -> $scope.message = type: 'danger' text: 'Could not edit profile! Server responded with: ' + err.data.error ] .controller 'controlPanelPasswordController', [ '$scope', 'Restangular' ($scope, Restangular) -> emptyFields = current: '' new: '' newConfirm: '' $scope.password = angular.copy emptyFields $scope.minPassLength = hubEnv.minimumPasswordLength $scope.submitPassword = -> $scope.message = null Restangular.all 'auth/password' .post $scope.password .then (status) -> $scope.message = type: 'success' text: 'Password changed successfully!' $scope.password = angular.copy emptyFields , (err) -> $scope.message = type: 'danger' text: 'Could not change password! Server responded with: ' + err.data.error ]
true
verifyLoggedIn = [ 'authService', '$q', (authService, $q) -> deferred = $q.defer() authService.userAsync() .then (user) -> if !user? deferred.reject() else deferred.resolve user , (err) -> deferred.reject err deferred.promise ] angular.module 'module.user', [ 'restangular' 'ui.router' 'module.common' ] .config [ '$stateProvider', ($stateProvider) -> $stateProvider .state 'profile', url: '/u/:id' templateUrl: 'modules/user/profile.tpl.html' controller: 'userProfileController' resolve: { user: (Restangular, $stateParams) -> Restangular.all 'users' .one $stateParams.id .get() } .state 'controlPanel', url: '/cp' templateUrl: 'modules/user/controlpanel.tpl.html' controller: 'controlPanelController' resolve: user: verifyLoggedIn .state 'controlPanel.details', url: '/details' templateUrl: 'modules/user/cp-details.tpl.html' controller: 'controlPanelDetailsController' resolve: user: verifyLoggedIn .state 'controlPanel.password', url: '/password' templateUrl: 'modules/user/cp-password.tpl.html' controller: 'controlPanelPasswordController' resolve: user: verifyLoggedIn ] .controller 'userProfileController', [ '$scope', '$state', 'user' ($scope, $state, user) -> $scope.user = user if !user?.name? $state.go 'main' ] .controller 'controlPanelController', [ '$state', '$scope', 'authService' ($state, $scope, authService) -> $scope.user = authService.user # Prevent using the related state directly. if $state.current.name == 'controlPanel' $state.go 'controlPanel.details' $scope.$on '$stateChangeStart', (event, toState, toParams) -> if toState.name == 'controlPanel' event.preventDefault() ] .controller 'controlPanelDetailsController', [ '$scope', 'Restangular', 'user', 'authService' ($scope, Restangular, user, authService) -> $scope.profile = email: user.email name: PI:NAME:<NAME>END_PI.name $scope.saveDetails = -> $scope.message = null Restangular.one 'users', user.id .patch $scope.profile .then (status) -> $scope.message = type: 'success' text: 'Profile saved successfully!' authService.init() , (err) -> $scope.message = type: 'danger' text: 'Could not edit profile! Server responded with: ' + err.data.error ] .controller 'controlPanelPasswordController', [ '$scope', 'Restangular' ($scope, Restangular) -> emptyFields = current: '' new: '' newConfirm: '' $scope.password = angular.copy emptyFields $scope.minPassLength = hubEnv.minimumPasswordLength $scope.submitPassword = -> $scope.message = null Restangular.all 'auth/password' .post $scope.password .then (status) -> $scope.message = type: 'success' text: 'Password changed successfully!' $scope.password = angular.copy emptyFields , (err) -> $scope.message = type: 'danger' text: 'Could not change password! Server responded with: ' + err.data.error ]
[ { "context": "# Copyright Joyent, Inc. and other Node contributors.\n#\n# Permission", "end": 18, "score": 0.9979498386383057, "start": 12, "tag": "NAME", "value": "Joyent" } ]
test/simple/test-stdout-to-file.coffee
lxe/io.coffee
0
# Copyright Joyent, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. test = (size, useBuffer, cb) -> cmd = "\"" + process.argv[0] + "\"" + " " + "\"" + ((if useBuffer then scriptBuffer else scriptString)) + "\"" + " " + size + " > " + "\"" + tmpFile + "\"" try fs.unlinkSync tmpFile common.print size + " chars to " + tmpFile + "..." childProccess.exec cmd, (err) -> throw err if err console.log "done!" stat = fs.statSync(tmpFile) console.log tmpFile + " has " + stat.size + " bytes" assert.equal size, stat.size fs.unlinkSync tmpFile cb() return return common = require("../common") assert = require("assert") path = require("path") childProccess = require("child_process") fs = require("fs") scriptString = path.join(common.fixturesDir, "print-chars.js") scriptBuffer = path.join(common.fixturesDir, "print-chars-from-buffer.js") tmpFile = path.join(common.tmpDir, "stdout.txt") finished = false test 1024 * 1024, false, -> console.log "Done printing with string" test 1024 * 1024, true, -> console.log "Done printing with buffer" finished = true return return process.on "exit", -> assert.ok finished return
120693
# Copyright <NAME>, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. test = (size, useBuffer, cb) -> cmd = "\"" + process.argv[0] + "\"" + " " + "\"" + ((if useBuffer then scriptBuffer else scriptString)) + "\"" + " " + size + " > " + "\"" + tmpFile + "\"" try fs.unlinkSync tmpFile common.print size + " chars to " + tmpFile + "..." childProccess.exec cmd, (err) -> throw err if err console.log "done!" stat = fs.statSync(tmpFile) console.log tmpFile + " has " + stat.size + " bytes" assert.equal size, stat.size fs.unlinkSync tmpFile cb() return return common = require("../common") assert = require("assert") path = require("path") childProccess = require("child_process") fs = require("fs") scriptString = path.join(common.fixturesDir, "print-chars.js") scriptBuffer = path.join(common.fixturesDir, "print-chars-from-buffer.js") tmpFile = path.join(common.tmpDir, "stdout.txt") finished = false test 1024 * 1024, false, -> console.log "Done printing with string" test 1024 * 1024, true, -> console.log "Done printing with buffer" finished = true return return process.on "exit", -> assert.ok finished return
true
# Copyright PI:NAME:<NAME>END_PI, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. test = (size, useBuffer, cb) -> cmd = "\"" + process.argv[0] + "\"" + " " + "\"" + ((if useBuffer then scriptBuffer else scriptString)) + "\"" + " " + size + " > " + "\"" + tmpFile + "\"" try fs.unlinkSync tmpFile common.print size + " chars to " + tmpFile + "..." childProccess.exec cmd, (err) -> throw err if err console.log "done!" stat = fs.statSync(tmpFile) console.log tmpFile + " has " + stat.size + " bytes" assert.equal size, stat.size fs.unlinkSync tmpFile cb() return return common = require("../common") assert = require("assert") path = require("path") childProccess = require("child_process") fs = require("fs") scriptString = path.join(common.fixturesDir, "print-chars.js") scriptBuffer = path.join(common.fixturesDir, "print-chars-from-buffer.js") tmpFile = path.join(common.tmpDir, "stdout.txt") finished = false test 1024 * 1024, false, -> console.log "Done printing with string" test 1024 * 1024, true, -> console.log "Done printing with buffer" finished = true return return process.on "exit", -> assert.ok finished return
[ { "context": "ams =\n \"site_id\": @site_id\n \"site_pass\": @site_pass\n \"shop_id\": @shop_id\n \"shop_pass\": @sho", "end": 3050, "score": 0.9749575257301331, "start": 3040, "tag": "PASSWORD", "value": "@site_pass" }, { "context": "_pass\n \"shop_id\": @shop_id\n \"shop_pass\": @shop_pass\n params = utils.extend(options, extra_params)\n", "end": 3106, "score": 0.9826476573944092, "start": 3096, "tag": "PASSWORD", "value": "@shop_pass" } ]
src/shop_and_site_api.coffee
harakachi/gmo-payment-node
0
utils = require "./utils" gmo = require "./gmo_api" # ShopAndSiteAPI # - # GMO moduleでは、API呼び出しにGMOから与えられたショップID、ショップパス、サイトID、サイトパスが必要になるAPIをShopAndSite APIと定義しています。 # # 初期化の際には、GMOから指定されたショップID、ショップパス、サイトID、サイトパス、APIのホスト名を引数で渡す必要があります。 class ShopAndSiteAPI extends gmo.GMOAPI constructor: (options = {}) -> @host = options.host @site_id = options.site_id @site_pass = options.site_pass @shop_id = options.shop_id @shop_pass = options.shop_pass unless @shop_id && @shop_pass && @site_id && @site_pass && @host throw new Error("ArgumentError: Initialize must receive a hash with shop_id, shop_pass, site_id, site_pass and either host!") # 2.17.2.1.決済後カード登録 # --- # ###tradedCard # 指定されたオーダーID の取引に使用したカードを登録します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` tradedCard: (options, cb) -> name = "TradedCard.idPass" required = [ "order_id" "member_id" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.1 自動売上定義を登録する(クレジットカード) # --- # ###RegisterRecurringCredit # 自動売上ID、課金情報(スケジュール、金額)、売上対象情報(カード情報/会員ID/取引)を指定して、自動売上の定義を登録します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` RegisterRecurringCredit: (options, cb) -> name = "RegisterRecurringCredit.idPass" required = [ "recurring_id" "amount" "charge_day" "regist_type" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.3 自動売上定義を解除する # --- # ###UnregisterRecurring # 自動売上IDを指定して、自動売上の定義を解除します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` UnregisterRecurring: (options, cb) -> name = "UnregisterRecurring.idPass" required = [ "recurring_id" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.4 自動売上定義を変更する # --- # ###ChangeRecurring # 自動売上IDを指定して、自動売上の定義を変更します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` ChangeRecurring: (options, cb) -> name = "ChangeRecurring.idPass" required = [ "recurring_id" "amount" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.5 自動売上定義を参照する # --- # ###SearchRecurring # 自動売上IDを指定して、自動売上の定義を参照します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` SearchRecurring: (options, cb) -> name = "SearchRecurring.idPass" required = [ "recurring_id" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.6 自動売上結果を参照する # --- # ###SearchRecurringResult # 自動売上IDを指定して、自動売上結果を参照します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` SearchRecurringResult: (options, cb) -> name = "SearchRecurringResult.idPass" required = [ "recurring_id" ] @assertRequiredOptions required, options @apiCall name, options, cb apiCall: (name, options, cb) -> extra_params = "site_id": @site_id "site_pass": @site_pass "shop_id": @shop_id "shop_pass": @shop_pass params = utils.extend(options, extra_params) @api name, params, cb module.exports = ShopAndSiteAPI
60441
utils = require "./utils" gmo = require "./gmo_api" # ShopAndSiteAPI # - # GMO moduleでは、API呼び出しにGMOから与えられたショップID、ショップパス、サイトID、サイトパスが必要になるAPIをShopAndSite APIと定義しています。 # # 初期化の際には、GMOから指定されたショップID、ショップパス、サイトID、サイトパス、APIのホスト名を引数で渡す必要があります。 class ShopAndSiteAPI extends gmo.GMOAPI constructor: (options = {}) -> @host = options.host @site_id = options.site_id @site_pass = options.site_pass @shop_id = options.shop_id @shop_pass = options.shop_pass unless @shop_id && @shop_pass && @site_id && @site_pass && @host throw new Error("ArgumentError: Initialize must receive a hash with shop_id, shop_pass, site_id, site_pass and either host!") # 2.17.2.1.決済後カード登録 # --- # ###tradedCard # 指定されたオーダーID の取引に使用したカードを登録します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` tradedCard: (options, cb) -> name = "TradedCard.idPass" required = [ "order_id" "member_id" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.1 自動売上定義を登録する(クレジットカード) # --- # ###RegisterRecurringCredit # 自動売上ID、課金情報(スケジュール、金額)、売上対象情報(カード情報/会員ID/取引)を指定して、自動売上の定義を登録します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` RegisterRecurringCredit: (options, cb) -> name = "RegisterRecurringCredit.idPass" required = [ "recurring_id" "amount" "charge_day" "regist_type" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.3 自動売上定義を解除する # --- # ###UnregisterRecurring # 自動売上IDを指定して、自動売上の定義を解除します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` UnregisterRecurring: (options, cb) -> name = "UnregisterRecurring.idPass" required = [ "recurring_id" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.4 自動売上定義を変更する # --- # ###ChangeRecurring # 自動売上IDを指定して、自動売上の定義を変更します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` ChangeRecurring: (options, cb) -> name = "ChangeRecurring.idPass" required = [ "recurring_id" "amount" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.5 自動売上定義を参照する # --- # ###SearchRecurring # 自動売上IDを指定して、自動売上の定義を参照します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` SearchRecurring: (options, cb) -> name = "SearchRecurring.idPass" required = [ "recurring_id" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.6 自動売上結果を参照する # --- # ###SearchRecurringResult # 自動売上IDを指定して、自動売上結果を参照します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` SearchRecurringResult: (options, cb) -> name = "SearchRecurringResult.idPass" required = [ "recurring_id" ] @assertRequiredOptions required, options @apiCall name, options, cb apiCall: (name, options, cb) -> extra_params = "site_id": @site_id "site_pass": <PASSWORD> "shop_id": @shop_id "shop_pass": <PASSWORD> params = utils.extend(options, extra_params) @api name, params, cb module.exports = ShopAndSiteAPI
true
utils = require "./utils" gmo = require "./gmo_api" # ShopAndSiteAPI # - # GMO moduleでは、API呼び出しにGMOから与えられたショップID、ショップパス、サイトID、サイトパスが必要になるAPIをShopAndSite APIと定義しています。 # # 初期化の際には、GMOから指定されたショップID、ショップパス、サイトID、サイトパス、APIのホスト名を引数で渡す必要があります。 class ShopAndSiteAPI extends gmo.GMOAPI constructor: (options = {}) -> @host = options.host @site_id = options.site_id @site_pass = options.site_pass @shop_id = options.shop_id @shop_pass = options.shop_pass unless @shop_id && @shop_pass && @site_id && @site_pass && @host throw new Error("ArgumentError: Initialize must receive a hash with shop_id, shop_pass, site_id, site_pass and either host!") # 2.17.2.1.決済後カード登録 # --- # ###tradedCard # 指定されたオーダーID の取引に使用したカードを登録します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` tradedCard: (options, cb) -> name = "TradedCard.idPass" required = [ "order_id" "member_id" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.1 自動売上定義を登録する(クレジットカード) # --- # ###RegisterRecurringCredit # 自動売上ID、課金情報(スケジュール、金額)、売上対象情報(カード情報/会員ID/取引)を指定して、自動売上の定義を登録します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` RegisterRecurringCredit: (options, cb) -> name = "RegisterRecurringCredit.idPass" required = [ "recurring_id" "amount" "charge_day" "regist_type" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.3 自動売上定義を解除する # --- # ###UnregisterRecurring # 自動売上IDを指定して、自動売上の定義を解除します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` UnregisterRecurring: (options, cb) -> name = "UnregisterRecurring.idPass" required = [ "recurring_id" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.4 自動売上定義を変更する # --- # ###ChangeRecurring # 自動売上IDを指定して、自動売上の定義を変更します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` ChangeRecurring: (options, cb) -> name = "ChangeRecurring.idPass" required = [ "recurring_id" "amount" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.5 自動売上定義を参照する # --- # ###SearchRecurring # 自動売上IDを指定して、自動売上の定義を参照します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` SearchRecurring: (options, cb) -> name = "SearchRecurring.idPass" required = [ "recurring_id" ] @assertRequiredOptions required, options @apiCall name, options, cb # 4.6 自動売上結果を参照する # --- # ###SearchRecurringResult # 自動売上IDを指定して、自動売上結果を参照します。 # # ```@param {Object} options``` # # ```@param {Function} cb``` SearchRecurringResult: (options, cb) -> name = "SearchRecurringResult.idPass" required = [ "recurring_id" ] @assertRequiredOptions required, options @apiCall name, options, cb apiCall: (name, options, cb) -> extra_params = "site_id": @site_id "site_pass": PI:PASSWORD:<PASSWORD>END_PI "shop_id": @shop_id "shop_pass": PI:PASSWORD:<PASSWORD>END_PI params = utils.extend(options, extra_params) @api name, params, cb module.exports = ShopAndSiteAPI
[ { "context": "he great demo. The\n\t\t\t\t\t\tgreat demo was created by Brandon. Thank you for reading this text.\n\t\t\t\t\t\"\"\"\n\t\t\t\t\t.", "end": 588, "score": 0.999313473701477, "start": 581, "tag": "NAME", "value": "Brandon" } ]
src/modules/about/AboutView.coffee
leftiness/leftiness.github.io
0
"use strict" m = require "mithril" infect = require "infect" class Klass constructor: (vm, Nav, Swoosh, Trans) -> return -> m "div", do -> return [] .concat m.component Nav .concat m.component Swoosh .concat m "#transition", { key: m.route(), config: Trans.intro() }, m "article.card.row.two-third", do -> return [] .concat m "header", m "h2", "About" .concat m "div.content", """ Hello. Welcome to this great module. It is a very great module because it tells you all about the great demo. The great demo was created by Brandon. Thank you for reading this text. """ .concat m "footer", m "button.row", "Great!" AboutView = infect.func Klass AboutView.$infect = [ "NavigationModule", "SwooshModule", "TransitionFactory" ] module.exports = AboutView
185902
"use strict" m = require "mithril" infect = require "infect" class Klass constructor: (vm, Nav, Swoosh, Trans) -> return -> m "div", do -> return [] .concat m.component Nav .concat m.component Swoosh .concat m "#transition", { key: m.route(), config: Trans.intro() }, m "article.card.row.two-third", do -> return [] .concat m "header", m "h2", "About" .concat m "div.content", """ Hello. Welcome to this great module. It is a very great module because it tells you all about the great demo. The great demo was created by <NAME>. Thank you for reading this text. """ .concat m "footer", m "button.row", "Great!" AboutView = infect.func Klass AboutView.$infect = [ "NavigationModule", "SwooshModule", "TransitionFactory" ] module.exports = AboutView
true
"use strict" m = require "mithril" infect = require "infect" class Klass constructor: (vm, Nav, Swoosh, Trans) -> return -> m "div", do -> return [] .concat m.component Nav .concat m.component Swoosh .concat m "#transition", { key: m.route(), config: Trans.intro() }, m "article.card.row.two-third", do -> return [] .concat m "header", m "h2", "About" .concat m "div.content", """ Hello. Welcome to this great module. It is a very great module because it tells you all about the great demo. The great demo was created by PI:NAME:<NAME>END_PI. Thank you for reading this text. """ .concat m "footer", m "button.row", "Great!" AboutView = infect.func Klass AboutView.$infect = [ "NavigationModule", "SwooshModule", "TransitionFactory" ] module.exports = AboutView
[ { "context": "OKEN_SECRET\n#\n# Commands:\n# None\n#\n# Author:\n# Vrtak-CZ, kdaigle\n# Modified by @Yahelc\n\nntwitter", "end": 323, "score": 0.6055818796157837, "start": 322, "tag": "NAME", "value": "V" }, { "context": "EN_SECRET\n#\n# Commands:\n# None\n#\n# Author:\n# Vrtak-CZ, kdaigle\n# Modified by @Yahelc\n\nntwitter = requ", "end": 330, "score": 0.7972227334976196, "start": 323, "tag": "USERNAME", "value": "rtak-CZ" }, { "context": "T\n#\n# Commands:\n# None\n#\n# Author:\n# Vrtak-CZ, kdaigle\n# Modified by @Yahelc\n\nntwitter = require 'ntwi", "end": 339, "score": 0.9990958571434021, "start": 332, "tag": "USERNAME", "value": "kdaigle" }, { "context": "\n#\n# Author:\n# Vrtak-CZ, kdaigle\n# Modified by @Yahelc\n\nntwitter = require 'ntwitter'\n_ = require 'under", "end": 363, "score": 0.9986339807510376, "start": 356, "tag": "USERNAME", "value": "@Yahelc" } ]
scripts/tweet-content.coffee
joeyuska/fbot2
0
# Description: # Detect tweet URL and send tweet content # # Dependencies: # "ntwitter": "0.2.10" # "underscore": "1.5.1" # # Configuration: # HUBOT_TWITTER_CONSUMER_KEY # HUBOT_TWITTER_CONSUMER_SECRET # HUBOT_TWITTER_ACCESS_TOKEN_KEY # HUBOT_TWITTER_ACCESS_TOKEN_SECRET # # Commands: # None # # Author: # Vrtak-CZ, kdaigle # Modified by @Yahelc ntwitter = require 'ntwitter' _ = require 'underscore' module.exports = (robot) -> auth = consumer_key: process.env.HUBOT_TWITTER_CONSUMER_KEY, consumer_secret: process.env.HUBOT_TWITTER_CONSUMER_SECRET, access_token_key: process.env.HUBOT_TWITTER_ACCESS_TOKEN_KEY, access_token_secret: process.env.HUBOT_TWITTER_ACCESS_TOKEN_SECRET, rest_base: 'https://api.twitter.com/1.1' if not auth.consumer_key or not auth.consumer_secret or not auth.access_token_key or not auth.access_token_secret console.log "twitter-content.coffee: HUBOT_TWITTER_CONSUMER_KEY, HUBOT_TWITTER_CONSUMER_SECRET, HUBOT_TWITTER_ACCESS_TOKEN_KEY, and HUBOT_TWITTER_ACCES_TOKEN_SECRET are required." return twit = new ntwitter auth robot.hear /https?:\/\/(mobile\.)?twitter\.com\/.*?\/status\/([0-9]+)/i, (msg) -> twit.getStatus msg.match[2], (err, tweet) -> if err console.log err return if tweet.entities.media? for media in tweet.entities.media msg.send(media.media_url)
129925
# Description: # Detect tweet URL and send tweet content # # Dependencies: # "ntwitter": "0.2.10" # "underscore": "1.5.1" # # Configuration: # HUBOT_TWITTER_CONSUMER_KEY # HUBOT_TWITTER_CONSUMER_SECRET # HUBOT_TWITTER_ACCESS_TOKEN_KEY # HUBOT_TWITTER_ACCESS_TOKEN_SECRET # # Commands: # None # # Author: # <NAME>rtak-CZ, kdaigle # Modified by @Yahelc ntwitter = require 'ntwitter' _ = require 'underscore' module.exports = (robot) -> auth = consumer_key: process.env.HUBOT_TWITTER_CONSUMER_KEY, consumer_secret: process.env.HUBOT_TWITTER_CONSUMER_SECRET, access_token_key: process.env.HUBOT_TWITTER_ACCESS_TOKEN_KEY, access_token_secret: process.env.HUBOT_TWITTER_ACCESS_TOKEN_SECRET, rest_base: 'https://api.twitter.com/1.1' if not auth.consumer_key or not auth.consumer_secret or not auth.access_token_key or not auth.access_token_secret console.log "twitter-content.coffee: HUBOT_TWITTER_CONSUMER_KEY, HUBOT_TWITTER_CONSUMER_SECRET, HUBOT_TWITTER_ACCESS_TOKEN_KEY, and HUBOT_TWITTER_ACCES_TOKEN_SECRET are required." return twit = new ntwitter auth robot.hear /https?:\/\/(mobile\.)?twitter\.com\/.*?\/status\/([0-9]+)/i, (msg) -> twit.getStatus msg.match[2], (err, tweet) -> if err console.log err return if tweet.entities.media? for media in tweet.entities.media msg.send(media.media_url)
true
# Description: # Detect tweet URL and send tweet content # # Dependencies: # "ntwitter": "0.2.10" # "underscore": "1.5.1" # # Configuration: # HUBOT_TWITTER_CONSUMER_KEY # HUBOT_TWITTER_CONSUMER_SECRET # HUBOT_TWITTER_ACCESS_TOKEN_KEY # HUBOT_TWITTER_ACCESS_TOKEN_SECRET # # Commands: # None # # Author: # PI:NAME:<NAME>END_PIrtak-CZ, kdaigle # Modified by @Yahelc ntwitter = require 'ntwitter' _ = require 'underscore' module.exports = (robot) -> auth = consumer_key: process.env.HUBOT_TWITTER_CONSUMER_KEY, consumer_secret: process.env.HUBOT_TWITTER_CONSUMER_SECRET, access_token_key: process.env.HUBOT_TWITTER_ACCESS_TOKEN_KEY, access_token_secret: process.env.HUBOT_TWITTER_ACCESS_TOKEN_SECRET, rest_base: 'https://api.twitter.com/1.1' if not auth.consumer_key or not auth.consumer_secret or not auth.access_token_key or not auth.access_token_secret console.log "twitter-content.coffee: HUBOT_TWITTER_CONSUMER_KEY, HUBOT_TWITTER_CONSUMER_SECRET, HUBOT_TWITTER_ACCESS_TOKEN_KEY, and HUBOT_TWITTER_ACCES_TOKEN_SECRET are required." return twit = new ntwitter auth robot.hear /https?:\/\/(mobile\.)?twitter\.com\/.*?\/status\/([0-9]+)/i, (msg) -> twit.getStatus msg.match[2], (err, tweet) -> if err console.log err return if tweet.entities.media? for media in tweet.entities.media msg.send(media.media_url)
[ { "context": "oviders\n# Verwandtes Plugin:\n# https://github.com/ianwalter/ng-breadcrumbs\n# Verwandetes Plugin:\n# https://gi", "end": 132, "score": 0.9997088313102722, "start": 123, "tag": "USERNAME", "value": "ianwalter" }, { "context": "crumbs\n# Verwandetes Plugin:\n# https://github.com/mnitschke/angular-cc-navigation\n\n###*\n# @ngdoc module\n# @na", "end": 200, "score": 0.9996918439865112, "start": 191, "tag": "USERNAME", "value": "mnitschke" }, { "context": "generateBreadcrumbs\n # @description\n # Thanks to Ian Walter: \n # https://github.com/ianwalter/ng-breadcrumbs", "end": 10756, "score": 0.9995662569999695, "start": 10746, "tag": "NAME", "value": "Ian Walter" }, { "context": " # Thanks to Ian Walter: \n # https://github.com/ianwalter/ng-breadcrumbs/blob/development/src/ng-breadcrumb", "end": 10791, "score": 0.998772919178009, "start": 10782, "tag": "USERNAME", "value": "ianwalter" } ]
coffee/angular-compass.coffee
kruschid/kdNav
2
# Relevanter Artikel über Provider: # https://docs.angularjs.org/guide/providers # Verwandtes Plugin: # https://github.com/ianwalter/ng-breadcrumbs # Verwandetes Plugin: # https://github.com/mnitschke/angular-cc-navigation ###* # @ngdoc module # @name ngCompass # @description # # ngCompass Module # ## Features # * Extended route features # * Breadcrumbs generation # * Breadcrumbs directive # * Static and dynamic menu generation # * Menu directive # * Path generation # * Link directive ### ngCompassModule = angular.module('ngCompass', ['ngRoute']) ###* # @ngdoc provider # @name ngCompassProvider # @requires $routeProvider # @returns {ngCompassProvider} Returns reference to ngCompassProvider # @description # Provides setters for routes- and method configuration ### ngCompassModule.provider('ngCompass', ['$routeProvider', ($routeProvider) -> ###* # @ngdoc property # @name ngCompassProvider#_routes # @description # Contains route config. Each route is mapped to route name. # # **Route-Format:** # # <routeName>: # for referencing in menu, breadcrumbs and path-directive you must define a routeName # route: <route-string> # label: <label-string> # label will be used by breadcrumbs and menu directive # default: <true|false> # if true this route will be used if no route matches the current request # inherit: <routeName of other route> # inherit properties except the default property from other route # # ... $routeProvider.when() options. e.g.: # # templateUrl: <tempalteUrl> # controller: <controllerName> # redirectTo: <path> # # ... more $routeProvider options ... # # # **Example:** # ``` # _routes = # home: # route: '/' # label: 'Home' # templateUrl: 'home.html' # controller: 'HomeCtrl' # default: true # if a request doesnt match any route forward to this route # info: # route: '/info/:command' # label: 'Info' # inherit: 'home' # inherit properties from home-route # baseInfo: # route: '/info' # label: 'Info' # forward: 'info' # goto info-route if this route is requested # params: {command: 'all'} # use this params to forward to info-route # ``` ### @_routes = {} ###* # @ngdoc property # @name ngCompassProvider#_menus # @description # Contains menu-tree # # **Menu format:** # ``` # _menus.<menuName> = # prepared: <true|false> # if true then all params are converted to strings and children inherited parents params # parsed: <true|false> # true means that menu tree was parsed for active elements # items: [ # { # routeName: <routeName> # routeName to reference a route in route configuration {@link ngCompassProvider#_routes} # label: <label-string> # overwrite label defined in route-config (optional, doesn't affect labels displayed in breadcrumbs) # params: <params-object> # parameter should be used for path generation (optional) # children: [ # children and childrens children # {routeName:<routeName>, label: ...} # {routeName:<routeName>, children: [ # {routeName: ...} # childrens children # ]} # ... # more children # ] # } # ... # more menu items # ] # ``` # # **Example:** # ``` # _menus.mainMenu = # prepared: false # true after menu was pass to {@link ngCompass#_prepareMenu} # parsed: false # true after passing mainMenu to {@link ngCompass#_parseMenu} and again false on $routeChangeSuccess # items: [ # {routeName:'admin', children:[ # {routeName:'groups', children:[ # {routeName:'group', label:'Admins', params:{groupId: 1}} # {routeName:'group', label:'Editors', params:{groupId: 2}} # ]} # groups-children # ]} # admin-children # {routeName:'contact'} # {routeName:'help'} # ] # mainMenu # ``` ### @_menus = {} ###* # @ngdoc method # @name ngCompassProvider#_menus._add # @param {string} menuName Name of menu # @param {Object} menuItems See {@link ngCompassProvider#_menus} # @returns {ngCompassProvider#_menus} # @description # Setter for {@link ngCompassProvider#_menus} ### @_menus._add = (menuName, menuItems) -> # output warning if item already available if @[menuName] console.log "Warning: '#{menuName}' already defined. (ngCompassProvider._menus._add)" # add menu to menu object @[menuName] = prepared: false parsed: false items: menuItems return @ ###* # @ngdoc method # @name ngCompassProvider#configRoutes # @param {Object} _routes See {@link ngCompassProvider#_routes} # @returns {ngCompassProvider} Chainable Method returns reference to ngCompassProvider. # @description # Loops over each route definition to: # * implement inheritence of routes # * but excludes the 'default' property from that inheritance # * configure routes by inserting them to $routeProvider # * configure 'default' route for the case that any routes don't match a request ### @addRoutes = (_routes) -> for routeName of _routes # warn if route already exists if @_routes[routeName] console.log "Warning: '#{routeName}' already defined. (ngCompassProvider.addRoutes)" # if route is new else inherit = _routes[routeName].inherit # perform inheritance if _routes[inherit]? _routes[routeName] = angular.extend({}, _routes[inherit], _routes[routeName]) # exculde 'default'-property from inheritance _routes[routeName].default = false if _routes[inherit].default else if inherit? # warn if inherit target does not exist console.log "Warning: #{routeName} can't inherit from #{inherit}. Not able to found #{inherit}. (ngCompassProvider.addRoutes)" # register route $routeProvider.when _routes[routeName].route, _routes[routeName] # route set as default if _routes[routeName].default $routeProvider.otherwise(_routes[routeName]) # remember route conf for menu & breadcrumbs generation but @_routes[routeName] = _routes[routeName] # make chainable return @ ###* # @ngdoc method # @name ngCompassProvider#addMenu # @param {string} menuName Name of menu # @param {Object} menuItems See {@link ngCompassProvider#_menus} # @returns {ngCompassProvider} Chainable Method returns reference to ngCompassProvider. # @description # Setter for {@link ngCompassProvider#_menus} ### @addMenu = (menuName, menuItems) -> @_menus._add(menuName, menuItems) return @ ###* # @ngdoc property # @name ngCompassProvider#$get # @description # Creates dependency-injection array to create NgCompass instance. # Passes therefore {@link ngCompassProvider#_routes} # and {@link ngCompassProvider#_menus} to NgCompass. ### @$get = ['$rootScope' , '$route', '$routeParams', '$location', ($rootScope, $route, $routeParams, $location) -> new NgCompass($rootScope, $route, $routeParams, $location, @_routes, @_menus) ] # returns provider return @ ]) # ngCompassProvider ###* # @ngdoc type # @name NgCompass # @param {Object} $rootScope # @param {Object} $route # @param {Object} $routeParams # @param {Object} _routes Contains the {@link ngCompassProvider#_routes 'routes object'} # @param {Object} _menus Contains the {@link ngCompassProvider#_menus 'menu object'} # @description # Type of {@link ngCompass 'ngCompass-service'} ### ###* # @ngdoc service # @name ngCompass # @requires $rootScope # @requires $route # @requires $routeParams # @requires ngCompassProvider#_routes # @requires ngCompassProvider#_menus # @description # Regenerates breadcrumbs-array on route-change. # Provides interface methods to access and modify breadcrumbs elements. # # Contains routes (route names mapped to routes), Breadcrumbs and Menu-Tree # Provides interface-methods for access to routes, breadcrumbs and menu # Provides methods for manipulation of breadcrumbs # Can be injected into other Angular Modules ### NgCompass = ($rootScope, $route, $routeParams, $location, _routes, _menus) -> ###* # @ngdoc property # @name ngCompass#_breadcrumbs._path # @description # Contains breadcrumbs # # **Format:** # ``` # routeName: <routeName> # routeName to reference a route in route configuration {@link ngCompassProvider#_routes} # label: <label-string> # copy of the default label from route configuration {@link ngCompassProvider#_routes} # params: <param object> # params automatically inserted from $routeParams but can be modified from any controller with {@link ngCompass#getBreadcrumb} # ``` # # **Example:** # ``` # _breadcrumbs = [ # {routeName:'home', label:'Welcome', params:{groupId:1}} # {routeName:'groups', label:'All Groups', params:{groupId:1}} # {routeName:'users', label:'Admin Group', params:{groupId:1}} # ] # # # corresponds to '/groups/1/users' #``` ### @_breadcrumbs = {} @_breadcrumbs._path = [] ###* # @ngdoc method # @name ngCompass#_breadcrumbs._add # @param {String} routeName Routename-string, e.g. '/citites/:cityId/shops/:shopId' # @returns {ngCompass} Chainable method # @description # Finds routeName for route-string passed as param. # Adds routeName and corresponding label to {@link ngCompass#_breadcrumbs 'breadcrumbs array'} ### @_breadcrumbs._add = (route) -> # get routename by route for rn,conf of _routes routeName = rn if conf.route is route # if route name is defined and not hidden if routeName # add to breadcrumbs path @_path.push routeName: routeName label: _routes[routeName].label params: {} # overwrites $routeParams, can be set from a controller # make method chanable return @ ###* # @ngdoc method # @name ngCompass#getBreadcrumbs # @returns {Array} {@link ngCompass#_breadcrumbs 'breadcrumbs array'} ### @getBreadcrumbs = -> @_breadcrumbs._path ###* # @ngdoc method # @name ngCompass#getBreadcrumb # @param {string} routeName A route-name to reference a route from {@link ngCompassProvider#_routes} # @returns {Object|undefined} ### @getBreadcrumb = (routeName) -> # return item for breadcrumb in @getBreadcrumbs() return breadcrumb if breadcrumb.routeName is routeName # or print warning console.log "Warning: no route entry for '#{routeName}'. (ngCompass.getBreadcrumb)" ###* # @ngdoc method # @name ngCompass#_generateBreadcrumbs # @description # Thanks to Ian Walter: # https://github.com/ianwalter/ng-breadcrumbs/blob/development/src/ng-breadcrumbs.js # # * Deletes all breadcrumbs. # * Splits current path-string to create a set of path-substrings. # * Compares each path-substring with configured routes. # * Matches then will be inserted into the current {@link ngCompass#_breadcrumbs 'breadcrumbs-path'). ### @_generateBreadcrumbs = -> # first we need to remove prior breadcrumbs @_breadcrumbs._path = [] # current route will be splitted by '/' into seperated path elements # testRouteElements array contains those elements # in each iteration of following for-loop one routeElement is added to the testRouteElements # e.g. ['user',':userId','delete'] is equivalent to /user/:userId/delete testRouteElements = [] # create array from original path routeElements = $route.current.originalPath.split('/') # remove duplicate empty string on root path routeElements.splice(1,1) if routeElements[1] is '' # if second element is empty string then current path refers to homepage for element in routeElements # add current element to search path elements testRouteElements.push(element) # creates test-route from elements of current route testRoute = testRouteElements.join('/') || '/' # if route doesn't exist _addBreadcrumb won't add testRoute to breadcrumbs @_breadcrumbs._add(testRoute) ###* # @ngdoc method # @name ngCompass#_prepareMenu # @param {Array} menuItems {@link ngCompassProvider#_menus} # @param {Object} parentParams # @description # * Converts all params to string. # * Makes children items inherit parents parameters. ### @_prepareMenu = (menuItems, parentParams = {}) -> for item in menuItems # use default label if not defined item.label ?= _routes[item.routeName].label # convert all params to string (because routeParams are string-values and we need to check equality) item.params[paramName] = item.params[paramName].toString() for paramName of item.params # inherit parents params item.params = angular.extend({}, parentParams, item.params) # prepare children if available @_prepareMenu(item.children, item.params) if item.children ###* # @ngdoc method # @name ngCompass#_parseMenu # @param {Array} menuItems The menu items (see {@link kNavProvider#_menus}) # @description # Traverses menu-tree and finds current menu item # dependency: prior generation of breadcrumb-list is required # # Sets recursively all nodes to non active and non current # finds active menu-items in the path to current menu item # a) criteria for active menu-item # 1. menu-item is in current breadcrumb-list # 2. paramValues of current menu-item equal the current routeParams # b) criteria for current menu-item # 1. a) criteria for active menu-item # 2. menu-item is last element of breadcrumbs ### @_parseMenu = (menuItems) => for item in menuItems # set item as non active and non current as default item.active = item.current = false # get breadcrumbs index of current item breadcrumbsIndex = undefined @_breadcrumbs._path.map (bc,k) -> breadcrumbsIndex = k+1 if bc.routeName is item.routeName # do params of menuitem equals those in $routeParams? paramsEquals = true for param, value of item.params paramsEquals = false if value isnt $routeParams[param] # check if item is in breadcrumbs-array and has the right param-values if breadcrumbsIndex and paramsEquals # set item as active item.active = true # set breadcrumbs label @_breadcrumbs._path[breadcrumbsIndex-1].label = item.label if item.label? # check if item is last element in breadcrumbs array if breadcrumbsIndex is @getBreadcrumbs().length item.current = true # resets children if available @_parseMenu(item.children, item.params) if item.children ###* # @ngdoc method # @name ngCompass#getMenu # @param {string} menuName Name of menu to return. # @returns {Object|undefined} ### @getMenu = (menuName) -> # if menu doesnt exist if not _menus[menuName] console.log "Warning: '#{menuName}' does not yet exist (ngCompass.getMenu)" return # get the menu menu = _menus[menuName] # prepare menu if not yet prepared if not menu.prepared @_prepareMenu( menu.items ) menu.prepared = true # parse menu if not yet parsed if not menu.parsed @_parseMenu( menu.items ) menu.parsed = true # return menu items return menu.items ###* # @ngdoc method # @name ngCompass#addMenu # @param {string} menuName Name of the menu # @param {Array} menuItems {@link ngCompassProvider#_menus} # @param {$scope} [$scope=false] Pass $scope if you want the menu to be deleted autmoatically on $destroy-event # @returns {ngCompass} # @descripton # Method to add dynamic menu from controllers # The $routeChangeSuccess event is fired before a menu can be passed throug this method, # so {@link ngCompass#_parseMenu} must be called directly after the menu gets prepared # by {@link ngCompass#_prepareMenu}. # Creates a new child of $scope to delete the menu when controller get destroyed. # It could get expensive because generate menu ### @addMenu = (menuName, menuItems, $scope = false) -> # use menu _menus._add(menuName, menuItems) # if scope was passed if $scope # don't keep dynamic menu when scope of current controller gets destroyed menuScope = $scope.$new() menuScope.menuName = menuName menuScope.$on '$destroy', (e)=> delete _menus[e.currentScope.menuName] # make chainable return @ ###* # @ngdoc method # @name ngCompass#createPath # @param {String} routeName Routename, e.g. 'citites' # @param {Object} [paramsOrig={}] Parameter object, e.g. {countryId:5,citityId:19,shopId:1} # @return {String|undefined} Anchor, e.g. e.g. '#countries/5/citites/19/shops/1' or undefined if routeName is invalid # @description # Finds route by its routeName and returns its routePath with passed param values. # Performs fallback to $routeParams if the param-object passed as argument doesn't contain the required param(s) # # ** Example: ** # ``` # adminUserEdit.route = '/admin/groups/:groupId/users/:userId' # # ngCompass.createPath('adminUserEdit', {groupId: 1, userId:7, search:'hello'}) # # returns '/admin/groups/1/users/7?search=hello' # ``` ### @createPath = (routeName, paramsOrig = {}) -> # avoid sideeffects (params passed by ref) params = angular.copy(paramsOrig) # if route exist if _routes[routeName] # shortcut to route route = _routes[routeName].route ###* # @param {string} match full placeholder, e.g. :path*, :id, :search? # @param {string} paramName param name, e.g. path, id, search # @description # perfoms replacement of plaveholder in routestring # removes params were replaced ### replacer = (match, paramName) -> # get param value from params-oject or from route-prams value = params[paramName] ? $routeParams[paramName] # if value exists if value? # delete value from param-object and return its value delete params[paramName] if params[paramName]? return encodeURIComponent(value) # otherwise warn console.log "Warning: #{paramName} is undefined for route name: #{routeName}. Route: #{route}. (ngCompass.createPath)" return match # perform placeholder replacement route = route.replace(/(?::(\w+)(?:[\?\*])?)/g, replacer) # generate search string if not angular.equals(params, {}) route += '?' + Object.keys(params).map((k)-> "#{ k }=#{ encodeURIComponent(params[k]) }").join('&') # return the route return route # route does not exist console.log "Warning: no route entry for '#{routeName}'. (ngCompass.createPath)" ###* # Bind Listener # generates breadcrumbs # and sets all menus as not parsed ### $rootScope.$on '$routeChangeSuccess', => # if current path is available (breadcrumbs generation depends on it, menu generation depends on breadcrumbs) if $route.current.originalPath # first we have to generate breadcrumbs because menu depends on them @_generateBreadcrumbs() # set all menus to not parsed _menus[menuName].parsed = false for menuName of _menus # return the service return @ ###* # @ngdoc directive # @name ngCompassBreadcrumbs # @restrict AE # @description # Dislpays Breadcrumbs ### ngCompassModule.directive('ngCompassBreadcrumbs', ['ngCompass', (ngCompass) -> directive = restrict: 'AE' transclude: true scope: {} link: (scope, el, attrs, ctrl, transcludeFn) -> # pass scope into ranscluded tempalte transcludeFn scope, (clonedTranscludedTemplate) -> el.append(clonedTranscludedTemplate) # keep breadcrumbs up to date scope.$watch( ()-> ngCompass.getBreadcrumbs() ()-> scope.breadcrumbs = ngCompass.getBreadcrumbs() ) return directive ]) # ngCompassBreadcrumbs-Directive ###* # @ngdoc directive # @name ngCompassMenu # @restrict AE # @property {string} ngCompassMenu name of menu to display # @description # Displays a menu ### ngCompassModule.directive('ngCompassMenu', ['ngCompass', (ngCompass) -> directive = restrict: 'AE' transclude: true scope: menuName: '@ngCompassMenu' link: (scope, el, attrs, ctrl, transcludeFn) -> # pass scope into ranscluded tempalte transcludeFn scope, (clonedTranscludedTemplate) -> el.append(clonedTranscludedTemplate) # keep menu up to date scope.$watch( ()-> ngCompass.getMenu(scope.menuName) ()-> scope.menu = ngCompass.getMenu(scope.menuName) ) return directive ]) # ngCompassMenu-Directive ###* # @ngdoc directive # @name ngCompassPath # @restrict A # @element a # @property {string} ngCompassPath name of menu to display # @property {object=} ngCompassParams name of menu to display # @description # Linkbuilder directive generates path and puts it as value in href attribute on anchor tag. # Path geneartion depends on routeName and params. # # **Jade-Example:** # ``` # a(kd-nav-path='adminUserEdit', kd-nav-params='{groupId: 1, userId:7}') Label # ``` # Result: <a href="#/admin/groups/1/users/7">Label</a> ### ngCompassModule.directive('ngCompassPath', ['ngCompass', (ngCompass) -> directive = restrict: 'A' scope: routeName: '@ngCompassPath' params: '=ngCompassParams' link: (scope, el, attr) -> # set href value updateHref = -> attr.$set('href', "##{ngCompass.createPath(scope.routeName, scope.params)}") # watch params scope.$watch('params', updateHref, true) # return directive return directive ]) #ngCompassPath-Directive
52728
# Relevanter Artikel über Provider: # https://docs.angularjs.org/guide/providers # Verwandtes Plugin: # https://github.com/ianwalter/ng-breadcrumbs # Verwandetes Plugin: # https://github.com/mnitschke/angular-cc-navigation ###* # @ngdoc module # @name ngCompass # @description # # ngCompass Module # ## Features # * Extended route features # * Breadcrumbs generation # * Breadcrumbs directive # * Static and dynamic menu generation # * Menu directive # * Path generation # * Link directive ### ngCompassModule = angular.module('ngCompass', ['ngRoute']) ###* # @ngdoc provider # @name ngCompassProvider # @requires $routeProvider # @returns {ngCompassProvider} Returns reference to ngCompassProvider # @description # Provides setters for routes- and method configuration ### ngCompassModule.provider('ngCompass', ['$routeProvider', ($routeProvider) -> ###* # @ngdoc property # @name ngCompassProvider#_routes # @description # Contains route config. Each route is mapped to route name. # # **Route-Format:** # # <routeName>: # for referencing in menu, breadcrumbs and path-directive you must define a routeName # route: <route-string> # label: <label-string> # label will be used by breadcrumbs and menu directive # default: <true|false> # if true this route will be used if no route matches the current request # inherit: <routeName of other route> # inherit properties except the default property from other route # # ... $routeProvider.when() options. e.g.: # # templateUrl: <tempalteUrl> # controller: <controllerName> # redirectTo: <path> # # ... more $routeProvider options ... # # # **Example:** # ``` # _routes = # home: # route: '/' # label: 'Home' # templateUrl: 'home.html' # controller: 'HomeCtrl' # default: true # if a request doesnt match any route forward to this route # info: # route: '/info/:command' # label: 'Info' # inherit: 'home' # inherit properties from home-route # baseInfo: # route: '/info' # label: 'Info' # forward: 'info' # goto info-route if this route is requested # params: {command: 'all'} # use this params to forward to info-route # ``` ### @_routes = {} ###* # @ngdoc property # @name ngCompassProvider#_menus # @description # Contains menu-tree # # **Menu format:** # ``` # _menus.<menuName> = # prepared: <true|false> # if true then all params are converted to strings and children inherited parents params # parsed: <true|false> # true means that menu tree was parsed for active elements # items: [ # { # routeName: <routeName> # routeName to reference a route in route configuration {@link ngCompassProvider#_routes} # label: <label-string> # overwrite label defined in route-config (optional, doesn't affect labels displayed in breadcrumbs) # params: <params-object> # parameter should be used for path generation (optional) # children: [ # children and childrens children # {routeName:<routeName>, label: ...} # {routeName:<routeName>, children: [ # {routeName: ...} # childrens children # ]} # ... # more children # ] # } # ... # more menu items # ] # ``` # # **Example:** # ``` # _menus.mainMenu = # prepared: false # true after menu was pass to {@link ngCompass#_prepareMenu} # parsed: false # true after passing mainMenu to {@link ngCompass#_parseMenu} and again false on $routeChangeSuccess # items: [ # {routeName:'admin', children:[ # {routeName:'groups', children:[ # {routeName:'group', label:'Admins', params:{groupId: 1}} # {routeName:'group', label:'Editors', params:{groupId: 2}} # ]} # groups-children # ]} # admin-children # {routeName:'contact'} # {routeName:'help'} # ] # mainMenu # ``` ### @_menus = {} ###* # @ngdoc method # @name ngCompassProvider#_menus._add # @param {string} menuName Name of menu # @param {Object} menuItems See {@link ngCompassProvider#_menus} # @returns {ngCompassProvider#_menus} # @description # Setter for {@link ngCompassProvider#_menus} ### @_menus._add = (menuName, menuItems) -> # output warning if item already available if @[menuName] console.log "Warning: '#{menuName}' already defined. (ngCompassProvider._menus._add)" # add menu to menu object @[menuName] = prepared: false parsed: false items: menuItems return @ ###* # @ngdoc method # @name ngCompassProvider#configRoutes # @param {Object} _routes See {@link ngCompassProvider#_routes} # @returns {ngCompassProvider} Chainable Method returns reference to ngCompassProvider. # @description # Loops over each route definition to: # * implement inheritence of routes # * but excludes the 'default' property from that inheritance # * configure routes by inserting them to $routeProvider # * configure 'default' route for the case that any routes don't match a request ### @addRoutes = (_routes) -> for routeName of _routes # warn if route already exists if @_routes[routeName] console.log "Warning: '#{routeName}' already defined. (ngCompassProvider.addRoutes)" # if route is new else inherit = _routes[routeName].inherit # perform inheritance if _routes[inherit]? _routes[routeName] = angular.extend({}, _routes[inherit], _routes[routeName]) # exculde 'default'-property from inheritance _routes[routeName].default = false if _routes[inherit].default else if inherit? # warn if inherit target does not exist console.log "Warning: #{routeName} can't inherit from #{inherit}. Not able to found #{inherit}. (ngCompassProvider.addRoutes)" # register route $routeProvider.when _routes[routeName].route, _routes[routeName] # route set as default if _routes[routeName].default $routeProvider.otherwise(_routes[routeName]) # remember route conf for menu & breadcrumbs generation but @_routes[routeName] = _routes[routeName] # make chainable return @ ###* # @ngdoc method # @name ngCompassProvider#addMenu # @param {string} menuName Name of menu # @param {Object} menuItems See {@link ngCompassProvider#_menus} # @returns {ngCompassProvider} Chainable Method returns reference to ngCompassProvider. # @description # Setter for {@link ngCompassProvider#_menus} ### @addMenu = (menuName, menuItems) -> @_menus._add(menuName, menuItems) return @ ###* # @ngdoc property # @name ngCompassProvider#$get # @description # Creates dependency-injection array to create NgCompass instance. # Passes therefore {@link ngCompassProvider#_routes} # and {@link ngCompassProvider#_menus} to NgCompass. ### @$get = ['$rootScope' , '$route', '$routeParams', '$location', ($rootScope, $route, $routeParams, $location) -> new NgCompass($rootScope, $route, $routeParams, $location, @_routes, @_menus) ] # returns provider return @ ]) # ngCompassProvider ###* # @ngdoc type # @name NgCompass # @param {Object} $rootScope # @param {Object} $route # @param {Object} $routeParams # @param {Object} _routes Contains the {@link ngCompassProvider#_routes 'routes object'} # @param {Object} _menus Contains the {@link ngCompassProvider#_menus 'menu object'} # @description # Type of {@link ngCompass 'ngCompass-service'} ### ###* # @ngdoc service # @name ngCompass # @requires $rootScope # @requires $route # @requires $routeParams # @requires ngCompassProvider#_routes # @requires ngCompassProvider#_menus # @description # Regenerates breadcrumbs-array on route-change. # Provides interface methods to access and modify breadcrumbs elements. # # Contains routes (route names mapped to routes), Breadcrumbs and Menu-Tree # Provides interface-methods for access to routes, breadcrumbs and menu # Provides methods for manipulation of breadcrumbs # Can be injected into other Angular Modules ### NgCompass = ($rootScope, $route, $routeParams, $location, _routes, _menus) -> ###* # @ngdoc property # @name ngCompass#_breadcrumbs._path # @description # Contains breadcrumbs # # **Format:** # ``` # routeName: <routeName> # routeName to reference a route in route configuration {@link ngCompassProvider#_routes} # label: <label-string> # copy of the default label from route configuration {@link ngCompassProvider#_routes} # params: <param object> # params automatically inserted from $routeParams but can be modified from any controller with {@link ngCompass#getBreadcrumb} # ``` # # **Example:** # ``` # _breadcrumbs = [ # {routeName:'home', label:'Welcome', params:{groupId:1}} # {routeName:'groups', label:'All Groups', params:{groupId:1}} # {routeName:'users', label:'Admin Group', params:{groupId:1}} # ] # # # corresponds to '/groups/1/users' #``` ### @_breadcrumbs = {} @_breadcrumbs._path = [] ###* # @ngdoc method # @name ngCompass#_breadcrumbs._add # @param {String} routeName Routename-string, e.g. '/citites/:cityId/shops/:shopId' # @returns {ngCompass} Chainable method # @description # Finds routeName for route-string passed as param. # Adds routeName and corresponding label to {@link ngCompass#_breadcrumbs 'breadcrumbs array'} ### @_breadcrumbs._add = (route) -> # get routename by route for rn,conf of _routes routeName = rn if conf.route is route # if route name is defined and not hidden if routeName # add to breadcrumbs path @_path.push routeName: routeName label: _routes[routeName].label params: {} # overwrites $routeParams, can be set from a controller # make method chanable return @ ###* # @ngdoc method # @name ngCompass#getBreadcrumbs # @returns {Array} {@link ngCompass#_breadcrumbs 'breadcrumbs array'} ### @getBreadcrumbs = -> @_breadcrumbs._path ###* # @ngdoc method # @name ngCompass#getBreadcrumb # @param {string} routeName A route-name to reference a route from {@link ngCompassProvider#_routes} # @returns {Object|undefined} ### @getBreadcrumb = (routeName) -> # return item for breadcrumb in @getBreadcrumbs() return breadcrumb if breadcrumb.routeName is routeName # or print warning console.log "Warning: no route entry for '#{routeName}'. (ngCompass.getBreadcrumb)" ###* # @ngdoc method # @name ngCompass#_generateBreadcrumbs # @description # Thanks to <NAME>: # https://github.com/ianwalter/ng-breadcrumbs/blob/development/src/ng-breadcrumbs.js # # * Deletes all breadcrumbs. # * Splits current path-string to create a set of path-substrings. # * Compares each path-substring with configured routes. # * Matches then will be inserted into the current {@link ngCompass#_breadcrumbs 'breadcrumbs-path'). ### @_generateBreadcrumbs = -> # first we need to remove prior breadcrumbs @_breadcrumbs._path = [] # current route will be splitted by '/' into seperated path elements # testRouteElements array contains those elements # in each iteration of following for-loop one routeElement is added to the testRouteElements # e.g. ['user',':userId','delete'] is equivalent to /user/:userId/delete testRouteElements = [] # create array from original path routeElements = $route.current.originalPath.split('/') # remove duplicate empty string on root path routeElements.splice(1,1) if routeElements[1] is '' # if second element is empty string then current path refers to homepage for element in routeElements # add current element to search path elements testRouteElements.push(element) # creates test-route from elements of current route testRoute = testRouteElements.join('/') || '/' # if route doesn't exist _addBreadcrumb won't add testRoute to breadcrumbs @_breadcrumbs._add(testRoute) ###* # @ngdoc method # @name ngCompass#_prepareMenu # @param {Array} menuItems {@link ngCompassProvider#_menus} # @param {Object} parentParams # @description # * Converts all params to string. # * Makes children items inherit parents parameters. ### @_prepareMenu = (menuItems, parentParams = {}) -> for item in menuItems # use default label if not defined item.label ?= _routes[item.routeName].label # convert all params to string (because routeParams are string-values and we need to check equality) item.params[paramName] = item.params[paramName].toString() for paramName of item.params # inherit parents params item.params = angular.extend({}, parentParams, item.params) # prepare children if available @_prepareMenu(item.children, item.params) if item.children ###* # @ngdoc method # @name ngCompass#_parseMenu # @param {Array} menuItems The menu items (see {@link kNavProvider#_menus}) # @description # Traverses menu-tree and finds current menu item # dependency: prior generation of breadcrumb-list is required # # Sets recursively all nodes to non active and non current # finds active menu-items in the path to current menu item # a) criteria for active menu-item # 1. menu-item is in current breadcrumb-list # 2. paramValues of current menu-item equal the current routeParams # b) criteria for current menu-item # 1. a) criteria for active menu-item # 2. menu-item is last element of breadcrumbs ### @_parseMenu = (menuItems) => for item in menuItems # set item as non active and non current as default item.active = item.current = false # get breadcrumbs index of current item breadcrumbsIndex = undefined @_breadcrumbs._path.map (bc,k) -> breadcrumbsIndex = k+1 if bc.routeName is item.routeName # do params of menuitem equals those in $routeParams? paramsEquals = true for param, value of item.params paramsEquals = false if value isnt $routeParams[param] # check if item is in breadcrumbs-array and has the right param-values if breadcrumbsIndex and paramsEquals # set item as active item.active = true # set breadcrumbs label @_breadcrumbs._path[breadcrumbsIndex-1].label = item.label if item.label? # check if item is last element in breadcrumbs array if breadcrumbsIndex is @getBreadcrumbs().length item.current = true # resets children if available @_parseMenu(item.children, item.params) if item.children ###* # @ngdoc method # @name ngCompass#getMenu # @param {string} menuName Name of menu to return. # @returns {Object|undefined} ### @getMenu = (menuName) -> # if menu doesnt exist if not _menus[menuName] console.log "Warning: '#{menuName}' does not yet exist (ngCompass.getMenu)" return # get the menu menu = _menus[menuName] # prepare menu if not yet prepared if not menu.prepared @_prepareMenu( menu.items ) menu.prepared = true # parse menu if not yet parsed if not menu.parsed @_parseMenu( menu.items ) menu.parsed = true # return menu items return menu.items ###* # @ngdoc method # @name ngCompass#addMenu # @param {string} menuName Name of the menu # @param {Array} menuItems {@link ngCompassProvider#_menus} # @param {$scope} [$scope=false] Pass $scope if you want the menu to be deleted autmoatically on $destroy-event # @returns {ngCompass} # @descripton # Method to add dynamic menu from controllers # The $routeChangeSuccess event is fired before a menu can be passed throug this method, # so {@link ngCompass#_parseMenu} must be called directly after the menu gets prepared # by {@link ngCompass#_prepareMenu}. # Creates a new child of $scope to delete the menu when controller get destroyed. # It could get expensive because generate menu ### @addMenu = (menuName, menuItems, $scope = false) -> # use menu _menus._add(menuName, menuItems) # if scope was passed if $scope # don't keep dynamic menu when scope of current controller gets destroyed menuScope = $scope.$new() menuScope.menuName = menuName menuScope.$on '$destroy', (e)=> delete _menus[e.currentScope.menuName] # make chainable return @ ###* # @ngdoc method # @name ngCompass#createPath # @param {String} routeName Routename, e.g. 'citites' # @param {Object} [paramsOrig={}] Parameter object, e.g. {countryId:5,citityId:19,shopId:1} # @return {String|undefined} Anchor, e.g. e.g. '#countries/5/citites/19/shops/1' or undefined if routeName is invalid # @description # Finds route by its routeName and returns its routePath with passed param values. # Performs fallback to $routeParams if the param-object passed as argument doesn't contain the required param(s) # # ** Example: ** # ``` # adminUserEdit.route = '/admin/groups/:groupId/users/:userId' # # ngCompass.createPath('adminUserEdit', {groupId: 1, userId:7, search:'hello'}) # # returns '/admin/groups/1/users/7?search=hello' # ``` ### @createPath = (routeName, paramsOrig = {}) -> # avoid sideeffects (params passed by ref) params = angular.copy(paramsOrig) # if route exist if _routes[routeName] # shortcut to route route = _routes[routeName].route ###* # @param {string} match full placeholder, e.g. :path*, :id, :search? # @param {string} paramName param name, e.g. path, id, search # @description # perfoms replacement of plaveholder in routestring # removes params were replaced ### replacer = (match, paramName) -> # get param value from params-oject or from route-prams value = params[paramName] ? $routeParams[paramName] # if value exists if value? # delete value from param-object and return its value delete params[paramName] if params[paramName]? return encodeURIComponent(value) # otherwise warn console.log "Warning: #{paramName} is undefined for route name: #{routeName}. Route: #{route}. (ngCompass.createPath)" return match # perform placeholder replacement route = route.replace(/(?::(\w+)(?:[\?\*])?)/g, replacer) # generate search string if not angular.equals(params, {}) route += '?' + Object.keys(params).map((k)-> "#{ k }=#{ encodeURIComponent(params[k]) }").join('&') # return the route return route # route does not exist console.log "Warning: no route entry for '#{routeName}'. (ngCompass.createPath)" ###* # Bind Listener # generates breadcrumbs # and sets all menus as not parsed ### $rootScope.$on '$routeChangeSuccess', => # if current path is available (breadcrumbs generation depends on it, menu generation depends on breadcrumbs) if $route.current.originalPath # first we have to generate breadcrumbs because menu depends on them @_generateBreadcrumbs() # set all menus to not parsed _menus[menuName].parsed = false for menuName of _menus # return the service return @ ###* # @ngdoc directive # @name ngCompassBreadcrumbs # @restrict AE # @description # Dislpays Breadcrumbs ### ngCompassModule.directive('ngCompassBreadcrumbs', ['ngCompass', (ngCompass) -> directive = restrict: 'AE' transclude: true scope: {} link: (scope, el, attrs, ctrl, transcludeFn) -> # pass scope into ranscluded tempalte transcludeFn scope, (clonedTranscludedTemplate) -> el.append(clonedTranscludedTemplate) # keep breadcrumbs up to date scope.$watch( ()-> ngCompass.getBreadcrumbs() ()-> scope.breadcrumbs = ngCompass.getBreadcrumbs() ) return directive ]) # ngCompassBreadcrumbs-Directive ###* # @ngdoc directive # @name ngCompassMenu # @restrict AE # @property {string} ngCompassMenu name of menu to display # @description # Displays a menu ### ngCompassModule.directive('ngCompassMenu', ['ngCompass', (ngCompass) -> directive = restrict: 'AE' transclude: true scope: menuName: '@ngCompassMenu' link: (scope, el, attrs, ctrl, transcludeFn) -> # pass scope into ranscluded tempalte transcludeFn scope, (clonedTranscludedTemplate) -> el.append(clonedTranscludedTemplate) # keep menu up to date scope.$watch( ()-> ngCompass.getMenu(scope.menuName) ()-> scope.menu = ngCompass.getMenu(scope.menuName) ) return directive ]) # ngCompassMenu-Directive ###* # @ngdoc directive # @name ngCompassPath # @restrict A # @element a # @property {string} ngCompassPath name of menu to display # @property {object=} ngCompassParams name of menu to display # @description # Linkbuilder directive generates path and puts it as value in href attribute on anchor tag. # Path geneartion depends on routeName and params. # # **Jade-Example:** # ``` # a(kd-nav-path='adminUserEdit', kd-nav-params='{groupId: 1, userId:7}') Label # ``` # Result: <a href="#/admin/groups/1/users/7">Label</a> ### ngCompassModule.directive('ngCompassPath', ['ngCompass', (ngCompass) -> directive = restrict: 'A' scope: routeName: '@ngCompassPath' params: '=ngCompassParams' link: (scope, el, attr) -> # set href value updateHref = -> attr.$set('href', "##{ngCompass.createPath(scope.routeName, scope.params)}") # watch params scope.$watch('params', updateHref, true) # return directive return directive ]) #ngCompassPath-Directive
true
# Relevanter Artikel über Provider: # https://docs.angularjs.org/guide/providers # Verwandtes Plugin: # https://github.com/ianwalter/ng-breadcrumbs # Verwandetes Plugin: # https://github.com/mnitschke/angular-cc-navigation ###* # @ngdoc module # @name ngCompass # @description # # ngCompass Module # ## Features # * Extended route features # * Breadcrumbs generation # * Breadcrumbs directive # * Static and dynamic menu generation # * Menu directive # * Path generation # * Link directive ### ngCompassModule = angular.module('ngCompass', ['ngRoute']) ###* # @ngdoc provider # @name ngCompassProvider # @requires $routeProvider # @returns {ngCompassProvider} Returns reference to ngCompassProvider # @description # Provides setters for routes- and method configuration ### ngCompassModule.provider('ngCompass', ['$routeProvider', ($routeProvider) -> ###* # @ngdoc property # @name ngCompassProvider#_routes # @description # Contains route config. Each route is mapped to route name. # # **Route-Format:** # # <routeName>: # for referencing in menu, breadcrumbs and path-directive you must define a routeName # route: <route-string> # label: <label-string> # label will be used by breadcrumbs and menu directive # default: <true|false> # if true this route will be used if no route matches the current request # inherit: <routeName of other route> # inherit properties except the default property from other route # # ... $routeProvider.when() options. e.g.: # # templateUrl: <tempalteUrl> # controller: <controllerName> # redirectTo: <path> # # ... more $routeProvider options ... # # # **Example:** # ``` # _routes = # home: # route: '/' # label: 'Home' # templateUrl: 'home.html' # controller: 'HomeCtrl' # default: true # if a request doesnt match any route forward to this route # info: # route: '/info/:command' # label: 'Info' # inherit: 'home' # inherit properties from home-route # baseInfo: # route: '/info' # label: 'Info' # forward: 'info' # goto info-route if this route is requested # params: {command: 'all'} # use this params to forward to info-route # ``` ### @_routes = {} ###* # @ngdoc property # @name ngCompassProvider#_menus # @description # Contains menu-tree # # **Menu format:** # ``` # _menus.<menuName> = # prepared: <true|false> # if true then all params are converted to strings and children inherited parents params # parsed: <true|false> # true means that menu tree was parsed for active elements # items: [ # { # routeName: <routeName> # routeName to reference a route in route configuration {@link ngCompassProvider#_routes} # label: <label-string> # overwrite label defined in route-config (optional, doesn't affect labels displayed in breadcrumbs) # params: <params-object> # parameter should be used for path generation (optional) # children: [ # children and childrens children # {routeName:<routeName>, label: ...} # {routeName:<routeName>, children: [ # {routeName: ...} # childrens children # ]} # ... # more children # ] # } # ... # more menu items # ] # ``` # # **Example:** # ``` # _menus.mainMenu = # prepared: false # true after menu was pass to {@link ngCompass#_prepareMenu} # parsed: false # true after passing mainMenu to {@link ngCompass#_parseMenu} and again false on $routeChangeSuccess # items: [ # {routeName:'admin', children:[ # {routeName:'groups', children:[ # {routeName:'group', label:'Admins', params:{groupId: 1}} # {routeName:'group', label:'Editors', params:{groupId: 2}} # ]} # groups-children # ]} # admin-children # {routeName:'contact'} # {routeName:'help'} # ] # mainMenu # ``` ### @_menus = {} ###* # @ngdoc method # @name ngCompassProvider#_menus._add # @param {string} menuName Name of menu # @param {Object} menuItems See {@link ngCompassProvider#_menus} # @returns {ngCompassProvider#_menus} # @description # Setter for {@link ngCompassProvider#_menus} ### @_menus._add = (menuName, menuItems) -> # output warning if item already available if @[menuName] console.log "Warning: '#{menuName}' already defined. (ngCompassProvider._menus._add)" # add menu to menu object @[menuName] = prepared: false parsed: false items: menuItems return @ ###* # @ngdoc method # @name ngCompassProvider#configRoutes # @param {Object} _routes See {@link ngCompassProvider#_routes} # @returns {ngCompassProvider} Chainable Method returns reference to ngCompassProvider. # @description # Loops over each route definition to: # * implement inheritence of routes # * but excludes the 'default' property from that inheritance # * configure routes by inserting them to $routeProvider # * configure 'default' route for the case that any routes don't match a request ### @addRoutes = (_routes) -> for routeName of _routes # warn if route already exists if @_routes[routeName] console.log "Warning: '#{routeName}' already defined. (ngCompassProvider.addRoutes)" # if route is new else inherit = _routes[routeName].inherit # perform inheritance if _routes[inherit]? _routes[routeName] = angular.extend({}, _routes[inherit], _routes[routeName]) # exculde 'default'-property from inheritance _routes[routeName].default = false if _routes[inherit].default else if inherit? # warn if inherit target does not exist console.log "Warning: #{routeName} can't inherit from #{inherit}. Not able to found #{inherit}. (ngCompassProvider.addRoutes)" # register route $routeProvider.when _routes[routeName].route, _routes[routeName] # route set as default if _routes[routeName].default $routeProvider.otherwise(_routes[routeName]) # remember route conf for menu & breadcrumbs generation but @_routes[routeName] = _routes[routeName] # make chainable return @ ###* # @ngdoc method # @name ngCompassProvider#addMenu # @param {string} menuName Name of menu # @param {Object} menuItems See {@link ngCompassProvider#_menus} # @returns {ngCompassProvider} Chainable Method returns reference to ngCompassProvider. # @description # Setter for {@link ngCompassProvider#_menus} ### @addMenu = (menuName, menuItems) -> @_menus._add(menuName, menuItems) return @ ###* # @ngdoc property # @name ngCompassProvider#$get # @description # Creates dependency-injection array to create NgCompass instance. # Passes therefore {@link ngCompassProvider#_routes} # and {@link ngCompassProvider#_menus} to NgCompass. ### @$get = ['$rootScope' , '$route', '$routeParams', '$location', ($rootScope, $route, $routeParams, $location) -> new NgCompass($rootScope, $route, $routeParams, $location, @_routes, @_menus) ] # returns provider return @ ]) # ngCompassProvider ###* # @ngdoc type # @name NgCompass # @param {Object} $rootScope # @param {Object} $route # @param {Object} $routeParams # @param {Object} _routes Contains the {@link ngCompassProvider#_routes 'routes object'} # @param {Object} _menus Contains the {@link ngCompassProvider#_menus 'menu object'} # @description # Type of {@link ngCompass 'ngCompass-service'} ### ###* # @ngdoc service # @name ngCompass # @requires $rootScope # @requires $route # @requires $routeParams # @requires ngCompassProvider#_routes # @requires ngCompassProvider#_menus # @description # Regenerates breadcrumbs-array on route-change. # Provides interface methods to access and modify breadcrumbs elements. # # Contains routes (route names mapped to routes), Breadcrumbs and Menu-Tree # Provides interface-methods for access to routes, breadcrumbs and menu # Provides methods for manipulation of breadcrumbs # Can be injected into other Angular Modules ### NgCompass = ($rootScope, $route, $routeParams, $location, _routes, _menus) -> ###* # @ngdoc property # @name ngCompass#_breadcrumbs._path # @description # Contains breadcrumbs # # **Format:** # ``` # routeName: <routeName> # routeName to reference a route in route configuration {@link ngCompassProvider#_routes} # label: <label-string> # copy of the default label from route configuration {@link ngCompassProvider#_routes} # params: <param object> # params automatically inserted from $routeParams but can be modified from any controller with {@link ngCompass#getBreadcrumb} # ``` # # **Example:** # ``` # _breadcrumbs = [ # {routeName:'home', label:'Welcome', params:{groupId:1}} # {routeName:'groups', label:'All Groups', params:{groupId:1}} # {routeName:'users', label:'Admin Group', params:{groupId:1}} # ] # # # corresponds to '/groups/1/users' #``` ### @_breadcrumbs = {} @_breadcrumbs._path = [] ###* # @ngdoc method # @name ngCompass#_breadcrumbs._add # @param {String} routeName Routename-string, e.g. '/citites/:cityId/shops/:shopId' # @returns {ngCompass} Chainable method # @description # Finds routeName for route-string passed as param. # Adds routeName and corresponding label to {@link ngCompass#_breadcrumbs 'breadcrumbs array'} ### @_breadcrumbs._add = (route) -> # get routename by route for rn,conf of _routes routeName = rn if conf.route is route # if route name is defined and not hidden if routeName # add to breadcrumbs path @_path.push routeName: routeName label: _routes[routeName].label params: {} # overwrites $routeParams, can be set from a controller # make method chanable return @ ###* # @ngdoc method # @name ngCompass#getBreadcrumbs # @returns {Array} {@link ngCompass#_breadcrumbs 'breadcrumbs array'} ### @getBreadcrumbs = -> @_breadcrumbs._path ###* # @ngdoc method # @name ngCompass#getBreadcrumb # @param {string} routeName A route-name to reference a route from {@link ngCompassProvider#_routes} # @returns {Object|undefined} ### @getBreadcrumb = (routeName) -> # return item for breadcrumb in @getBreadcrumbs() return breadcrumb if breadcrumb.routeName is routeName # or print warning console.log "Warning: no route entry for '#{routeName}'. (ngCompass.getBreadcrumb)" ###* # @ngdoc method # @name ngCompass#_generateBreadcrumbs # @description # Thanks to PI:NAME:<NAME>END_PI: # https://github.com/ianwalter/ng-breadcrumbs/blob/development/src/ng-breadcrumbs.js # # * Deletes all breadcrumbs. # * Splits current path-string to create a set of path-substrings. # * Compares each path-substring with configured routes. # * Matches then will be inserted into the current {@link ngCompass#_breadcrumbs 'breadcrumbs-path'). ### @_generateBreadcrumbs = -> # first we need to remove prior breadcrumbs @_breadcrumbs._path = [] # current route will be splitted by '/' into seperated path elements # testRouteElements array contains those elements # in each iteration of following for-loop one routeElement is added to the testRouteElements # e.g. ['user',':userId','delete'] is equivalent to /user/:userId/delete testRouteElements = [] # create array from original path routeElements = $route.current.originalPath.split('/') # remove duplicate empty string on root path routeElements.splice(1,1) if routeElements[1] is '' # if second element is empty string then current path refers to homepage for element in routeElements # add current element to search path elements testRouteElements.push(element) # creates test-route from elements of current route testRoute = testRouteElements.join('/') || '/' # if route doesn't exist _addBreadcrumb won't add testRoute to breadcrumbs @_breadcrumbs._add(testRoute) ###* # @ngdoc method # @name ngCompass#_prepareMenu # @param {Array} menuItems {@link ngCompassProvider#_menus} # @param {Object} parentParams # @description # * Converts all params to string. # * Makes children items inherit parents parameters. ### @_prepareMenu = (menuItems, parentParams = {}) -> for item in menuItems # use default label if not defined item.label ?= _routes[item.routeName].label # convert all params to string (because routeParams are string-values and we need to check equality) item.params[paramName] = item.params[paramName].toString() for paramName of item.params # inherit parents params item.params = angular.extend({}, parentParams, item.params) # prepare children if available @_prepareMenu(item.children, item.params) if item.children ###* # @ngdoc method # @name ngCompass#_parseMenu # @param {Array} menuItems The menu items (see {@link kNavProvider#_menus}) # @description # Traverses menu-tree and finds current menu item # dependency: prior generation of breadcrumb-list is required # # Sets recursively all nodes to non active and non current # finds active menu-items in the path to current menu item # a) criteria for active menu-item # 1. menu-item is in current breadcrumb-list # 2. paramValues of current menu-item equal the current routeParams # b) criteria for current menu-item # 1. a) criteria for active menu-item # 2. menu-item is last element of breadcrumbs ### @_parseMenu = (menuItems) => for item in menuItems # set item as non active and non current as default item.active = item.current = false # get breadcrumbs index of current item breadcrumbsIndex = undefined @_breadcrumbs._path.map (bc,k) -> breadcrumbsIndex = k+1 if bc.routeName is item.routeName # do params of menuitem equals those in $routeParams? paramsEquals = true for param, value of item.params paramsEquals = false if value isnt $routeParams[param] # check if item is in breadcrumbs-array and has the right param-values if breadcrumbsIndex and paramsEquals # set item as active item.active = true # set breadcrumbs label @_breadcrumbs._path[breadcrumbsIndex-1].label = item.label if item.label? # check if item is last element in breadcrumbs array if breadcrumbsIndex is @getBreadcrumbs().length item.current = true # resets children if available @_parseMenu(item.children, item.params) if item.children ###* # @ngdoc method # @name ngCompass#getMenu # @param {string} menuName Name of menu to return. # @returns {Object|undefined} ### @getMenu = (menuName) -> # if menu doesnt exist if not _menus[menuName] console.log "Warning: '#{menuName}' does not yet exist (ngCompass.getMenu)" return # get the menu menu = _menus[menuName] # prepare menu if not yet prepared if not menu.prepared @_prepareMenu( menu.items ) menu.prepared = true # parse menu if not yet parsed if not menu.parsed @_parseMenu( menu.items ) menu.parsed = true # return menu items return menu.items ###* # @ngdoc method # @name ngCompass#addMenu # @param {string} menuName Name of the menu # @param {Array} menuItems {@link ngCompassProvider#_menus} # @param {$scope} [$scope=false] Pass $scope if you want the menu to be deleted autmoatically on $destroy-event # @returns {ngCompass} # @descripton # Method to add dynamic menu from controllers # The $routeChangeSuccess event is fired before a menu can be passed throug this method, # so {@link ngCompass#_parseMenu} must be called directly after the menu gets prepared # by {@link ngCompass#_prepareMenu}. # Creates a new child of $scope to delete the menu when controller get destroyed. # It could get expensive because generate menu ### @addMenu = (menuName, menuItems, $scope = false) -> # use menu _menus._add(menuName, menuItems) # if scope was passed if $scope # don't keep dynamic menu when scope of current controller gets destroyed menuScope = $scope.$new() menuScope.menuName = menuName menuScope.$on '$destroy', (e)=> delete _menus[e.currentScope.menuName] # make chainable return @ ###* # @ngdoc method # @name ngCompass#createPath # @param {String} routeName Routename, e.g. 'citites' # @param {Object} [paramsOrig={}] Parameter object, e.g. {countryId:5,citityId:19,shopId:1} # @return {String|undefined} Anchor, e.g. e.g. '#countries/5/citites/19/shops/1' or undefined if routeName is invalid # @description # Finds route by its routeName and returns its routePath with passed param values. # Performs fallback to $routeParams if the param-object passed as argument doesn't contain the required param(s) # # ** Example: ** # ``` # adminUserEdit.route = '/admin/groups/:groupId/users/:userId' # # ngCompass.createPath('adminUserEdit', {groupId: 1, userId:7, search:'hello'}) # # returns '/admin/groups/1/users/7?search=hello' # ``` ### @createPath = (routeName, paramsOrig = {}) -> # avoid sideeffects (params passed by ref) params = angular.copy(paramsOrig) # if route exist if _routes[routeName] # shortcut to route route = _routes[routeName].route ###* # @param {string} match full placeholder, e.g. :path*, :id, :search? # @param {string} paramName param name, e.g. path, id, search # @description # perfoms replacement of plaveholder in routestring # removes params were replaced ### replacer = (match, paramName) -> # get param value from params-oject or from route-prams value = params[paramName] ? $routeParams[paramName] # if value exists if value? # delete value from param-object and return its value delete params[paramName] if params[paramName]? return encodeURIComponent(value) # otherwise warn console.log "Warning: #{paramName} is undefined for route name: #{routeName}. Route: #{route}. (ngCompass.createPath)" return match # perform placeholder replacement route = route.replace(/(?::(\w+)(?:[\?\*])?)/g, replacer) # generate search string if not angular.equals(params, {}) route += '?' + Object.keys(params).map((k)-> "#{ k }=#{ encodeURIComponent(params[k]) }").join('&') # return the route return route # route does not exist console.log "Warning: no route entry for '#{routeName}'. (ngCompass.createPath)" ###* # Bind Listener # generates breadcrumbs # and sets all menus as not parsed ### $rootScope.$on '$routeChangeSuccess', => # if current path is available (breadcrumbs generation depends on it, menu generation depends on breadcrumbs) if $route.current.originalPath # first we have to generate breadcrumbs because menu depends on them @_generateBreadcrumbs() # set all menus to not parsed _menus[menuName].parsed = false for menuName of _menus # return the service return @ ###* # @ngdoc directive # @name ngCompassBreadcrumbs # @restrict AE # @description # Dislpays Breadcrumbs ### ngCompassModule.directive('ngCompassBreadcrumbs', ['ngCompass', (ngCompass) -> directive = restrict: 'AE' transclude: true scope: {} link: (scope, el, attrs, ctrl, transcludeFn) -> # pass scope into ranscluded tempalte transcludeFn scope, (clonedTranscludedTemplate) -> el.append(clonedTranscludedTemplate) # keep breadcrumbs up to date scope.$watch( ()-> ngCompass.getBreadcrumbs() ()-> scope.breadcrumbs = ngCompass.getBreadcrumbs() ) return directive ]) # ngCompassBreadcrumbs-Directive ###* # @ngdoc directive # @name ngCompassMenu # @restrict AE # @property {string} ngCompassMenu name of menu to display # @description # Displays a menu ### ngCompassModule.directive('ngCompassMenu', ['ngCompass', (ngCompass) -> directive = restrict: 'AE' transclude: true scope: menuName: '@ngCompassMenu' link: (scope, el, attrs, ctrl, transcludeFn) -> # pass scope into ranscluded tempalte transcludeFn scope, (clonedTranscludedTemplate) -> el.append(clonedTranscludedTemplate) # keep menu up to date scope.$watch( ()-> ngCompass.getMenu(scope.menuName) ()-> scope.menu = ngCompass.getMenu(scope.menuName) ) return directive ]) # ngCompassMenu-Directive ###* # @ngdoc directive # @name ngCompassPath # @restrict A # @element a # @property {string} ngCompassPath name of menu to display # @property {object=} ngCompassParams name of menu to display # @description # Linkbuilder directive generates path and puts it as value in href attribute on anchor tag. # Path geneartion depends on routeName and params. # # **Jade-Example:** # ``` # a(kd-nav-path='adminUserEdit', kd-nav-params='{groupId: 1, userId:7}') Label # ``` # Result: <a href="#/admin/groups/1/users/7">Label</a> ### ngCompassModule.directive('ngCompassPath', ['ngCompass', (ngCompass) -> directive = restrict: 'A' scope: routeName: '@ngCompassPath' params: '=ngCompassParams' link: (scope, el, attr) -> # set href value updateHref = -> attr.$set('href', "##{ngCompass.createPath(scope.routeName, scope.params)}") # watch params scope.$watch('params', updateHref, true) # return directive return directive ]) #ngCompassPath-Directive
[ { "context": "ode = @root) ->\n\t\tif not token then return\n\t\tkey = token.charAt(0)\n\t\trest = token.slice(1)\n\t\tif not (key of node) t", "end": 379, "score": 0.9806584119796753, "start": 365, "tag": "KEY", "value": "token.charAt(0" } ]
src/InvertedIndex.coffee
ormojo/fti-js
0
# # Maps tokens to the documents containing them. # # Current implementation uses a trie algorithm. Consider switching away from that and using # n-gramming in the pipeline instead. # class InvertedIndex constructor: -> @root = @createNode() @length = 0 createNode: -> { ids: {} } add: (token, id, data, node = @root) -> if not token then return key = token.charAt(0) rest = token.slice(1) if not (key of node) then node[key] = @createNode() if rest.length is 0 node[key].ids[id] = data @length++ undefined else @add(rest, id, data, node[key]) _getNode: (token, node = @root) -> if not token then return null for i in [0...token.length] if not (token.charAt(i) of node) then return null node = node[token.charAt(i)] node has: (token) -> (@_getNode(token))? getNode: (token) -> @_getNode(token) or {} get: (token, node) -> ((@_getNode(token, node) or {}).ids) or {} count: (token, node) -> Object.keys(@get(token, node)).length remove: (token, id, node = @root) -> if not (node = @_getNode(token, node)) then return delete node.ids[id] expand: (token, memo = []) -> node = @getNode(token) # Add suffix if there are tokens here for k of (node.ids or {}) memo.push(token) break # Recurse with same array to suffixed nodes. for k of node when k isnt 'docs' @expand(token + k, memo) memo module.exports = InvertedIndex
225506
# # Maps tokens to the documents containing them. # # Current implementation uses a trie algorithm. Consider switching away from that and using # n-gramming in the pipeline instead. # class InvertedIndex constructor: -> @root = @createNode() @length = 0 createNode: -> { ids: {} } add: (token, id, data, node = @root) -> if not token then return key = <KEY>) rest = token.slice(1) if not (key of node) then node[key] = @createNode() if rest.length is 0 node[key].ids[id] = data @length++ undefined else @add(rest, id, data, node[key]) _getNode: (token, node = @root) -> if not token then return null for i in [0...token.length] if not (token.charAt(i) of node) then return null node = node[token.charAt(i)] node has: (token) -> (@_getNode(token))? getNode: (token) -> @_getNode(token) or {} get: (token, node) -> ((@_getNode(token, node) or {}).ids) or {} count: (token, node) -> Object.keys(@get(token, node)).length remove: (token, id, node = @root) -> if not (node = @_getNode(token, node)) then return delete node.ids[id] expand: (token, memo = []) -> node = @getNode(token) # Add suffix if there are tokens here for k of (node.ids or {}) memo.push(token) break # Recurse with same array to suffixed nodes. for k of node when k isnt 'docs' @expand(token + k, memo) memo module.exports = InvertedIndex
true
# # Maps tokens to the documents containing them. # # Current implementation uses a trie algorithm. Consider switching away from that and using # n-gramming in the pipeline instead. # class InvertedIndex constructor: -> @root = @createNode() @length = 0 createNode: -> { ids: {} } add: (token, id, data, node = @root) -> if not token then return key = PI:KEY:<KEY>END_PI) rest = token.slice(1) if not (key of node) then node[key] = @createNode() if rest.length is 0 node[key].ids[id] = data @length++ undefined else @add(rest, id, data, node[key]) _getNode: (token, node = @root) -> if not token then return null for i in [0...token.length] if not (token.charAt(i) of node) then return null node = node[token.charAt(i)] node has: (token) -> (@_getNode(token))? getNode: (token) -> @_getNode(token) or {} get: (token, node) -> ((@_getNode(token, node) or {}).ids) or {} count: (token, node) -> Object.keys(@get(token, node)).length remove: (token, id, node = @root) -> if not (node = @_getNode(token, node)) then return delete node.ids[id] expand: (token, memo = []) -> node = @getNode(token) # Add suffix if there are tokens here for k of (node.ids or {}) memo.push(token) break # Recurse with same array to suffixed nodes. for k of node when k isnt 'docs' @expand(token + k, memo) memo module.exports = InvertedIndex
[ { "context": "\n CONTACT_PHONE: '13810906731'\n CONTACT_EMAIL: 'china@codecombat.com'\n}\n\nmodule.exports = {\n STARTER_LICENSE_COURSE_I", "end": 730, "score": 0.9999212622642517, "start": 710, "tag": "EMAIL", "value": "china@codecombat.com" } ]
app/core/constants.coffee
monkeygocook/codecombat
0
STARTER_LICENSE_COURSE_IDS = [ "560f1a9f22961295f9427742" # Introduction to Computer Science "5632661322961295f9428638" # Computer Science 2 "5789587aad86a6efb573701e" # Game Development 1 "5789587aad86a6efb573701f" # Web Development 1 ] PRESET_1_COURSE_IDS = STARTER_LICENSE_COURSE_IDS PRESET_2_COURSE_IDS = [ '560f1a9f22961295f9427742' # Introduction to Computer Science '5632661322961295f9428638' # CS 2 '56462f935afde0c6fd30fc8c' # CS 3 '56462f935afde0c6fd30fc8d' # CS 4 ] FREE_COURSE_IDS = [ "560f1a9f22961295f9427742" # Introduction to Computer Science ] MAX_STARTER_LICENSES = 75 STARTER_LICENCE_LENGTH_MONTHS = 3 COCO_CHINA_CONST = { CONTACT_PHONE: '13810906731' CONTACT_EMAIL: 'china@codecombat.com' } module.exports = { STARTER_LICENSE_COURSE_IDS FREE_COURSE_IDS MAX_STARTER_LICENSES STARTER_LICENCE_LENGTH_MONTHS COCO_CHINA_CONST PRESET_1_COURSE_IDS PRESET_2_COURSE_IDS }
149515
STARTER_LICENSE_COURSE_IDS = [ "560f1a9f22961295f9427742" # Introduction to Computer Science "5632661322961295f9428638" # Computer Science 2 "5789587aad86a6efb573701e" # Game Development 1 "5789587aad86a6efb573701f" # Web Development 1 ] PRESET_1_COURSE_IDS = STARTER_LICENSE_COURSE_IDS PRESET_2_COURSE_IDS = [ '560f1a9f22961295f9427742' # Introduction to Computer Science '5632661322961295f9428638' # CS 2 '56462f935afde0c6fd30fc8c' # CS 3 '56462f935afde0c6fd30fc8d' # CS 4 ] FREE_COURSE_IDS = [ "560f1a9f22961295f9427742" # Introduction to Computer Science ] MAX_STARTER_LICENSES = 75 STARTER_LICENCE_LENGTH_MONTHS = 3 COCO_CHINA_CONST = { CONTACT_PHONE: '13810906731' CONTACT_EMAIL: '<EMAIL>' } module.exports = { STARTER_LICENSE_COURSE_IDS FREE_COURSE_IDS MAX_STARTER_LICENSES STARTER_LICENCE_LENGTH_MONTHS COCO_CHINA_CONST PRESET_1_COURSE_IDS PRESET_2_COURSE_IDS }
true
STARTER_LICENSE_COURSE_IDS = [ "560f1a9f22961295f9427742" # Introduction to Computer Science "5632661322961295f9428638" # Computer Science 2 "5789587aad86a6efb573701e" # Game Development 1 "5789587aad86a6efb573701f" # Web Development 1 ] PRESET_1_COURSE_IDS = STARTER_LICENSE_COURSE_IDS PRESET_2_COURSE_IDS = [ '560f1a9f22961295f9427742' # Introduction to Computer Science '5632661322961295f9428638' # CS 2 '56462f935afde0c6fd30fc8c' # CS 3 '56462f935afde0c6fd30fc8d' # CS 4 ] FREE_COURSE_IDS = [ "560f1a9f22961295f9427742" # Introduction to Computer Science ] MAX_STARTER_LICENSES = 75 STARTER_LICENCE_LENGTH_MONTHS = 3 COCO_CHINA_CONST = { CONTACT_PHONE: '13810906731' CONTACT_EMAIL: 'PI:EMAIL:<EMAIL>END_PI' } module.exports = { STARTER_LICENSE_COURSE_IDS FREE_COURSE_IDS MAX_STARTER_LICENSES STARTER_LICENCE_LENGTH_MONTHS COCO_CHINA_CONST PRESET_1_COURSE_IDS PRESET_2_COURSE_IDS }
[ { "context": "nnect(config.mailguy)\n\nclass BaseMailer\n\n from: '席地 <notification@mail.jianliao.com>'\n\n delay: 0\n\n ", "end": 335, "score": 0.9065020680427551, "start": 333, "tag": "NAME", "value": "席地" }, { "context": "t(config.mailguy)\n\nclass BaseMailer\n\n from: '席地 <notification@mail.jianliao.com>'\n\n delay: 0\n\n action: 'delay'\n\n constructor: ", "end": 367, "score": 0.9999263286590576, "start": 337, "tag": "EMAIL", "value": "notification@mail.jianliao.com" } ]
talk-api2x/server/mailers/base.coffee
jianwo/jianwo
0
path = require 'path' fs = require 'fs' Promise = require 'bluebird' juice = require 'juice' jade = require 'jade' async = require 'async' ejs = require 'ejs' config = require 'config' {logger} = require '../components' # @osv # mailguy = require('axon').socket('push') # mailguy.connect(config.mailguy) class BaseMailer from: '席地 <notification@mail.jianliao.com>' delay: 0 action: 'delay' constructor: -> @_getTemplate() _sendByRender: (email) -> self = this if email.html return self._send email @_render email .then (email) -> self._send email .catch (err) -> logger.warn err.stack _send: (email) -> # @osv return email _email = from: @from to: email.to subject: email.subject html: email.html action: @action delay: @delay id: email.id mailguy.send _email _render: (email) -> options = cache: true filename: path.join __dirname, "../../views/mailers/#{@template}.html" delimiter: '?' self = this template = @_getTemplate() Promise.resolve() .then -> email.html = ejs.render template, email, options email _cancel: (id) -> # @osv return id mailguy.send action: 'cancel', id: id _getTemplate: -> unless @_template templateFile = path.join __dirname, "../../views/mailers/#{@template}.html" template = fs.readFileSync templateFile, encoding: 'utf-8' juiceOptions = url: "file://" + path.join __dirname, "../../views/mailers" preserveMediaQueries: true html = ejs.render template, filename: templateFile html = juice html, juiceOptions html = html.replace /class=[\"|\'].*?[\"\']/ig, '' @_template = html @_template module.exports = BaseMailer
151399
path = require 'path' fs = require 'fs' Promise = require 'bluebird' juice = require 'juice' jade = require 'jade' async = require 'async' ejs = require 'ejs' config = require 'config' {logger} = require '../components' # @osv # mailguy = require('axon').socket('push') # mailguy.connect(config.mailguy) class BaseMailer from: '<NAME> <<EMAIL>>' delay: 0 action: 'delay' constructor: -> @_getTemplate() _sendByRender: (email) -> self = this if email.html return self._send email @_render email .then (email) -> self._send email .catch (err) -> logger.warn err.stack _send: (email) -> # @osv return email _email = from: @from to: email.to subject: email.subject html: email.html action: @action delay: @delay id: email.id mailguy.send _email _render: (email) -> options = cache: true filename: path.join __dirname, "../../views/mailers/#{@template}.html" delimiter: '?' self = this template = @_getTemplate() Promise.resolve() .then -> email.html = ejs.render template, email, options email _cancel: (id) -> # @osv return id mailguy.send action: 'cancel', id: id _getTemplate: -> unless @_template templateFile = path.join __dirname, "../../views/mailers/#{@template}.html" template = fs.readFileSync templateFile, encoding: 'utf-8' juiceOptions = url: "file://" + path.join __dirname, "../../views/mailers" preserveMediaQueries: true html = ejs.render template, filename: templateFile html = juice html, juiceOptions html = html.replace /class=[\"|\'].*?[\"\']/ig, '' @_template = html @_template module.exports = BaseMailer
true
path = require 'path' fs = require 'fs' Promise = require 'bluebird' juice = require 'juice' jade = require 'jade' async = require 'async' ejs = require 'ejs' config = require 'config' {logger} = require '../components' # @osv # mailguy = require('axon').socket('push') # mailguy.connect(config.mailguy) class BaseMailer from: 'PI:NAME:<NAME>END_PI <PI:EMAIL:<EMAIL>END_PI>' delay: 0 action: 'delay' constructor: -> @_getTemplate() _sendByRender: (email) -> self = this if email.html return self._send email @_render email .then (email) -> self._send email .catch (err) -> logger.warn err.stack _send: (email) -> # @osv return email _email = from: @from to: email.to subject: email.subject html: email.html action: @action delay: @delay id: email.id mailguy.send _email _render: (email) -> options = cache: true filename: path.join __dirname, "../../views/mailers/#{@template}.html" delimiter: '?' self = this template = @_getTemplate() Promise.resolve() .then -> email.html = ejs.render template, email, options email _cancel: (id) -> # @osv return id mailguy.send action: 'cancel', id: id _getTemplate: -> unless @_template templateFile = path.join __dirname, "../../views/mailers/#{@template}.html" template = fs.readFileSync templateFile, encoding: 'utf-8' juiceOptions = url: "file://" + path.join __dirname, "../../views/mailers" preserveMediaQueries: true html = ejs.render template, filename: templateFile html = juice html, juiceOptions html = html.replace /class=[\"|\'].*?[\"\']/ig, '' @_template = html @_template module.exports = BaseMailer
[ { "context": "ty_token\">\n# <meta name=\"csrf-token\" content=\"5b404f7b7f90dc67708635fc8dd3\">\n#\n\n# The AJAX prefilter filter will run before ", "end": 308, "score": 0.9689071774482727, "start": 280, "tag": "KEY", "value": "5b404f7b7f90dc67708635fc8dd3" } ]
csrf.coffee
curriculet/rails-behaviors
1
# CSRF # #= require ./beforesend #= require ./prepare # # Adds CSRF tokens to AJAX requests and forms missing them. # # CSRF tokens must be set in the document head as meta tags. # # <meta name="csrf-param" content="authenticity_token"> # <meta name="csrf-token" content="5b404f7b7f90dc67708635fc8dd3"> # # The AJAX prefilter filter will run before all jQuery XHR requests and # allows the request to be modified. $(document).on 'ajaxBeforeSend', (event, xhr, settings) -> # Skip for cross domain requests. Other sites can't do much # with our token. return if settings.crossDomain # Skip for GET requests return if settings.type is 'GET' # Get token from meta element on the page. # # On Rails 3, `<%= csrf_meta_tags %>` will spit this out. if token = $('meta[name="csrf-token"]').attr 'content' # Send the token along in a header. xhr.setRequestHeader 'X-CSRF-Token', token # Listen for form submissions and inject hidden `authenticity_token` # input into forms missing them. $(document).on 'submit:prepare', 'form', -> form = $(this) # Don't handle remote requests. They'll have a header set instead. return if form.is 'form[data-remote]' # Skip for GET requests return if !this.method or this.method.toUpperCase() is 'GET' # Skip for cross domain requests. Other sites can't do much # with our token. return unless isSameOrigin form.attr 'action' # Get param token from meta elements on the page. # # On Rails 3, `<%= csrf_meta_tags %>` will spit these out. param = $('meta[name="csrf-param"]').attr 'content' token = $('meta[name="csrf-token"]').attr 'content' if param? and token? # Check if theres already a `authenticity_token` input field unless form.find("input[name=#{param}]")[0] input = document.createElement 'input' input.setAttribute 'type', 'hidden' input.setAttribute 'name', param input.setAttribute 'value', token form.prepend input return # Check if url is within the same origin policy. isSameOrigin = (url) -> a = document.createElement 'a' a.href = url origin = a.href.split('/', 3).join "/" location.href.indexOf(origin) is 0
191387
# CSRF # #= require ./beforesend #= require ./prepare # # Adds CSRF tokens to AJAX requests and forms missing them. # # CSRF tokens must be set in the document head as meta tags. # # <meta name="csrf-param" content="authenticity_token"> # <meta name="csrf-token" content="<KEY>"> # # The AJAX prefilter filter will run before all jQuery XHR requests and # allows the request to be modified. $(document).on 'ajaxBeforeSend', (event, xhr, settings) -> # Skip for cross domain requests. Other sites can't do much # with our token. return if settings.crossDomain # Skip for GET requests return if settings.type is 'GET' # Get token from meta element on the page. # # On Rails 3, `<%= csrf_meta_tags %>` will spit this out. if token = $('meta[name="csrf-token"]').attr 'content' # Send the token along in a header. xhr.setRequestHeader 'X-CSRF-Token', token # Listen for form submissions and inject hidden `authenticity_token` # input into forms missing them. $(document).on 'submit:prepare', 'form', -> form = $(this) # Don't handle remote requests. They'll have a header set instead. return if form.is 'form[data-remote]' # Skip for GET requests return if !this.method or this.method.toUpperCase() is 'GET' # Skip for cross domain requests. Other sites can't do much # with our token. return unless isSameOrigin form.attr 'action' # Get param token from meta elements on the page. # # On Rails 3, `<%= csrf_meta_tags %>` will spit these out. param = $('meta[name="csrf-param"]').attr 'content' token = $('meta[name="csrf-token"]').attr 'content' if param? and token? # Check if theres already a `authenticity_token` input field unless form.find("input[name=#{param}]")[0] input = document.createElement 'input' input.setAttribute 'type', 'hidden' input.setAttribute 'name', param input.setAttribute 'value', token form.prepend input return # Check if url is within the same origin policy. isSameOrigin = (url) -> a = document.createElement 'a' a.href = url origin = a.href.split('/', 3).join "/" location.href.indexOf(origin) is 0
true
# CSRF # #= require ./beforesend #= require ./prepare # # Adds CSRF tokens to AJAX requests and forms missing them. # # CSRF tokens must be set in the document head as meta tags. # # <meta name="csrf-param" content="authenticity_token"> # <meta name="csrf-token" content="PI:KEY:<KEY>END_PI"> # # The AJAX prefilter filter will run before all jQuery XHR requests and # allows the request to be modified. $(document).on 'ajaxBeforeSend', (event, xhr, settings) -> # Skip for cross domain requests. Other sites can't do much # with our token. return if settings.crossDomain # Skip for GET requests return if settings.type is 'GET' # Get token from meta element on the page. # # On Rails 3, `<%= csrf_meta_tags %>` will spit this out. if token = $('meta[name="csrf-token"]').attr 'content' # Send the token along in a header. xhr.setRequestHeader 'X-CSRF-Token', token # Listen for form submissions and inject hidden `authenticity_token` # input into forms missing them. $(document).on 'submit:prepare', 'form', -> form = $(this) # Don't handle remote requests. They'll have a header set instead. return if form.is 'form[data-remote]' # Skip for GET requests return if !this.method or this.method.toUpperCase() is 'GET' # Skip for cross domain requests. Other sites can't do much # with our token. return unless isSameOrigin form.attr 'action' # Get param token from meta elements on the page. # # On Rails 3, `<%= csrf_meta_tags %>` will spit these out. param = $('meta[name="csrf-param"]').attr 'content' token = $('meta[name="csrf-token"]').attr 'content' if param? and token? # Check if theres already a `authenticity_token` input field unless form.find("input[name=#{param}]")[0] input = document.createElement 'input' input.setAttribute 'type', 'hidden' input.setAttribute 'name', param input.setAttribute 'value', token form.prepend input return # Check if url is within the same origin policy. isSameOrigin = (url) -> a = document.createElement 'a' a.href = url origin = a.href.split('/', 3).join "/" location.href.indexOf(origin) is 0
[ { "context": "###\n backbone-orm.js 0.5.12\n Copyright (c) 2013 Vidigami - https://github.com/vidigami/backbone-orm\n Lice", "end": 58, "score": 0.9992294311523438, "start": 50, "tag": "NAME", "value": "Vidigami" }, { "context": " Copyright (c) 2013 Vidigami - https://github.com/vidigami/backbone-orm\n License: MIT (http://www.opensourc", "end": 88, "score": 0.9997105002403259, "start": 80, "tag": "USERNAME", "value": "vidigami" } ]
src/schema.coffee
michaelBenin/backbone-orm
1
### backbone-orm.js 0.5.12 Copyright (c) 2013 Vidigami - https://github.com/vidigami/backbone-orm License: MIT (http://www.opensource.org/licenses/mit-license.php) Dependencies: Backbone.js, Underscore.js, and Moment.js. ### _ = require 'underscore' Backbone = require 'backbone' inflection = require 'inflection' One = require './relations/one' Many = require './relations/many' DatabaseURL = require './database_url' Utils = require './utils' RELATION_VARIANTS = 'hasOne': 'hasOne' 'has_one': 'hasOne' 'HasOne': 'hasOne' 'belongsTo': 'belongsTo' 'belongs_to': 'belongsTo' 'BelongsTo': 'belongsTo' 'hasMany': 'hasMany' 'has_many': 'hasMany' 'HasMany': 'hasMany' # @private module.exports = class Schema constructor: (@model_type) -> @raw = _.clone(_.result(new @model_type(), 'schema') or {}) @fields ={}; @relations ={}; @virtual_accessors = {} initialize: -> return if @is_initialized; @is_initialized = true # initalize in two steps to break circular dependencies @_parseField(key, info) for key, info of @raw relation.initialize() for key, relation of @relations return relation: (key) -> return @relations[key] or @virtual_accessors[key] reverseRelation: (reverse_key) -> return relation.reverse_relation for key, relation of @relations when relation.reverse_relation and (relation.reverse_relation.join_key is reverse_key) return null # All relations, including join tables allRelations: -> related_model_types = [] for key, relation of @relations related_model_types.push(relation.reverse_model_type) related_model_types.push(relation.join_table) if relation.join_table return related_model_types generateBelongsTo: (reverse_model_type) -> key = inflection.underscore(reverse_model_type.model_name) return relation if relation = @relations[key] # already exists if @raw[key] # not intitialized yet, intialize now relation = @_parseField(key, @raw[key]) relation.initialize() return relation # generate new relation = @_parseField(key, @raw[key] = ['belongsTo', reverse_model_type, manual_fetch: true]) relation.initialize() return relation @joinTableURL: (relation) -> model_name1 = inflection.pluralize(inflection.underscore(relation.model_type.model_name)) model_name2 = inflection.pluralize(inflection.underscore(relation.reverse_relation.model_type.model_name)) return if model_name1.localeCompare(model_name2) < 0 then "#{model_name1}_#{model_name2}" else "#{model_name2}_#{model_name1}" generateJoinTable: (relation) -> schema = {} schema[relation.join_key] = ['Integer', indexed: true] schema[relation.reverse_relation.join_key] = ['Integer', indexed: true] url = Schema.joinTableURL(relation) name = inflection.pluralize(inflection.classify(url)) try # @private class JoinTable extends Backbone.Model model_name: name urlRoot: "#{(new DatabaseURL(_.result(new relation.model_type, 'url'))).format({exclude_table: true})}/#{url}" schema: schema sync: relation.model_type.createSync(JoinTable) catch # @private class JoinTable extends Backbone.Model model_name: name urlRoot: "/#{url}" schema: schema sync: relation.model_type.createSync(JoinTable) return JoinTable allColumns: -> columns = _.keys(@fields) columns.push(relation.foreign_key) for key, relation of @relations when relation.type is 'belongsTo' return columns ################################# # Internal ################################# _parseField: (key, info) -> options = @_fieldInfoToOptions(if _.isFunction(info) then info() else info) return @fields[key] = options unless options.type # unrecognized unless type = RELATION_VARIANTS[options.type] throw new Error "Unexpected type name is not a string: #{Utils.inspect(options)}" unless _.isString(options.type) return @fields[key] = options options.type = type relation = @relations[key] = if type is 'hasMany' then new Many(@model_type, key, options) else new One(@model_type, key, options) @virtual_accessors[relation.virtual_id_accessor] = relation if relation.virtual_id_accessor @virtual_accessors[relation.foreign_key] = relation if type is 'belongsTo' return relation _fieldInfoToOptions: (options) -> # convert to an object return {type: options} if _.isString(options) return options unless _.isArray(options) # type result = {} if _.isString(options[0]) result.type = options[0] options = options.slice(1) return result if options.length is 0 # reverse relation if _.isFunction(options[0]) result.reverse_model_type = options[0] options = options.slice(1) # too many options throw new Error "Unexpected field options array: #{Utils.inspect(options)}" if options.length > 1 # options object _.extend(result, options[0]) if options.length is 1 return result
165240
### backbone-orm.js 0.5.12 Copyright (c) 2013 <NAME> - https://github.com/vidigami/backbone-orm License: MIT (http://www.opensource.org/licenses/mit-license.php) Dependencies: Backbone.js, Underscore.js, and Moment.js. ### _ = require 'underscore' Backbone = require 'backbone' inflection = require 'inflection' One = require './relations/one' Many = require './relations/many' DatabaseURL = require './database_url' Utils = require './utils' RELATION_VARIANTS = 'hasOne': 'hasOne' 'has_one': 'hasOne' 'HasOne': 'hasOne' 'belongsTo': 'belongsTo' 'belongs_to': 'belongsTo' 'BelongsTo': 'belongsTo' 'hasMany': 'hasMany' 'has_many': 'hasMany' 'HasMany': 'hasMany' # @private module.exports = class Schema constructor: (@model_type) -> @raw = _.clone(_.result(new @model_type(), 'schema') or {}) @fields ={}; @relations ={}; @virtual_accessors = {} initialize: -> return if @is_initialized; @is_initialized = true # initalize in two steps to break circular dependencies @_parseField(key, info) for key, info of @raw relation.initialize() for key, relation of @relations return relation: (key) -> return @relations[key] or @virtual_accessors[key] reverseRelation: (reverse_key) -> return relation.reverse_relation for key, relation of @relations when relation.reverse_relation and (relation.reverse_relation.join_key is reverse_key) return null # All relations, including join tables allRelations: -> related_model_types = [] for key, relation of @relations related_model_types.push(relation.reverse_model_type) related_model_types.push(relation.join_table) if relation.join_table return related_model_types generateBelongsTo: (reverse_model_type) -> key = inflection.underscore(reverse_model_type.model_name) return relation if relation = @relations[key] # already exists if @raw[key] # not intitialized yet, intialize now relation = @_parseField(key, @raw[key]) relation.initialize() return relation # generate new relation = @_parseField(key, @raw[key] = ['belongsTo', reverse_model_type, manual_fetch: true]) relation.initialize() return relation @joinTableURL: (relation) -> model_name1 = inflection.pluralize(inflection.underscore(relation.model_type.model_name)) model_name2 = inflection.pluralize(inflection.underscore(relation.reverse_relation.model_type.model_name)) return if model_name1.localeCompare(model_name2) < 0 then "#{model_name1}_#{model_name2}" else "#{model_name2}_#{model_name1}" generateJoinTable: (relation) -> schema = {} schema[relation.join_key] = ['Integer', indexed: true] schema[relation.reverse_relation.join_key] = ['Integer', indexed: true] url = Schema.joinTableURL(relation) name = inflection.pluralize(inflection.classify(url)) try # @private class JoinTable extends Backbone.Model model_name: name urlRoot: "#{(new DatabaseURL(_.result(new relation.model_type, 'url'))).format({exclude_table: true})}/#{url}" schema: schema sync: relation.model_type.createSync(JoinTable) catch # @private class JoinTable extends Backbone.Model model_name: name urlRoot: "/#{url}" schema: schema sync: relation.model_type.createSync(JoinTable) return JoinTable allColumns: -> columns = _.keys(@fields) columns.push(relation.foreign_key) for key, relation of @relations when relation.type is 'belongsTo' return columns ################################# # Internal ################################# _parseField: (key, info) -> options = @_fieldInfoToOptions(if _.isFunction(info) then info() else info) return @fields[key] = options unless options.type # unrecognized unless type = RELATION_VARIANTS[options.type] throw new Error "Unexpected type name is not a string: #{Utils.inspect(options)}" unless _.isString(options.type) return @fields[key] = options options.type = type relation = @relations[key] = if type is 'hasMany' then new Many(@model_type, key, options) else new One(@model_type, key, options) @virtual_accessors[relation.virtual_id_accessor] = relation if relation.virtual_id_accessor @virtual_accessors[relation.foreign_key] = relation if type is 'belongsTo' return relation _fieldInfoToOptions: (options) -> # convert to an object return {type: options} if _.isString(options) return options unless _.isArray(options) # type result = {} if _.isString(options[0]) result.type = options[0] options = options.slice(1) return result if options.length is 0 # reverse relation if _.isFunction(options[0]) result.reverse_model_type = options[0] options = options.slice(1) # too many options throw new Error "Unexpected field options array: #{Utils.inspect(options)}" if options.length > 1 # options object _.extend(result, options[0]) if options.length is 1 return result
true
### backbone-orm.js 0.5.12 Copyright (c) 2013 PI:NAME:<NAME>END_PI - https://github.com/vidigami/backbone-orm License: MIT (http://www.opensource.org/licenses/mit-license.php) Dependencies: Backbone.js, Underscore.js, and Moment.js. ### _ = require 'underscore' Backbone = require 'backbone' inflection = require 'inflection' One = require './relations/one' Many = require './relations/many' DatabaseURL = require './database_url' Utils = require './utils' RELATION_VARIANTS = 'hasOne': 'hasOne' 'has_one': 'hasOne' 'HasOne': 'hasOne' 'belongsTo': 'belongsTo' 'belongs_to': 'belongsTo' 'BelongsTo': 'belongsTo' 'hasMany': 'hasMany' 'has_many': 'hasMany' 'HasMany': 'hasMany' # @private module.exports = class Schema constructor: (@model_type) -> @raw = _.clone(_.result(new @model_type(), 'schema') or {}) @fields ={}; @relations ={}; @virtual_accessors = {} initialize: -> return if @is_initialized; @is_initialized = true # initalize in two steps to break circular dependencies @_parseField(key, info) for key, info of @raw relation.initialize() for key, relation of @relations return relation: (key) -> return @relations[key] or @virtual_accessors[key] reverseRelation: (reverse_key) -> return relation.reverse_relation for key, relation of @relations when relation.reverse_relation and (relation.reverse_relation.join_key is reverse_key) return null # All relations, including join tables allRelations: -> related_model_types = [] for key, relation of @relations related_model_types.push(relation.reverse_model_type) related_model_types.push(relation.join_table) if relation.join_table return related_model_types generateBelongsTo: (reverse_model_type) -> key = inflection.underscore(reverse_model_type.model_name) return relation if relation = @relations[key] # already exists if @raw[key] # not intitialized yet, intialize now relation = @_parseField(key, @raw[key]) relation.initialize() return relation # generate new relation = @_parseField(key, @raw[key] = ['belongsTo', reverse_model_type, manual_fetch: true]) relation.initialize() return relation @joinTableURL: (relation) -> model_name1 = inflection.pluralize(inflection.underscore(relation.model_type.model_name)) model_name2 = inflection.pluralize(inflection.underscore(relation.reverse_relation.model_type.model_name)) return if model_name1.localeCompare(model_name2) < 0 then "#{model_name1}_#{model_name2}" else "#{model_name2}_#{model_name1}" generateJoinTable: (relation) -> schema = {} schema[relation.join_key] = ['Integer', indexed: true] schema[relation.reverse_relation.join_key] = ['Integer', indexed: true] url = Schema.joinTableURL(relation) name = inflection.pluralize(inflection.classify(url)) try # @private class JoinTable extends Backbone.Model model_name: name urlRoot: "#{(new DatabaseURL(_.result(new relation.model_type, 'url'))).format({exclude_table: true})}/#{url}" schema: schema sync: relation.model_type.createSync(JoinTable) catch # @private class JoinTable extends Backbone.Model model_name: name urlRoot: "/#{url}" schema: schema sync: relation.model_type.createSync(JoinTable) return JoinTable allColumns: -> columns = _.keys(@fields) columns.push(relation.foreign_key) for key, relation of @relations when relation.type is 'belongsTo' return columns ################################# # Internal ################################# _parseField: (key, info) -> options = @_fieldInfoToOptions(if _.isFunction(info) then info() else info) return @fields[key] = options unless options.type # unrecognized unless type = RELATION_VARIANTS[options.type] throw new Error "Unexpected type name is not a string: #{Utils.inspect(options)}" unless _.isString(options.type) return @fields[key] = options options.type = type relation = @relations[key] = if type is 'hasMany' then new Many(@model_type, key, options) else new One(@model_type, key, options) @virtual_accessors[relation.virtual_id_accessor] = relation if relation.virtual_id_accessor @virtual_accessors[relation.foreign_key] = relation if type is 'belongsTo' return relation _fieldInfoToOptions: (options) -> # convert to an object return {type: options} if _.isString(options) return options unless _.isArray(options) # type result = {} if _.isString(options[0]) result.type = options[0] options = options.slice(1) return result if options.length is 0 # reverse relation if _.isFunction(options[0]) result.reverse_model_type = options[0] options = options.slice(1) # too many options throw new Error "Unexpected field options array: #{Utils.inspect(options)}" if options.length > 1 # options object _.extend(result, options[0]) if options.length is 1 return result
[ { "context": "'-p': 'server_port'\n '-s': 'server'\n '-k': 'password',\n '-c': 'config_file',\n '-m': 'method'\n\n ", "end": 147, "score": 0.7157817482948303, "start": 139, "tag": "PASSWORD", "value": "password" }, { "context": "checkConfig = (config) ->\n if config.server in ['127.0.0.1', 'localhost']\n exports.warn \"Server is set to", "end": 584, "score": 0.9985858201980591, "start": 575, "tag": "IP_ADDRESS", "value": "127.0.0.1" } ]
src/utils.coffee
SkyZH/VPN---Proxy
40
util = require 'util' exports.parseArgs = -> defination = '-l': 'local_port' '-p': 'server_port' '-s': 'server' '-k': 'password', '-c': 'config_file', '-m': 'method' result = {} nextIsValue = false lastKey = null for _, oneArg of process.argv if nextIsValue result[lastKey] = oneArg nextIsValue = false else if oneArg of defination lastKey = defination[oneArg] nextIsValue = true else if '-v' == oneArg result['verbose'] = true result exports.checkConfig = (config) -> if config.server in ['127.0.0.1', 'localhost'] exports.warn "Server is set to #{config.server}, maybe it's not correct" exports.warn "Notice server will listen at #{config.server}:#{config.server_port}" if (config.method or '').toLowerCase() == 'rc4' exports.warn 'RC4 is not safe; please use a safer cipher, like AES-256-CFB' exports.version = "socks5 proxy 1.0" exports.EVERYTHING = 0 exports.DEBUG = 1 exports.INFO = 2 exports.WARN = 3 exports.ERROR = 4 _logging_level = exports.INFO exports.config = (level) -> _logging_level = level exports.log = (level, msg)-> if level >= _logging_level util.log msg exports.debug = (msg)-> exports.log exports.DEBUG, msg exports.info = (msg)-> exports.log exports.INFO, msg exports.warn = (msg)-> exports.log exports.WARN, msg exports.error = (msg)-> exports.log exports.ERROR, msg setInterval(-> if global.gc exports.debug 'GC' gc() , 30000)
111008
util = require 'util' exports.parseArgs = -> defination = '-l': 'local_port' '-p': 'server_port' '-s': 'server' '-k': '<PASSWORD>', '-c': 'config_file', '-m': 'method' result = {} nextIsValue = false lastKey = null for _, oneArg of process.argv if nextIsValue result[lastKey] = oneArg nextIsValue = false else if oneArg of defination lastKey = defination[oneArg] nextIsValue = true else if '-v' == oneArg result['verbose'] = true result exports.checkConfig = (config) -> if config.server in ['127.0.0.1', 'localhost'] exports.warn "Server is set to #{config.server}, maybe it's not correct" exports.warn "Notice server will listen at #{config.server}:#{config.server_port}" if (config.method or '').toLowerCase() == 'rc4' exports.warn 'RC4 is not safe; please use a safer cipher, like AES-256-CFB' exports.version = "socks5 proxy 1.0" exports.EVERYTHING = 0 exports.DEBUG = 1 exports.INFO = 2 exports.WARN = 3 exports.ERROR = 4 _logging_level = exports.INFO exports.config = (level) -> _logging_level = level exports.log = (level, msg)-> if level >= _logging_level util.log msg exports.debug = (msg)-> exports.log exports.DEBUG, msg exports.info = (msg)-> exports.log exports.INFO, msg exports.warn = (msg)-> exports.log exports.WARN, msg exports.error = (msg)-> exports.log exports.ERROR, msg setInterval(-> if global.gc exports.debug 'GC' gc() , 30000)
true
util = require 'util' exports.parseArgs = -> defination = '-l': 'local_port' '-p': 'server_port' '-s': 'server' '-k': 'PI:PASSWORD:<PASSWORD>END_PI', '-c': 'config_file', '-m': 'method' result = {} nextIsValue = false lastKey = null for _, oneArg of process.argv if nextIsValue result[lastKey] = oneArg nextIsValue = false else if oneArg of defination lastKey = defination[oneArg] nextIsValue = true else if '-v' == oneArg result['verbose'] = true result exports.checkConfig = (config) -> if config.server in ['127.0.0.1', 'localhost'] exports.warn "Server is set to #{config.server}, maybe it's not correct" exports.warn "Notice server will listen at #{config.server}:#{config.server_port}" if (config.method or '').toLowerCase() == 'rc4' exports.warn 'RC4 is not safe; please use a safer cipher, like AES-256-CFB' exports.version = "socks5 proxy 1.0" exports.EVERYTHING = 0 exports.DEBUG = 1 exports.INFO = 2 exports.WARN = 3 exports.ERROR = 4 _logging_level = exports.INFO exports.config = (level) -> _logging_level = level exports.log = (level, msg)-> if level >= _logging_level util.log msg exports.debug = (msg)-> exports.log exports.DEBUG, msg exports.info = (msg)-> exports.log exports.INFO, msg exports.warn = (msg)-> exports.log exports.WARN, msg exports.error = (msg)-> exports.log exports.ERROR, msg setInterval(-> if global.gc exports.debug 'GC' gc() , 30000)
[ { "context": " lastName = object.last_name or ''\n if firstName and lastName\n @defaultConverter \"#{first", "end": 6807, "score": 0.9122097492218018, "start": 6798, "tag": "NAME", "value": "firstName" }, { "context": " = object.last_name or ''\n if firstName and lastName\n @defaultConverter \"#{firstName} #{lastN", "end": 6820, "score": 0.9227040410041809, "start": 6812, "tag": "NAME", "value": "lastName" } ]
app/scripts/views/exporter-collection-csv.coffee
OpenSourceFieldlinguistics/dative
7
define [ './exporter' './../models/source' ], (ExporterView, SourceModel) -> # Exporter that exports a collection of forms as CSV # # I have strived to adhere to the RFC #4180 spec. See # https://tools.ietf.org/html/rfc4180. class ExporterCollectionCSVView extends ExporterView title: -> 'CSV' description: -> if @collection if @collection.corpus "CSV (comma-separated values) export of the forms in #{@collection.corpus.name}." else if @collection.search if @collection.search.name "CSV (comma-separated values) export of the #{@collection.resourceNamePlural} in search #{@collection.search.name}." else "CSV (comma-separated values) export of the #{@collection.resourceNamePlural} that match the search currently being browsed." else "CSV (comma-separated values) export of all #{@collection.resourceNamePlural} in the database." else 'CSV (comma-separated values) export of a collection of resources' # CSV is only for collections (doesn't really make sense to export a single # resource as CSV ...) exportTypes: -> ['collection'] # Right now CSV only works for form resources. Note that there are # resource-specific decisions to make for CSV: order of columns, how to # stringify/serialize values that are objects/arrays, etc. exportResources: -> ['form'] export: -> @$(@contentContainerSelector()).slideDown() $contentContainer = @$ @contentSelector() if @collection if @collection.corpus msg = "fetching a corpus of #{@collection.resourceNamePlural} ..." else if @collection.search msg = "fetching a search over #{@collection.resourceNamePlural} ..." else msg = "fetching all #{@collection.resourceNamePlural} ..." @fetchResourceCollection true # `true` means *do* JSON-parse the return value content = "<i class='fa fa-fw fa-circle-o-notch fa-spin'></i>#{msg}" else content = 'Sorry, unable to generate an export.' $contentContainer.html content # We have retrieved a string of JSON and have parsed it to a JavaScript # array. We convert that array to a string of CSV and create an anchor/link # to it that causes the browser to download the file. # See http://terminaln00b.ghost.io/excel-just-save-it-as-a-csv-noooooooo/ fetchResourceCollectionSuccess: (collectionArray) -> super if collectionArray.length is 0 msg = "Sorry, there are no #{@collection.resourceNamePlural} to export" @$('.exporter-export-content').html msg return csvString = @getCollectionAsCSVString collectionArray mimeType = 'text/csv; header=present; charset=utf-8;' blob = new Blob [csvString], {type: mimeType} url = URL.createObjectURL blob if @collection.corpus name = "corpus-of-#{@collection.resourceNamePlural}-\ #{(new Date()).toISOString()}.csv" else if @collection.search name = "search-over-#{@collection.resourceNamePlural}-\ #{(new Date()).toISOString()}.csv" else name = "#{@collection.resourceNamePlural}-\ #{(new Date()).toISOString()}.csv" anchor = "<a href='#{url}' class='export-link dative-tooltip' type='#{mimeType}' title='Click to download your export file' download='#{name}' target='_blank' ><i class='fa fa-fw fa-file-o'></i>#{name}</a>" @$('.exporter-export-content').html anchor @$('.export-link.dative-tooltip').tooltip() getCollectionAsCSVString: (collectionArray) -> @errors = false tmp = [@getCSVHeaderString(collectionArray[0])] for modelObject in collectionArray tmp.push @getModelAsCSVString(modelObject) if @errors then Backbone.trigger 'csvExportError' tmp.join('\r\n') getModelAsCSVString: (modelObject) -> tmp = [] for attr in @configCSV.form.orderedAttributes val = modelObject[attr] if attr of @configCSV.form.converters converter = (x) => @[@configCSV.form.converters[attr]](x) val = converter val else val = @defaultConverter val tmp.push val tmp.join ',' getCSVHeaderString: (modelObject) -> (@utils.snake2regular(x) \ for x in @configCSV.form.orderedAttributes).join ',' # For each resource that this exporter exports, there is an array that # defines, in sort order, the attributes whose values will be in the export # (`orderedAttributes`), as well as an object (`converters`) that specifies # particular converter methods to transform non-string/number values into # strings. configCSV: form: orderedAttributes: [ 'grammaticality' 'transcription' 'morpheme_break' 'morpheme_gloss' 'translations' 'phonetic_transcription' 'narrow_phonetic_transcription' 'comments' 'speaker_comments' 'syntax' 'semantics' 'status' 'elicitation_method' 'syntactic_category' 'syntactic_category_string' 'break_gloss_category' 'speaker' 'elicitor' 'enterer' 'modifier' 'verifier' 'source' 'tags' 'files' 'collections' 'date_elicited' 'datetime_entered' 'datetime_modified' 'UUID' 'id' ] converters: translations: 'translationsToString' syntactic_category: 'objectWithNameToString' elicitation_method: 'objectWithNameToString' speaker: 'personToString' elicitor: 'personToString' enterer: 'personToString' modifier: 'personToString' verifier: 'personToString' source: 'sourceToString' tags: 'arrayOfObjectsWithNamesToString' files: 'arrayOfFilesToString' collections: 'arrayOfObjectsWithTitlesToString' ############################################################################ # Converters ############################################################################ sourceToString: (object) -> if not object then return '' try (new SourceModel(object)).getAuthorEditorYearDefaults() catch console.log "Error when stringify-ing a source for CSV export" '' personToString: (object) -> if not object then return '' try firstName = object.first_name or '' lastName = object.last_name or '' if firstName and lastName @defaultConverter "#{firstName} #{lastName}" else '' catch console.log "Error when stringify-ing a person for CSV export" '' objectWithNameToString: (object) -> if not object then return '' try if object.name then @defaultConverter(object.name) else '' catch console.log "Error when stringify-ing an object with a name for CSV export" '' # An array of objects that all have a unique defining attribute, e.g., # name. Return a string that is all of those defining attribute values, # delimited by commas. arrayOfObjectsWithSingleDefiningAttrToString: (array, attr='name') -> if not array then return '' tmp = [] for o in array try if o[attr] then tmp.push o[attr] if tmp.length > 0 @defaultConverter tmp.join(', ') else '' arrayOfObjectsWithTitlesToString: (array) -> @arrayOfObjectsWithSingleDefiningAttrToString array, 'title' # Here we represent an array of tags by delimiting the tag names with # commas. This may be problematic/confusing since tag names may contain # commas ... arrayOfObjectsWithNamesToString: (array) -> @arrayOfObjectsWithSingleDefiningAttrToString array arrayOfFilesToString: (array) -> if not array then return '' tmp = [] for f in array try if f.name tmp.push f.name else if f.filename tmp.push f.filename else if f.id tmp.push "file #{f.id}" if tmp.length > 0 @defaultConverter tmp.join(', ') else '' translationsToString: (translations) -> if not translations then return '' tmp = [] for tl in translations if tl.grammaticality grammaticality = "#{tl.grammaticality} " else grammaticality = '' tmp.push "#{grammaticality}#{tl.transcription}" @defaultConverter tmp.join('; ') defaultConverter: (value) -> try @_defaultConverter value catch @errors = true 'ERROR' _defaultConverter: (value) -> if value in [null, undefined] '' else # If a value contains CSV reserved characters (CRLF, double quote or # comma), then the entire field should be enclosed in double quotes. if /\r\n|"|,/.test value prefix = suffix = '"' else prefix = suffix = '' # Double quotes inside a value need to be escaped with another double # quote. "#{prefix}#{String(value).replace(/"/g, '""')}#{suffix}" # NOTE: don't use this! Without this the output seems to already be # correctly UTF-8-encoded! ... # Encode string as UTF-8. NOTE: not sure if this is necessary, but I think # it is because I think JS strings are UTF-16 encoded by default ... # See: # - http://ecmanaut.blogspot.ca/2006/07/encoding-decoding-utf8-in-javascript.html # - http://monsur.hossa.in/2012/07/20/utf-8-in-javascript.html encodeUTF8: (s) -> unescape encodeURIComponent(s)
159090
define [ './exporter' './../models/source' ], (ExporterView, SourceModel) -> # Exporter that exports a collection of forms as CSV # # I have strived to adhere to the RFC #4180 spec. See # https://tools.ietf.org/html/rfc4180. class ExporterCollectionCSVView extends ExporterView title: -> 'CSV' description: -> if @collection if @collection.corpus "CSV (comma-separated values) export of the forms in #{@collection.corpus.name}." else if @collection.search if @collection.search.name "CSV (comma-separated values) export of the #{@collection.resourceNamePlural} in search #{@collection.search.name}." else "CSV (comma-separated values) export of the #{@collection.resourceNamePlural} that match the search currently being browsed." else "CSV (comma-separated values) export of all #{@collection.resourceNamePlural} in the database." else 'CSV (comma-separated values) export of a collection of resources' # CSV is only for collections (doesn't really make sense to export a single # resource as CSV ...) exportTypes: -> ['collection'] # Right now CSV only works for form resources. Note that there are # resource-specific decisions to make for CSV: order of columns, how to # stringify/serialize values that are objects/arrays, etc. exportResources: -> ['form'] export: -> @$(@contentContainerSelector()).slideDown() $contentContainer = @$ @contentSelector() if @collection if @collection.corpus msg = "fetching a corpus of #{@collection.resourceNamePlural} ..." else if @collection.search msg = "fetching a search over #{@collection.resourceNamePlural} ..." else msg = "fetching all #{@collection.resourceNamePlural} ..." @fetchResourceCollection true # `true` means *do* JSON-parse the return value content = "<i class='fa fa-fw fa-circle-o-notch fa-spin'></i>#{msg}" else content = 'Sorry, unable to generate an export.' $contentContainer.html content # We have retrieved a string of JSON and have parsed it to a JavaScript # array. We convert that array to a string of CSV and create an anchor/link # to it that causes the browser to download the file. # See http://terminaln00b.ghost.io/excel-just-save-it-as-a-csv-noooooooo/ fetchResourceCollectionSuccess: (collectionArray) -> super if collectionArray.length is 0 msg = "Sorry, there are no #{@collection.resourceNamePlural} to export" @$('.exporter-export-content').html msg return csvString = @getCollectionAsCSVString collectionArray mimeType = 'text/csv; header=present; charset=utf-8;' blob = new Blob [csvString], {type: mimeType} url = URL.createObjectURL blob if @collection.corpus name = "corpus-of-#{@collection.resourceNamePlural}-\ #{(new Date()).toISOString()}.csv" else if @collection.search name = "search-over-#{@collection.resourceNamePlural}-\ #{(new Date()).toISOString()}.csv" else name = "#{@collection.resourceNamePlural}-\ #{(new Date()).toISOString()}.csv" anchor = "<a href='#{url}' class='export-link dative-tooltip' type='#{mimeType}' title='Click to download your export file' download='#{name}' target='_blank' ><i class='fa fa-fw fa-file-o'></i>#{name}</a>" @$('.exporter-export-content').html anchor @$('.export-link.dative-tooltip').tooltip() getCollectionAsCSVString: (collectionArray) -> @errors = false tmp = [@getCSVHeaderString(collectionArray[0])] for modelObject in collectionArray tmp.push @getModelAsCSVString(modelObject) if @errors then Backbone.trigger 'csvExportError' tmp.join('\r\n') getModelAsCSVString: (modelObject) -> tmp = [] for attr in @configCSV.form.orderedAttributes val = modelObject[attr] if attr of @configCSV.form.converters converter = (x) => @[@configCSV.form.converters[attr]](x) val = converter val else val = @defaultConverter val tmp.push val tmp.join ',' getCSVHeaderString: (modelObject) -> (@utils.snake2regular(x) \ for x in @configCSV.form.orderedAttributes).join ',' # For each resource that this exporter exports, there is an array that # defines, in sort order, the attributes whose values will be in the export # (`orderedAttributes`), as well as an object (`converters`) that specifies # particular converter methods to transform non-string/number values into # strings. configCSV: form: orderedAttributes: [ 'grammaticality' 'transcription' 'morpheme_break' 'morpheme_gloss' 'translations' 'phonetic_transcription' 'narrow_phonetic_transcription' 'comments' 'speaker_comments' 'syntax' 'semantics' 'status' 'elicitation_method' 'syntactic_category' 'syntactic_category_string' 'break_gloss_category' 'speaker' 'elicitor' 'enterer' 'modifier' 'verifier' 'source' 'tags' 'files' 'collections' 'date_elicited' 'datetime_entered' 'datetime_modified' 'UUID' 'id' ] converters: translations: 'translationsToString' syntactic_category: 'objectWithNameToString' elicitation_method: 'objectWithNameToString' speaker: 'personToString' elicitor: 'personToString' enterer: 'personToString' modifier: 'personToString' verifier: 'personToString' source: 'sourceToString' tags: 'arrayOfObjectsWithNamesToString' files: 'arrayOfFilesToString' collections: 'arrayOfObjectsWithTitlesToString' ############################################################################ # Converters ############################################################################ sourceToString: (object) -> if not object then return '' try (new SourceModel(object)).getAuthorEditorYearDefaults() catch console.log "Error when stringify-ing a source for CSV export" '' personToString: (object) -> if not object then return '' try firstName = object.first_name or '' lastName = object.last_name or '' if <NAME> and <NAME> @defaultConverter "#{firstName} #{lastName}" else '' catch console.log "Error when stringify-ing a person for CSV export" '' objectWithNameToString: (object) -> if not object then return '' try if object.name then @defaultConverter(object.name) else '' catch console.log "Error when stringify-ing an object with a name for CSV export" '' # An array of objects that all have a unique defining attribute, e.g., # name. Return a string that is all of those defining attribute values, # delimited by commas. arrayOfObjectsWithSingleDefiningAttrToString: (array, attr='name') -> if not array then return '' tmp = [] for o in array try if o[attr] then tmp.push o[attr] if tmp.length > 0 @defaultConverter tmp.join(', ') else '' arrayOfObjectsWithTitlesToString: (array) -> @arrayOfObjectsWithSingleDefiningAttrToString array, 'title' # Here we represent an array of tags by delimiting the tag names with # commas. This may be problematic/confusing since tag names may contain # commas ... arrayOfObjectsWithNamesToString: (array) -> @arrayOfObjectsWithSingleDefiningAttrToString array arrayOfFilesToString: (array) -> if not array then return '' tmp = [] for f in array try if f.name tmp.push f.name else if f.filename tmp.push f.filename else if f.id tmp.push "file #{f.id}" if tmp.length > 0 @defaultConverter tmp.join(', ') else '' translationsToString: (translations) -> if not translations then return '' tmp = [] for tl in translations if tl.grammaticality grammaticality = "#{tl.grammaticality} " else grammaticality = '' tmp.push "#{grammaticality}#{tl.transcription}" @defaultConverter tmp.join('; ') defaultConverter: (value) -> try @_defaultConverter value catch @errors = true 'ERROR' _defaultConverter: (value) -> if value in [null, undefined] '' else # If a value contains CSV reserved characters (CRLF, double quote or # comma), then the entire field should be enclosed in double quotes. if /\r\n|"|,/.test value prefix = suffix = '"' else prefix = suffix = '' # Double quotes inside a value need to be escaped with another double # quote. "#{prefix}#{String(value).replace(/"/g, '""')}#{suffix}" # NOTE: don't use this! Without this the output seems to already be # correctly UTF-8-encoded! ... # Encode string as UTF-8. NOTE: not sure if this is necessary, but I think # it is because I think JS strings are UTF-16 encoded by default ... # See: # - http://ecmanaut.blogspot.ca/2006/07/encoding-decoding-utf8-in-javascript.html # - http://monsur.hossa.in/2012/07/20/utf-8-in-javascript.html encodeUTF8: (s) -> unescape encodeURIComponent(s)
true
define [ './exporter' './../models/source' ], (ExporterView, SourceModel) -> # Exporter that exports a collection of forms as CSV # # I have strived to adhere to the RFC #4180 spec. See # https://tools.ietf.org/html/rfc4180. class ExporterCollectionCSVView extends ExporterView title: -> 'CSV' description: -> if @collection if @collection.corpus "CSV (comma-separated values) export of the forms in #{@collection.corpus.name}." else if @collection.search if @collection.search.name "CSV (comma-separated values) export of the #{@collection.resourceNamePlural} in search #{@collection.search.name}." else "CSV (comma-separated values) export of the #{@collection.resourceNamePlural} that match the search currently being browsed." else "CSV (comma-separated values) export of all #{@collection.resourceNamePlural} in the database." else 'CSV (comma-separated values) export of a collection of resources' # CSV is only for collections (doesn't really make sense to export a single # resource as CSV ...) exportTypes: -> ['collection'] # Right now CSV only works for form resources. Note that there are # resource-specific decisions to make for CSV: order of columns, how to # stringify/serialize values that are objects/arrays, etc. exportResources: -> ['form'] export: -> @$(@contentContainerSelector()).slideDown() $contentContainer = @$ @contentSelector() if @collection if @collection.corpus msg = "fetching a corpus of #{@collection.resourceNamePlural} ..." else if @collection.search msg = "fetching a search over #{@collection.resourceNamePlural} ..." else msg = "fetching all #{@collection.resourceNamePlural} ..." @fetchResourceCollection true # `true` means *do* JSON-parse the return value content = "<i class='fa fa-fw fa-circle-o-notch fa-spin'></i>#{msg}" else content = 'Sorry, unable to generate an export.' $contentContainer.html content # We have retrieved a string of JSON and have parsed it to a JavaScript # array. We convert that array to a string of CSV and create an anchor/link # to it that causes the browser to download the file. # See http://terminaln00b.ghost.io/excel-just-save-it-as-a-csv-noooooooo/ fetchResourceCollectionSuccess: (collectionArray) -> super if collectionArray.length is 0 msg = "Sorry, there are no #{@collection.resourceNamePlural} to export" @$('.exporter-export-content').html msg return csvString = @getCollectionAsCSVString collectionArray mimeType = 'text/csv; header=present; charset=utf-8;' blob = new Blob [csvString], {type: mimeType} url = URL.createObjectURL blob if @collection.corpus name = "corpus-of-#{@collection.resourceNamePlural}-\ #{(new Date()).toISOString()}.csv" else if @collection.search name = "search-over-#{@collection.resourceNamePlural}-\ #{(new Date()).toISOString()}.csv" else name = "#{@collection.resourceNamePlural}-\ #{(new Date()).toISOString()}.csv" anchor = "<a href='#{url}' class='export-link dative-tooltip' type='#{mimeType}' title='Click to download your export file' download='#{name}' target='_blank' ><i class='fa fa-fw fa-file-o'></i>#{name}</a>" @$('.exporter-export-content').html anchor @$('.export-link.dative-tooltip').tooltip() getCollectionAsCSVString: (collectionArray) -> @errors = false tmp = [@getCSVHeaderString(collectionArray[0])] for modelObject in collectionArray tmp.push @getModelAsCSVString(modelObject) if @errors then Backbone.trigger 'csvExportError' tmp.join('\r\n') getModelAsCSVString: (modelObject) -> tmp = [] for attr in @configCSV.form.orderedAttributes val = modelObject[attr] if attr of @configCSV.form.converters converter = (x) => @[@configCSV.form.converters[attr]](x) val = converter val else val = @defaultConverter val tmp.push val tmp.join ',' getCSVHeaderString: (modelObject) -> (@utils.snake2regular(x) \ for x in @configCSV.form.orderedAttributes).join ',' # For each resource that this exporter exports, there is an array that # defines, in sort order, the attributes whose values will be in the export # (`orderedAttributes`), as well as an object (`converters`) that specifies # particular converter methods to transform non-string/number values into # strings. configCSV: form: orderedAttributes: [ 'grammaticality' 'transcription' 'morpheme_break' 'morpheme_gloss' 'translations' 'phonetic_transcription' 'narrow_phonetic_transcription' 'comments' 'speaker_comments' 'syntax' 'semantics' 'status' 'elicitation_method' 'syntactic_category' 'syntactic_category_string' 'break_gloss_category' 'speaker' 'elicitor' 'enterer' 'modifier' 'verifier' 'source' 'tags' 'files' 'collections' 'date_elicited' 'datetime_entered' 'datetime_modified' 'UUID' 'id' ] converters: translations: 'translationsToString' syntactic_category: 'objectWithNameToString' elicitation_method: 'objectWithNameToString' speaker: 'personToString' elicitor: 'personToString' enterer: 'personToString' modifier: 'personToString' verifier: 'personToString' source: 'sourceToString' tags: 'arrayOfObjectsWithNamesToString' files: 'arrayOfFilesToString' collections: 'arrayOfObjectsWithTitlesToString' ############################################################################ # Converters ############################################################################ sourceToString: (object) -> if not object then return '' try (new SourceModel(object)).getAuthorEditorYearDefaults() catch console.log "Error when stringify-ing a source for CSV export" '' personToString: (object) -> if not object then return '' try firstName = object.first_name or '' lastName = object.last_name or '' if PI:NAME:<NAME>END_PI and PI:NAME:<NAME>END_PI @defaultConverter "#{firstName} #{lastName}" else '' catch console.log "Error when stringify-ing a person for CSV export" '' objectWithNameToString: (object) -> if not object then return '' try if object.name then @defaultConverter(object.name) else '' catch console.log "Error when stringify-ing an object with a name for CSV export" '' # An array of objects that all have a unique defining attribute, e.g., # name. Return a string that is all of those defining attribute values, # delimited by commas. arrayOfObjectsWithSingleDefiningAttrToString: (array, attr='name') -> if not array then return '' tmp = [] for o in array try if o[attr] then tmp.push o[attr] if tmp.length > 0 @defaultConverter tmp.join(', ') else '' arrayOfObjectsWithTitlesToString: (array) -> @arrayOfObjectsWithSingleDefiningAttrToString array, 'title' # Here we represent an array of tags by delimiting the tag names with # commas. This may be problematic/confusing since tag names may contain # commas ... arrayOfObjectsWithNamesToString: (array) -> @arrayOfObjectsWithSingleDefiningAttrToString array arrayOfFilesToString: (array) -> if not array then return '' tmp = [] for f in array try if f.name tmp.push f.name else if f.filename tmp.push f.filename else if f.id tmp.push "file #{f.id}" if tmp.length > 0 @defaultConverter tmp.join(', ') else '' translationsToString: (translations) -> if not translations then return '' tmp = [] for tl in translations if tl.grammaticality grammaticality = "#{tl.grammaticality} " else grammaticality = '' tmp.push "#{grammaticality}#{tl.transcription}" @defaultConverter tmp.join('; ') defaultConverter: (value) -> try @_defaultConverter value catch @errors = true 'ERROR' _defaultConverter: (value) -> if value in [null, undefined] '' else # If a value contains CSV reserved characters (CRLF, double quote or # comma), then the entire field should be enclosed in double quotes. if /\r\n|"|,/.test value prefix = suffix = '"' else prefix = suffix = '' # Double quotes inside a value need to be escaped with another double # quote. "#{prefix}#{String(value).replace(/"/g, '""')}#{suffix}" # NOTE: don't use this! Without this the output seems to already be # correctly UTF-8-encoded! ... # Encode string as UTF-8. NOTE: not sure if this is necessary, but I think # it is because I think JS strings are UTF-16 encoded by default ... # See: # - http://ecmanaut.blogspot.ca/2006/07/encoding-decoding-utf8-in-javascript.html # - http://monsur.hossa.in/2012/07/20/utf-8-in-javascript.html encodeUTF8: (s) -> unescape encodeURIComponent(s)
[ { "context": "# Copyright Joyent, Inc. and other Node contributors.\n#\n# Permission", "end": 18, "score": 0.9992966055870056, "start": 12, "tag": "NAME", "value": "Joyent" } ]
test/simple/test-zlib-zero-byte.coffee
lxe/io.coffee
0
# Copyright Joyent, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. common = require("../common") assert = require("assert") zlib = require("zlib") gz = zlib.Gzip() emptyBuffer = new Buffer(0) received = 0 gz.on "data", (c) -> received += c.length return ended = false gz.on "end", -> ended = true return finished = false gz.on "finish", -> finished = true return gz.write emptyBuffer gz.end() process.on "exit", -> assert.equal received, 20 assert ended assert finished console.log "ok" return
15752
# Copyright <NAME>, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. common = require("../common") assert = require("assert") zlib = require("zlib") gz = zlib.Gzip() emptyBuffer = new Buffer(0) received = 0 gz.on "data", (c) -> received += c.length return ended = false gz.on "end", -> ended = true return finished = false gz.on "finish", -> finished = true return gz.write emptyBuffer gz.end() process.on "exit", -> assert.equal received, 20 assert ended assert finished console.log "ok" return
true
# Copyright PI:NAME:<NAME>END_PI, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. common = require("../common") assert = require("assert") zlib = require("zlib") gz = zlib.Gzip() emptyBuffer = new Buffer(0) received = 0 gz.on "data", (c) -> received += c.length return ended = false gz.on "end", -> ended = true return finished = false gz.on "finish", -> finished = true return gz.write emptyBuffer gz.end() process.on "exit", -> assert.equal received, 20 assert ended assert finished console.log "ok" return
[ { "context": "le is part of the Mooch package.\n\nCopyright © 2014 Erin Millard\n\nFor the full copyright and license information, ", "end": 74, "score": 0.9997769594192505, "start": 62, "tag": "NAME", "value": "Erin Millard" }, { "context": "uite 'Server', =>\n\n setup =>\n @consumerKey = 'xvz1evFS4wEEPTGEFPHBog'\n @consumerSecret = 'L8qq9PZyRg6ieKGEKhZolGC0v", "end": 558, "score": 0.7051154375076294, "start": 536, "tag": "KEY", "value": "xvz1evFS4wEEPTGEFPHBog" }, { "context": "= 'xvz1evFS4wEEPTGEFPHBog'\n @consumerSecret = 'L8qq9PZyRg6ieKGEKhZolGC0vJWLw8iEJ88DRdyOg'\n @options =\n consumerKey: @consumerKey\n ", "end": 624, "score": 0.9997510313987732, "start": 583, "tag": "KEY", "value": "L8qq9PZyRg6ieKGEKhZolGC0vJWLw8iEJ88DRdyOg" }, { "context": "'\n headers:\n authorization: 'Basic eHZ6MWV2RlM0d0VFUFRHRUZQSEJvZzpMOHFxOVBaeVJnNmllS0dFS2hab2xHQzB2SldMdzhpRUo4OERSZHlPZw=='\n form:\n grant_type: 'client_crede", "end": 1430, "score": 0.955193042755127, "start": 1341, "tag": "KEY", "value": "eHZ6MWV2RlM0d0VFUFRHRUZQSEJvZzpMOHFxOVBaeVJnNmllS0dFS2hab2xHQzB2SldMdzhpRUo4OERSZHlPZw=='" }, { "context": "aults', =>\n @options =\n consumerKey: 'xvz1evFS4wEEPTGEFPHBog'\n consumerSecret: 'L8qq9PZyRg6ieKGEKhZolGC", "end": 1835, "score": 0.9992923140525818, "start": 1813, "tag": "KEY", "value": "xvz1evFS4wEEPTGEFPHBog" }, { "context": "'xvz1evFS4wEEPTGEFPHBog'\n consumerSecret: 'L8qq9PZyRg6ieKGEKhZolGC0vJWLw8iEJ88DRdyOg'\n @server = new Server @options\n\n asser", "end": 1903, "score": 0.999765932559967, "start": 1862, "tag": "KEY", "value": "L8qq9PZyRg6ieKGEKhZolGC0vJWLw8iEJ88DRdyOg" }, { "context": "', =>\n expect(=> new Server consumerSecret: 'L8qq9PZyRg6ieKGEKhZolGC0vJWLw8iEJ88DRdyOg').to.throw 'Consumer key is required.'\n\n test ", "end": 2289, "score": 0.9997610449790955, "start": 2248, "tag": "KEY", "value": "L8qq9PZyRg6ieKGEKhZolGC0vJWLw8iEJ88DRdyOg" }, { "context": "ret', =>\n expect(=> new Server consumerKey: 'xvz1evFS4wEEPTGEFPHBog').to.throw 'Consumer secret is required.'\n\n suit", "end": 2433, "score": 0.9990615844726562, "start": 2411, "tag": "KEY", "value": "xvz1evFS4wEEPTGEFPHBog" }, { "context": "tusCode: 200\n responseBody = '{\"token_type\":\"bearer\",\"access_token\":\"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA", "end": 2649, "score": 0.941106915473938, "start": 2643, "tag": "KEY", "value": "bearer" }, { "context": "nseBody = '{\"token_type\":\"bearer\",\"access_token\":\"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA\"}'\n @request.callsArgOnWith 1, @server, null", "end": 2773, "score": 0.9346272945404053, "start": 2667, "tag": "KEY", "value": "AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA" }, { "context": "tusCode: 200\n responseBody = '{\"token_type\":\"bearer\",\"access_token\":\"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA", "end": 3773, "score": 0.9059027433395386, "start": 3767, "tag": "KEY", "value": "bearer" }, { "context": "nseBody = '{\"token_type\":\"bearer\",\"access_token\":\"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAA", "end": 3829, "score": 0.9098488688468933, "start": 3791, "tag": "KEY", "value": "AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA" }, { "context": "ss_token\":\"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAA", "end": 3831, "score": 0.42743954062461853, "start": 3830, "tag": "PASSWORD", "value": "2" }, { "context": "s_token\":\"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA\"}'\n ", "end": 3852, "score": 0.7141568064689636, "start": 3831, "tag": "KEY", "value": "FAAAAAAAAAAAAAAAAAAAA" }, { "context": "AAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA\"}'\n ", "end": 3854, "score": 0.4297589063644409, "start": 3852, "tag": "PASSWORD", "value": "%3" }, { "context": "AAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA\"}'\n @request.callsArgOnWith 1, @server, null", "end": 3897, "score": 0.7788069844245911, "start": 3854, "tag": "KEY", "value": "DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA" }, { "context": "on/json'\n response.end '{\"token_type\":\"bearer\",\"access_token\":\"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA", "end": 6705, "score": 0.6873394846916199, "start": 6699, "tag": "KEY", "value": "bearer" }, { "context": "ponse.end '{\"token_type\":\"bearer\",\"access_token\":\"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA\"}'\n else\n response.writeHead ", "end": 6829, "score": 0.7024287581443787, "start": 6723, "tag": "KEY", "value": "AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA" }, { "context": "gger.log, 'request', '%s \"%s %s HTTP/%s\" %s %s', '127.0.0.1', 'POST', '/path/to/foo', '1.1', 200, 6\n a", "end": 8592, "score": 0.9996373653411865, "start": 8583, "tag": "IP_ADDRESS", "value": "127.0.0.1" }, { "context": "gger.log, 'request', '%s \"%s %s HTTP/%s\" %s %s', '127.0.0.1', 'POST', '/path/to/foo', '1.1', 200, 6\n a", "end": 9696, "score": 0.9996581673622131, "start": 9687, "tag": "IP_ADDRESS", "value": "127.0.0.1" }, { "context": "gger.log, 'request', '%s \"%s %s HTTP/%s\" 403 -', '127.0.0.1', 'GET', '/foo', '1.1'\n assert.strictEqual", "end": 10107, "score": 0.9995762705802917, "start": 10098, "tag": "IP_ADDRESS", "value": "127.0.0.1" }, { "context": "gger.log, 'request', '%s \"%s %s HTTP/%s\" 403 -', '127.0.0.1', 'GET', '/path/to/%62%61%72', '1.1'\n asse", "end": 10558, "score": 0.999577522277832, "start": 10549, "tag": "IP_ADDRESS", "value": "127.0.0.1" } ]
test/Server.test.coffee
vanwars/twitter-proxy-cors
19
### This file is part of the Mooch package. Copyright © 2014 Erin Millard For the full copyright and license information, please view the LICENSE file that was distributed with this source code. ### {assert, expect} = require 'chai' http = require 'http' portfinder = require 'portfinder' request = require 'request' sinon = require 'sinon' util = require 'util' Logger = require '../' + process.env.TEST_ROOT + '/Logger' Server = require '../' + process.env.TEST_ROOT + '/Server' suite 'Server', => setup => @consumerKey = 'xvz1evFS4wEEPTGEFPHBog' @consumerSecret = 'L8qq9PZyRg6ieKGEKhZolGC0vJWLw8iEJ88DRdyOg' @options = consumerKey: @consumerKey consumerSecret: @consumerSecret twitterUri: 'http://api.example.org' @request = sinon.stub() @httpServer = sinon.createStubInstance http.Server sinon.restore @httpServer.listen sinon.restore @httpServer.on sinon.restore @httpServer.emit sinon.stub @httpServer, 'listen', => @httpServer.emit 'listening' @http = createServer: sinon.stub().returns @httpServer @logger = sinon.createStubInstance Logger @server = new Server @options, @request, @http, @logger @obtainTokenOptions = uri: 'http://api.example.org/oauth2/token' method: 'POST' headers: authorization: 'Basic eHZ6MWV2RlM0d0VFUFRHRUZQSEJvZzpMOHFxOVBaeVJnNmllS0dFS2hab2xHQzB2SldMdzhpRUo4OERSZHlPZw==' form: grant_type: 'client_credentials' suite '#constructor()', => test 'members', => assert.strictEqual @server._options, @options assert.strictEqual @server._request, @request assert.strictEqual @server._http, @http assert.strictEqual @server._logger, @logger test 'member defaults', => @options = consumerKey: 'xvz1evFS4wEEPTGEFPHBog' consumerSecret: 'L8qq9PZyRg6ieKGEKhZolGC0vJWLw8iEJ88DRdyOg' @server = new Server @options assert.strictEqual @server._options.twitterUri, 'https://api.twitter.com' assert.strictEqual @server._request, request assert.strictEqual @server._http, http assert.instanceOf @server._logger, Logger test 'requires consumer key', => expect(=> new Server consumerSecret: 'L8qq9PZyRg6ieKGEKhZolGC0vJWLw8iEJ88DRdyOg').to.throw 'Consumer key is required.' test 'requires consumer secret', => expect(=> new Server consumerKey: 'xvz1evFS4wEEPTGEFPHBog').to.throw 'Consumer secret is required.' suite '#listen()', => test 'obtains a token before handling requests', (done) => response = statusCode: 200 responseBody = '{"token_type":"bearer","access_token":"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA"}' @request.callsArgOnWith 1, @server, null, response, responseBody @server.listen 111, (error) => assert.isNull error sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.calledOnce @http.createServer sinon.assert.calledWithExactly @http.createServer, sinon.match.func sinon.assert.calledOnce @httpServer.listen sinon.assert.calledWithExactly @httpServer.listen, 111 sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.log.withArgs('info', 'Successfully obtained bearer token.'), @http.createServer, @logger.log.withArgs('info', 'Listening on port %d.', 111) done() test 'port defaults to 8000', (done) => response = statusCode: 200 responseBody = '{"token_type":"bearer","access_token":"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA"}' @request.callsArgOnWith 1, @server, null, response, responseBody @server.listen null, (error) => assert.isNull error sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.calledOnce @http.createServer sinon.assert.calledWithExactly @http.createServer, sinon.match.func sinon.assert.calledOnce @httpServer.listen sinon.assert.calledWithExactly @httpServer.listen, 8000 sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.log.withArgs('info', 'Successfully obtained bearer token.'), @http.createServer, @logger.log.withArgs('info', 'Listening on port %d.', 8000) done() test 'returns an error when obtaining a token results in an HTTP error', (done) => response = statusCode: 500 responseBody = 'Internal server error.' @request.callsArgOnWith 1, @server, null, response, responseBody @server.listen 111, (error) => assert.strictEqual response, error sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.notCalled @http.createServer sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.error.withArgs('Unable to obtain bearer token. Unexpected HTTP error (%s).', 500) done() test 'returns an error when obtaining a token results in an error', (done) => @request.callsArgOnWith 1, @server, 'error', null, null @server.listen 111, (error) => assert.strictEqual error, 'error' sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.notCalled @http.createServer sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.error.withArgs('Unable to obtain bearer token. Unexpected error.') done() suite 'functional tests', => setup (done) => @request = sinon.spy request @http = http sinon.spy @http, 'createServer' portfinder.getPort (error, port) => return done error if error @httpPort = port @httpServer = http.createServer (request, response) => if request.url is '/oauth2/token' response.writeHead 200, 'content-type': 'application/json' response.end '{"token_type":"bearer","access_token":"AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA"}' else response.writeHead 200, 'content-type': 'text/plain' response.end 'Mooch!' @httpServer.on 'listening', => portfinder.getPort (error, port) => return done error if error @port = port @options = consumerKey: @consumerKey consumerSecret: @consumerSecret twitterUri: util.format 'http://localhost:%d', @httpPort allow: [/^\/path\/to/] deny: [/bar/] @server = new Server @options, @request, @http, @logger @server.listen @port, done @httpServer.listen port teardown => sinon.restore @http, 'createServer' test 'correctly proxies requests', (done) => options = uri: util.format 'http://localhost:%d/path/to/foo', @port method: 'POST' headers: 'x-custom-header': 'header-value' form: post_var: 'post-value' expectedOptions = uri: util.format 'http://localhost:%d/path/to/foo', @httpPort method: 'POST' headers: 'x-custom-header': 'header-value' 'content-type': 'application/x-www-form-urlencoded; charset=utf-8' 'content-length': '19' 'connection': 'keep-alive' 'authorization': 'Bearer AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA' body: 'post_var=post-value' followRedirect: false request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @request, expectedOptions sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" %s %s', '127.0.0.1', 'POST', '/path/to/foo', '1.1', 200, 6 assert.strictEqual body, 'Mooch!' done() test 'does not clobber existing authorization header', (done) => options = uri: util.format 'http://localhost:%d/path/to/foo', @port method: 'POST' headers: 'x-custom-header': 'header-value' 'authorization': 'auth-value' form: post_var: 'post-value' expectedOptions = uri: util.format 'http://localhost:%d/path/to/foo', @httpPort method: 'POST' headers: 'x-custom-header': 'header-value' 'content-type': 'application/x-www-form-urlencoded; charset=utf-8' 'content-length': '19' 'connection': 'keep-alive' 'authorization': 'auth-value' body: 'post_var=post-value' followRedirect: false request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @request, expectedOptions sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" %s %s', '127.0.0.1', 'POST', '/path/to/foo', '1.1', 200, 6 assert.strictEqual body, 'Mooch!' done() test 'only allows paths matching the allow rules', (done) => options = uri: util.format 'http://localhost:%d/foo', @port request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" 403 -', '127.0.0.1', 'GET', '/foo', '1.1' assert.strictEqual body, '{"errors":[{"message":"Forbidden.","code":64}]}' done() test 'does not allow paths matching the deny rules', (done) => options = uri: util.format 'http://localhost:%d/path/to/%62%61%72', @port request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" 403 -', '127.0.0.1', 'GET', '/path/to/%62%61%72', '1.1' assert.strictEqual body, '{"errors":[{"message":"Forbidden.","code":64}]}' done()
50911
### This file is part of the Mooch package. Copyright © 2014 <NAME> For the full copyright and license information, please view the LICENSE file that was distributed with this source code. ### {assert, expect} = require 'chai' http = require 'http' portfinder = require 'portfinder' request = require 'request' sinon = require 'sinon' util = require 'util' Logger = require '../' + process.env.TEST_ROOT + '/Logger' Server = require '../' + process.env.TEST_ROOT + '/Server' suite 'Server', => setup => @consumerKey = '<KEY>' @consumerSecret = '<KEY>' @options = consumerKey: @consumerKey consumerSecret: @consumerSecret twitterUri: 'http://api.example.org' @request = sinon.stub() @httpServer = sinon.createStubInstance http.Server sinon.restore @httpServer.listen sinon.restore @httpServer.on sinon.restore @httpServer.emit sinon.stub @httpServer, 'listen', => @httpServer.emit 'listening' @http = createServer: sinon.stub().returns @httpServer @logger = sinon.createStubInstance Logger @server = new Server @options, @request, @http, @logger @obtainTokenOptions = uri: 'http://api.example.org/oauth2/token' method: 'POST' headers: authorization: 'Basic <KEY> form: grant_type: 'client_credentials' suite '#constructor()', => test 'members', => assert.strictEqual @server._options, @options assert.strictEqual @server._request, @request assert.strictEqual @server._http, @http assert.strictEqual @server._logger, @logger test 'member defaults', => @options = consumerKey: '<KEY>' consumerSecret: '<KEY>' @server = new Server @options assert.strictEqual @server._options.twitterUri, 'https://api.twitter.com' assert.strictEqual @server._request, request assert.strictEqual @server._http, http assert.instanceOf @server._logger, Logger test 'requires consumer key', => expect(=> new Server consumerSecret: '<KEY>').to.throw 'Consumer key is required.' test 'requires consumer secret', => expect(=> new Server consumerKey: '<KEY>').to.throw 'Consumer secret is required.' suite '#listen()', => test 'obtains a token before handling requests', (done) => response = statusCode: 200 responseBody = '{"token_type":"<KEY>","access_token":"<KEY>"}' @request.callsArgOnWith 1, @server, null, response, responseBody @server.listen 111, (error) => assert.isNull error sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.calledOnce @http.createServer sinon.assert.calledWithExactly @http.createServer, sinon.match.func sinon.assert.calledOnce @httpServer.listen sinon.assert.calledWithExactly @httpServer.listen, 111 sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.log.withArgs('info', 'Successfully obtained bearer token.'), @http.createServer, @logger.log.withArgs('info', 'Listening on port %d.', 111) done() test 'port defaults to 8000', (done) => response = statusCode: 200 responseBody = '{"token_type":"<KEY>","access_token":"<KEY>%<PASSWORD> <KEY> <PASSWORD> <KEY>"}' @request.callsArgOnWith 1, @server, null, response, responseBody @server.listen null, (error) => assert.isNull error sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.calledOnce @http.createServer sinon.assert.calledWithExactly @http.createServer, sinon.match.func sinon.assert.calledOnce @httpServer.listen sinon.assert.calledWithExactly @httpServer.listen, 8000 sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.log.withArgs('info', 'Successfully obtained bearer token.'), @http.createServer, @logger.log.withArgs('info', 'Listening on port %d.', 8000) done() test 'returns an error when obtaining a token results in an HTTP error', (done) => response = statusCode: 500 responseBody = 'Internal server error.' @request.callsArgOnWith 1, @server, null, response, responseBody @server.listen 111, (error) => assert.strictEqual response, error sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.notCalled @http.createServer sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.error.withArgs('Unable to obtain bearer token. Unexpected HTTP error (%s).', 500) done() test 'returns an error when obtaining a token results in an error', (done) => @request.callsArgOnWith 1, @server, 'error', null, null @server.listen 111, (error) => assert.strictEqual error, 'error' sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.notCalled @http.createServer sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.error.withArgs('Unable to obtain bearer token. Unexpected error.') done() suite 'functional tests', => setup (done) => @request = sinon.spy request @http = http sinon.spy @http, 'createServer' portfinder.getPort (error, port) => return done error if error @httpPort = port @httpServer = http.createServer (request, response) => if request.url is '/oauth2/token' response.writeHead 200, 'content-type': 'application/json' response.end '{"token_type":"<KEY>","access_token":"<KEY>"}' else response.writeHead 200, 'content-type': 'text/plain' response.end 'Mooch!' @httpServer.on 'listening', => portfinder.getPort (error, port) => return done error if error @port = port @options = consumerKey: @consumerKey consumerSecret: @consumerSecret twitterUri: util.format 'http://localhost:%d', @httpPort allow: [/^\/path\/to/] deny: [/bar/] @server = new Server @options, @request, @http, @logger @server.listen @port, done @httpServer.listen port teardown => sinon.restore @http, 'createServer' test 'correctly proxies requests', (done) => options = uri: util.format 'http://localhost:%d/path/to/foo', @port method: 'POST' headers: 'x-custom-header': 'header-value' form: post_var: 'post-value' expectedOptions = uri: util.format 'http://localhost:%d/path/to/foo', @httpPort method: 'POST' headers: 'x-custom-header': 'header-value' 'content-type': 'application/x-www-form-urlencoded; charset=utf-8' 'content-length': '19' 'connection': 'keep-alive' 'authorization': 'Bearer AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA' body: 'post_var=post-value' followRedirect: false request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @request, expectedOptions sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" %s %s', '127.0.0.1', 'POST', '/path/to/foo', '1.1', 200, 6 assert.strictEqual body, 'Mooch!' done() test 'does not clobber existing authorization header', (done) => options = uri: util.format 'http://localhost:%d/path/to/foo', @port method: 'POST' headers: 'x-custom-header': 'header-value' 'authorization': 'auth-value' form: post_var: 'post-value' expectedOptions = uri: util.format 'http://localhost:%d/path/to/foo', @httpPort method: 'POST' headers: 'x-custom-header': 'header-value' 'content-type': 'application/x-www-form-urlencoded; charset=utf-8' 'content-length': '19' 'connection': 'keep-alive' 'authorization': 'auth-value' body: 'post_var=post-value' followRedirect: false request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @request, expectedOptions sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" %s %s', '127.0.0.1', 'POST', '/path/to/foo', '1.1', 200, 6 assert.strictEqual body, 'Mooch!' done() test 'only allows paths matching the allow rules', (done) => options = uri: util.format 'http://localhost:%d/foo', @port request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" 403 -', '127.0.0.1', 'GET', '/foo', '1.1' assert.strictEqual body, '{"errors":[{"message":"Forbidden.","code":64}]}' done() test 'does not allow paths matching the deny rules', (done) => options = uri: util.format 'http://localhost:%d/path/to/%62%61%72', @port request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" 403 -', '127.0.0.1', 'GET', '/path/to/%62%61%72', '1.1' assert.strictEqual body, '{"errors":[{"message":"Forbidden.","code":64}]}' done()
true
### This file is part of the Mooch package. Copyright © 2014 PI:NAME:<NAME>END_PI For the full copyright and license information, please view the LICENSE file that was distributed with this source code. ### {assert, expect} = require 'chai' http = require 'http' portfinder = require 'portfinder' request = require 'request' sinon = require 'sinon' util = require 'util' Logger = require '../' + process.env.TEST_ROOT + '/Logger' Server = require '../' + process.env.TEST_ROOT + '/Server' suite 'Server', => setup => @consumerKey = 'PI:KEY:<KEY>END_PI' @consumerSecret = 'PI:KEY:<KEY>END_PI' @options = consumerKey: @consumerKey consumerSecret: @consumerSecret twitterUri: 'http://api.example.org' @request = sinon.stub() @httpServer = sinon.createStubInstance http.Server sinon.restore @httpServer.listen sinon.restore @httpServer.on sinon.restore @httpServer.emit sinon.stub @httpServer, 'listen', => @httpServer.emit 'listening' @http = createServer: sinon.stub().returns @httpServer @logger = sinon.createStubInstance Logger @server = new Server @options, @request, @http, @logger @obtainTokenOptions = uri: 'http://api.example.org/oauth2/token' method: 'POST' headers: authorization: 'Basic PI:KEY:<KEY>END_PI form: grant_type: 'client_credentials' suite '#constructor()', => test 'members', => assert.strictEqual @server._options, @options assert.strictEqual @server._request, @request assert.strictEqual @server._http, @http assert.strictEqual @server._logger, @logger test 'member defaults', => @options = consumerKey: 'PI:KEY:<KEY>END_PI' consumerSecret: 'PI:KEY:<KEY>END_PI' @server = new Server @options assert.strictEqual @server._options.twitterUri, 'https://api.twitter.com' assert.strictEqual @server._request, request assert.strictEqual @server._http, http assert.instanceOf @server._logger, Logger test 'requires consumer key', => expect(=> new Server consumerSecret: 'PI:KEY:<KEY>END_PI').to.throw 'Consumer key is required.' test 'requires consumer secret', => expect(=> new Server consumerKey: 'PI:KEY:<KEY>END_PI').to.throw 'Consumer secret is required.' suite '#listen()', => test 'obtains a token before handling requests', (done) => response = statusCode: 200 responseBody = '{"token_type":"PI:KEY:<KEY>END_PI","access_token":"PI:KEY:<KEY>END_PI"}' @request.callsArgOnWith 1, @server, null, response, responseBody @server.listen 111, (error) => assert.isNull error sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.calledOnce @http.createServer sinon.assert.calledWithExactly @http.createServer, sinon.match.func sinon.assert.calledOnce @httpServer.listen sinon.assert.calledWithExactly @httpServer.listen, 111 sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.log.withArgs('info', 'Successfully obtained bearer token.'), @http.createServer, @logger.log.withArgs('info', 'Listening on port %d.', 111) done() test 'port defaults to 8000', (done) => response = statusCode: 200 responseBody = '{"token_type":"PI:KEY:<KEY>END_PI","access_token":"PI:KEY:<KEY>END_PI%PI:PASSWORD:<PASSWORD>END_PI PI:KEY:<KEY>END_PI PI:PASSWORD:<PASSWORD>END_PI PI:KEY:<KEY>END_PI"}' @request.callsArgOnWith 1, @server, null, response, responseBody @server.listen null, (error) => assert.isNull error sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.calledOnce @http.createServer sinon.assert.calledWithExactly @http.createServer, sinon.match.func sinon.assert.calledOnce @httpServer.listen sinon.assert.calledWithExactly @httpServer.listen, 8000 sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.log.withArgs('info', 'Successfully obtained bearer token.'), @http.createServer, @logger.log.withArgs('info', 'Listening on port %d.', 8000) done() test 'returns an error when obtaining a token results in an HTTP error', (done) => response = statusCode: 500 responseBody = 'Internal server error.' @request.callsArgOnWith 1, @server, null, response, responseBody @server.listen 111, (error) => assert.strictEqual response, error sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.notCalled @http.createServer sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.error.withArgs('Unable to obtain bearer token. Unexpected HTTP error (%s).', 500) done() test 'returns an error when obtaining a token results in an error', (done) => @request.callsArgOnWith 1, @server, 'error', null, null @server.listen 111, (error) => assert.strictEqual error, 'error' sinon.assert.calledOnce @request sinon.assert.calledOn @request, @server sinon.assert.calledWithExactly @request, @obtainTokenOptions, sinon.match.func sinon.assert.notCalled @http.createServer sinon.assert.callOrder \ @logger.log.withArgs('info', 'Obtaining bearer token.'), @request, @logger.error.withArgs('Unable to obtain bearer token. Unexpected error.') done() suite 'functional tests', => setup (done) => @request = sinon.spy request @http = http sinon.spy @http, 'createServer' portfinder.getPort (error, port) => return done error if error @httpPort = port @httpServer = http.createServer (request, response) => if request.url is '/oauth2/token' response.writeHead 200, 'content-type': 'application/json' response.end '{"token_type":"PI:KEY:<KEY>END_PI","access_token":"PI:KEY:<KEY>END_PI"}' else response.writeHead 200, 'content-type': 'text/plain' response.end 'Mooch!' @httpServer.on 'listening', => portfinder.getPort (error, port) => return done error if error @port = port @options = consumerKey: @consumerKey consumerSecret: @consumerSecret twitterUri: util.format 'http://localhost:%d', @httpPort allow: [/^\/path\/to/] deny: [/bar/] @server = new Server @options, @request, @http, @logger @server.listen @port, done @httpServer.listen port teardown => sinon.restore @http, 'createServer' test 'correctly proxies requests', (done) => options = uri: util.format 'http://localhost:%d/path/to/foo', @port method: 'POST' headers: 'x-custom-header': 'header-value' form: post_var: 'post-value' expectedOptions = uri: util.format 'http://localhost:%d/path/to/foo', @httpPort method: 'POST' headers: 'x-custom-header': 'header-value' 'content-type': 'application/x-www-form-urlencoded; charset=utf-8' 'content-length': '19' 'connection': 'keep-alive' 'authorization': 'Bearer AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA%2FAAAAAAAAAAAAAAAAAAAA%3DAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA' body: 'post_var=post-value' followRedirect: false request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @request, expectedOptions sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" %s %s', '127.0.0.1', 'POST', '/path/to/foo', '1.1', 200, 6 assert.strictEqual body, 'Mooch!' done() test 'does not clobber existing authorization header', (done) => options = uri: util.format 'http://localhost:%d/path/to/foo', @port method: 'POST' headers: 'x-custom-header': 'header-value' 'authorization': 'auth-value' form: post_var: 'post-value' expectedOptions = uri: util.format 'http://localhost:%d/path/to/foo', @httpPort method: 'POST' headers: 'x-custom-header': 'header-value' 'content-type': 'application/x-www-form-urlencoded; charset=utf-8' 'content-length': '19' 'connection': 'keep-alive' 'authorization': 'auth-value' body: 'post_var=post-value' followRedirect: false request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @request, expectedOptions sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" %s %s', '127.0.0.1', 'POST', '/path/to/foo', '1.1', 200, 6 assert.strictEqual body, 'Mooch!' done() test 'only allows paths matching the allow rules', (done) => options = uri: util.format 'http://localhost:%d/foo', @port request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" 403 -', '127.0.0.1', 'GET', '/foo', '1.1' assert.strictEqual body, '{"errors":[{"message":"Forbidden.","code":64}]}' done() test 'does not allow paths matching the deny rules', (done) => options = uri: util.format 'http://localhost:%d/path/to/%62%61%72', @port request options, (error, response, body) => assert.isNull error sinon.assert.calledWith @logger.log, 'request', '%s "%s %s HTTP/%s" 403 -', '127.0.0.1', 'GET', '/path/to/%62%61%72', '1.1' assert.strictEqual body, '{"errors":[{"message":"Forbidden.","code":64}]}' done()
[ { "context": "\"#login\", ->\n Given -> @credentials = {name: 'Dave'}\n When -> @AuthenticationService.login(@cre", "end": 267, "score": 0.9994521141052246, "start": 263, "tag": "NAME", "value": "Dave" } ]
spec/services/authentication_service_spec.coffee
george-i/issue-tracker
1
describe "service: AuthenticationService", -> Given -> module("app") Given -> inject ($http, @AuthenticationService) => @$httpPost = spyOn($http, 'post') @$httpGet = spyOn($http, 'get') describe "#login", -> Given -> @credentials = {name: 'Dave'} When -> @AuthenticationService.login(@credentials) Then -> expect(@$httpPost).toHaveBeenCalledWith('/login', @credentials) describe "#logout", -> When -> @AuthenticationService.logout() Then -> expect(@$httpPost).toHaveBeenCalledWith('/logout')
62700
describe "service: AuthenticationService", -> Given -> module("app") Given -> inject ($http, @AuthenticationService) => @$httpPost = spyOn($http, 'post') @$httpGet = spyOn($http, 'get') describe "#login", -> Given -> @credentials = {name: '<NAME>'} When -> @AuthenticationService.login(@credentials) Then -> expect(@$httpPost).toHaveBeenCalledWith('/login', @credentials) describe "#logout", -> When -> @AuthenticationService.logout() Then -> expect(@$httpPost).toHaveBeenCalledWith('/logout')
true
describe "service: AuthenticationService", -> Given -> module("app") Given -> inject ($http, @AuthenticationService) => @$httpPost = spyOn($http, 'post') @$httpGet = spyOn($http, 'get') describe "#login", -> Given -> @credentials = {name: 'PI:NAME:<NAME>END_PI'} When -> @AuthenticationService.login(@credentials) Then -> expect(@$httpPost).toHaveBeenCalledWith('/login', @credentials) describe "#logout", -> When -> @AuthenticationService.logout() Then -> expect(@$httpPost).toHaveBeenCalledWith('/logout')
[ { "context": "# Author: 易晓峰\n# E-mail: wvv8oo@gmail.com\n# Date: 6/24/15 ", "end": 16, "score": 0.9992326498031616, "start": 13, "tag": "NAME", "value": "易晓峰" }, { "context": "# Author: 易晓峰\n# E-mail: wvv8oo@gmail.com\n# Date: 6/24/15 4:18 PM\n# Description: git地", "end": 46, "score": 0.9999299049377441, "start": 30, "tag": "EMAIL", "value": "wvv8oo@gmail.com" } ]
src/cache/git_map.coffee
kiteam/kiteam
0
# Author: 易晓峰 # E-mail: wvv8oo@gmail.com # Date: 6/24/15 4:18 PM # Description: git地址影射的缓存 _ = require 'lodash' _BaseCache = require './base' _entity = require '../entity' class GitMapCacheEntity extends _BaseCache init: (cb)-> @load cb #加载列表,如果没有指定cond,则加载所有数据 load: (cond, cb)-> # console.log "刷新git_map", cond @data = {} if _.isFunction cond cb = cond cond = {} fields = ['target_id', 'type', 'git', 'git_id'] @loadTable _entity.git_map, fields, 'git', cond, cb get: (git)-> @data[git] module.exports = new GitMapCacheEntity
145964
# Author: <NAME> # E-mail: <EMAIL> # Date: 6/24/15 4:18 PM # Description: git地址影射的缓存 _ = require 'lodash' _BaseCache = require './base' _entity = require '../entity' class GitMapCacheEntity extends _BaseCache init: (cb)-> @load cb #加载列表,如果没有指定cond,则加载所有数据 load: (cond, cb)-> # console.log "刷新git_map", cond @data = {} if _.isFunction cond cb = cond cond = {} fields = ['target_id', 'type', 'git', 'git_id'] @loadTable _entity.git_map, fields, 'git', cond, cb get: (git)-> @data[git] module.exports = new GitMapCacheEntity
true
# Author: PI:NAME:<NAME>END_PI # E-mail: PI:EMAIL:<EMAIL>END_PI # Date: 6/24/15 4:18 PM # Description: git地址影射的缓存 _ = require 'lodash' _BaseCache = require './base' _entity = require '../entity' class GitMapCacheEntity extends _BaseCache init: (cb)-> @load cb #加载列表,如果没有指定cond,则加载所有数据 load: (cond, cb)-> # console.log "刷新git_map", cond @data = {} if _.isFunction cond cb = cond cond = {} fields = ['target_id', 'type', 'git', 'git_id'] @loadTable _entity.git_map, fields, 'git', cond, cb get: (git)-> @data[git] module.exports = new GitMapCacheEntity
[ { "context": " _createMessage: (message, sandbox) =>\n key = 'APNS'\n key = 'APNS_SANDBOX' if sandbox\n\n frame =", "end": 725, "score": 0.9989280700683594, "start": 721, "tag": "KEY", "value": "APNS" }, { "context": "(message, sandbox) =>\n key = 'APNS'\n key = 'APNS_SANDBOX' if sandbox\n\n frame = {}\n frame[key] = JSON", "end": 750, "score": 0.9992251992225647, "start": 738, "tag": "KEY", "value": "APNS_SANDBOX" } ]
app/message-controller.coffee
octoblu/sns-service
0
SNS = require 'sns-mobile' config = require './config' debug = require('debug')('sns-service:message-controller') class MessageController send: (request, response) => arn = request.header 'X-SNS-ARN' endpoint = request.header 'X-SNS-Endpoint' platformId = request.header 'X-SNS-Platform' sandbox = request.header('X-SNS-Sandbox')?.toLocaleLowerCase() == 'true' app = @_createApp arn, platformId, sandbox message = @_createMessage request.body, sandbox app.sendMessage endpoint, message, (error, messageId) => return response.status(500).send error: error.message if error? response.status(200).send messageId: messageId _createMessage: (message, sandbox) => key = 'APNS' key = 'APNS_SANDBOX' if sandbox frame = {} frame[key] = JSON.stringify({ aps: 'content-available': 1 message: message }) return frame _createApp: (arn, platform, sandbox=false) => new SNS platform: SNS.SUPPORTED_PLATFORMS[platform] region: 'us-west-2' apiVersion: '2010-03-31' accessKeyId: config.SNS_KEY_ID secretAccessKey: config.SNS_ACCESS_KEY platformApplicationArn: arn sandbox: sandbox module.exports = MessageController
114612
SNS = require 'sns-mobile' config = require './config' debug = require('debug')('sns-service:message-controller') class MessageController send: (request, response) => arn = request.header 'X-SNS-ARN' endpoint = request.header 'X-SNS-Endpoint' platformId = request.header 'X-SNS-Platform' sandbox = request.header('X-SNS-Sandbox')?.toLocaleLowerCase() == 'true' app = @_createApp arn, platformId, sandbox message = @_createMessage request.body, sandbox app.sendMessage endpoint, message, (error, messageId) => return response.status(500).send error: error.message if error? response.status(200).send messageId: messageId _createMessage: (message, sandbox) => key = '<KEY>' key = '<KEY>' if sandbox frame = {} frame[key] = JSON.stringify({ aps: 'content-available': 1 message: message }) return frame _createApp: (arn, platform, sandbox=false) => new SNS platform: SNS.SUPPORTED_PLATFORMS[platform] region: 'us-west-2' apiVersion: '2010-03-31' accessKeyId: config.SNS_KEY_ID secretAccessKey: config.SNS_ACCESS_KEY platformApplicationArn: arn sandbox: sandbox module.exports = MessageController
true
SNS = require 'sns-mobile' config = require './config' debug = require('debug')('sns-service:message-controller') class MessageController send: (request, response) => arn = request.header 'X-SNS-ARN' endpoint = request.header 'X-SNS-Endpoint' platformId = request.header 'X-SNS-Platform' sandbox = request.header('X-SNS-Sandbox')?.toLocaleLowerCase() == 'true' app = @_createApp arn, platformId, sandbox message = @_createMessage request.body, sandbox app.sendMessage endpoint, message, (error, messageId) => return response.status(500).send error: error.message if error? response.status(200).send messageId: messageId _createMessage: (message, sandbox) => key = 'PI:KEY:<KEY>END_PI' key = 'PI:KEY:<KEY>END_PI' if sandbox frame = {} frame[key] = JSON.stringify({ aps: 'content-available': 1 message: message }) return frame _createApp: (arn, platform, sandbox=false) => new SNS platform: SNS.SUPPORTED_PLATFORMS[platform] region: 'us-west-2' apiVersion: '2010-03-31' accessKeyId: config.SNS_KEY_ID secretAccessKey: config.SNS_ACCESS_KEY platformApplicationArn: arn sandbox: sandbox module.exports = MessageController
[ { "context": "- - - - - - - - - - - - - - - #\n# Copyright © 2015 Denis Luchkin-Zhou #\n# See L", "end": 277, "score": 0.9998701214790344, "start": 259, "tag": "NAME", "value": "Denis Luchkin-Zhou" } ]
gulp/server-scripts-old.coffee
jluchiji/tranzit
0
# --------------------------------------------------------------------------- # # wyvernzora.ninja build script. # # - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - # # Copyright © 2015 Denis Luchkin-Zhou # # See LICENSE.md for terms of distribution. # # --------------------------------------------------------------------------- # module.exports = (gulp, config) -> gulp.task 'server:scripts', -> lint = require 'gulp-coffeelint' coffee = require 'gulp-coffee' gulpif = require 'gulp-if' plumber = require 'gulp-plumber' sourcemaps = require 'gulp-sourcemaps' gulp.src ['server/**/*.coffee'], base: './server' # Prevent crashes .pipe plumber() # Lint .pipe lint() .pipe lint.reporter() # Start by compiling .coffee files .pipe sourcemaps.init() .pipe coffee() # Write out .pipe gulpif config.sourcemaps, sourcemaps.write('./') .pipe gulp.dest config.paths.dest gulp.task 'server:config', ['server:config:sql'], -> path = require 'path' gulp.src ['config/**/*.{json,yml}'], base: './config' .pipe gulp.dest path.join config.paths.dest, 'config' # Strips comments from .sql script files gulp.task 'server:config:sql', -> path = require 'path' replace = require 'gulp-replace' gulp.src ['config/**/*.sql'], base: './config' .pipe replace /(?:#.+\n)|(?:\/\/.+\n)|(?:\-\-.+\n)|(?:\/\*[\s\S]*\*\/)/g, '' .pipe gulp.dest path.join config.paths.dest, 'config'
179168
# --------------------------------------------------------------------------- # # wyvernzora.ninja build script. # # - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - # # Copyright © 2015 <NAME> # # See LICENSE.md for terms of distribution. # # --------------------------------------------------------------------------- # module.exports = (gulp, config) -> gulp.task 'server:scripts', -> lint = require 'gulp-coffeelint' coffee = require 'gulp-coffee' gulpif = require 'gulp-if' plumber = require 'gulp-plumber' sourcemaps = require 'gulp-sourcemaps' gulp.src ['server/**/*.coffee'], base: './server' # Prevent crashes .pipe plumber() # Lint .pipe lint() .pipe lint.reporter() # Start by compiling .coffee files .pipe sourcemaps.init() .pipe coffee() # Write out .pipe gulpif config.sourcemaps, sourcemaps.write('./') .pipe gulp.dest config.paths.dest gulp.task 'server:config', ['server:config:sql'], -> path = require 'path' gulp.src ['config/**/*.{json,yml}'], base: './config' .pipe gulp.dest path.join config.paths.dest, 'config' # Strips comments from .sql script files gulp.task 'server:config:sql', -> path = require 'path' replace = require 'gulp-replace' gulp.src ['config/**/*.sql'], base: './config' .pipe replace /(?:#.+\n)|(?:\/\/.+\n)|(?:\-\-.+\n)|(?:\/\*[\s\S]*\*\/)/g, '' .pipe gulp.dest path.join config.paths.dest, 'config'
true
# --------------------------------------------------------------------------- # # wyvernzora.ninja build script. # # - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - # # Copyright © 2015 PI:NAME:<NAME>END_PI # # See LICENSE.md for terms of distribution. # # --------------------------------------------------------------------------- # module.exports = (gulp, config) -> gulp.task 'server:scripts', -> lint = require 'gulp-coffeelint' coffee = require 'gulp-coffee' gulpif = require 'gulp-if' plumber = require 'gulp-plumber' sourcemaps = require 'gulp-sourcemaps' gulp.src ['server/**/*.coffee'], base: './server' # Prevent crashes .pipe plumber() # Lint .pipe lint() .pipe lint.reporter() # Start by compiling .coffee files .pipe sourcemaps.init() .pipe coffee() # Write out .pipe gulpif config.sourcemaps, sourcemaps.write('./') .pipe gulp.dest config.paths.dest gulp.task 'server:config', ['server:config:sql'], -> path = require 'path' gulp.src ['config/**/*.{json,yml}'], base: './config' .pipe gulp.dest path.join config.paths.dest, 'config' # Strips comments from .sql script files gulp.task 'server:config:sql', -> path = require 'path' replace = require 'gulp-replace' gulp.src ['config/**/*.sql'], base: './config' .pipe replace /(?:#.+\n)|(?:\/\/.+\n)|(?:\-\-.+\n)|(?:\/\*[\s\S]*\*\/)/g, '' .pipe gulp.dest path.join config.paths.dest, 'config'
[ { "context": ">\n\t\t\tsuperAgent.get \"#{baseUrl}/dynamic.html?name=ben\", (err,res) ->\n\t\t\t\treturn done(err) if err\n\t\t\t\ta", "end": 4413, "score": 0.8809272646903992, "start": 4410, "tag": "NAME", "value": "ben" }, { "context": ") if err\n\t\t\t\tactual = res.text\n\t\t\t\texpected = 'hi ben'\n\t\t\t\texpect(\n\t\t\t\t\tactual.toString().trim()\n\t\t\t\t).", "end": 4502, "score": 0.9545329213142395, "start": 4499, "tag": "NAME", "value": "ben" }, { "context": ">\n\t\t\tsuperAgent.get \"#{baseUrl}/dynamic.html?name=joe\", (err,res) ->\n\t\t\t\treturn done(err) if err\n\t\t\t\ta", "end": 4704, "score": 0.9381798505783081, "start": 4701, "tag": "NAME", "value": "joe" }, { "context": ") if err\n\t\t\t\tactual = res.text\n\t\t\t\texpected = 'hi joe'\n\t\t\t\texpect(\n\t\t\t\t\tactual.toString().trim()\n\t\t\t\t).", "end": 4793, "score": 0.9704539775848389, "start": 4790, "tag": "NAME", "value": "joe" } ]
src/test/actions-test.coffee
unframework/docpad
1
# RequirestestServer superAgent = require('superagent') balUtil = require('bal-util') safefs = require('safefs') DocPad = require('../lib/docpad') {expect} = require('chai') joe = require('joe') _ = require('lodash') pathUtil = require('path') # ------------------------------------- # Configuration # Paths docpadPath = pathUtil.join(__dirname, '..', '..') rootPath = pathUtil.join(docpadPath, 'test') srcPath = pathUtil.join(rootPath, 'src') outPath = pathUtil.join(rootPath, 'out') expectPath = pathUtil.join(rootPath, 'out-expected') cliPath = pathUtil.join(docpadPath, 'bin', 'docpad') # Params port = 9779 baseUrl = "http://localhost:#{port}" testWait = 1000*60*5 # five minutes # Configure DocPad docpadConfig = port: port rootPath: rootPath logLevel: if (process.env.TRAVIS_NODE_VERSION? or '-d' in process.argv) then 7 else 5 skipUnsupportedPlugins: false catchExceptions: false environments: development: a: 'instanceConfig' b: 'instanceConfig' templateData: a: 'instanceConfig' b: 'instanceConfig' # Fail on an uncaught error process.on 'uncaughtException', (err) -> throw err # Local globals docpad = null # ------------------------------------- # Tests joe.suite 'docpad-actions', (suite,test) -> test 'create', (done) -> docpad = DocPad.createInstance docpadConfig, (err) -> done(err) test 'config', (done) -> expected = {a:'instanceConfig', b:'instanceConfig', c:'websiteConfig'} config = docpad.getConfig() {a,b,c} = config expect( {a,b,c} ).to.deep.equal( expected ) templateData = docpad.getTemplateData() {a,b,c} = templateData expect( {a,b,c} ).to.deep.equal( expected ) done() test 'clean', (done) -> docpad.action 'clean', (err) -> done(err) test 'install', (done) -> docpad.action 'install', (err) -> done(err) suite 'generate', (suite,test) -> test 'action', (done) -> docpad.action 'generate', (err) -> done(err) suite 'results', (suite,test) -> testMarkup = (key,actual,expected) -> test key, -> # trim whitespace, to avoid util conflicts between node versions and other oddities # also address the slash backslash issue with windows and unix actualString = actual.trim().replace(/\s+/g,'').replace(/([abc])[\\]+/g, '$1/') expectedString = expected.trim().replace(/\s+/g,'').replace(/([abc])[\\]+/g, '$1/') # check equality expect(actualString).to.be.equal(expectedString) test 'same files', (done) -> balUtil.scandir( path: outPath readFiles: true ignoreHiddenFiles: false next: (err,outList) -> balUtil.scandir( path: expectPath readFiles: true ignoreHiddenFiles: false next: (err,expectList) -> # check we have the same files expect( _.difference(Object.keys(outList), Object.keys(expectList)) ).to.be.empty # check the contents of those files match for own key,actual of outList expected = expectList[key] testMarkup(key, actual, expected) # done with same file check # start the markup tests done() ) ) test 'ignored "ignored" documents"', (done) -> safefs.exists "#{outPath}/ignored.html", (exists) -> expect(exists).to.be.false done() test 'ignored common patterns documents"', (done) -> safefs.exists "#{outPath}/.svn", (exists) -> expect(exists).to.be.false done() suite 'server', (suite,test) -> test 'server action', (done) -> docpad.action 'server', (err) -> done(err) test 'served generated documents', (done) -> superAgent.get "#{baseUrl}/html.html", (err,res) -> return done(err) if err actual = res.text safefs.readFile "#{expectPath}/html.html", (err,expected) -> return done(err) if err expect( actual.toString().trim() ).to.be.equal( expected.toString().trim() ) done() test 'served custom urls', (done) -> superAgent.get "#{baseUrl}/my-custom-url", (err,res) -> return done(err) if err actual = res.text safefs.readFile "#{expectPath}/custom-url.html", (err,expected) -> return done(err) if err expect( actual.toString().trim() ).to.be.equal( expected.toString().trim() ) done() test 'served dynamic documents - part 1/2', (done) -> superAgent.get "#{baseUrl}/dynamic.html?name=ben", (err,res) -> return done(err) if err actual = res.text expected = 'hi ben' expect( actual.toString().trim() ).to.be.equal( expected ) done() test 'served dynamic documents - part 2/2', (done) -> superAgent.get "#{baseUrl}/dynamic.html?name=joe", (err,res) -> return done(err) if err actual = res.text expected = 'hi joe' expect( actual.toString().trim() ).to.be.equal( expected ) done() test 'close the close', -> docpad.getServer(true).serverHttp.close()
105512
# RequirestestServer superAgent = require('superagent') balUtil = require('bal-util') safefs = require('safefs') DocPad = require('../lib/docpad') {expect} = require('chai') joe = require('joe') _ = require('lodash') pathUtil = require('path') # ------------------------------------- # Configuration # Paths docpadPath = pathUtil.join(__dirname, '..', '..') rootPath = pathUtil.join(docpadPath, 'test') srcPath = pathUtil.join(rootPath, 'src') outPath = pathUtil.join(rootPath, 'out') expectPath = pathUtil.join(rootPath, 'out-expected') cliPath = pathUtil.join(docpadPath, 'bin', 'docpad') # Params port = 9779 baseUrl = "http://localhost:#{port}" testWait = 1000*60*5 # five minutes # Configure DocPad docpadConfig = port: port rootPath: rootPath logLevel: if (process.env.TRAVIS_NODE_VERSION? or '-d' in process.argv) then 7 else 5 skipUnsupportedPlugins: false catchExceptions: false environments: development: a: 'instanceConfig' b: 'instanceConfig' templateData: a: 'instanceConfig' b: 'instanceConfig' # Fail on an uncaught error process.on 'uncaughtException', (err) -> throw err # Local globals docpad = null # ------------------------------------- # Tests joe.suite 'docpad-actions', (suite,test) -> test 'create', (done) -> docpad = DocPad.createInstance docpadConfig, (err) -> done(err) test 'config', (done) -> expected = {a:'instanceConfig', b:'instanceConfig', c:'websiteConfig'} config = docpad.getConfig() {a,b,c} = config expect( {a,b,c} ).to.deep.equal( expected ) templateData = docpad.getTemplateData() {a,b,c} = templateData expect( {a,b,c} ).to.deep.equal( expected ) done() test 'clean', (done) -> docpad.action 'clean', (err) -> done(err) test 'install', (done) -> docpad.action 'install', (err) -> done(err) suite 'generate', (suite,test) -> test 'action', (done) -> docpad.action 'generate', (err) -> done(err) suite 'results', (suite,test) -> testMarkup = (key,actual,expected) -> test key, -> # trim whitespace, to avoid util conflicts between node versions and other oddities # also address the slash backslash issue with windows and unix actualString = actual.trim().replace(/\s+/g,'').replace(/([abc])[\\]+/g, '$1/') expectedString = expected.trim().replace(/\s+/g,'').replace(/([abc])[\\]+/g, '$1/') # check equality expect(actualString).to.be.equal(expectedString) test 'same files', (done) -> balUtil.scandir( path: outPath readFiles: true ignoreHiddenFiles: false next: (err,outList) -> balUtil.scandir( path: expectPath readFiles: true ignoreHiddenFiles: false next: (err,expectList) -> # check we have the same files expect( _.difference(Object.keys(outList), Object.keys(expectList)) ).to.be.empty # check the contents of those files match for own key,actual of outList expected = expectList[key] testMarkup(key, actual, expected) # done with same file check # start the markup tests done() ) ) test 'ignored "ignored" documents"', (done) -> safefs.exists "#{outPath}/ignored.html", (exists) -> expect(exists).to.be.false done() test 'ignored common patterns documents"', (done) -> safefs.exists "#{outPath}/.svn", (exists) -> expect(exists).to.be.false done() suite 'server', (suite,test) -> test 'server action', (done) -> docpad.action 'server', (err) -> done(err) test 'served generated documents', (done) -> superAgent.get "#{baseUrl}/html.html", (err,res) -> return done(err) if err actual = res.text safefs.readFile "#{expectPath}/html.html", (err,expected) -> return done(err) if err expect( actual.toString().trim() ).to.be.equal( expected.toString().trim() ) done() test 'served custom urls', (done) -> superAgent.get "#{baseUrl}/my-custom-url", (err,res) -> return done(err) if err actual = res.text safefs.readFile "#{expectPath}/custom-url.html", (err,expected) -> return done(err) if err expect( actual.toString().trim() ).to.be.equal( expected.toString().trim() ) done() test 'served dynamic documents - part 1/2', (done) -> superAgent.get "#{baseUrl}/dynamic.html?name=<NAME>", (err,res) -> return done(err) if err actual = res.text expected = 'hi <NAME>' expect( actual.toString().trim() ).to.be.equal( expected ) done() test 'served dynamic documents - part 2/2', (done) -> superAgent.get "#{baseUrl}/dynamic.html?name=<NAME>", (err,res) -> return done(err) if err actual = res.text expected = 'hi <NAME>' expect( actual.toString().trim() ).to.be.equal( expected ) done() test 'close the close', -> docpad.getServer(true).serverHttp.close()
true
# RequirestestServer superAgent = require('superagent') balUtil = require('bal-util') safefs = require('safefs') DocPad = require('../lib/docpad') {expect} = require('chai') joe = require('joe') _ = require('lodash') pathUtil = require('path') # ------------------------------------- # Configuration # Paths docpadPath = pathUtil.join(__dirname, '..', '..') rootPath = pathUtil.join(docpadPath, 'test') srcPath = pathUtil.join(rootPath, 'src') outPath = pathUtil.join(rootPath, 'out') expectPath = pathUtil.join(rootPath, 'out-expected') cliPath = pathUtil.join(docpadPath, 'bin', 'docpad') # Params port = 9779 baseUrl = "http://localhost:#{port}" testWait = 1000*60*5 # five minutes # Configure DocPad docpadConfig = port: port rootPath: rootPath logLevel: if (process.env.TRAVIS_NODE_VERSION? or '-d' in process.argv) then 7 else 5 skipUnsupportedPlugins: false catchExceptions: false environments: development: a: 'instanceConfig' b: 'instanceConfig' templateData: a: 'instanceConfig' b: 'instanceConfig' # Fail on an uncaught error process.on 'uncaughtException', (err) -> throw err # Local globals docpad = null # ------------------------------------- # Tests joe.suite 'docpad-actions', (suite,test) -> test 'create', (done) -> docpad = DocPad.createInstance docpadConfig, (err) -> done(err) test 'config', (done) -> expected = {a:'instanceConfig', b:'instanceConfig', c:'websiteConfig'} config = docpad.getConfig() {a,b,c} = config expect( {a,b,c} ).to.deep.equal( expected ) templateData = docpad.getTemplateData() {a,b,c} = templateData expect( {a,b,c} ).to.deep.equal( expected ) done() test 'clean', (done) -> docpad.action 'clean', (err) -> done(err) test 'install', (done) -> docpad.action 'install', (err) -> done(err) suite 'generate', (suite,test) -> test 'action', (done) -> docpad.action 'generate', (err) -> done(err) suite 'results', (suite,test) -> testMarkup = (key,actual,expected) -> test key, -> # trim whitespace, to avoid util conflicts between node versions and other oddities # also address the slash backslash issue with windows and unix actualString = actual.trim().replace(/\s+/g,'').replace(/([abc])[\\]+/g, '$1/') expectedString = expected.trim().replace(/\s+/g,'').replace(/([abc])[\\]+/g, '$1/') # check equality expect(actualString).to.be.equal(expectedString) test 'same files', (done) -> balUtil.scandir( path: outPath readFiles: true ignoreHiddenFiles: false next: (err,outList) -> balUtil.scandir( path: expectPath readFiles: true ignoreHiddenFiles: false next: (err,expectList) -> # check we have the same files expect( _.difference(Object.keys(outList), Object.keys(expectList)) ).to.be.empty # check the contents of those files match for own key,actual of outList expected = expectList[key] testMarkup(key, actual, expected) # done with same file check # start the markup tests done() ) ) test 'ignored "ignored" documents"', (done) -> safefs.exists "#{outPath}/ignored.html", (exists) -> expect(exists).to.be.false done() test 'ignored common patterns documents"', (done) -> safefs.exists "#{outPath}/.svn", (exists) -> expect(exists).to.be.false done() suite 'server', (suite,test) -> test 'server action', (done) -> docpad.action 'server', (err) -> done(err) test 'served generated documents', (done) -> superAgent.get "#{baseUrl}/html.html", (err,res) -> return done(err) if err actual = res.text safefs.readFile "#{expectPath}/html.html", (err,expected) -> return done(err) if err expect( actual.toString().trim() ).to.be.equal( expected.toString().trim() ) done() test 'served custom urls', (done) -> superAgent.get "#{baseUrl}/my-custom-url", (err,res) -> return done(err) if err actual = res.text safefs.readFile "#{expectPath}/custom-url.html", (err,expected) -> return done(err) if err expect( actual.toString().trim() ).to.be.equal( expected.toString().trim() ) done() test 'served dynamic documents - part 1/2', (done) -> superAgent.get "#{baseUrl}/dynamic.html?name=PI:NAME:<NAME>END_PI", (err,res) -> return done(err) if err actual = res.text expected = 'hi PI:NAME:<NAME>END_PI' expect( actual.toString().trim() ).to.be.equal( expected ) done() test 'served dynamic documents - part 2/2', (done) -> superAgent.get "#{baseUrl}/dynamic.html?name=PI:NAME:<NAME>END_PI", (err,res) -> return done(err) if err actual = res.text expected = 'hi PI:NAME:<NAME>END_PI' expect( actual.toString().trim() ).to.be.equal( expected ) done() test 'close the close', -> docpad.getServer(true).serverHttp.close()
[ { "context": "# Copyright Joyent, Inc. and other Node contributors.\n#\n# Permission", "end": 18, "score": 0.9850270748138428, "start": 12, "tag": "NAME", "value": "Joyent" }, { "context": " HMAC-SHA-* (rfc 4231 Test Cases)\n# 'Hi There'\n# 'Jefe'\n# 'what do ya want for nothing?'\n\n# 'Test With T", "end": 1377, "score": 0.7827919125556946, "start": 1373, "tag": "NAME", "value": "Jefe" }, { "context": "on with Base64\n # reported in https://github.com/joyent/node/issues/738\n plaintext = \"32|RmVZZkFUVmpRRkp", "end": 2644, "score": 0.9995012879371643, "start": 2638, "tag": "USERNAME", "value": "joyent" }, { "context": "ion with explicit key and iv\n plaintext = \"32|RmVZZkFUVmpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw", "end": 3377, "score": 0.5278134346008301, "start": 3369, "tag": "KEY", "value": "ZZkFUVmp" }, { "context": "xplicit key and iv\n plaintext = \"32|RmVZZkFUVmpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw\" + ", "end": 3381, "score": 0.5213150382041931, "start": 3379, "tag": "KEY", "value": "kp" }, { "context": "icit key and iv\n plaintext = \"32|RmVZZkFUVmpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw\" + \"eCBsThSsfUH", "end": 3393, "score": 0.5368034243583679, "start": 3382, "tag": "KEY", "value": "TmJaUm56ZU9" }, { "context": " with explicit key and iv\n plaintext = \"32|RmVZZkFUVmpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWE", "end": 3988, "score": 0.5071476101875305, "start": 3985, "tag": "KEY", "value": "FUV" }, { "context": "\n# and compute secret again\n\n# https://github.com/joyent/node/issues/2338\n\n# Test RSA key signing/verifica", "end": 4782, "score": 0.9996394515037537, "start": 4776, "tag": "USERNAME", "value": "joyent" }, { "context": "teSecureContext\n pfx: certPfx\n passphrase: \"sample\"\n\n return\n\nassert.throws (->\n tls.createSecureC", "end": 6348, "score": 0.9981772899627686, "start": 6342, "tag": "PASSWORD", "value": "sample" }, { "context": "teSecureContext\n pfx: certPfx\n passphrase: \"test\"\n\n return\n), \"mac verify failure\"\nassert.throws ", "end": 6533, "score": 0.9992303848266602, "start": 6529, "tag": "PASSWORD", "value": "test" }, { "context": "eSecureContext\n pfx: \"sample\"\n passphrase: \"test\"\n\n return\n), \"not enough data\"\nh1 = crypto.creat", "end": 6652, "score": 0.9994215965270996, "start": 6648, "tag": "PASSWORD", "value": "test" }, { "context": " \"test HMAC\"\nrfc4231 = [\n {\n key: new Buffer(\"0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b\", \"hex\")\n data: new Buffer(\"4869205468657265\",", "end": 6926, "score": 0.9579029083251953, "start": 6886, "tag": "KEY", "value": "0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b" }, { "context": "+ \"2e696c203a126854\"\n }\n {\n key: new Buffer(\"4a656665\", \"hex\")\n data: new Buffer(\"7768617420646f2079", "end": 7463, "score": 0.9993070960044861, "start": 7455, "tag": "KEY", "value": "4a656665" }, { "context": "+ \"636e070a38bce737\"\n }\n {\n key: new Buffer(\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\", \"hex\")\n data: new Buffer(\"dddddddddddddddddd", "end": 8077, "score": 0.9972841143608093, "start": 8037, "tag": "KEY", "value": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" }, { "context": "+ \"74278859e13292fb\"\n }\n {\n key: new Buffer(\"0102030405060708090a0b0c0d0e0f10111213141516171819\", \"hex\")\n data: new Buffer(\"cdcdcdcdcdcdcdcdcd", "end": 8745, "score": 0.9996358752250671, "start": 8695, "tag": "KEY", "value": "0102030405060708090a0b0c0d0e0f10111213141516171819" }, { "context": "+ \"e2adebeb10a298dd\"\n }\n {\n key: new Buffer(\"0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c\", \"hex\")\n data: new Buffer(\"546573742057697468", "end": 9403, "score": 0.9963181614875793, "start": 9363, "tag": "KEY", "value": "0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c" }, { "context": "\n\n truncate: true\n }\n {\n key: new Buffer(\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "end": 9791, "score": 0.9690688848495483, "start": 9740, "tag": "KEY", "value": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\"" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "end": 9846, "score": 0.9168239831924438, "start": 9795, "tag": "KEY", "value": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\"" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "end": 9901, "score": 0.9140815138816833, "start": 9849, "tag": "KEY", "value": "\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\"" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "end": 9956, "score": 0.9173899292945862, "start": 9904, "tag": "KEY", "value": "\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\"" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaa\", \"hex\")\n data: new Buffer(\"54", "end": 10011, "score": 0.9275128245353699, "start": 9959, "tag": "KEY", "value": "\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\"" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaa\", \"hex\")\n data: new Buffer(\"54657374205573696e", "end": 10027, "score": 0.8754763007164001, "start": 10014, "tag": "KEY", "value": "\"aaaaaaaaaaaa" }, { "context": "+ \"8b915a985d786598\"\n }\n {\n key: new Buffer(\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "end": 10819, "score": 0.9360188841819763, "start": 10658, "tag": "KEY", "value": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\"" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "end": 10874, "score": 0.9299656748771667, "start": 10822, "tag": "KEY", "value": "\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\"" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaa\", \"hex\")\n data: new Buffer(\"54", "end": 10929, "score": 0.9093934893608093, "start": 10877, "tag": "KEY", "value": "\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\"" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaa\", \"hex\")\n data: new Buffer(\"546869732069732061", "end": 10945, "score": 0.772299587726593, "start": 10932, "tag": "KEY", "value": "\"aaaaaaaaaaaa" }, { "context": "1\"\n i++\nrfc2202_md5 = [\n {\n key: new Buffer(\"0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b\", \"hex\")\n data: \"Hi There\"\n hmac: ", "end": 12180, "score": 0.9985759854316711, "start": 12157, "tag": "KEY", "value": "0b0b0b0b0b0b0b0b0b0b0b0" }, { "context": "94727a3638bb1c13f48ef8158bfc9d\"\n }\n {\n key: \"Jefe\"\n data: \"what do ya want for nothing?\"\n hma", "end": 12287, "score": 0.9963338375091553, "start": 12283, "tag": "KEY", "value": "Jefe" }, { "context": "738\"\n }\n {\n key: new Buffer(\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\", \"hex\")\n data: new Buffer(\"dddddddddddddddddd", "end": 12436, "score": 0.7593042850494385, "start": 12420, "tag": "KEY", "value": "aaaaaaaaaaaaaaaa" }, { "context": "c88dbb8c733f0e8b3f6\"\n }\n {\n key: new Buffer(\"0102030405060708090a0b0c0d0e0f10111213141516171819\", \"hex\")\n data: new Buffer(\"cdcdcdcdcdcdcdcdcd", "end": 12707, "score": 0.9995182752609253, "start": 12657, "tag": "KEY", "value": "0102030405060708090a0b0c0d0e0f10111213141516171819" }, { "context": "aea3a75164746ffaa79\"\n }\n {\n key: new Buffer(\"0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c\", \"hex\")\n data: \"Test With Truncation\"\n hma", "end": 12965, "score": 0.9814749956130981, "start": 12933, "tag": "KEY", "value": "0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c" }, { "context": "\"\n }\n]\nrfc2202_sha1 = [\n {\n key: new Buffer(\"0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b\", \"hex\")\n data: \"Hi There\"\n hmac: \"b6173186", "end": 13817, "score": 0.9983299374580383, "start": 13777, "tag": "KEY", "value": "0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b" }, { "context": "057264e28bc0b6fb378c8ef146be00\"\n }\n {\n key: \"Jefe\"\n data: \"what do ya want for nothing?\"\n hma", "end": 13923, "score": 0.9859148263931274, "start": 13919, "tag": "KEY", "value": "Jefe" }, { "context": "c79\"\n }\n {\n key: new Buffer(\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\", \"hex\")\n data: new Buffer(\"dddddddddddddddddd", "end": 14088, "score": 0.6758137345314026, "start": 14064, "tag": "KEY", "value": "aaaaaaaaaaaaaaaaaaaaaaaa" }, { "context": "af48aa17b4f63f175d3\"\n }\n {\n key: new Buffer(\"0102030405060708090a0b0c0d0e0f10111213141516171819\", \"hex\")\n data: new Buffer(\"cdcdcdcdcdcdcdcdcd", "end": 14372, "score": 0.9996466040611267, "start": 14322, "tag": "KEY", "value": "0102030405060708090a0b0c0d0e0f10111213141516171819" }, { "context": "4f9bf50c86c2d7235da\"\n }\n {\n key: new Buffer(\"0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c\", \"hex\")\n data: \"Test With Truncation\"\n hma", "end": 14646, "score": 0.9952402114868164, "start": 14606, "tag": "KEY", "value": "0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c" }, { "context": "a04\"\n }\n {\n key: new Buffer(\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "end": 14817, "score": 0.7004716396331787, "start": 14787, "tag": "KEY", "value": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "end": 14868, "score": 0.5773153305053711, "start": 14838, "tag": "KEY", "value": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaa\", \"hex\")\n dat", "end": 14913, "score": 0.5185253024101257, "start": 14889, "tag": "KEY", "value": "aaaaaaaaaaaaaaaaaaaaaaaa" }, { "context": "aaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaa\", \"hex\")\n data: \"Test Using Larger Than Block-", "end": 14946, "score": 0.6140704154968262, "start": 14944, "tag": "KEY", "value": "aa" }, { "context": "112\"\n }\n {\n key: new Buffer(\"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\" + \"aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "end": 15149, "score": 0.5825223922729492, "start": 15121, "tag": "KEY", "value": "aaaaaaaaaaaaaaaaaaaaaaaaaaaa" }, { "context": "$\" + \"¯`\\u0012\\u0006/à7¦\"\ntestPBKDF2 \"password\", \"salt\", 2, 20, \"êl\\u0001MÇ-oŒÍ\\u001eÙ*\" + \"Î\\u001dAðØÞ‰", "end": 21582, "score": 0.7030147910118103, "start": 21578, "tag": "PASSWORD", "value": "salt" }, { "context": "001eÙ*\" + \"Î\\u001dAðØÞ‰W\"\ntestPBKDF2 \"password\", \"salt\", 4096, 20, \"K\\u0000y\\u0001·eHš¾­IÙ&\" + \"÷!Ðe¤)Á\"", "end": 21663, "score": 0.5214345455169678, "start": 21659, "tag": "PASSWORD", "value": "salt" }, { "context": "eHš¾­IÙ&\" + \"÷!Ðe¤)Á\"\ntestPBKDF2 \"passwordPASSWORDpassword\", \"saltSALTsaltSALTsaltSALTsaltSALTsalt\", 4096, 2", "end": 21750, "score": 0.7021540999412537, "start": 21742, "tag": "PASSWORD", "value": "password" } ]
test/simple/test-crypto-binary-default.coffee
lxe/io.coffee
0
# Copyright Joyent, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. # This is the same as test/simple/test-crypto, but from before the shift # to use buffers by default. # Test Certificates # TODO(indutny): Move to a separate test eventually # PFX tests # Test HMAC # Test HMAC-SHA-* (rfc 4231 Test Cases) # 'Hi There' # 'Jefe' # 'what do ya want for nothing?' # 'Test With Truncation' # 'Test Using Larger Than Block-Size Key - Hash Key First' # 'This is a test using a larger than block-size key and a larger ' + # 'than block-size data. The key needs to be hashed before being ' + # 'used by the HMAC algorithm.' # first 128 bits == 32 hex chars # Test HMAC-MD5/SHA1 (rfc 2202 Test Cases) # Test hashing # binary # Test multiple updates to same hash # Test hashing for binary files # Issue #2227: unknown digest method should throw an error. # Test signing and verifying # binary # binary testCipher1 = (key) -> # Test encryption and decryption plaintext = "Keep this a secret? No! Tell everyone about node.js!" cipher = crypto.createCipher("aes192", key) # encrypt plaintext which is in utf8 format # to a ciphertext which will be in hex ciph = cipher.update(plaintext, "utf8", "hex") # Only use binary or hex, not base64. ciph += cipher.final("hex") decipher = crypto.createDecipher("aes192", key) txt = decipher.update(ciph, "hex", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption" return testCipher2 = (key) -> # encryption and decryption with Base64 # reported in https://github.com/joyent/node/issues/738 plaintext = "32|RmVZZkFUVmpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw" + "eCBsThSsfUHLeRe0KCsK8ooHgxie0zOINpXxfZi/oNG7uq9JWFVCk70gfzQH8ZUJ" + "jAfaFg**" cipher = crypto.createCipher("aes256", key) # encrypt plaintext which is in utf8 format # to a ciphertext which will be in Base64 ciph = cipher.update(plaintext, "utf8", "base64") ciph += cipher.final("base64") decipher = crypto.createDecipher("aes256", key) txt = decipher.update(ciph, "base64", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption with Base64" return testCipher3 = (key, iv) -> # Test encyrption and decryption with explicit key and iv plaintext = "32|RmVZZkFUVmpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw" + "eCBsThSsfUHLeRe0KCsK8ooHgxie0zOINpXxfZi/oNG7uq9JWFVCk70gfzQH8ZUJ" + "jAfaFg**" cipher = crypto.createCipheriv("des-ede3-cbc", key, iv) ciph = cipher.update(plaintext, "utf8", "hex") ciph += cipher.final("hex") decipher = crypto.createDecipheriv("des-ede3-cbc", key, iv) txt = decipher.update(ciph, "hex", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption with key and iv" return testCipher4 = (key, iv) -> # Test encyrption and decryption with explicit key and iv plaintext = "32|RmVZZkFUVmpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw" + "eCBsThSsfUHLeRe0KCsK8ooHgxie0zOINpXxfZi/oNG7uq9JWFVCk70gfzQH8ZUJ" + "jAfaFg**" cipher = crypto.createCipheriv("des-ede3-cbc", key, iv) ciph = cipher.update(plaintext, "utf8", "buffer") ciph = Buffer.concat([ ciph cipher.final("buffer") ]) decipher = crypto.createDecipheriv("des-ede3-cbc", key, iv) txt = decipher.update(ciph, "buffer", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption with key and iv" return # update() should only take buffers / strings # Test Diffie-Hellman with two parties sharing a secret, # using various encodings as we go along # Create "another dh1" using generated keys from dh1, # and compute secret again # https://github.com/joyent/node/issues/2338 # Test RSA key signing/verification # # Test RSA signing and verification # # # Test DSA signing and verification # # DSA signatures vary across runs so there is no static string to verify # against # # Test PBKDF2 with RFC 6070 test vectors (except #4) # testPBKDF2 = (password, salt, iterations, keylen, expected) -> actual = crypto.pbkdf2Sync(password, salt, iterations, keylen) assert.equal actual, expected crypto.pbkdf2 password, salt, iterations, keylen, (err, actual) -> assert.equal actual, expected return return common = require("../common") assert = require("assert") constants = require("constants") try crypto = require("crypto") tls = require("tls") catch e console.log "Not compiled with OPENSSL support." process.exit() crypto.DEFAULT_ENCODING = "binary" fs = require("fs") path = require("path") caPem = fs.readFileSync(common.fixturesDir + "/test_ca.pem", "ascii") certPem = fs.readFileSync(common.fixturesDir + "/test_cert.pem", "ascii") certPfx = fs.readFileSync(common.fixturesDir + "/test_cert.pfx") keyPem = fs.readFileSync(common.fixturesDir + "/test_key.pem", "ascii") rsaPubPem = fs.readFileSync(common.fixturesDir + "/test_rsa_pubkey.pem", "ascii") rsaKeyPem = fs.readFileSync(common.fixturesDir + "/test_rsa_privkey.pem", "ascii") try context = tls.createSecureContext( key: keyPem cert: certPem ca: caPem ) catch e console.log "Not compiled with OPENSSL support." process.exit() assert.doesNotThrow -> tls.createSecureContext pfx: certPfx passphrase: "sample" return assert.throws (-> tls.createSecureContext pfx: certPfx return ), "mac verify failure" assert.throws (-> tls.createSecureContext pfx: certPfx passphrase: "test" return ), "mac verify failure" assert.throws (-> tls.createSecureContext pfx: "sample" passphrase: "test" return ), "not enough data" h1 = crypto.createHmac("sha1", "Node").update("some data").update("to hmac").digest("hex") assert.equal h1, "19fd6e1ba73d9ed2224dd5094a71babe85d9a892", "test HMAC" rfc4231 = [ { key: new Buffer("0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b", "hex") data: new Buffer("4869205468657265", "hex") hmac: sha224: "896fb1128abbdf196832107cd49df33f47b4b1169912ba4f53684b22" sha256: "b0344c61d8db38535ca8afceaf0bf12b881dc200c9833da726e9376c" + "2e32cff7" sha384: "afd03944d84895626b0825f4ab46907f15f9dadbe4101ec682aa034c" + "7cebc59cfaea9ea9076ede7f4af152e8b2fa9cb6" sha512: "87aa7cdea5ef619d4ff0b4241a1d6cb02379f4e2ce4ec2787ad0b305" + "45e17cdedaa833b7d6b8a702038b274eaea3f4e4be9d914eeb61f170" + "2e696c203a126854" } { key: new Buffer("4a656665", "hex") data: new Buffer("7768617420646f2079612077616e7420666f72206e6f74686" + "96e673f", "hex") hmac: sha224: "a30e01098bc6dbbf45690f3a7e9e6d0f8bbea2a39e6148008fd05e44" sha256: "5bdcc146bf60754e6a042426089575c75a003f089d2739839dec58b9" + "64ec3843" sha384: "af45d2e376484031617f78d2b58a6b1b9c7ef464f5a01b47e42ec373" + "6322445e8e2240ca5e69e2c78b3239ecfab21649" sha512: "164b7a7bfcf819e2e395fbe73b56e0a387bd64222e831fd610270cd7" + "ea2505549758bf75c05a994a6d034f65f8f0e6fdcaeab1a34d4a6b4b" + "636e070a38bce737" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "hex") data: new Buffer("ddddddddddddddddddddddddddddddddddddddddddddddddd" + "ddddddddddddddddddddddddddddddddddddddddddddddddddd", "hex") hmac: sha224: "7fb3cb3588c6c1f6ffa9694d7d6ad2649365b0c1f65d69d1ec8333ea" sha256: "773ea91e36800e46854db8ebd09181a72959098b3ef8c122d9635514" + "ced565fe" sha384: "88062608d3e6ad8a0aa2ace014c8a86f0aa635d947ac9febe83ef4e5" + "5966144b2a5ab39dc13814b94e3ab6e101a34f27" sha512: "fa73b0089d56a284efb0f0756c890be9b1b5dbdd8ee81a3655f83e33" + "b2279d39bf3e848279a722c806b485a47e67c807b946a337bee89426" + "74278859e13292fb" } { key: new Buffer("0102030405060708090a0b0c0d0e0f10111213141516171819", "hex") data: new Buffer("cdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdc" + "dcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcd", "hex") hmac: sha224: "6c11506874013cac6a2abc1bb382627cec6a90d86efc012de7afec5a" sha256: "82558a389a443c0ea4cc819899f2083a85f0faa3e578f8077a2e3ff4" + "6729665b" sha384: "3e8a69b7783c25851933ab6290af6ca77a9981480850009cc5577c6e" + "1f573b4e6801dd23c4a7d679ccf8a386c674cffb" sha512: "b0ba465637458c6990e5a8c5f61d4af7e576d97ff94b872de76f8050" + "361ee3dba91ca5c11aa25eb4d679275cc5788063a5f19741120c4f2d" + "e2adebeb10a298dd" } { key: new Buffer("0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c", "hex") data: new Buffer("546573742057697468205472756e636174696f6e", "hex") hmac: sha224: "0e2aea68a90c8d37c988bcdb9fca6fa8" sha256: "a3b6167473100ee06e0c796c2955552b" sha384: "3abf34c3503b2a23a46efc619baef897" sha512: "415fad6271580a531d4179bc891d87a6" truncate: true } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaa", "hex") data: new Buffer("54657374205573696e67204c6172676572205468616e20426" + "c6f636b2d53697a65204b6579202d2048617368204b657920" + "4669727374", "hex") hmac: sha224: "95e9a0db962095adaebe9b2d6f0dbce2d499f112f2d2b7273fa6870e" sha256: "60e431591ee0b67f0d8a26aacbf5b77f8e0bc6213728c5140546040f" + "0ee37f54" sha384: "4ece084485813e9088d2c63a041bc5b44f9ef1012a2b588f3cd11f05" + "033ac4c60c2ef6ab4030fe8296248df163f44952" sha512: "80b24263c7c1a3ebb71493c1dd7be8b49b46d1f41b4aeec1121b0137" + "83f8f3526b56d037e05f2598bd0fd2215d6a1e5295e64f73f63f0aec" + "8b915a985d786598" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaa", "hex") data: new Buffer("5468697320697320612074657374207573696e672061206c6" + "172676572207468616e20626c6f636b2d73697a65206b6579" + "20616e642061206c6172676572207468616e20626c6f636b2" + "d73697a6520646174612e20546865206b6579206e65656473" + "20746f20626520686173686564206265666f7265206265696" + "e6720757365642062792074686520484d414320616c676f72" + "6974686d2e", "hex") hmac: sha224: "3a854166ac5d9f023f54d517d0b39dbd946770db9c2b95c9f6f565d1" sha256: "9b09ffa71b942fcb27635fbcd5b0e944bfdc63644f0713938a7f5153" + "5c3a35e2" sha384: "6617178e941f020d351e2f254e8fd32c602420feb0b8fb9adccebb82" + "461e99c5a678cc31e799176d3860e6110c46523e" sha512: "e37b6a775dc87dbaa4dfa9f96e5e3ffddebd71f8867289865df5a32d" + "20cdc944b6022cac3c4982b10d5eeb55c3e4de15134676fb6de04460" + "65c97440fa8c6a58" } ] i = 0 l = rfc4231.length while i < l for hash of rfc4231[i]["hmac"] result = crypto.createHmac(hash, rfc4231[i]["key"]).update(rfc4231[i]["data"]).digest("hex") result = result.substr(0, 32) if rfc4231[i]["truncate"] assert.equal rfc4231[i]["hmac"][hash], result, "Test HMAC-" + hash + ": Test case " + (i + 1) + " rfc 4231" i++ rfc2202_md5 = [ { key: new Buffer("0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b", "hex") data: "Hi There" hmac: "9294727a3638bb1c13f48ef8158bfc9d" } { key: "Jefe" data: "what do ya want for nothing?" hmac: "750c783e6ab0b503eaa86e310a5db738" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "hex") data: new Buffer("ddddddddddddddddddddddddddddddddddddddddddddddddd" + "ddddddddddddddddddddddddddddddddddddddddddddddddddd", "hex") hmac: "56be34521d144c88dbb8c733f0e8b3f6" } { key: new Buffer("0102030405060708090a0b0c0d0e0f10111213141516171819", "hex") data: new Buffer("cdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdc" + "dcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcd" + "cdcdcdcdcd", "hex") hmac: "697eaf0aca3a3aea3a75164746ffaa79" } { key: new Buffer("0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c", "hex") data: "Test With Truncation" hmac: "56461ef2342edc00f9bab995690efd4c" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaa", "hex") data: "Test Using Larger Than Block-Size Key - Hash Key First" hmac: "6b1ab7fe4bd7bf8f0b62e6ce61b9d0cd" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaa", "hex") data: "Test Using Larger Than Block-Size Key and Larger Than One " + "Block-Size Data" hmac: "6f630fad67cda0ee1fb1f562db3aa53e" } ] rfc2202_sha1 = [ { key: new Buffer("0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b", "hex") data: "Hi There" hmac: "b617318655057264e28bc0b6fb378c8ef146be00" } { key: "Jefe" data: "what do ya want for nothing?" hmac: "effcdf6ae5eb2fa2d27416d5f184df9c259a7c79" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa", "hex") data: new Buffer("ddddddddddddddddddddddddddddddddddddddddddddd" + "ddddddddddddddddddddddddddddddddddddddddddddd" + "dddddddddd", "hex") hmac: "125d7342b9ac11cd91a39af48aa17b4f63f175d3" } { key: new Buffer("0102030405060708090a0b0c0d0e0f10111213141516171819", "hex") data: new Buffer("cdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdc" + "dcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcd" + "cdcdcdcdcd", "hex") hmac: "4c9007f4026250c6bc8414f9bf50c86c2d7235da" } { key: new Buffer("0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c0c", "hex") data: "Test With Truncation" hmac: "4c1a03424b55e07fe7f27be1d58bb9324a9a5a04" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaa", "hex") data: "Test Using Larger Than Block-Size Key - Hash Key First" hmac: "aa4ae5e15272d00e95705637ce8a3b55ed402112" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaa", "hex") data: "Test Using Larger Than Block-Size Key and Larger Than One " + "Block-Size Data" hmac: "e8e99d0f45237d786d6bbaa7965c7808bbff1a91" } ] i = 0 l = rfc2202_md5.length while i < l assert.equal rfc2202_md5[i]["hmac"], crypto.createHmac("md5", rfc2202_md5[i]["key"]).update(rfc2202_md5[i]["data"]).digest("hex"), "Test HMAC-MD5 : Test case " + (i + 1) + " rfc 2202" i++ i = 0 l = rfc2202_sha1.length while i < l assert.equal rfc2202_sha1[i]["hmac"], crypto.createHmac("sha1", rfc2202_sha1[i]["key"]).update(rfc2202_sha1[i]["data"]).digest("hex"), "Test HMAC-SHA1 : Test case " + (i + 1) + " rfc 2202" i++ a0 = crypto.createHash("sha1").update("Test123").digest("hex") a1 = crypto.createHash("md5").update("Test123").digest("binary") a2 = crypto.createHash("sha256").update("Test123").digest("base64") a3 = crypto.createHash("sha512").update("Test123").digest() a4 = crypto.createHash("sha1").update("Test123").digest("buffer") assert.equal a0, "8308651804facb7b9af8ffc53a33a22d6a1c8ac2", "Test SHA1" assert.equal a1, "hê˗Øo\fF!ú+\u000e\u0017Ê" + "½Œ", "Test MD5 as binary" assert.equal a2, "2bX1jws4GYKTlxhloUB09Z66PoJZW+y+hq5R8dnx9l4=", "Test SHA256 as base64" assert.equal a3, "Á(4ñ\u0003\u001fd—!O'ÔC/&QzÔ" + "”\u0015l¸Q+Û\u001dĵ}²" + "֒£ß¢i¡›\n\n*\u000f" + "×Ö¢¨…ã<ƒœ“" + "Â\u0006Ú0¡‡9(Gí'", "Test SHA512 as assumed binary" assert.deepEqual a4, new Buffer("8308651804facb7b9af8ffc53a33a22d6a1c8ac2", "hex"), "Test SHA1" h1 = crypto.createHash("sha1").update("Test123").digest("hex") h2 = crypto.createHash("sha1").update("Test").update("123").digest("hex") assert.equal h1, h2, "multipled updates" fn = path.join(common.fixturesDir, "sample.png") sha1Hash = crypto.createHash("sha1") fileStream = fs.createReadStream(fn) fileStream.on "data", (data) -> sha1Hash.update data return fileStream.on "close", -> assert.equal sha1Hash.digest("hex"), "22723e553129a336ad96e10f6aecdf0f45e4149e", "Test SHA1 of sample.png" return assert.throws -> crypto.createHash "xyzzy" return s1 = crypto.createSign("RSA-SHA1").update("Test123").sign(keyPem, "base64") verified = crypto.createVerify("RSA-SHA1").update("Test").update("123").verify(certPem, s1, "base64") assert.strictEqual verified, true, "sign and verify (base 64)" s2 = crypto.createSign("RSA-SHA256").update("Test123").sign(keyPem) verified = crypto.createVerify("RSA-SHA256").update("Test").update("123").verify(certPem, s2) assert.strictEqual verified, true, "sign and verify (binary)" s3 = crypto.createSign("RSA-SHA1").update("Test123").sign(keyPem, "buffer") verified = crypto.createVerify("RSA-SHA1").update("Test").update("123").verify(certPem, s3) assert.strictEqual verified, true, "sign and verify (buffer)" testCipher1 "MySecretKey123" testCipher1 new Buffer("MySecretKey123") testCipher2 "0123456789abcdef" testCipher2 new Buffer("0123456789abcdef") testCipher3 "0123456789abcd0123456789", "12345678" testCipher3 "0123456789abcd0123456789", new Buffer("12345678") testCipher3 new Buffer("0123456789abcd0123456789"), "12345678" testCipher3 new Buffer("0123456789abcd0123456789"), new Buffer("12345678") testCipher4 new Buffer("0123456789abcd0123456789"), new Buffer("12345678") assert.throws (-> crypto.createHash("sha1").update foo: "bar" return ), /buffer/ dh1 = crypto.createDiffieHellman(256) p1 = dh1.getPrime("buffer") dh2 = crypto.createDiffieHellman(p1, "base64") key1 = dh1.generateKeys() key2 = dh2.generateKeys("hex") secret1 = dh1.computeSecret(key2, "hex", "base64") secret2 = dh2.computeSecret(key1, "binary", "buffer") assert.equal secret1, secret2.toString("base64") dh3 = crypto.createDiffieHellman(p1, "buffer") privkey1 = dh1.getPrivateKey() dh3.setPublicKey key1 dh3.setPrivateKey privkey1 assert.equal dh1.getPrime(), dh3.getPrime() assert.equal dh1.getGenerator(), dh3.getGenerator() assert.equal dh1.getPublicKey(), dh3.getPublicKey() assert.equal dh1.getPrivateKey(), dh3.getPrivateKey() secret3 = dh3.computeSecret(key2, "hex", "base64") assert.equal secret1, secret3 p = "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD129024E088A67CC74" + "020BBEA63B139B22514A08798E3404DDEF9519B3CD3A431B302B0A6DF25F1437" + "4FE1356D6D51C245E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE65381FFFFFFFFFFFFFFFF" d = crypto.createDiffieHellman(p, "hex") assert.equal d.verifyError, constants.DH_NOT_SUITABLE_GENERATOR rsaSign = crypto.createSign("RSA-SHA1") rsaVerify = crypto.createVerify("RSA-SHA1") assert.ok rsaSign assert.ok rsaVerify rsaSign.update rsaPubPem rsaSignature = rsaSign.sign(rsaKeyPem, "hex") assert.equal rsaSignature, "5c50e3145c4e2497aadb0eabc83b342d0b0021ece0d4c4a064b7c" + "8f020d7e2688b122bfb54c724ac9ee169f83f66d2fe90abeb95e8" + "e1290e7e177152a4de3d944cf7d4883114a20ed0f78e70e25ef0f" + "60f06b858e6af42a2f276ede95bbc6bc9a9bbdda15bd663186a6f" + "40819a7af19e577bb2efa5e579a1f5ce8a0d4ca8b8f6" rsaVerify.update rsaPubPem assert.strictEqual rsaVerify.verify(rsaPubPem, rsaSignature, "hex"), true (-> privateKey = fs.readFileSync(common.fixturesDir + "/test_rsa_privkey_2.pem") publicKey = fs.readFileSync(common.fixturesDir + "/test_rsa_pubkey_2.pem") input = "I AM THE WALRUS" signature = "79d59d34f56d0e94aa6a3e306882b52ed4191f07521f25f505a078dc2f89" + "396e0c8ac89e996fde5717f4cb89199d8fec249961fcb07b74cd3d2a4ffa" + "235417b69618e4bcd76b97e29975b7ce862299410e1b522a328e44ac9bb2" + "8195e0268da7eda23d9825ac43c724e86ceeee0d0d4465678652ccaf6501" + "0ddfb299bedeb1ad" sign = crypto.createSign("RSA-SHA256") sign.update input output = sign.sign(privateKey, "hex") assert.equal output, signature verify = crypto.createVerify("RSA-SHA256") verify.update input assert.strictEqual verify.verify(publicKey, signature, "hex"), true return )() (-> privateKey = fs.readFileSync(common.fixturesDir + "/test_dsa_privkey.pem") publicKey = fs.readFileSync(common.fixturesDir + "/test_dsa_pubkey.pem") input = "I AM THE WALRUS" sign = crypto.createSign("DSS1") sign.update input signature = sign.sign(privateKey, "hex") verify = crypto.createVerify("DSS1") verify.update input assert.strictEqual verify.verify(publicKey, signature, "hex"), true return )() testPBKDF2 "password", "salt", 1, 20, "\f`È\u000f–\u001f\u000eqó©µ$" + "¯`\u0012\u0006/à7¦" testPBKDF2 "password", "salt", 2, 20, "êl\u0001MÇ-oŒÍ\u001eÙ*" + "Î\u001dAðØÞ‰W" testPBKDF2 "password", "salt", 4096, 20, "K\u0000y\u0001·eHš¾­IÙ&" + "÷!Ðe¤)Á" testPBKDF2 "passwordPASSWORDpassword", "saltSALTsaltSALTsaltSALTsaltSALTsalt", 4096, 25, "=.ìOä\u001c„›€ÈØ6b" + "ÀäJ‹)\u001a–Lòðp8" testPBKDF2 "pass\u0000word", "sa\u0000lt", 4096, 16, "Vúj§UH\tÌ7×ð4" + "%àÃ"
4958
# Copyright <NAME>, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. # This is the same as test/simple/test-crypto, but from before the shift # to use buffers by default. # Test Certificates # TODO(indutny): Move to a separate test eventually # PFX tests # Test HMAC # Test HMAC-SHA-* (rfc 4231 Test Cases) # 'Hi There' # '<NAME>' # 'what do ya want for nothing?' # 'Test With Truncation' # 'Test Using Larger Than Block-Size Key - Hash Key First' # 'This is a test using a larger than block-size key and a larger ' + # 'than block-size data. The key needs to be hashed before being ' + # 'used by the HMAC algorithm.' # first 128 bits == 32 hex chars # Test HMAC-MD5/SHA1 (rfc 2202 Test Cases) # Test hashing # binary # Test multiple updates to same hash # Test hashing for binary files # Issue #2227: unknown digest method should throw an error. # Test signing and verifying # binary # binary testCipher1 = (key) -> # Test encryption and decryption plaintext = "Keep this a secret? No! Tell everyone about node.js!" cipher = crypto.createCipher("aes192", key) # encrypt plaintext which is in utf8 format # to a ciphertext which will be in hex ciph = cipher.update(plaintext, "utf8", "hex") # Only use binary or hex, not base64. ciph += cipher.final("hex") decipher = crypto.createDecipher("aes192", key) txt = decipher.update(ciph, "hex", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption" return testCipher2 = (key) -> # encryption and decryption with Base64 # reported in https://github.com/joyent/node/issues/738 plaintext = "32|RmVZZkFUVmpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw" + "eCBsThSsfUHLeRe0KCsK8ooHgxie0zOINpXxfZi/oNG7uq9JWFVCk70gfzQH8ZUJ" + "jAfaFg**" cipher = crypto.createCipher("aes256", key) # encrypt plaintext which is in utf8 format # to a ciphertext which will be in Base64 ciph = cipher.update(plaintext, "utf8", "base64") ciph += cipher.final("base64") decipher = crypto.createDecipher("aes256", key) txt = decipher.update(ciph, "base64", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption with Base64" return testCipher3 = (key, iv) -> # Test encyrption and decryption with explicit key and iv plaintext = "32|RmV<KEY>RR<KEY>0<KEY>qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw" + "eCBsThSsfUHLeRe0KCsK8ooHgxie0zOINpXxfZi/oNG7uq9JWFVCk70gfzQH8ZUJ" + "jAfaFg**" cipher = crypto.createCipheriv("des-ede3-cbc", key, iv) ciph = cipher.update(plaintext, "utf8", "hex") ciph += cipher.final("hex") decipher = crypto.createDecipheriv("des-ede3-cbc", key, iv) txt = decipher.update(ciph, "hex", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption with key and iv" return testCipher4 = (key, iv) -> # Test encyrption and decryption with explicit key and iv plaintext = "32|RmVZZk<KEY>mpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw" + "eCBsThSsfUHLeRe0KCsK8ooHgxie0zOINpXxfZi/oNG7uq9JWFVCk70gfzQH8ZUJ" + "jAfaFg**" cipher = crypto.createCipheriv("des-ede3-cbc", key, iv) ciph = cipher.update(plaintext, "utf8", "buffer") ciph = Buffer.concat([ ciph cipher.final("buffer") ]) decipher = crypto.createDecipheriv("des-ede3-cbc", key, iv) txt = decipher.update(ciph, "buffer", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption with key and iv" return # update() should only take buffers / strings # Test Diffie-Hellman with two parties sharing a secret, # using various encodings as we go along # Create "another dh1" using generated keys from dh1, # and compute secret again # https://github.com/joyent/node/issues/2338 # Test RSA key signing/verification # # Test RSA signing and verification # # # Test DSA signing and verification # # DSA signatures vary across runs so there is no static string to verify # against # # Test PBKDF2 with RFC 6070 test vectors (except #4) # testPBKDF2 = (password, salt, iterations, keylen, expected) -> actual = crypto.pbkdf2Sync(password, salt, iterations, keylen) assert.equal actual, expected crypto.pbkdf2 password, salt, iterations, keylen, (err, actual) -> assert.equal actual, expected return return common = require("../common") assert = require("assert") constants = require("constants") try crypto = require("crypto") tls = require("tls") catch e console.log "Not compiled with OPENSSL support." process.exit() crypto.DEFAULT_ENCODING = "binary" fs = require("fs") path = require("path") caPem = fs.readFileSync(common.fixturesDir + "/test_ca.pem", "ascii") certPem = fs.readFileSync(common.fixturesDir + "/test_cert.pem", "ascii") certPfx = fs.readFileSync(common.fixturesDir + "/test_cert.pfx") keyPem = fs.readFileSync(common.fixturesDir + "/test_key.pem", "ascii") rsaPubPem = fs.readFileSync(common.fixturesDir + "/test_rsa_pubkey.pem", "ascii") rsaKeyPem = fs.readFileSync(common.fixturesDir + "/test_rsa_privkey.pem", "ascii") try context = tls.createSecureContext( key: keyPem cert: certPem ca: caPem ) catch e console.log "Not compiled with OPENSSL support." process.exit() assert.doesNotThrow -> tls.createSecureContext pfx: certPfx passphrase: "<PASSWORD>" return assert.throws (-> tls.createSecureContext pfx: certPfx return ), "mac verify failure" assert.throws (-> tls.createSecureContext pfx: certPfx passphrase: "<PASSWORD>" return ), "mac verify failure" assert.throws (-> tls.createSecureContext pfx: "sample" passphrase: "<PASSWORD>" return ), "not enough data" h1 = crypto.createHmac("sha1", "Node").update("some data").update("to hmac").digest("hex") assert.equal h1, "19fd6e1ba73d9ed2224dd5094a71babe85d9a892", "test HMAC" rfc4231 = [ { key: new Buffer("<KEY>", "hex") data: new Buffer("4869205468657265", "hex") hmac: sha224: "896fb1128abbdf196832107cd49df33f47b4b1169912ba4f53684b22" sha256: "b0344c61d8db38535ca8afceaf0bf12b881dc200c9833da726e9376c" + "2e32cff7" sha384: "afd03944d84895626b0825f4ab46907f15f9dadbe4101ec682aa034c" + "7cebc59cfaea9ea9076ede7f4af152e8b2fa9cb6" sha512: "87aa7cdea5ef619d4ff0b4241a1d6cb02379f4e2ce4ec2787ad0b305" + "45e17cdedaa833b7d6b8a702038b274eaea3f4e4be9d914eeb61f170" + "2e696c203a126854" } { key: new Buffer("<KEY>", "hex") data: new Buffer("7768617420646f2079612077616e7420666f72206e6f74686" + "96e673f", "hex") hmac: sha224: "a30e01098bc6dbbf45690f3a7e9e6d0f8bbea2a39e6148008fd05e44" sha256: "5bdcc146bf60754e6a042426089575c75a003f089d2739839dec58b9" + "64ec3843" sha384: "af45d2e376484031617f78d2b58a6b1b9c7ef464f5a01b47e42ec373" + "6322445e8e2240ca5e69e2c78b3239ecfab21649" sha512: "164b7a7bfcf819e2e395fbe73b56e0a387bd64222e831fd610270cd7" + "ea2505549758bf75c05a994a6d034f65f8f0e6fdcaeab1a34d4a6b4b" + "636e070a38bce737" } { key: new Buffer("<KEY>", "hex") data: new Buffer("ddddddddddddddddddddddddddddddddddddddddddddddddd" + "ddddddddddddddddddddddddddddddddddddddddddddddddddd", "hex") hmac: sha224: "7fb3cb3588c6c1f6ffa9694d7d6ad2649365b0c1f65d69d1ec8333ea" sha256: "773ea91e36800e46854db8ebd09181a72959098b3ef8c122d9635514" + "ced565fe" sha384: "88062608d3e6ad8a0aa2ace014c8a86f0aa635d947ac9febe83ef4e5" + "5966144b2a5ab39dc13814b94e3ab6e101a34f27" sha512: "fa73b0089d56a284efb0f0756c890be9b1b5dbdd8ee81a3655f83e33" + "b2279d39bf3e848279a722c806b485a47e67c807b946a337bee89426" + "74278859e13292fb" } { key: new Buffer("<KEY>", "hex") data: new Buffer("cdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdc" + "dcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcd", "hex") hmac: sha224: "6c11506874013cac6a2abc1bb382627cec6a90d86efc012de7afec5a" sha256: "82558a389a443c0ea4cc819899f2083a85f0faa3e578f8077a2e3ff4" + "6729665b" sha384: "3e8a69b7783c25851933ab6290af6ca77a9981480850009cc5577c6e" + "1f573b4e6801dd23c4a7d679ccf8a386c674cffb" sha512: "b0ba465637458c6990e5a8c5f61d4af7e576d97ff94b872de76f8050" + "361ee3dba91ca5c11aa25eb4d679275cc5788063a5f19741120c4f2d" + "e2adebeb10a298dd" } { key: new Buffer("<KEY>", "hex") data: new Buffer("546573742057697468205472756e636174696f6e", "hex") hmac: sha224: "0e2aea68a90c8d37c988bcdb9fca6fa8" sha256: "a3b6167473100ee06e0c796c2955552b" sha384: "3abf34c3503b2a23a46efc619baef897" sha512: "415fad6271580a531d4179bc891d87a6" truncate: true } { key: new Buffer("<KEY> + "<KEY> + <KEY> + <KEY> + <KEY> + <KEY>", "hex") data: new Buffer("54657374205573696e67204c6172676572205468616e20426" + "c6f636b2d53697a65204b6579202d2048617368204b657920" + "4669727374", "hex") hmac: sha224: "95e9a0db962095adaebe9b2d6f0dbce2d499f112f2d2b7273fa6870e" sha256: "60e431591ee0b67f0d8a26aacbf5b77f8e0bc6213728c5140546040f" + "0ee37f54" sha384: "4ece084485813e9088d2c63a041bc5b44f9ef1012a2b588f3cd11f05" + "033ac4c60c2ef6ab4030fe8296248df163f44952" sha512: "80b24263c7c1a3ebb71493c1dd7be8b49b46d1f41b4aeec1121b0137" + "83f8f3526b56d037e05f2598bd0fd2215d6a1e5295e64f73f63f0aec" + "8b915a985d786598" } { key: new Buffer("<KEY> + <KEY> + <KEY> + <KEY>", "hex") data: new Buffer("5468697320697320612074657374207573696e672061206c6" + "172676572207468616e20626c6f636b2d73697a65206b6579" + "20616e642061206c6172676572207468616e20626c6f636b2" + "d73697a6520646174612e20546865206b6579206e65656473" + "20746f20626520686173686564206265666f7265206265696" + "e6720757365642062792074686520484d414320616c676f72" + "6974686d2e", "hex") hmac: sha224: "3a854166ac5d9f023f54d517d0b39dbd946770db9c2b95c9f6f565d1" sha256: "9b09ffa71b942fcb27635fbcd5b0e944bfdc63644f0713938a7f5153" + "5c3a35e2" sha384: "6617178e941f020d351e2f254e8fd32c602420feb0b8fb9adccebb82" + "461e99c5a678cc31e799176d3860e6110c46523e" sha512: "e37b6a775dc87dbaa4dfa9f96e5e3ffddebd71f8867289865df5a32d" + "20cdc944b6022cac3c4982b10d5eeb55c3e4de15134676fb6de04460" + "65c97440fa8c6a58" } ] i = 0 l = rfc4231.length while i < l for hash of rfc4231[i]["hmac"] result = crypto.createHmac(hash, rfc4231[i]["key"]).update(rfc4231[i]["data"]).digest("hex") result = result.substr(0, 32) if rfc4231[i]["truncate"] assert.equal rfc4231[i]["hmac"][hash], result, "Test HMAC-" + hash + ": Test case " + (i + 1) + " rfc 4231" i++ rfc2202_md5 = [ { key: new Buffer("<KEY>b0b0b0b0b", "hex") data: "Hi There" hmac: "9294727a3638bb1c13f48ef8158bfc9d" } { key: "<NAME>" data: "what do ya want for nothing?" hmac: "750c783e6ab0b503eaa86e310a5db738" } { key: new Buffer("aaaaaaaaaaaaaaaa<KEY>", "hex") data: new Buffer("ddddddddddddddddddddddddddddddddddddddddddddddddd" + "ddddddddddddddddddddddddddddddddddddddddddddddddddd", "hex") hmac: "56be34521d144c88dbb8c733f0e8b3f6" } { key: new Buffer("<KEY>", "hex") data: new Buffer("cdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdc" + "dcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcd" + "cdcdcdcdcd", "hex") hmac: "697eaf0aca3a3aea3a75164746ffaa79" } { key: new Buffer("<KEY>", "hex") data: "Test With Truncation" hmac: "56461ef2342edc00f9bab995690efd4c" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaa", "hex") data: "Test Using Larger Than Block-Size Key - Hash Key First" hmac: "6b1ab7fe4bd7bf8f0b62e6ce61b9d0cd" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaa", "hex") data: "Test Using Larger Than Block-Size Key and Larger Than One " + "Block-Size Data" hmac: "6f630fad67cda0ee1fb1f562db3aa53e" } ] rfc2202_sha1 = [ { key: new Buffer("<KEY>", "hex") data: "Hi There" hmac: "b617318655057264e28bc0b6fb378c8ef146be00" } { key: "<NAME>" data: "what do ya want for nothing?" hmac: "effcdf6ae5eb2fa2d27416d5f184df9c259a7c79" } { key: new Buffer("aaaaaaaaaaaaaaaa<KEY>", "hex") data: new Buffer("ddddddddddddddddddddddddddddddddddddddddddddd" + "ddddddddddddddddddddddddddddddddddddddddddddd" + "dddddddddd", "hex") hmac: "125d7342b9ac11cd91a39af48aa17b4f63f175d3" } { key: new Buffer("<KEY>", "hex") data: new Buffer("cdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdc" + "dcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcd" + "cdcdcdcdcd", "hex") hmac: "4c9007f4026250c6bc8414f9bf50c86c2d7235da" } { key: new Buffer("<KEY>", "hex") data: "Test With Truncation" hmac: "4c1a03424b55e07fe7f27be1d58bb9324a9a5a04" } { key: new Buffer("aaaaaaaaaaaaaaaa<KEY>" + "aaaaaaaaaaaaaaaa<KEY>" + "aaaaaaaaaaaaaaaa<KEY>aaaaaa" + "aaaaaaaaaaaaaaaaaaaa<KEY>", "hex") data: "Test Using Larger Than Block-Size Key - Hash Key First" hmac: "aa4ae5e15272d00e95705637ce8a3b55ed402112" } { key: new Buffer("aaaaaaaaaaaaaaaa<KEY>aa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaa", "hex") data: "Test Using Larger Than Block-Size Key and Larger Than One " + "Block-Size Data" hmac: "e8e99d0f45237d786d6bbaa7965c7808bbff1a91" } ] i = 0 l = rfc2202_md5.length while i < l assert.equal rfc2202_md5[i]["hmac"], crypto.createHmac("md5", rfc2202_md5[i]["key"]).update(rfc2202_md5[i]["data"]).digest("hex"), "Test HMAC-MD5 : Test case " + (i + 1) + " rfc 2202" i++ i = 0 l = rfc2202_sha1.length while i < l assert.equal rfc2202_sha1[i]["hmac"], crypto.createHmac("sha1", rfc2202_sha1[i]["key"]).update(rfc2202_sha1[i]["data"]).digest("hex"), "Test HMAC-SHA1 : Test case " + (i + 1) + " rfc 2202" i++ a0 = crypto.createHash("sha1").update("Test123").digest("hex") a1 = crypto.createHash("md5").update("Test123").digest("binary") a2 = crypto.createHash("sha256").update("Test123").digest("base64") a3 = crypto.createHash("sha512").update("Test123").digest() a4 = crypto.createHash("sha1").update("Test123").digest("buffer") assert.equal a0, "8308651804facb7b9af8ffc53a33a22d6a1c8ac2", "Test SHA1" assert.equal a1, "hê˗Øo\fF!ú+\u000e\u0017Ê" + "½Œ", "Test MD5 as binary" assert.equal a2, "2bX1jws4GYKTlxhloUB09Z66PoJZW+y+hq5R8dnx9l4=", "Test SHA256 as base64" assert.equal a3, "Á(4ñ\u0003\u001fd—!O'ÔC/&QzÔ" + "”\u0015l¸Q+Û\u001dĵ}²" + "֒£ß¢i¡›\n\n*\u000f" + "×Ö¢¨…ã<ƒœ“" + "Â\u0006Ú0¡‡9(Gí'", "Test SHA512 as assumed binary" assert.deepEqual a4, new Buffer("8308651804facb7b9af8ffc53a33a22d6a1c8ac2", "hex"), "Test SHA1" h1 = crypto.createHash("sha1").update("Test123").digest("hex") h2 = crypto.createHash("sha1").update("Test").update("123").digest("hex") assert.equal h1, h2, "multipled updates" fn = path.join(common.fixturesDir, "sample.png") sha1Hash = crypto.createHash("sha1") fileStream = fs.createReadStream(fn) fileStream.on "data", (data) -> sha1Hash.update data return fileStream.on "close", -> assert.equal sha1Hash.digest("hex"), "22723e553129a336ad96e10f6aecdf0f45e4149e", "Test SHA1 of sample.png" return assert.throws -> crypto.createHash "xyzzy" return s1 = crypto.createSign("RSA-SHA1").update("Test123").sign(keyPem, "base64") verified = crypto.createVerify("RSA-SHA1").update("Test").update("123").verify(certPem, s1, "base64") assert.strictEqual verified, true, "sign and verify (base 64)" s2 = crypto.createSign("RSA-SHA256").update("Test123").sign(keyPem) verified = crypto.createVerify("RSA-SHA256").update("Test").update("123").verify(certPem, s2) assert.strictEqual verified, true, "sign and verify (binary)" s3 = crypto.createSign("RSA-SHA1").update("Test123").sign(keyPem, "buffer") verified = crypto.createVerify("RSA-SHA1").update("Test").update("123").verify(certPem, s3) assert.strictEqual verified, true, "sign and verify (buffer)" testCipher1 "MySecretKey123" testCipher1 new Buffer("MySecretKey123") testCipher2 "0123456789abcdef" testCipher2 new Buffer("0123456789abcdef") testCipher3 "0123456789abcd0123456789", "12345678" testCipher3 "0123456789abcd0123456789", new Buffer("12345678") testCipher3 new Buffer("0123456789abcd0123456789"), "12345678" testCipher3 new Buffer("0123456789abcd0123456789"), new Buffer("12345678") testCipher4 new Buffer("0123456789abcd0123456789"), new Buffer("12345678") assert.throws (-> crypto.createHash("sha1").update foo: "bar" return ), /buffer/ dh1 = crypto.createDiffieHellman(256) p1 = dh1.getPrime("buffer") dh2 = crypto.createDiffieHellman(p1, "base64") key1 = dh1.generateKeys() key2 = dh2.generateKeys("hex") secret1 = dh1.computeSecret(key2, "hex", "base64") secret2 = dh2.computeSecret(key1, "binary", "buffer") assert.equal secret1, secret2.toString("base64") dh3 = crypto.createDiffieHellman(p1, "buffer") privkey1 = dh1.getPrivateKey() dh3.setPublicKey key1 dh3.setPrivateKey privkey1 assert.equal dh1.getPrime(), dh3.getPrime() assert.equal dh1.getGenerator(), dh3.getGenerator() assert.equal dh1.getPublicKey(), dh3.getPublicKey() assert.equal dh1.getPrivateKey(), dh3.getPrivateKey() secret3 = dh3.computeSecret(key2, "hex", "base64") assert.equal secret1, secret3 p = "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD129024E088A67CC74" + "020BBEA63B139B22514A08798E3404DDEF9519B3CD3A431B302B0A6DF25F1437" + "4FE1356D6D51C245E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE65381FFFFFFFFFFFFFFFF" d = crypto.createDiffieHellman(p, "hex") assert.equal d.verifyError, constants.DH_NOT_SUITABLE_GENERATOR rsaSign = crypto.createSign("RSA-SHA1") rsaVerify = crypto.createVerify("RSA-SHA1") assert.ok rsaSign assert.ok rsaVerify rsaSign.update rsaPubPem rsaSignature = rsaSign.sign(rsaKeyPem, "hex") assert.equal rsaSignature, "5c50e3145c4e2497aadb0eabc83b342d0b0021ece0d4c4a064b7c" + "8f020d7e2688b122bfb54c724ac9ee169f83f66d2fe90abeb95e8" + "e1290e7e177152a4de3d944cf7d4883114a20ed0f78e70e25ef0f" + "60f06b858e6af42a2f276ede95bbc6bc9a9bbdda15bd663186a6f" + "40819a7af19e577bb2efa5e579a1f5ce8a0d4ca8b8f6" rsaVerify.update rsaPubPem assert.strictEqual rsaVerify.verify(rsaPubPem, rsaSignature, "hex"), true (-> privateKey = fs.readFileSync(common.fixturesDir + "/test_rsa_privkey_2.pem") publicKey = fs.readFileSync(common.fixturesDir + "/test_rsa_pubkey_2.pem") input = "I AM THE WALRUS" signature = "79d59d34f56d0e94aa6a3e306882b52ed4191f07521f25f505a078dc2f89" + "396e0c8ac89e996fde5717f4cb89199d8fec249961fcb07b74cd3d2a4ffa" + "235417b69618e4bcd76b97e29975b7ce862299410e1b522a328e44ac9bb2" + "8195e0268da7eda23d9825ac43c724e86ceeee0d0d4465678652ccaf6501" + "0ddfb299bedeb1ad" sign = crypto.createSign("RSA-SHA256") sign.update input output = sign.sign(privateKey, "hex") assert.equal output, signature verify = crypto.createVerify("RSA-SHA256") verify.update input assert.strictEqual verify.verify(publicKey, signature, "hex"), true return )() (-> privateKey = fs.readFileSync(common.fixturesDir + "/test_dsa_privkey.pem") publicKey = fs.readFileSync(common.fixturesDir + "/test_dsa_pubkey.pem") input = "I AM THE WALRUS" sign = crypto.createSign("DSS1") sign.update input signature = sign.sign(privateKey, "hex") verify = crypto.createVerify("DSS1") verify.update input assert.strictEqual verify.verify(publicKey, signature, "hex"), true return )() testPBKDF2 "password", "salt", 1, 20, "\f`È\u000f–\u001f\u000eqó©µ$" + "¯`\u0012\u0006/à7¦" testPBKDF2 "password", "<PASSWORD>", 2, 20, "êl\u0001MÇ-oŒÍ\u001eÙ*" + "Î\u001dAðØÞ‰W" testPBKDF2 "password", "<PASSWORD>", 4096, 20, "K\u0000y\u0001·eHš¾­IÙ&" + "÷!Ðe¤)Á" testPBKDF2 "passwordPASSWORD<PASSWORD>", "saltSALTsaltSALTsaltSALTsaltSALTsalt", 4096, 25, "=.ìOä\u001c„›€ÈØ6b" + "ÀäJ‹)\u001a–Lòðp8" testPBKDF2 "pass\u0000word", "sa\u0000lt", 4096, 16, "Vúj§UH\tÌ7×ð4" + "%àÃ"
true
# Copyright PI:NAME:<NAME>END_PI, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. # This is the same as test/simple/test-crypto, but from before the shift # to use buffers by default. # Test Certificates # TODO(indutny): Move to a separate test eventually # PFX tests # Test HMAC # Test HMAC-SHA-* (rfc 4231 Test Cases) # 'Hi There' # 'PI:NAME:<NAME>END_PI' # 'what do ya want for nothing?' # 'Test With Truncation' # 'Test Using Larger Than Block-Size Key - Hash Key First' # 'This is a test using a larger than block-size key and a larger ' + # 'than block-size data. The key needs to be hashed before being ' + # 'used by the HMAC algorithm.' # first 128 bits == 32 hex chars # Test HMAC-MD5/SHA1 (rfc 2202 Test Cases) # Test hashing # binary # Test multiple updates to same hash # Test hashing for binary files # Issue #2227: unknown digest method should throw an error. # Test signing and verifying # binary # binary testCipher1 = (key) -> # Test encryption and decryption plaintext = "Keep this a secret? No! Tell everyone about node.js!" cipher = crypto.createCipher("aes192", key) # encrypt plaintext which is in utf8 format # to a ciphertext which will be in hex ciph = cipher.update(plaintext, "utf8", "hex") # Only use binary or hex, not base64. ciph += cipher.final("hex") decipher = crypto.createDecipher("aes192", key) txt = decipher.update(ciph, "hex", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption" return testCipher2 = (key) -> # encryption and decryption with Base64 # reported in https://github.com/joyent/node/issues/738 plaintext = "32|RmVZZkFUVmpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw" + "eCBsThSsfUHLeRe0KCsK8ooHgxie0zOINpXxfZi/oNG7uq9JWFVCk70gfzQH8ZUJ" + "jAfaFg**" cipher = crypto.createCipher("aes256", key) # encrypt plaintext which is in utf8 format # to a ciphertext which will be in Base64 ciph = cipher.update(plaintext, "utf8", "base64") ciph += cipher.final("base64") decipher = crypto.createDecipher("aes256", key) txt = decipher.update(ciph, "base64", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption with Base64" return testCipher3 = (key, iv) -> # Test encyrption and decryption with explicit key and iv plaintext = "32|RmVPI:KEY:<KEY>END_PIRRPI:KEY:<KEY>END_PI0PI:KEY:<KEY>END_PIqcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw" + "eCBsThSsfUHLeRe0KCsK8ooHgxie0zOINpXxfZi/oNG7uq9JWFVCk70gfzQH8ZUJ" + "jAfaFg**" cipher = crypto.createCipheriv("des-ede3-cbc", key, iv) ciph = cipher.update(plaintext, "utf8", "hex") ciph += cipher.final("hex") decipher = crypto.createDecipheriv("des-ede3-cbc", key, iv) txt = decipher.update(ciph, "hex", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption with key and iv" return testCipher4 = (key, iv) -> # Test encyrption and decryption with explicit key and iv plaintext = "32|RmVZZkPI:KEY:<KEY>END_PImpRRkp0TmJaUm56ZU9qcnJkaXNNWVNpTTU*|iXmckfRWZBGWWELw" + "eCBsThSsfUHLeRe0KCsK8ooHgxie0zOINpXxfZi/oNG7uq9JWFVCk70gfzQH8ZUJ" + "jAfaFg**" cipher = crypto.createCipheriv("des-ede3-cbc", key, iv) ciph = cipher.update(plaintext, "utf8", "buffer") ciph = Buffer.concat([ ciph cipher.final("buffer") ]) decipher = crypto.createDecipheriv("des-ede3-cbc", key, iv) txt = decipher.update(ciph, "buffer", "utf8") txt += decipher.final("utf8") assert.equal txt, plaintext, "encryption and decryption with key and iv" return # update() should only take buffers / strings # Test Diffie-Hellman with two parties sharing a secret, # using various encodings as we go along # Create "another dh1" using generated keys from dh1, # and compute secret again # https://github.com/joyent/node/issues/2338 # Test RSA key signing/verification # # Test RSA signing and verification # # # Test DSA signing and verification # # DSA signatures vary across runs so there is no static string to verify # against # # Test PBKDF2 with RFC 6070 test vectors (except #4) # testPBKDF2 = (password, salt, iterations, keylen, expected) -> actual = crypto.pbkdf2Sync(password, salt, iterations, keylen) assert.equal actual, expected crypto.pbkdf2 password, salt, iterations, keylen, (err, actual) -> assert.equal actual, expected return return common = require("../common") assert = require("assert") constants = require("constants") try crypto = require("crypto") tls = require("tls") catch e console.log "Not compiled with OPENSSL support." process.exit() crypto.DEFAULT_ENCODING = "binary" fs = require("fs") path = require("path") caPem = fs.readFileSync(common.fixturesDir + "/test_ca.pem", "ascii") certPem = fs.readFileSync(common.fixturesDir + "/test_cert.pem", "ascii") certPfx = fs.readFileSync(common.fixturesDir + "/test_cert.pfx") keyPem = fs.readFileSync(common.fixturesDir + "/test_key.pem", "ascii") rsaPubPem = fs.readFileSync(common.fixturesDir + "/test_rsa_pubkey.pem", "ascii") rsaKeyPem = fs.readFileSync(common.fixturesDir + "/test_rsa_privkey.pem", "ascii") try context = tls.createSecureContext( key: keyPem cert: certPem ca: caPem ) catch e console.log "Not compiled with OPENSSL support." process.exit() assert.doesNotThrow -> tls.createSecureContext pfx: certPfx passphrase: "PI:PASSWORD:<PASSWORD>END_PI" return assert.throws (-> tls.createSecureContext pfx: certPfx return ), "mac verify failure" assert.throws (-> tls.createSecureContext pfx: certPfx passphrase: "PI:PASSWORD:<PASSWORD>END_PI" return ), "mac verify failure" assert.throws (-> tls.createSecureContext pfx: "sample" passphrase: "PI:PASSWORD:<PASSWORD>END_PI" return ), "not enough data" h1 = crypto.createHmac("sha1", "Node").update("some data").update("to hmac").digest("hex") assert.equal h1, "19fd6e1ba73d9ed2224dd5094a71babe85d9a892", "test HMAC" rfc4231 = [ { key: new Buffer("PI:KEY:<KEY>END_PI", "hex") data: new Buffer("4869205468657265", "hex") hmac: sha224: "896fb1128abbdf196832107cd49df33f47b4b1169912ba4f53684b22" sha256: "b0344c61d8db38535ca8afceaf0bf12b881dc200c9833da726e9376c" + "2e32cff7" sha384: "afd03944d84895626b0825f4ab46907f15f9dadbe4101ec682aa034c" + "7cebc59cfaea9ea9076ede7f4af152e8b2fa9cb6" sha512: "87aa7cdea5ef619d4ff0b4241a1d6cb02379f4e2ce4ec2787ad0b305" + "45e17cdedaa833b7d6b8a702038b274eaea3f4e4be9d914eeb61f170" + "2e696c203a126854" } { key: new Buffer("PI:KEY:<KEY>END_PI", "hex") data: new Buffer("7768617420646f2079612077616e7420666f72206e6f74686" + "96e673f", "hex") hmac: sha224: "a30e01098bc6dbbf45690f3a7e9e6d0f8bbea2a39e6148008fd05e44" sha256: "5bdcc146bf60754e6a042426089575c75a003f089d2739839dec58b9" + "64ec3843" sha384: "af45d2e376484031617f78d2b58a6b1b9c7ef464f5a01b47e42ec373" + "6322445e8e2240ca5e69e2c78b3239ecfab21649" sha512: "164b7a7bfcf819e2e395fbe73b56e0a387bd64222e831fd610270cd7" + "ea2505549758bf75c05a994a6d034f65f8f0e6fdcaeab1a34d4a6b4b" + "636e070a38bce737" } { key: new Buffer("PI:KEY:<KEY>END_PI", "hex") data: new Buffer("ddddddddddddddddddddddddddddddddddddddddddddddddd" + "ddddddddddddddddddddddddddddddddddddddddddddddddddd", "hex") hmac: sha224: "7fb3cb3588c6c1f6ffa9694d7d6ad2649365b0c1f65d69d1ec8333ea" sha256: "773ea91e36800e46854db8ebd09181a72959098b3ef8c122d9635514" + "ced565fe" sha384: "88062608d3e6ad8a0aa2ace014c8a86f0aa635d947ac9febe83ef4e5" + "5966144b2a5ab39dc13814b94e3ab6e101a34f27" sha512: "fa73b0089d56a284efb0f0756c890be9b1b5dbdd8ee81a3655f83e33" + "b2279d39bf3e848279a722c806b485a47e67c807b946a337bee89426" + "74278859e13292fb" } { key: new Buffer("PI:KEY:<KEY>END_PI", "hex") data: new Buffer("cdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdc" + "dcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcd", "hex") hmac: sha224: "6c11506874013cac6a2abc1bb382627cec6a90d86efc012de7afec5a" sha256: "82558a389a443c0ea4cc819899f2083a85f0faa3e578f8077a2e3ff4" + "6729665b" sha384: "3e8a69b7783c25851933ab6290af6ca77a9981480850009cc5577c6e" + "1f573b4e6801dd23c4a7d679ccf8a386c674cffb" sha512: "b0ba465637458c6990e5a8c5f61d4af7e576d97ff94b872de76f8050" + "361ee3dba91ca5c11aa25eb4d679275cc5788063a5f19741120c4f2d" + "e2adebeb10a298dd" } { key: new Buffer("PI:KEY:<KEY>END_PI", "hex") data: new Buffer("546573742057697468205472756e636174696f6e", "hex") hmac: sha224: "0e2aea68a90c8d37c988bcdb9fca6fa8" sha256: "a3b6167473100ee06e0c796c2955552b" sha384: "3abf34c3503b2a23a46efc619baef897" sha512: "415fad6271580a531d4179bc891d87a6" truncate: true } { key: new Buffer("PI:KEY:<KEY>END_PI + "PI:KEY:<KEY>END_PI + PI:KEY:<KEY>END_PI + PI:KEY:<KEY>END_PI + PI:KEY:<KEY>END_PI + PI:KEY:<KEY>END_PI", "hex") data: new Buffer("54657374205573696e67204c6172676572205468616e20426" + "c6f636b2d53697a65204b6579202d2048617368204b657920" + "4669727374", "hex") hmac: sha224: "95e9a0db962095adaebe9b2d6f0dbce2d499f112f2d2b7273fa6870e" sha256: "60e431591ee0b67f0d8a26aacbf5b77f8e0bc6213728c5140546040f" + "0ee37f54" sha384: "4ece084485813e9088d2c63a041bc5b44f9ef1012a2b588f3cd11f05" + "033ac4c60c2ef6ab4030fe8296248df163f44952" sha512: "80b24263c7c1a3ebb71493c1dd7be8b49b46d1f41b4aeec1121b0137" + "83f8f3526b56d037e05f2598bd0fd2215d6a1e5295e64f73f63f0aec" + "8b915a985d786598" } { key: new Buffer("PI:KEY:<KEY>END_PI + PI:KEY:<KEY>END_PI + PI:KEY:<KEY>END_PI + PI:KEY:<KEY>END_PI", "hex") data: new Buffer("5468697320697320612074657374207573696e672061206c6" + "172676572207468616e20626c6f636b2d73697a65206b6579" + "20616e642061206c6172676572207468616e20626c6f636b2" + "d73697a6520646174612e20546865206b6579206e65656473" + "20746f20626520686173686564206265666f7265206265696" + "e6720757365642062792074686520484d414320616c676f72" + "6974686d2e", "hex") hmac: sha224: "3a854166ac5d9f023f54d517d0b39dbd946770db9c2b95c9f6f565d1" sha256: "9b09ffa71b942fcb27635fbcd5b0e944bfdc63644f0713938a7f5153" + "5c3a35e2" sha384: "6617178e941f020d351e2f254e8fd32c602420feb0b8fb9adccebb82" + "461e99c5a678cc31e799176d3860e6110c46523e" sha512: "e37b6a775dc87dbaa4dfa9f96e5e3ffddebd71f8867289865df5a32d" + "20cdc944b6022cac3c4982b10d5eeb55c3e4de15134676fb6de04460" + "65c97440fa8c6a58" } ] i = 0 l = rfc4231.length while i < l for hash of rfc4231[i]["hmac"] result = crypto.createHmac(hash, rfc4231[i]["key"]).update(rfc4231[i]["data"]).digest("hex") result = result.substr(0, 32) if rfc4231[i]["truncate"] assert.equal rfc4231[i]["hmac"][hash], result, "Test HMAC-" + hash + ": Test case " + (i + 1) + " rfc 4231" i++ rfc2202_md5 = [ { key: new Buffer("PI:KEY:<KEY>END_PIb0b0b0b0b", "hex") data: "Hi There" hmac: "9294727a3638bb1c13f48ef8158bfc9d" } { key: "PI:KEY:<NAME>END_PI" data: "what do ya want for nothing?" hmac: "750c783e6ab0b503eaa86e310a5db738" } { key: new Buffer("aaaaaaaaaaaaaaaaPI:KEY:<KEY>END_PI", "hex") data: new Buffer("ddddddddddddddddddddddddddddddddddddddddddddddddd" + "ddddddddddddddddddddddddddddddddddddddddddddddddddd", "hex") hmac: "56be34521d144c88dbb8c733f0e8b3f6" } { key: new Buffer("PI:KEY:<KEY>END_PI", "hex") data: new Buffer("cdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdc" + "dcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcd" + "cdcdcdcdcd", "hex") hmac: "697eaf0aca3a3aea3a75164746ffaa79" } { key: new Buffer("PI:KEY:<KEY>END_PI", "hex") data: "Test With Truncation" hmac: "56461ef2342edc00f9bab995690efd4c" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaa", "hex") data: "Test Using Larger Than Block-Size Key - Hash Key First" hmac: "6b1ab7fe4bd7bf8f0b62e6ce61b9d0cd" } { key: new Buffer("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaa", "hex") data: "Test Using Larger Than Block-Size Key and Larger Than One " + "Block-Size Data" hmac: "6f630fad67cda0ee1fb1f562db3aa53e" } ] rfc2202_sha1 = [ { key: new Buffer("PI:KEY:<KEY>END_PI", "hex") data: "Hi There" hmac: "b617318655057264e28bc0b6fb378c8ef146be00" } { key: "PI:KEY:<NAME>END_PI" data: "what do ya want for nothing?" hmac: "effcdf6ae5eb2fa2d27416d5f184df9c259a7c79" } { key: new Buffer("aaaaaaaaaaaaaaaaPI:KEY:<KEY>END_PI", "hex") data: new Buffer("ddddddddddddddddddddddddddddddddddddddddddddd" + "ddddddddddddddddddddddddddddddddddddddddddddd" + "dddddddddd", "hex") hmac: "125d7342b9ac11cd91a39af48aa17b4f63f175d3" } { key: new Buffer("PI:KEY:<KEY>END_PI", "hex") data: new Buffer("cdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdc" + "dcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcdcd" + "cdcdcdcdcd", "hex") hmac: "4c9007f4026250c6bc8414f9bf50c86c2d7235da" } { key: new Buffer("PI:KEY:<KEY>END_PI", "hex") data: "Test With Truncation" hmac: "4c1a03424b55e07fe7f27be1d58bb9324a9a5a04" } { key: new Buffer("aaaaaaaaaaaaaaaaPI:KEY:<KEY>END_PI" + "aaaaaaaaaaaaaaaaPI:KEY:<KEY>END_PI" + "aaaaaaaaaaaaaaaaPI:KEY:<KEY>END_PIaaaaaa" + "aaaaaaaaaaaaaaaaaaaaPI:KEY:<KEY>END_PI", "hex") data: "Test Using Larger Than Block-Size Key - Hash Key First" hmac: "aa4ae5e15272d00e95705637ce8a3b55ed402112" } { key: new Buffer("aaaaaaaaaaaaaaaaPI:KEY:<KEY>END_PIaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" + "aaaaaaaaaaaaaaaaaaaaaa", "hex") data: "Test Using Larger Than Block-Size Key and Larger Than One " + "Block-Size Data" hmac: "e8e99d0f45237d786d6bbaa7965c7808bbff1a91" } ] i = 0 l = rfc2202_md5.length while i < l assert.equal rfc2202_md5[i]["hmac"], crypto.createHmac("md5", rfc2202_md5[i]["key"]).update(rfc2202_md5[i]["data"]).digest("hex"), "Test HMAC-MD5 : Test case " + (i + 1) + " rfc 2202" i++ i = 0 l = rfc2202_sha1.length while i < l assert.equal rfc2202_sha1[i]["hmac"], crypto.createHmac("sha1", rfc2202_sha1[i]["key"]).update(rfc2202_sha1[i]["data"]).digest("hex"), "Test HMAC-SHA1 : Test case " + (i + 1) + " rfc 2202" i++ a0 = crypto.createHash("sha1").update("Test123").digest("hex") a1 = crypto.createHash("md5").update("Test123").digest("binary") a2 = crypto.createHash("sha256").update("Test123").digest("base64") a3 = crypto.createHash("sha512").update("Test123").digest() a4 = crypto.createHash("sha1").update("Test123").digest("buffer") assert.equal a0, "8308651804facb7b9af8ffc53a33a22d6a1c8ac2", "Test SHA1" assert.equal a1, "hê˗Øo\fF!ú+\u000e\u0017Ê" + "½Œ", "Test MD5 as binary" assert.equal a2, "2bX1jws4GYKTlxhloUB09Z66PoJZW+y+hq5R8dnx9l4=", "Test SHA256 as base64" assert.equal a3, "Á(4ñ\u0003\u001fd—!O'ÔC/&QzÔ" + "”\u0015l¸Q+Û\u001dĵ}²" + "֒£ß¢i¡›\n\n*\u000f" + "×Ö¢¨…ã<ƒœ“" + "Â\u0006Ú0¡‡9(Gí'", "Test SHA512 as assumed binary" assert.deepEqual a4, new Buffer("8308651804facb7b9af8ffc53a33a22d6a1c8ac2", "hex"), "Test SHA1" h1 = crypto.createHash("sha1").update("Test123").digest("hex") h2 = crypto.createHash("sha1").update("Test").update("123").digest("hex") assert.equal h1, h2, "multipled updates" fn = path.join(common.fixturesDir, "sample.png") sha1Hash = crypto.createHash("sha1") fileStream = fs.createReadStream(fn) fileStream.on "data", (data) -> sha1Hash.update data return fileStream.on "close", -> assert.equal sha1Hash.digest("hex"), "22723e553129a336ad96e10f6aecdf0f45e4149e", "Test SHA1 of sample.png" return assert.throws -> crypto.createHash "xyzzy" return s1 = crypto.createSign("RSA-SHA1").update("Test123").sign(keyPem, "base64") verified = crypto.createVerify("RSA-SHA1").update("Test").update("123").verify(certPem, s1, "base64") assert.strictEqual verified, true, "sign and verify (base 64)" s2 = crypto.createSign("RSA-SHA256").update("Test123").sign(keyPem) verified = crypto.createVerify("RSA-SHA256").update("Test").update("123").verify(certPem, s2) assert.strictEqual verified, true, "sign and verify (binary)" s3 = crypto.createSign("RSA-SHA1").update("Test123").sign(keyPem, "buffer") verified = crypto.createVerify("RSA-SHA1").update("Test").update("123").verify(certPem, s3) assert.strictEqual verified, true, "sign and verify (buffer)" testCipher1 "MySecretKey123" testCipher1 new Buffer("MySecretKey123") testCipher2 "0123456789abcdef" testCipher2 new Buffer("0123456789abcdef") testCipher3 "0123456789abcd0123456789", "12345678" testCipher3 "0123456789abcd0123456789", new Buffer("12345678") testCipher3 new Buffer("0123456789abcd0123456789"), "12345678" testCipher3 new Buffer("0123456789abcd0123456789"), new Buffer("12345678") testCipher4 new Buffer("0123456789abcd0123456789"), new Buffer("12345678") assert.throws (-> crypto.createHash("sha1").update foo: "bar" return ), /buffer/ dh1 = crypto.createDiffieHellman(256) p1 = dh1.getPrime("buffer") dh2 = crypto.createDiffieHellman(p1, "base64") key1 = dh1.generateKeys() key2 = dh2.generateKeys("hex") secret1 = dh1.computeSecret(key2, "hex", "base64") secret2 = dh2.computeSecret(key1, "binary", "buffer") assert.equal secret1, secret2.toString("base64") dh3 = crypto.createDiffieHellman(p1, "buffer") privkey1 = dh1.getPrivateKey() dh3.setPublicKey key1 dh3.setPrivateKey privkey1 assert.equal dh1.getPrime(), dh3.getPrime() assert.equal dh1.getGenerator(), dh3.getGenerator() assert.equal dh1.getPublicKey(), dh3.getPublicKey() assert.equal dh1.getPrivateKey(), dh3.getPrivateKey() secret3 = dh3.computeSecret(key2, "hex", "base64") assert.equal secret1, secret3 p = "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD129024E088A67CC74" + "020BBEA63B139B22514A08798E3404DDEF9519B3CD3A431B302B0A6DF25F1437" + "4FE1356D6D51C245E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE65381FFFFFFFFFFFFFFFF" d = crypto.createDiffieHellman(p, "hex") assert.equal d.verifyError, constants.DH_NOT_SUITABLE_GENERATOR rsaSign = crypto.createSign("RSA-SHA1") rsaVerify = crypto.createVerify("RSA-SHA1") assert.ok rsaSign assert.ok rsaVerify rsaSign.update rsaPubPem rsaSignature = rsaSign.sign(rsaKeyPem, "hex") assert.equal rsaSignature, "5c50e3145c4e2497aadb0eabc83b342d0b0021ece0d4c4a064b7c" + "8f020d7e2688b122bfb54c724ac9ee169f83f66d2fe90abeb95e8" + "e1290e7e177152a4de3d944cf7d4883114a20ed0f78e70e25ef0f" + "60f06b858e6af42a2f276ede95bbc6bc9a9bbdda15bd663186a6f" + "40819a7af19e577bb2efa5e579a1f5ce8a0d4ca8b8f6" rsaVerify.update rsaPubPem assert.strictEqual rsaVerify.verify(rsaPubPem, rsaSignature, "hex"), true (-> privateKey = fs.readFileSync(common.fixturesDir + "/test_rsa_privkey_2.pem") publicKey = fs.readFileSync(common.fixturesDir + "/test_rsa_pubkey_2.pem") input = "I AM THE WALRUS" signature = "79d59d34f56d0e94aa6a3e306882b52ed4191f07521f25f505a078dc2f89" + "396e0c8ac89e996fde5717f4cb89199d8fec249961fcb07b74cd3d2a4ffa" + "235417b69618e4bcd76b97e29975b7ce862299410e1b522a328e44ac9bb2" + "8195e0268da7eda23d9825ac43c724e86ceeee0d0d4465678652ccaf6501" + "0ddfb299bedeb1ad" sign = crypto.createSign("RSA-SHA256") sign.update input output = sign.sign(privateKey, "hex") assert.equal output, signature verify = crypto.createVerify("RSA-SHA256") verify.update input assert.strictEqual verify.verify(publicKey, signature, "hex"), true return )() (-> privateKey = fs.readFileSync(common.fixturesDir + "/test_dsa_privkey.pem") publicKey = fs.readFileSync(common.fixturesDir + "/test_dsa_pubkey.pem") input = "I AM THE WALRUS" sign = crypto.createSign("DSS1") sign.update input signature = sign.sign(privateKey, "hex") verify = crypto.createVerify("DSS1") verify.update input assert.strictEqual verify.verify(publicKey, signature, "hex"), true return )() testPBKDF2 "password", "salt", 1, 20, "\f`È\u000f–\u001f\u000eqó©µ$" + "¯`\u0012\u0006/à7¦" testPBKDF2 "password", "PI:PASSWORD:<PASSWORD>END_PI", 2, 20, "êl\u0001MÇ-oŒÍ\u001eÙ*" + "Î\u001dAðØÞ‰W" testPBKDF2 "password", "PI:PASSWORD:<PASSWORD>END_PI", 4096, 20, "K\u0000y\u0001·eHš¾­IÙ&" + "÷!Ðe¤)Á" testPBKDF2 "passwordPASSWORDPI:PASSWORD:<PASSWORD>END_PI", "saltSALTsaltSALTsaltSALTsaltSALTsalt", 4096, 25, "=.ìOä\u001c„›€ÈØ6b" + "ÀäJ‹)\u001a–Lòðp8" testPBKDF2 "pass\u0000word", "sa\u0000lt", 4096, 16, "Vúj§UH\tÌ7×ð4" + "%àÃ"
[ { "context": "# Copyright (c) 2008-2013 Michael Dvorkin and contributors.\n#\n# Fat Free CRM is freely dist", "end": 41, "score": 0.9998588562011719, "start": 26, "tag": "NAME", "value": "Michael Dvorkin" } ]
app/assets/javascripts/crm_sortable.js.coffee
HamiltonDevCo/fat_free_crm
1,290
# Copyright (c) 2008-2013 Michael Dvorkin and contributors. # # Fat Free CRM is freely distributable under the terms of MIT license. # See MIT-LICENSE file or http://www.opensource.org/licenses/mit-license.php #------------------------------------------------------------------------------ (($) -> window.crm ||= {} crm.init_sortables = -> $('[data-sortable]').each -> $el = $(this) checkEmpty = -> $el.children('.empty').toggle($el.sortable('toArray').length is 1) $el.sortable( forcePlaceholderSize: true connectWith: $el.data('sortable-connect-with') handle: $el.data('sortable-handle') create: checkEmpty update: -> ids = [] for dom_id in $el.sortable('toArray') ids.push dom_id.replace(/[^\d]/g, '') data = {} data[$el.attr('id')] = ids $.post($el.attr('data-sortable'), data) checkEmpty() ) $(document).ready -> crm.init_sortables() $(document).ajaxComplete -> crm.init_sortables() ) jQuery
184450
# Copyright (c) 2008-2013 <NAME> and contributors. # # Fat Free CRM is freely distributable under the terms of MIT license. # See MIT-LICENSE file or http://www.opensource.org/licenses/mit-license.php #------------------------------------------------------------------------------ (($) -> window.crm ||= {} crm.init_sortables = -> $('[data-sortable]').each -> $el = $(this) checkEmpty = -> $el.children('.empty').toggle($el.sortable('toArray').length is 1) $el.sortable( forcePlaceholderSize: true connectWith: $el.data('sortable-connect-with') handle: $el.data('sortable-handle') create: checkEmpty update: -> ids = [] for dom_id in $el.sortable('toArray') ids.push dom_id.replace(/[^\d]/g, '') data = {} data[$el.attr('id')] = ids $.post($el.attr('data-sortable'), data) checkEmpty() ) $(document).ready -> crm.init_sortables() $(document).ajaxComplete -> crm.init_sortables() ) jQuery
true
# Copyright (c) 2008-2013 PI:NAME:<NAME>END_PI and contributors. # # Fat Free CRM is freely distributable under the terms of MIT license. # See MIT-LICENSE file or http://www.opensource.org/licenses/mit-license.php #------------------------------------------------------------------------------ (($) -> window.crm ||= {} crm.init_sortables = -> $('[data-sortable]').each -> $el = $(this) checkEmpty = -> $el.children('.empty').toggle($el.sortable('toArray').length is 1) $el.sortable( forcePlaceholderSize: true connectWith: $el.data('sortable-connect-with') handle: $el.data('sortable-handle') create: checkEmpty update: -> ids = [] for dom_id in $el.sortable('toArray') ids.push dom_id.replace(/[^\d]/g, '') data = {} data[$el.attr('id')] = ids $.post($el.attr('data-sortable'), data) checkEmpty() ) $(document).ready -> crm.init_sortables() $(document).ajaxComplete -> crm.init_sortables() ) jQuery
[ { "context": "# Dynamic Sequence\n# by Isaac Weinhausen\n# http://isaacw.com\n\n\n\n\n# Import classes\n# ------", "end": 40, "score": 0.9998895525932312, "start": 24, "tag": "NAME", "value": "Isaac Weinhausen" } ]
examples/dynamic-sequence.framer/app.coffee
ekfuhrmann/framer-animation-collections
0
# Dynamic Sequence # by Isaac Weinhausen # http://isaacw.com # Import classes # ------------------------------------- {AnimationSequence} = require "AnimationSequence" {AnimationSet} = require "AnimationSet" # Setup # ------------------------------------- # Remember these nice colors colors = "purple" : "#877DD7" "blue" : "#28affa" "teal" : "#2DD7AA" "green" : "#7DDD11" "darkGray" : "#292929" # Override defaults Framer.Defaults.Layer.borderRadius = 8 Framer.Defaults.Animation.time = 0.2 # Set canvas props bg = new BackgroundLayer backgroundColor: colors["green"] borderRadius: 0 # Useful animation functions moveDown = (layer) -> new Animation layer: layer properties: y: -> layer.y + 100 flip = (layer) -> flipAnimation = new Animation layer: layer properties: rotationZ: 360 flipAnimation.on Events.AnimationEnd, -> layer.rotationZ = 0 # App # ------------------------------------- squareProps = width: 80 height: 80 spacing: 20 cols = 3 rows = 3 purpleContainer = new Layer width: (squareProps.width + squareProps.spacing) * cols - squareProps.spacing height: (squareProps.height + squareProps.spacing) * rows - squareProps.spacing backgroundColor: "" clip: false purpleContainer.center() purpleGroup = new AnimationSequence for y in [1..rows] for x in [1..cols] square = new Layer width: squareProps.width height: squareProps.height x: (squareProps.width + squareProps.spacing) * (x - 1) y: (squareProps.height + squareProps.spacing) * (y - 1) backgroundColor: "white" superLayer: purpleContainer purpleGroup.front moveDown(square) square.on Events.Click, (event, layer) -> purpleGroup.start() # Execute # ------------------------------------- # purpleGroup.start()
16360
# Dynamic Sequence # by <NAME> # http://isaacw.com # Import classes # ------------------------------------- {AnimationSequence} = require "AnimationSequence" {AnimationSet} = require "AnimationSet" # Setup # ------------------------------------- # Remember these nice colors colors = "purple" : "#877DD7" "blue" : "#28affa" "teal" : "#2DD7AA" "green" : "#7DDD11" "darkGray" : "#292929" # Override defaults Framer.Defaults.Layer.borderRadius = 8 Framer.Defaults.Animation.time = 0.2 # Set canvas props bg = new BackgroundLayer backgroundColor: colors["green"] borderRadius: 0 # Useful animation functions moveDown = (layer) -> new Animation layer: layer properties: y: -> layer.y + 100 flip = (layer) -> flipAnimation = new Animation layer: layer properties: rotationZ: 360 flipAnimation.on Events.AnimationEnd, -> layer.rotationZ = 0 # App # ------------------------------------- squareProps = width: 80 height: 80 spacing: 20 cols = 3 rows = 3 purpleContainer = new Layer width: (squareProps.width + squareProps.spacing) * cols - squareProps.spacing height: (squareProps.height + squareProps.spacing) * rows - squareProps.spacing backgroundColor: "" clip: false purpleContainer.center() purpleGroup = new AnimationSequence for y in [1..rows] for x in [1..cols] square = new Layer width: squareProps.width height: squareProps.height x: (squareProps.width + squareProps.spacing) * (x - 1) y: (squareProps.height + squareProps.spacing) * (y - 1) backgroundColor: "white" superLayer: purpleContainer purpleGroup.front moveDown(square) square.on Events.Click, (event, layer) -> purpleGroup.start() # Execute # ------------------------------------- # purpleGroup.start()
true
# Dynamic Sequence # by PI:NAME:<NAME>END_PI # http://isaacw.com # Import classes # ------------------------------------- {AnimationSequence} = require "AnimationSequence" {AnimationSet} = require "AnimationSet" # Setup # ------------------------------------- # Remember these nice colors colors = "purple" : "#877DD7" "blue" : "#28affa" "teal" : "#2DD7AA" "green" : "#7DDD11" "darkGray" : "#292929" # Override defaults Framer.Defaults.Layer.borderRadius = 8 Framer.Defaults.Animation.time = 0.2 # Set canvas props bg = new BackgroundLayer backgroundColor: colors["green"] borderRadius: 0 # Useful animation functions moveDown = (layer) -> new Animation layer: layer properties: y: -> layer.y + 100 flip = (layer) -> flipAnimation = new Animation layer: layer properties: rotationZ: 360 flipAnimation.on Events.AnimationEnd, -> layer.rotationZ = 0 # App # ------------------------------------- squareProps = width: 80 height: 80 spacing: 20 cols = 3 rows = 3 purpleContainer = new Layer width: (squareProps.width + squareProps.spacing) * cols - squareProps.spacing height: (squareProps.height + squareProps.spacing) * rows - squareProps.spacing backgroundColor: "" clip: false purpleContainer.center() purpleGroup = new AnimationSequence for y in [1..rows] for x in [1..cols] square = new Layer width: squareProps.width height: squareProps.height x: (squareProps.width + squareProps.spacing) * (x - 1) y: (squareProps.height + squareProps.spacing) * (y - 1) backgroundColor: "white" superLayer: purpleContainer purpleGroup.front moveDown(square) square.on Events.Click, (event, layer) -> purpleGroup.start() # Execute # ------------------------------------- # purpleGroup.start()
[ { "context": "module for J-SENS protocol\n# Originally written by Denis Shirokov\n# Contributors: Ivan Orlov, Alexey Mikhaylishin, ", "end": 82, "score": 0.9998720288276672, "start": 68, "tag": "NAME", "value": "Denis Shirokov" }, { "context": "iginally written by Denis Shirokov\n# Contributors: Ivan Orlov, Alexey Mikhaylishin, Konstantin Moskalenko\n# See", "end": 109, "score": 0.9998635649681091, "start": 99, "tag": "NAME", "value": "Ivan Orlov" }, { "context": "tten by Denis Shirokov\n# Contributors: Ivan Orlov, Alexey Mikhaylishin, Konstantin Moskalenko\n# See https://github.com/b", "end": 130, "score": 0.999860942363739, "start": 111, "tag": "NAME", "value": "Alexey Mikhaylishin" }, { "context": "v\n# Contributors: Ivan Orlov, Alexey Mikhaylishin, Konstantin Moskalenko\n# See https://github.com/bzikst/J-SENS for detail", "end": 153, "score": 0.9998550415039062, "start": 132, "tag": "NAME", "value": "Konstantin Moskalenko" }, { "context": "n, Konstantin Moskalenko\n# See https://github.com/bzikst/J-SENS for details\n#\n\nsend = (id, cmd, params, cb", "end": 185, "score": 0.8318045735359192, "start": 179, "tag": "USERNAME", "value": "bzikst" } ]
client/Device.coffee
bzikst/J-SENS
0
# Device example module for J-SENS protocol # Originally written by Denis Shirokov # Contributors: Ivan Orlov, Alexey Mikhaylishin, Konstantin Moskalenko # See https://github.com/bzikst/J-SENS for details # send = (id, cmd, params, cb)-> deffered = $.ajax "someurl_for_device/#{id}", { method: 'POST', contentType : 'application/json; charset=utf-8;', data: JSON.stringify({cmd, params}), dataType: 'json' } deffered .done (res)-> if 'success' is res.status.code cb.done?(res.status.code, res.data) else cb.fail?(Error(res.status)) .fail (err)-> cb.fail?(err) # Датчики # class Model.Sensor extends Model.MongooseModel @dataProcessMethod: [ {title: 'Не обрабатывать', code: 'none'} ] default: uid: '' internal: false unit: '' title: 'undefined' proccesingMethod: 'none' format: 'f' formula: 'x' SENSORS_TAB = [ {title: 'Дальномер LV MaxSonar-EZ3', proccesingMethod: 'none', id: 's0', format: 'f3', formula: '(x-0.09)*799+72.7', unit: 'metr', uid: 's0', internal: false, type: 'embeded'} {title: 'Датчик освещенности', proccesingMethod: 'none', id: 's1', format: 'f3', formula: 'x*3600', unit: 'luks', uid: 's1', internal: false, type: 'embeded'} {title: 'Датчик температуры окружающей среды', proccesingMethod: 'none', id: 's2', format: 'f3', formula: 'x*250', unit: 'cels', uid: 's2', internal: false, type: 'embeded'} {title: 'Датчик температуры жидкости', proccesingMethod: 'none', id: 's3', format: 'f3', formula: '(x/(5/3-x)-1)*260', unit: 'cels', uid: 's3', internal: false, type: 'embeded'} {title: 'Датчик атмосферного давления', proccesingMethod: 'none', id: 's4', format: 'f3', formula: 'x', unit: 'pas', uid: 'plessure', internal: true, type: 'embeded'} {title: 'Время', proccesingMethod: 'none', id: 's5', format: 'f3', formula: 'x', unit: 'pas', uid: 'time', internal: true, type: 'embeded'} ] class Model.Sensors extends Model.MongooseCollection model: Model.Sensor @instance: -> unless Model.Sensors._instance? then Model.Sensors._instance = new Model.Sensors return Model.Sensors._instance getByUid: (uid)-> return @find({uid}) initCollection: -> sensors = SENSORS_TAB @reset(sensors) restore: -> @reset(SENSORS_TAB) Model.Sensors.instance().initCollection() class Model.MesurmentFromDevice devices: null hatch: null mesurment: null constructor: (mesurment, devices)-> @mesurment = mesurment if devices.devices? and devices.tableMap? @devices = JSON.parse JSON.stringify devices.devices else @devices = {} @hatch = {} addSource: (uid, addr, colNum)-> unless @devices[uid]? then @devices[uid] = [] # список устройств и датчиков @devices[uid].push addr start: (getDelay, count, updateDelay, cb)-> sensors = Model.Sensors.instance() devices = Model.Devices.instance() for id, addrs of @devices params = addrs.map (addr)-> {addr: addr, proccesingMethod: sensors.get('proccesingMethod')} countDev = Number(count) ports = JSON.parse JSON.stringify addrs device = devices.getByUid(id) deviceId = device.get('id') device .cmdSetPortsSetting done: (status, data)=> send deviceId, 'start', {count: Number(count), delay: Number(getDelay), addrs: ports}, done: (status, data)=> @hatch[deviceId] = setInterval ()=> send deviceId, 'get-values', {addrs: ports}, done: (status, data)=> if Array.isArray(data.values) rows = data.values.map (values)=> # Обработка элементов # ... return row # Запись результатов # ... countDev -= rows.length if countDev <= 0 clearInterval(@hatch[deviceId]) cb?.done?() fail: (err)-> clearInterval(@hatch[deviceId]) console.error(err) cb?.fail?(err) , Number(updateDelay) * 1000 fail: (err) -> console.error(err) cb?.fail?(err) fail: (err)-> console.error(err) cb?.fail?(err) stop: -> for id, tHandler of @hatch clearInterval tHandler haveSensor: -> Object.keys(@devices).length > 0 class Model.Device extends Model.MongooseModel defaults: uid: '' title: 'Контроллер' verification: '' haveupdate: false protocol: '' version: '' portMap: null initialize: -> @portMap = { '1': 's0', '2': 's1', '3': 's2', '4': 's3' } getSensorByAddr: (addr)-> Model.Sensors.instance().getByUid(@portMap[addr]) restore: -> @portMap = { '1': 's0', '2': 's1', '3': 's2', '4': 's3' } setPortsSetting: (index, id)-> @portMap[String(index)] = id cmdUpdate: (cb)-> send @get('id'), 'update', {}, done: (status, data)-> cb?.done?(status, data) fail: (err)-> cb?.fail?(err) cmdSetPortsSetting: (cb)=> sensors = Model.Sensors.instance() params = [] for addr, uid of @portMap params.push {addr, proccesingMethod: sensors.getByUid(uid).get('proccesingMethod')} send @get('id'), 'set-ports-setting', params, done: (status, data)-> cb.done?(status, data) fail: (err)-> cb.fail?(err) class Model.Devices extends Model.MongooseCollection model: Model.Device initialize: -> super socket = io.connect() socket.on 'change', @wsChange socket.on 'update', @wsUpdate socket.on 'remove', @wsRemove socket.on 'add', @wsAdd @instance: -> unless Model.Devices._instance? then Model.Devices._instance = new Model.Devices return Model.Devices._instance getByUid: (uid)-> return @find({uid}) wsUpdate: (devices)=> # Обновление устройств # ... wsChange: (id, data, msg)=> # Изменение статуса устройства # ... wsRemove: (id, msg)=> # Удаление устройства # ... wsAdd: (id, data, msg)=> # Добавление устройства # ...
152850
# Device example module for J-SENS protocol # Originally written by <NAME> # Contributors: <NAME>, <NAME>, <NAME> # See https://github.com/bzikst/J-SENS for details # send = (id, cmd, params, cb)-> deffered = $.ajax "someurl_for_device/#{id}", { method: 'POST', contentType : 'application/json; charset=utf-8;', data: JSON.stringify({cmd, params}), dataType: 'json' } deffered .done (res)-> if 'success' is res.status.code cb.done?(res.status.code, res.data) else cb.fail?(Error(res.status)) .fail (err)-> cb.fail?(err) # Датчики # class Model.Sensor extends Model.MongooseModel @dataProcessMethod: [ {title: 'Не обрабатывать', code: 'none'} ] default: uid: '' internal: false unit: '' title: 'undefined' proccesingMethod: 'none' format: 'f' formula: 'x' SENSORS_TAB = [ {title: 'Дальномер LV MaxSonar-EZ3', proccesingMethod: 'none', id: 's0', format: 'f3', formula: '(x-0.09)*799+72.7', unit: 'metr', uid: 's0', internal: false, type: 'embeded'} {title: 'Датчик освещенности', proccesingMethod: 'none', id: 's1', format: 'f3', formula: 'x*3600', unit: 'luks', uid: 's1', internal: false, type: 'embeded'} {title: 'Датчик температуры окружающей среды', proccesingMethod: 'none', id: 's2', format: 'f3', formula: 'x*250', unit: 'cels', uid: 's2', internal: false, type: 'embeded'} {title: 'Датчик температуры жидкости', proccesingMethod: 'none', id: 's3', format: 'f3', formula: '(x/(5/3-x)-1)*260', unit: 'cels', uid: 's3', internal: false, type: 'embeded'} {title: 'Датчик атмосферного давления', proccesingMethod: 'none', id: 's4', format: 'f3', formula: 'x', unit: 'pas', uid: 'plessure', internal: true, type: 'embeded'} {title: 'Время', proccesingMethod: 'none', id: 's5', format: 'f3', formula: 'x', unit: 'pas', uid: 'time', internal: true, type: 'embeded'} ] class Model.Sensors extends Model.MongooseCollection model: Model.Sensor @instance: -> unless Model.Sensors._instance? then Model.Sensors._instance = new Model.Sensors return Model.Sensors._instance getByUid: (uid)-> return @find({uid}) initCollection: -> sensors = SENSORS_TAB @reset(sensors) restore: -> @reset(SENSORS_TAB) Model.Sensors.instance().initCollection() class Model.MesurmentFromDevice devices: null hatch: null mesurment: null constructor: (mesurment, devices)-> @mesurment = mesurment if devices.devices? and devices.tableMap? @devices = JSON.parse JSON.stringify devices.devices else @devices = {} @hatch = {} addSource: (uid, addr, colNum)-> unless @devices[uid]? then @devices[uid] = [] # список устройств и датчиков @devices[uid].push addr start: (getDelay, count, updateDelay, cb)-> sensors = Model.Sensors.instance() devices = Model.Devices.instance() for id, addrs of @devices params = addrs.map (addr)-> {addr: addr, proccesingMethod: sensors.get('proccesingMethod')} countDev = Number(count) ports = JSON.parse JSON.stringify addrs device = devices.getByUid(id) deviceId = device.get('id') device .cmdSetPortsSetting done: (status, data)=> send deviceId, 'start', {count: Number(count), delay: Number(getDelay), addrs: ports}, done: (status, data)=> @hatch[deviceId] = setInterval ()=> send deviceId, 'get-values', {addrs: ports}, done: (status, data)=> if Array.isArray(data.values) rows = data.values.map (values)=> # Обработка элементов # ... return row # Запись результатов # ... countDev -= rows.length if countDev <= 0 clearInterval(@hatch[deviceId]) cb?.done?() fail: (err)-> clearInterval(@hatch[deviceId]) console.error(err) cb?.fail?(err) , Number(updateDelay) * 1000 fail: (err) -> console.error(err) cb?.fail?(err) fail: (err)-> console.error(err) cb?.fail?(err) stop: -> for id, tHandler of @hatch clearInterval tHandler haveSensor: -> Object.keys(@devices).length > 0 class Model.Device extends Model.MongooseModel defaults: uid: '' title: 'Контроллер' verification: '' haveupdate: false protocol: '' version: '' portMap: null initialize: -> @portMap = { '1': 's0', '2': 's1', '3': 's2', '4': 's3' } getSensorByAddr: (addr)-> Model.Sensors.instance().getByUid(@portMap[addr]) restore: -> @portMap = { '1': 's0', '2': 's1', '3': 's2', '4': 's3' } setPortsSetting: (index, id)-> @portMap[String(index)] = id cmdUpdate: (cb)-> send @get('id'), 'update', {}, done: (status, data)-> cb?.done?(status, data) fail: (err)-> cb?.fail?(err) cmdSetPortsSetting: (cb)=> sensors = Model.Sensors.instance() params = [] for addr, uid of @portMap params.push {addr, proccesingMethod: sensors.getByUid(uid).get('proccesingMethod')} send @get('id'), 'set-ports-setting', params, done: (status, data)-> cb.done?(status, data) fail: (err)-> cb.fail?(err) class Model.Devices extends Model.MongooseCollection model: Model.Device initialize: -> super socket = io.connect() socket.on 'change', @wsChange socket.on 'update', @wsUpdate socket.on 'remove', @wsRemove socket.on 'add', @wsAdd @instance: -> unless Model.Devices._instance? then Model.Devices._instance = new Model.Devices return Model.Devices._instance getByUid: (uid)-> return @find({uid}) wsUpdate: (devices)=> # Обновление устройств # ... wsChange: (id, data, msg)=> # Изменение статуса устройства # ... wsRemove: (id, msg)=> # Удаление устройства # ... wsAdd: (id, data, msg)=> # Добавление устройства # ...
true
# Device example module for J-SENS protocol # Originally written by PI:NAME:<NAME>END_PI # Contributors: PI:NAME:<NAME>END_PI, PI:NAME:<NAME>END_PI, PI:NAME:<NAME>END_PI # See https://github.com/bzikst/J-SENS for details # send = (id, cmd, params, cb)-> deffered = $.ajax "someurl_for_device/#{id}", { method: 'POST', contentType : 'application/json; charset=utf-8;', data: JSON.stringify({cmd, params}), dataType: 'json' } deffered .done (res)-> if 'success' is res.status.code cb.done?(res.status.code, res.data) else cb.fail?(Error(res.status)) .fail (err)-> cb.fail?(err) # Датчики # class Model.Sensor extends Model.MongooseModel @dataProcessMethod: [ {title: 'Не обрабатывать', code: 'none'} ] default: uid: '' internal: false unit: '' title: 'undefined' proccesingMethod: 'none' format: 'f' formula: 'x' SENSORS_TAB = [ {title: 'Дальномер LV MaxSonar-EZ3', proccesingMethod: 'none', id: 's0', format: 'f3', formula: '(x-0.09)*799+72.7', unit: 'metr', uid: 's0', internal: false, type: 'embeded'} {title: 'Датчик освещенности', proccesingMethod: 'none', id: 's1', format: 'f3', formula: 'x*3600', unit: 'luks', uid: 's1', internal: false, type: 'embeded'} {title: 'Датчик температуры окружающей среды', proccesingMethod: 'none', id: 's2', format: 'f3', formula: 'x*250', unit: 'cels', uid: 's2', internal: false, type: 'embeded'} {title: 'Датчик температуры жидкости', proccesingMethod: 'none', id: 's3', format: 'f3', formula: '(x/(5/3-x)-1)*260', unit: 'cels', uid: 's3', internal: false, type: 'embeded'} {title: 'Датчик атмосферного давления', proccesingMethod: 'none', id: 's4', format: 'f3', formula: 'x', unit: 'pas', uid: 'plessure', internal: true, type: 'embeded'} {title: 'Время', proccesingMethod: 'none', id: 's5', format: 'f3', formula: 'x', unit: 'pas', uid: 'time', internal: true, type: 'embeded'} ] class Model.Sensors extends Model.MongooseCollection model: Model.Sensor @instance: -> unless Model.Sensors._instance? then Model.Sensors._instance = new Model.Sensors return Model.Sensors._instance getByUid: (uid)-> return @find({uid}) initCollection: -> sensors = SENSORS_TAB @reset(sensors) restore: -> @reset(SENSORS_TAB) Model.Sensors.instance().initCollection() class Model.MesurmentFromDevice devices: null hatch: null mesurment: null constructor: (mesurment, devices)-> @mesurment = mesurment if devices.devices? and devices.tableMap? @devices = JSON.parse JSON.stringify devices.devices else @devices = {} @hatch = {} addSource: (uid, addr, colNum)-> unless @devices[uid]? then @devices[uid] = [] # список устройств и датчиков @devices[uid].push addr start: (getDelay, count, updateDelay, cb)-> sensors = Model.Sensors.instance() devices = Model.Devices.instance() for id, addrs of @devices params = addrs.map (addr)-> {addr: addr, proccesingMethod: sensors.get('proccesingMethod')} countDev = Number(count) ports = JSON.parse JSON.stringify addrs device = devices.getByUid(id) deviceId = device.get('id') device .cmdSetPortsSetting done: (status, data)=> send deviceId, 'start', {count: Number(count), delay: Number(getDelay), addrs: ports}, done: (status, data)=> @hatch[deviceId] = setInterval ()=> send deviceId, 'get-values', {addrs: ports}, done: (status, data)=> if Array.isArray(data.values) rows = data.values.map (values)=> # Обработка элементов # ... return row # Запись результатов # ... countDev -= rows.length if countDev <= 0 clearInterval(@hatch[deviceId]) cb?.done?() fail: (err)-> clearInterval(@hatch[deviceId]) console.error(err) cb?.fail?(err) , Number(updateDelay) * 1000 fail: (err) -> console.error(err) cb?.fail?(err) fail: (err)-> console.error(err) cb?.fail?(err) stop: -> for id, tHandler of @hatch clearInterval tHandler haveSensor: -> Object.keys(@devices).length > 0 class Model.Device extends Model.MongooseModel defaults: uid: '' title: 'Контроллер' verification: '' haveupdate: false protocol: '' version: '' portMap: null initialize: -> @portMap = { '1': 's0', '2': 's1', '3': 's2', '4': 's3' } getSensorByAddr: (addr)-> Model.Sensors.instance().getByUid(@portMap[addr]) restore: -> @portMap = { '1': 's0', '2': 's1', '3': 's2', '4': 's3' } setPortsSetting: (index, id)-> @portMap[String(index)] = id cmdUpdate: (cb)-> send @get('id'), 'update', {}, done: (status, data)-> cb?.done?(status, data) fail: (err)-> cb?.fail?(err) cmdSetPortsSetting: (cb)=> sensors = Model.Sensors.instance() params = [] for addr, uid of @portMap params.push {addr, proccesingMethod: sensors.getByUid(uid).get('proccesingMethod')} send @get('id'), 'set-ports-setting', params, done: (status, data)-> cb.done?(status, data) fail: (err)-> cb.fail?(err) class Model.Devices extends Model.MongooseCollection model: Model.Device initialize: -> super socket = io.connect() socket.on 'change', @wsChange socket.on 'update', @wsUpdate socket.on 'remove', @wsRemove socket.on 'add', @wsAdd @instance: -> unless Model.Devices._instance? then Model.Devices._instance = new Model.Devices return Model.Devices._instance getByUid: (uid)-> return @find({uid}) wsUpdate: (devices)=> # Обновление устройств # ... wsChange: (id, data, msg)=> # Изменение статуса устройства # ... wsRemove: (id, msg)=> # Удаление устройства # ... wsAdd: (id, data, msg)=> # Добавление устройства # ...
[ { "context": "------------------------------------\n#\n# Author : philippe.billet@noos.fr\n#\n# Dirac function dirac(x)\n# dirac(-x)=dirac(x", "end": 116, "score": 0.9955906271934509, "start": 93, "tag": "EMAIL", "value": "philippe.billet@noos.fr" } ]
node_modules/algebrite/sources/dirac.coffee
souzamonteiro/maialexa
928
#----------------------------------------------------------------------------- # # Author : philippe.billet@noos.fr # # Dirac function dirac(x) # dirac(-x)=dirac(x) # dirac(b-a)=dirac(a-b) #----------------------------------------------------------------------------- Eval_dirac = -> push(cadr(p1)) Eval() dirac() dirac = -> save() ydirac() restore() #define p1 p1 ydirac = -> p1 = pop() if (isdouble(p1)) if (p1.d == 0) push_integer(1) return else push_integer(0) return if (isrational(p1)) if (MZERO(mmul(p1.q.a,p1.q.b))) push_integer(1) return else push_integer(0) return if (car(p1) == symbol(POWER)) push_symbol(DIRAC) push(cadr(p1)) list(2) return if (isnegativeterm(p1)) push_symbol(DIRAC) push(p1) negate() list(2) return if (isnegativeterm(p1) || (car(p1) == symbol(ADD) && isnegativeterm(cadr(p1)))) push(p1) negate() p1 = pop() push_symbol(DIRAC) push(p1) list(2)
28794
#----------------------------------------------------------------------------- # # Author : <EMAIL> # # Dirac function dirac(x) # dirac(-x)=dirac(x) # dirac(b-a)=dirac(a-b) #----------------------------------------------------------------------------- Eval_dirac = -> push(cadr(p1)) Eval() dirac() dirac = -> save() ydirac() restore() #define p1 p1 ydirac = -> p1 = pop() if (isdouble(p1)) if (p1.d == 0) push_integer(1) return else push_integer(0) return if (isrational(p1)) if (MZERO(mmul(p1.q.a,p1.q.b))) push_integer(1) return else push_integer(0) return if (car(p1) == symbol(POWER)) push_symbol(DIRAC) push(cadr(p1)) list(2) return if (isnegativeterm(p1)) push_symbol(DIRAC) push(p1) negate() list(2) return if (isnegativeterm(p1) || (car(p1) == symbol(ADD) && isnegativeterm(cadr(p1)))) push(p1) negate() p1 = pop() push_symbol(DIRAC) push(p1) list(2)
true
#----------------------------------------------------------------------------- # # Author : PI:EMAIL:<EMAIL>END_PI # # Dirac function dirac(x) # dirac(-x)=dirac(x) # dirac(b-a)=dirac(a-b) #----------------------------------------------------------------------------- Eval_dirac = -> push(cadr(p1)) Eval() dirac() dirac = -> save() ydirac() restore() #define p1 p1 ydirac = -> p1 = pop() if (isdouble(p1)) if (p1.d == 0) push_integer(1) return else push_integer(0) return if (isrational(p1)) if (MZERO(mmul(p1.q.a,p1.q.b))) push_integer(1) return else push_integer(0) return if (car(p1) == symbol(POWER)) push_symbol(DIRAC) push(cadr(p1)) list(2) return if (isnegativeterm(p1)) push_symbol(DIRAC) push(p1) negate() list(2) return if (isnegativeterm(p1) || (car(p1) == symbol(ADD) && isnegativeterm(cadr(p1)))) push(p1) negate() p1 = pop() push_symbol(DIRAC) push(p1) list(2)
[ { "context": "# http://raw.githubusercontent.com/StevenBlack/hosts/master/hosts\n# 27 Mar 2016\n# 26,890 entries", "end": 46, "score": 0.9995331764221191, "start": 35, "tag": "USERNAME", "value": "StevenBlack" }, { "context": "p.com'\n\t'uk.ads.hexus.net'\n\t'adserver4.fluent.ltd.uk'\n\t'hexusads.fluent.ltd.uk'\n\t'ads.americanidol.com", "end": 170414, "score": 0.9244250059127808, "start": 170412, "tag": "EMAIL", "value": "uk" }, { "context": "in.com'\n\t'tracker.u-link.me'\n\t'hits.convergetrack.com'\n\t'ads.worddictionary.co.uk'\n\t'clicks.searchconsc", "end": 189264, "score": 0.6068501472473145, "start": 189261, "tag": "EMAIL", "value": "com" }, { "context": "td.com'\n\t'tracking.whattoexpect.com'\n\t'2o7.net'\n\t'102.112.207.net'\n\t'102.112.2o7.net'\n\t'102.122.2o7.net'\n\t'192.", "end": 235588, "score": 0.9960155487060547, "start": 235577, "tag": "IP_ADDRESS", "value": "102.112.207" }, { "context": "whattoexpect.com'\n\t'2o7.net'\n\t'102.112.207.net'\n\t'102.112.2o7.net'\n\t'102.122.2o7.net'\n\t'192.168.112.2o7.net", "end": 235603, "score": 0.9968082308769226, "start": 235596, "tag": "IP_ADDRESS", "value": "102.112" }, { "context": "'2o7.net'\n\t'102.112.207.net'\n\t'102.112.2o7.net'\n\t'102.122.2o7.net'\n\t'192.168.112.2o7.net'\n\t'192.168.122.2o7.n", "end": 235624, "score": 0.899215042591095, "start": 235615, "tag": "IP_ADDRESS", "value": "102.122.2" }, { "context": ".207.net'\n\t'102.112.2o7.net'\n\t'102.122.2o7.net'\n\t'192.168.112.2o7.net'\n\t'192.168.122.2o7.net'\n\t'1105governmenti", "end": 235645, "score": 0.9166224002838135, "start": 235634, "tag": "IP_ADDRESS", "value": "192.168.112" }, { "context": ".net'\n\t'102.122.2o7.net'\n\t'192.168.112.2o7.net'\n\t'192.168.122.2o7.net'\n\t'1105governmentinformationgroup.122.2o7", "end": 235668, "score": 0.9012391567230225, "start": 235657, "tag": "IP_ADDRESS", "value": "192.168.122" }, { "context": "geglobal.112.2o7.net'\n\t'jackpot.112.2o7.net'\n\t'jennycraig.112.2o7.net'\n\t'jetbluecom2.112.2o7.net'\n\t'je", "end": 246747, "score": 0.6057488918304443, "start": 246745, "tag": "USERNAME", "value": "ny" }, { "context": "\t'jiwtmj.122.2o7.net'\n\t'jmsyap.112.2o7.net'\n\t'johnlewis.112.2o7.net'\n\t'jrcdelcotimescom.122.2o7.net'\n\t'jr", "end": 246972, "score": 0.5758519768714905, "start": 246967, "tag": "USERNAME", "value": "lewis" }, { "context": "edbyopenx.com'\n\t'ads.webcamclub.com'\n\t'ox-d.whalerockengineering.com'\n\t'ox-d.zam.com'\n\t'www.avnads.com'\n\t'314.hittail.", "end": 272393, "score": 0.6728172302246094, "start": 272375, "tag": "EMAIL", "value": "ockengineering.com" }, { "context": "2o7.net'\n\t'publicationsunbound.112.2o7.net'\n\t'pulharktheherald.112.2o7.net'\n\t'pulpantagraph.112.2o7.net", "end": 412536, "score": 0.5687695145606995, "start": 412533, "tag": "USERNAME", "value": "ark" }, { "context": ".tcimg.com'\n\t'wigetmedia.com'\n\t'wikiforosh.ir'\n\t'williamhill.es'\n\t'wineeniphone6.com-gen.online'\n\t'w.l.qq.com'\n\t'", "end": 525721, "score": 0.6117739081382751, "start": 525708, "tag": "USERNAME", "value": "illiamhill.es" }, { "context": "as.portland.com'\n\t'oas.publicitas.ch'\n\t'oasroanoke.com'\n\t'oas.sciencemag.org'\n\t'oas.signonsandiego.com'\n", "end": 560071, "score": 0.99971604347229, "start": 560068, "tag": "EMAIL", "value": "com" }, { "context": "anews.com'\n\t'gpr.hu'\n\t'grafstat.ro'\n\t'grapeshot.co.uk'\n\t'greystripe.com'\n\t'gtop.ro'\n\t'gtop100.com'\n\t'ha", "end": 603697, "score": 0.8589783906936646, "start": 603695, "tag": "EMAIL", "value": "uk" } ]
src/configs/msvp-config.coffee
mubaidr/webbooost
83
# http://raw.githubusercontent.com/StevenBlack/hosts/master/hosts # 27 Mar 2016 # 26,890 entries module.exports = { 'lb.usemaxserver.de' 'tracking.klickthru.com' 'gsmtop.net' 'click.buzzcity.net' 'ads.admoda.com' 'stats.pflexads.com' 'a.glcdn.co' 'wwww.adleads.com' 'ad.madvertise.de' 'apps.buzzcity.net' 'ads.mobgold.com' 'android.bcfads.com' 'req.appads.com' 'show.buzzcity.net' 'api.analytics.omgpop.com' 'r.edge.inmobicdn.net' 'www.mmnetwork.mobi' 'img.ads.huntmad.com' 'creative1cdn.mobfox.com' 'admicro2.vcmedia.vn' 'admicro1.vcmedia.vn' 's3.phluant.com' 'c.vrvm.com' 'go.vrvm.com' 'static.estebull.com' 'mobile.banzai.it' 'ads.xxxad.net' 'hhbekxxw5d9e.pflexads.com' 'img.ads.mojiva.com' 'adcontent.saymedia.com' 'ads.saymedia.com' 'ftpcontent.worldnow.com' 's0.2mdn.net' 'img.ads.mocean.mobi' 'bigmobileads.com' 'banners.bigmobileads.com' 'ads.mopub.com' 'images.mpression.net' 'images.millennialmedia.com' 'oasc04012.247realmedia.com' 'assets.cntdy.mobi' 'ad.leadboltapps.net' 'api.airpush.com' 'ad.where.com' 'i.tapit.com' 'cdn1.crispadvertising.com' 'cdn2.crispadvertising.com' 'medrx.sensis.com.au' 'rs-staticart.ybcdn.net' 'img.ads.taptapnetworks.com' 'adserver.ubiyoo.com' 'c753738.r38.cf2.rackcdn.com' 'edge.reporo.net' 'ads.n-ws.org' 'adultmoda.com' 'ads.smartdevicemedia.com' 'b.scorecardresearch.com' 'm.adsymptotic.com' 'cdn.vdopia.com' 'api.yp.com' 'asotrack1.fluentmobile.com' 'android-sdk31.transpera.com' 'apps.mobilityware.com' 'ads.mobilityware.com' 'ads.admarvel.com' 'netdna.reporo.net' 'www.eltrafiko.com' 'cdn.trafficforce.com' 'gts-ads.twistbox.com' 'static.cdn.gtsmobi.com' 'ads.matomymobile.com' 'ads.adiquity.com' 'img.ads.mobilefuse.net' 'as.adfonic.net' 'media.mobpartner.mobi' 'cdn.us.goldspotmedia.com' 'ads2.mediaarmor.com' 'cdn.nearbyad.com' 'ads.ookla.com' 'mobiledl.adboe.com' 'ads.flurry.com' 'gemini.yahoo.com' 'd3anogn3pbtk4v.cloudfront.net' 'd3oltyb66oj2v8.cloudfront.net' 'd2bgg7rjywcwsy.cloudfront.net' 'a.vserv.mobi' 'admin.vserv.mobi' 'c.vserv.mobi' 'ads.vserv.mobi' 'sf.vserv.mobi' 'hybl9bazbc35.pflexads.com' 'www.pflexads.com' 'atti.velti.com' 'ru.velti.com' 'mwc.velti.com' 'cdn.celtra.com' 'ads.celtra.com' 'cache-ssl.celtra.com' 'cache.celtra.com' 'track.celtra.com' 'wv.inner-active.mobi' 'cdn1.inner-active.mobi' 'm2m1.inner-active.mobi' 'bos-tapreq01.jumptap.com' 'bos-tapreq02.jumptap.com' 'bos-tapreq03.jumptap.com' 'bos-tapreq04.jumptap.com' 'bos-tapreq05.jumptap.com' 'bos-tapreq06.jumptap.com' 'bos-tapreq07.jumptap.com' 'bos-tapreq08.jumptap.com' 'bos-tapreq09.jumptap.com' 'bos-tapreq10.jumptap.com' 'bos-tapreq11.jumptap.com' 'bos-tapreq12.jumptap.com' 'bos-tapreq13.jumptap.com' 'bos-tapreq14.jumptap.com' 'bos-tapreq15.jumptap.com' 'bos-tapreq16.jumptap.com' 'bos-tapreq17.jumptap.com' 'bos-tapreq18.jumptap.com' 'bos-tapreq19.jumptap.com' 'bos-tapreq20.jumptap.com' 'web64.jumptap.com' 'web63.jumptap.com' 'web65.jumptap.com' 'bo.jumptap.com' 'i.jumptap.com' 'a.applovin.com' 'd.applovin.com' 'pdn.applovin.com' 'mobpartner.mobi' 'go.mobpartner.mobi' 'r.mobpartner.mobi' 'uk-ad2.adinfuse.com' 'adinfuse.com' 'go.adinfuse.com' 'ad1.adinfuse.com' 'ad2.adinfuse.com' 'sky.adinfuse.com' 'orange-fr.adinfuse.com' 'sky-connect.adinfuse.com' 'uk-go.adinfuse.com' 'orangeuk-mc.adinfuse.com' 'intouch.adinfuse.com' 'funnel0.adinfuse.com' 'cvt.mydas.mobi' 'lp.mydas.mobi' 'golds.lp.mydas.mobi' 'suo.lp.mydas.mobi' 'aio.lp.mydas.mobi' 'lp.mp.mydas.mobi' 'media.mydas.mobi' 'ads.mp.mydas.mobi' 'neptune.appads.com' 'neptune1.appads.com' 'neptune2.appads.com' 'neptune3.appads.com' 'saturn.appads.com' 'saturn1.appads.com' 'saturn2.appads.com' 'saturn3.appads.com' 'jupiter.appads.com' 'jupiter1.appads.com' 'jupiter2.appads.com' 'jupiter3.appads.com' 'req1.appads.com' 'req2.appads.com' 'req3.appads.com' 'mc.yandex.ru' 'an.yandex.ru' 'swappit.tapad.com' 'campaign-tapad.s3.amazonaws.com' 'adsrv1.tapad.com' 'ads1.mojiva.com' 'ads2.mojiva.com' 'ads3.mojiva.com' 'ads4.mojiva.com' 'ads5.mojiva.com' 'i.w.inmobi.com' 'r.w.inmobi.com' 'c.w.inmobi.com' 'adtracker.inmobi.com' 'china.inmobi.com' 'japan.inmobi.com' 'mdn1.phluantmobile.net' 'mdn2.phluantmobile.net' 'mdn3.phluantmobile.net' 'mdn3origin.phluantmobile.net' 'soma.smaato.net' 'c29new.smaato.net' 'c01.smaato.net' 'c02.smaato.net' 'c03.smaato.net' 'c04.smaato.net' 'c05.smaato.net' 'c06.smaato.net' 'c07.smaato.net' 'c08.smaato.net' 'c09.smaato.net' 'c10.smaato.net' 'c11.smaato.net' 'c12.smaato.net' 'c13.smaato.net' 'c14.smaato.net' 'c15.smaato.net' 'c16.smaato.net' 'c17.smaato.net' 'c18.smaato.net' 'c19.smaato.net' 'c20.smaato.net' 'c21.smaato.net' 'c22.smaato.net' 'c23.smaato.net' 'c24.smaato.net' 'c25.smaato.net' 'c26.smaato.net' 'c27.smaato.net' 'c28.smaato.net' 'c29.smaato.net' 'c30.smaato.net' 'c31.smaato.net' 'c32.smaato.net' 'c33.smaato.net' 'c34.smaato.net' 'c35.smaato.net' 'c36.smaato.net' 'c37.smaato.net' 'c38.smaato.net' 'c39.smaato.net' 'c40.smaato.net' 'c41.smaato.net' 'c42.smaato.net' 'c43.smaato.net' 'c44.smaato.net' 'c45.smaato.net' 'c46.smaato.net' 'c47.smaato.net' 'c48.smaato.net' 'c49.smaato.net' 'c50.smaato.net' 'c51.smaato.net' 'c52.smaato.net' 'c53.smaato.net' 'c54.smaato.net' 'c55.smaato.net' 'c56.smaato.net' 'c57.smaato.net' 'c58.smaato.net' 'c59.smaato.net' 'c60.smaato.net' 'f03.smaato.net' 'f04.smaato.net' 'f05.smaato.net' 'f06.smaato.net' 'f07.smaato.net' 'f08.smaato.net' 'f09.smaato.net' 'f10.smaato.net' 'f11.smaato.net' 'f12.smaato.net' 'f13.smaato.net' 'f14.smaato.net' 'f15.smaato.net' 'f16.smaato.net' 'f17.smaato.net' 'f18.smaato.net' 'f19.smaato.net' 'f20.smaato.net' 'f21.smaato.net' 'f22.smaato.net' 'f23.smaato.net' 'f24.smaato.net' 'f25.smaato.net' 'f26.smaato.net' 'f27.smaato.net' 'f28.smaato.net' 'f29.smaato.net' 'f30.smaato.net' 'f31.smaato.net' 'f32.smaato.net' 'f33.smaato.net' 'f34.smaato.net' 'f35.smaato.net' 'f36.smaato.net' 'f37.smaato.net' 'f38.smaato.net' 'f39.smaato.net' 'f40.smaato.net' 'f41.smaato.net' 'f42.smaato.net' 'f43.smaato.net' 'f44.smaato.net' 'f45.smaato.net' 'f46.smaato.net' 'f47.smaato.net' 'f48.smaato.net' 'f49.smaato.net' 'f50.smaato.net' 'f51.smaato.net' 'f52.smaato.net' 'f53.smaato.net' 'f54.smaato.net' 'f55.smaato.net' 'f56.smaato.net' 'f57.smaato.net' 'f58.smaato.net' 'f59.smaato.net' 'f60.smaato.net' 'img.ads1.mojiva.com' 'img.ads2.mojiva.com' 'img.ads3.mojiva.com' 'img.ads4.mojiva.com' 'img.ads1.mocean.mobi' 'img.ads2.mocean.mobi' 'img.ads3.mocean.mobi' 'img.ads4.mocean.mobi' 'akamai.smartadserver.com' 'cdn1.smartadserver.com' 'diff.smartadserver.com' 'diff2.smartadserver.com' 'diff3.smartadserver.com' 'eqx.smartadserver.com' 'im2.smartadserver.com' 'itx5-publicidad.smartadserver.com' 'itx5.smartadserver.com' 'tcy.smartadserver.com' 'ww129.smartadserver.com' 'ww13.smartadserver.com' 'ww14.smartadserver.com' 'ww234.smartadserver.com' 'ww251.smartadserver.com' 'ww264.smartadserver.com' 'ww302.smartadserver.com' 'ww362.smartadserver.com' 'ww370.smartadserver.com' 'ww381.smartadserver.com' 'ww392.smartadserver.com' 'ww55.smartadserver.com' 'ww57.smartadserver.com' 'ww84.smartadserver.com' 'www.smartadserver.com' 'www2.smartadserver.com' 'www3.smartadserver.com' 'www4.smartadserver.com' 'ads.mobclix.com' 'data.mobclix.com' 's.mobclix.com' 'ads.mdotm.com' 'cdn.mdotm.com' 'ads2.greystripe.com' 'adsx.greystripe.com' 'c.greystripe.com' 'aax-us-east.amazon-adsystem.com' 'aax-us-west.amazon-adsystem.com' 's.amazon-adsystem.com' 'admarvel.s3.amazonaws.com' 'html5adkit.plusmo.s3.amazonaws.com' 'inneractive-assets.s3.amazonaws.com' 'strikeadcdn.s3.amazonaws.com' 'a.admob.com' 'analytics.admob.com' 'c.admob.com' 'media.admob.com' 'p.admob.com' 'met.adwhirl.com' 'mob.adwhirl.com' 'ad-g.doubleclick.net' 'ad.doubleclick.net' 'ad.mo.doubleclick.net' 'doubleclick.net' 'googleads.g.doubleclick.net' 'pagead.googlesyndication.com' 'pagead1.googlesyndication.com' 'pagead2.googlesyndication.com' 'events.foreseeresults.com' 'survey.foreseeresults.com' 'm.quantserve.com' 'ad.leadboltmobile.net' 'mobileads.msn.com' 'img.adecorp.co.kr' 'us0.adlibr.com' 'ad.parrot.mable-inc.com' 'aos.wall.youmi.net' 'au.youmi.net' 'coconuts.boy.jp' 'iacpromotion.s3.amazonaws.com' 'plugin.2easydroid.com' 'adimg3.search.naver.net' 'st.a-link.co.kr' 'cdn.ajillionmax.com' 'dispatch.admixer.co.kr' 'ifc.inmobi.com' 'thinknear-hosted.thinknearhub.com' 'analytics.localytics.com' 'a.medialytics.com' 'c.medialytics.com' 'cdn.creative.medialytics.com' 'p.medialytics.com' 'px.cdn.creative.medialytics.com' 't.medialytics.com' 'applift.com' 'trackersimulator.org' 'eviltracker.net' 'do-not-tracker.org' '0koryu0.easter.ne.jp' '1-atraffickim.tf' '10-trafficimj.tf' '109-204-26-16.netconnexion.managedbroadband.co.uk' '11-atraasikim.tf' '11.lamarianella.info' '12-tgaffickvcmb.tf' '13-ctscfficim.tf' '14-traffgficimhd.tf' '15-etrafficim.tf' '16-taficimf.tf' '17-gtrahgficim.tf' '18-trafdsfgficimg.tf' '1866809.securefastserver.com' '19-itraaffifm.tf' '1m6.hanogaveleoy.com' '2-traffickimb.tf' '20-trafficidmj.tf' '21-tdsrafficimf.tf' '22-gyudrafasicim.tf' '24-ibczafficim.tf' '25-trafbvicimj.tf' '2amsports.com' '2wnpf.tld.cc' '3-ctrafficim.tf' '3.bluepointmortgage.com' '3.coolerpillow.com' '4-trafficimd.tf' '4.androidislamic.com' '4.collecorvino.org' '4.dlevo.com' '4.e-why.net' '4.luca-volonte.org' '4.newenergydata.biz' '4.newenergydata.info' '4.periziavela.com' '4.pianetapollo.com' '4.whereinitaly.com' '4.whereinlazio.com' '4.whereinliguria.com' '4.whereinlombardy.com' '4.whereinmilan.com' '4.whereinmolise.com' '4.whereinpiemonte.com' '4.whereinpuglia.com' '4.whereinsardegna.com' '4.whereinsicilia.com' '4.whereinsicily.com' '4.whereintoscana.com' '4.whereintrentinoaltoadige.com' '4dexports.com' '5-etrafficim.tf' '5.attilacrm.com' '5.estasiatica.com' '5.eventiduepuntozero.com' '50efa6486f1ef.skydivesolutions.be' '6-trafficimf.tf' '6.bbnface.com' '6.bbnfaces.net' '6.bbnsmsgateway.com' '6.mamaswishes.com' '6.negutterking.org' '6b8a953b2bf7788063d5-6e453f33ecbb90f11a62a5c376375af3.r71.cf5.rackcdn.com' '7-gtrafficim.tf' '7x70ministrysarashouse.com' '8-trafficimg.tf' '9-itrafficim.tf' '94akhf.blejythecounyful.com' '97b1c56132dfcdd90f93-0c5c8388c0a5897e648f883e2c86dc72.r54.cf5.rackcdn.com' '999fitness.com' 'a-atraffickim.tf' 'a.makeyourmoveknoxville.net' 'a.update.51edm.net' 'ab.usageload32.com' 'abcdespanol.com' 'abionet.com' 'ac1e0.alessakyndraenho.com' 'achren.org' 'acool.csheaven.com' 'activex.adobe.flash.player.update.number61.com' 'ad-beast.com' 'adgallery.whitehousedrugpolicy.gov' 'adlock.in' 'adobe-flashplayer.com' 'adobe-plugin.tk' 'adobeflashupdate14.com' 'ads.wikipartes.com' 'adserv.sklice.com' 'adserving.favorit-network.com' 'advancetec.co.uk' 'afa15.com.ne.kr' 'afive.net' 'agsteier.com' 'aintdoinshit.com' 'aippnetworks.com' 'ajewishgift.com' 'akirkpatrick.com' 'alexanderinteriorsanddesign.com' 'alexandria90.etcserver.com' 'alisat.biz' 'alissonluis-musico.sites.uol.com.br' 'allforlove.de' 'allxscan.tk' 'alsoknowsit.com' 'ama-alliance.com' 'amazingvacationhotels.com' 'ambulanciaslazaro.com' 'amdfrance.com' 'americancareconcept.com' 'amicos.mcdir.ru' 'aminev.com' 'amu.adduraddonhere.info' 'amu.boxinstallercompany.info' 'amu.brandnewinstall.info' 'amu.helpyourselfinstall.info' 'amu.twobox4addon.info' 'analxxxclipsyjh.dnset.com' 'andysgame.com' 'anshrit.com' 'antalya-eticaret.com' 'antalya.ru' 'apcar.gr' 'app.pho8.com' 'appaloosaontario.ca' 'applebox.co.id' 'arbitrary.drclinton.org' 'argentijmts.it' 'arkinsoftware.in' 'arnoldlanecars.co.uk' 'artasoimaritului.ro' 'artsconsortium.org' 'arttp.propertypartners.cl' 'asanixcorp.com' 'asasas.eu' 'asd.vicentelopez.us' 'asham.tourstogo.us' 'askmeaboutrotary.com' 'associatesexports.com' 'atelierprincesse.web.fc2.com' 'atlcourier.com' 'atyss.barginginfrance.net' 'avecat.missouritheatre.org' 'aveconomic.trailswest.org' 'avirasecureserver.com' 'avp-mech.ru' 'avppet.com' 'avto-pobeda.ru' 'axisbuild.com' 'azoos.csheaven.com' 'b-traffickimb.tf' 'b.nevadaprivateoffice.com' 'babos.scrapping.cc' 'backup.terra5llc.com' 'bank.scarf-it-up.com' 'bargainracks.co.uk' 'baskadesign.com' 'batcoroadlinescorporation.com' 'bayviews.estb.com.sg' 'bbs.bjchun.com' 'bde.be' 'be-funk.com' 'beautysafari.com' 'becomedebtfree.com.au' 'beespace.com.ua' 'beldiplomcom.75.com1.ru' 'benchmarkconsultant.com' 'best100catfights.com' 'bestkika.crashs.net' 'betterhomeandgardenideas.com' 'bezproudoff.cz' 'bibleanswers4u.com' 'bien-vivre-en-sarladais.com' 'bigstoreoffers.co.uk' 'bilbaopisos.es' 'bio-air-technologies.com' 'biokovoholidays.com' 'bizzibeans.net' 'bj04.com' 'blackfalcon2.net' 'blackfalcon3.net' 'blackfalcon4.net' 'blackfalcon5.net' 'blacknite.eu' 'blog.replacemycontacts.com' 'bloodguru.net' 'bluecutsystem.com' 'bnsoutlaws.co.uk' 'boogu.barginginfrance.net' 'bookofkisl.com' 'borneo.aqq79.com' 'boschetto-hotel.gr' 'bracbetul.com' 'bracewellfamily.com' 'bravetools.net' 'bride1.com' 'broadtech.co' 'brownblogs.org' 'buffalogoesout.com' 'buyinfo-centreq.tk' 'buyinfo-centreqcv.tk' 'bvb-fanabteilung.de' 'by98.com' 'c-71-63-136-200.hsd1.mn.comcast.net' 'c-ctrafficim.tf' 'c11n4.i.teaserguide.com' 'cacl.fr' 'caclclo.web.fc2.com' 'callingcardsinstantly.com' 'cameraweb-cartoon.tk' 'campamento.queenscamp.com' 'cannabislyric.com' 'cannabispicture.com' 'cap2zen.com' 'casga.sogesca.al' 'cc8.joseppe.ru' 'cd2.odtoidcwe.info' 'cdn.file2desktop.com' 'centralwestwater.com.au' 'ceskarepublika.net' 'chaveiro.bio.br' 'chemgas.com' 'chisi.hsb-vps.co.uk' 'chocoservices.ru' 'chsplantsales.co.uk' 'ciclismovalenciano.com' 'citymediamagazin.hu' 'civicfootprint.net' 'classicallyabsurdphotography.com' 'classicspeedway.com' 'cluster013.ovh.net' 'cmicapui.ce.gov.br' 'coaha.frenchgerlemanelectric.com' 'coalimpex.com' 'cofeb13east.com' 'com-5p2.net' 'conds.ru' 'cope.it' 'corroshield.estb.com.sg' 'cosmetice-farduri.ro' 'countryteam66.perso.sfr.fr' 'cracks.vg' 'crackspider.us' 'crackzone.net' 'creditbootcamp.com' 'creditwallet.net' 'csdelux.ge' 'csmail.iggcn.com' 'cswilliamsburg.com' 'cu.cz-darmstadt.de' 'cudacorp.com' 'customsboysint.com' 'cwmgaming.com' 'cx6n.akovikisk.info' 'czarni.i15.eu' 'cznshuya.ivnet.ru' 'd-trafficimd.tf' 'd1.kuai8.com' 'd1054130-28095.cp.blacknight.com' 'd1171912.cp.blacknight.com' 'd32k27yvyi4kmv.cloudfront.net' 'd4.cumshots.ws' 'damxx.com' 'dancecourt.com' 'dashlinen.testing-domain-live.co.uk' 'dawnframing.com' 'dcanscapital.co.uk' 'ddd.gouwuke.cn' 'decografix.com' 'decota.es' 'decrolyschool.be' 'deleondeos.com' 'deletespyware-adware.com' 'demo.essarinfotech.net' 'demo.vertexinfo.in' 'dent-lux.com.pl' 'dentairemalin.com' 'destre45.com' 'dev.houstonysa.org' 'dev.wrathofshadows.net' 'dianepiette.co.uk' 'diaryofagameaddict.com' 'dilas.edarbipatients.com' 'dimarsbg.com' 'dimenal.com.br' 'dimensionnail.ro' 'dimsnetwork.com' 'directxex.com' 'distancer.sexsty.com' 'divine.lunarbreeze.com' 'dl.downf468.com' 'dl.heima8.com' 'dl.microsword.net' 'dl01.faddmr.com' 'dls.nicdls.com' 'doash.buyyourbtc.com' 'dofeb.frenchgerlemanelectric.com' 'doktester.orgfree.com' 'domains.mangowork.com' 'doradcazabrze.pl' 'dougmlee.com' 'down.feiyang163.com' 'down.guangsu.cn' 'down.hit020.com' 'down.unadnet.com.cn' 'down2.feiyang163.com' 'down3.feiyang163.com' 'download-archiver.ru' 'download.56.com' 'download.grandcloud.cn' 'download.ttrili.com' 'download207.mediafire.com' 'downloads-finereader.ru' 'downloads-whatsapp.com' 'dp-medien.eu' 'dron.leandroiriarte.com' 'dujur.barginginfrance.net' 'duoscontabilidade.com.br' 'duplaouroeprata.com.br' 'dx6.52z.com' 'dx8.52z.com' 'dx9.haote.com' 'e-etrafficim.tf' 'e-matelco.com' 'e1r.net' 'earlybirdandtantrum.co.uk' 'earthcontrolsys.com' 'echoa.randbinternationaltravel.com' 'edafologiko.gr' 'eddenya.com' 'edf.fr.kfskz.com' 'eecky.butlerelectricsupply.com' 'eekro.cruisingsmallship.com' 'eeps.me' 'eeroo.frost-electric-supply.com' 'eestiblogid.ee' 'eetho.cruisingsmallship.com' 'efugl.iptvdeals.com' 'egwkoa.xyz' 'eielectronics.ie' 'el.christiancarenet.com' 'eldiariodeguadalajara.com' 'elew72isst.rr.nu' 'eliehabib.com' 'elocumjobs.com' 'emailing.wildcard.fr' 'emits.iptvdeals.com' 'emotioncardspy.zapto.org' 'enlistingseparated.com' 'eroov.iptvdeals.com' 'esoad.frost-electric-supply.com' 'espdesign.com.au' 'estoa.frost-electric-supply.com' 'eternitymobiles.com' 'europe-academy.net' 'europol.europe.eu.france.id647744160-2176514326.h5841.com' 'europol.europe.eu.id214218540-7444056787.h5841.com' 'exadu.mymag250.co.uk' 'executivecoaching.co.il' 'exkn0md6fh.qsdgi.com' 'exsexytop.tk' 'extreembilisim.com' 'f-kotek.com' 'f-trafficimf.tf' 'f.gj555.net' 'faiyazahmed.com' 'fallencrafts.info' 'famososvideo.com' 'faq-candrive.tk' 'fbku.com' 'featuring.cinemalink.us' 'femalewrestlingnow.com' 'fetishfitnessbabes.com' 'fetishlocator.com' 'fgawegwr.chez.com' 'fgtkmcby02.eu' 'files.dsnetwb.com' 'finnhair.co.uk' 'fireally.net' 'firehouse651.com' 'fkhfgfg.tk' 'flamingowrestling2.com' 'flamingowrestling3.com' 'flamingowrestling4.com' 'flashdem.fr' 'flashsavant.com' 'flexografic.gr' 'fondazioneciampi.org' 'formessengers.com' 'free-cameraonline.tk' 'free-crochet-pattern.com' 'freefblikes.phpnet.us' 'freeserials.spb.ru' 'freeserials.ws' 'ftp.dgaspf.gob.ar' 'ftp.flyfishusa.com' 'funchill.com' 'fupload.org' 'futbolyresultados.es' 'fwxyd.ru' 'g-gtrafficim.tf' 'gamma01.website' 'generalchemicalsupply.com' 'geniuspresentation.com' 'getdatanetukscan.info' 'go-quicky.com' 'gogetgorgeous.com' 'googlescrn.com' 'gosciniec-paproc.pl' 'gov.f3322.net' 'gravityexp.com' 'gredinatib.org' 'greev.randbinternationaltravel.com' 'grendizer.biz' 'groax.mymag250.co.uk' 'gssoftech.com' 'gulf-industrial.com' 'gulsproductions.com' 'gurde.tourstogo.us' 'guyscards.com' 'gyboo.cruisingsmallship.com' 'gylra.cruisingsmallship.com' 'h-trafficimg.tf' 'h1666015.stratoserver.net' 'hana-naveh.com' 'hanulsms.com' 'hardcorepornparty.com' 'harshwhispers.com' 'hdbusty.com' 'healthybloodpressure.info' 'helesouurusa.cjb.com' 'herbiguide.com.au' 'hexadl.line55.net' 'high-hollin.org' 'highflyingfood.com' 'hinsib.com' 'hnskorea.co.kr' 'hoawy.frost-electric-supply.com' 'hobbat.fvds.ru' 'hobby-hangar.net' 'hobbytotaalservice.nl' 'hoerbird.net' 'hosting-controlid1.tk' 'hosting-controlnext.tk' 'hosting-controlpin.tk' 'hosting-controlpr.tk' 'hotfacesitting.com' 'hotspot.cz' 'hrdcvn.com.vn' 'hst-19-33.splius.lt' 'hujii.qplanner.cf' 'hy-brasil.mhwang.com' 'hydraulicpowerpack.com' 'i-itrafficim.tf' 'iabe45sd.com' 'iamagameaddict.com' 'icommsol.net' 'id405441215-8305493831.h121h9.com' 'idods.hsb-vps.co.uk' 'igagh.tourstogo.us' 'igoby.frost-electric-supply.com' 'igroo.barginginfrance.net' 'image-circul.tk' 'image-png.us' 'images.topguncustomz.com' 'img.coldstoragemn.com' 'img.sspbaseball.org' 'img001.com' 'immediateresponseforcomputer.com' 'impressoras-cartoes.com.pt' 'inclusivediversity.co.uk' 'incoctel.cl' 'indepth-registration.net' 'indianemarket.in' 'inevo.co.il' 'infoweb-cinema.tk' 'infoweb-coolinfo.tk' 'ingekalfdeimplores.howtoleaveyourjob.net' 'inlinea.co.uk' 'innatek.com' 'instruminahui.edu.ec' 'interactivearea.ru' 'internet-bb.tk' 'ip-182-50-129-164.ip.secureserver.net' 'ip-182-50-129-181.ip.secureserver.net' 'ipl.hk' 'iptoo.cruisingsmallship.com' 'isonomia.com.ar' 'istanbulteknik.com' 'ithyk.frenchgerlemanelectric.com' 'iwgtest.co.uk' 'iwhab.randbinternationaltravel.com' 'iwose.buyyourbtc.com' 'ixoox.csheaven.com' 'iybasketball.info' 'izozo.buyyourbtc.com' 'izzy-cars.nl' 'j-trafficimj.tf' 'j.2525ocean.com' 'japanesevehicles.us' 'jdfabrication.com' 'jeansvixens.com' 'jktdc.in' 'jmiller3d.com' 'jo-2012.fr' 'job-companybuild.tk' 'job-compuse.tk' 'josip-stadler.org' 'js.tongji.linezing.com' 'jstaikos.com' 'jue0jc.lukodorsai.info' 'juedische-kammerphilharmonie.de' 'juicypussyclips.com' 'k-gtralficim.tf' 'k.h.a.d.free.fr' 'kadirzerey.com' 'kadman.net' 'kalantzis.net' 'kapcotool.com' 'keemy.butlerelectricsupply.com' 'kernelseagles.net' 'keyways.pt' 'kfc.i.illuminationes.com' 'kfcgroup.net' 'kids-fashion.dk' 'killerjeff.free.fr' 'kipasdenim.com' 'kolman.flatitleandescrow.com' 'kootil.com' 'kreotceonite.com' 'krsa2gno.alert-malware-browsererror57.com' 'krsa2gno.browser-security-error.com' 'krsa2gno.browsersecurityalert.info' 'krsa2gno.congrats-sweepstakes-winner.com' 'krsa2gno.important-security-brower-alert.com' 'krsa2gno.internet-security-alert.com' 'krsa2gno.smartphone-sweepstakes-winner.com' 'krsa2gno.todays-sweepstakes-winner.com' 'krsa2gno.youre-todays-lucky-sweeps-winner.com' 'kuglu.mymag250.co.uk' 'kulro.csheaven.com' 'kylie-walters.com' 'kyrsu.frost-electric-supply.com' 'l-trafhicimg.tf' 'lab-cntest.tk' 'lahmar.choukri.perso.neuf.fr' 'landisbaptist.com' 'law-enforcement-ocr.bahosss.ru' 'lcbcad.co.uk' 'leagleconsulting.com' 'lefos.net' 'legendsdtv.com' 'lhs-mhs.org' 'librationgacrux.alishazyrowski.com' 'lickscloombsfills.us' 'lifescience.sysu.edu.cn' 'linkforme.tk' 'lithium.thiersheetmetal.com' 'live-dir.tk' 'livehappy247.com' 'livrariaonline.net' 'loft2126.dedicatedpanel.com' 'londonescortslist.net' 'londonleatherusa.com' 'losalseehijos.es' 'lowestoftplumber.com' 'lsmeuk.com' 'luchtenbergdecor.com.br' 'luckpacking.net' 'luckyblank.info' 'luckyclean.info' 'luckyclear.info' 'luckyeffect.info' 'luckyhalo.info' 'luckypure.info' 'luckyshine.info' 'luckysuccess.info' 'luckysure.info' 'luckytidy.info' 'luggage-tv.com' 'luggagecast.com' 'luggagepreview.com' 'lunaticjazz.com' 'lustadult.com' 'luwyou.com' 'lydwood.co.uk' 'm-itrafficim.tf' 'm2132.ehgaugysd.net' 'mahabad-samaschools.ir' 'mahindrainsurance.com' 'mailboto.com' 'malest.com' 'mango.spiritualcounselingtoday.co' 'manoske.com' 'marchen-toy.co.jp' 'marialorena.com.br' 'markbruinink.nl' 'marketing-material.ieiworld.com' 'marx-brothers.mhwang.com' 'mathenea.com' 'maxisoft.co.uk' 'mbrdot.tk' 'mediatrade.h19.ru' 'merrymilkfoods.com' 'metrocuadro.com.ve' 'mgfd1b.petrix.net' 'microsoft.com32.info' 'miespaciopilates.com' 'milleniumpapelaria.com.br' 'mindstormstudio.ro' 'ministerepuissancejesus.com' 'ministerio-publi.info' 'miracema.rj.gov.br' 'mirandolasrl.it' 'mlpoint.pt' 'mmile.com' 'mobatory.com' 'mobile.bitterstrawberry.org' 'mocha7003.mochahost.com' 'mocka.frost-electric-supply.com' 'monarchslo.com' 'montezuma.spb.ru' 'morenews3.net' 'mrpeter.it' 'ms11.net' 'mtldesigns.ca' 'mtmtrade.gr' 'mueller-holz-bau.com' 'murbil.hostei.com' 'my-web1.tk' 'mycleanpc.tk' 'mylabsrl.com' 'mylondon.hc0.me' 'myshopmarketim.com' 'mysmallcock.com' 'mythesisspace.com' 'myuniques.ru' 'myvksaver.ru' 'n-nrafficimj.tf' 'naairah.com' 'nadegda-95.ru' 'nailbytes1.com' 'namso.butlerelectricsupply.com' 'narrow.azenergyforum.com' 'nateve.us' 'natmasla.ru' 'natural-cholesterol.com' 'natural.buckeyeenergyforum.com' 'naturemost.it' 'nbook.far.ru' 'nc2199.eden5.netclusive.de' 'nctbonline.co.uk' 'ndcsales.info' 'nefib.tourstogo.us' 'negociosdasha.com' 'nerez-schodiste-zabradli.com' 'nestorconsulting.net' 'networkmedical.com.hk' 'neumashop.cl' 'nevergreen.net' 'new-address.tk' 'new-softdriver.tk' 'newleaf.org.in' 'newplan1999.com' 'news-91566-latest.natsyyaty.ru' 'news4cars.com' 'nhpz.lalaghoaujrnu.info' 'nikolamireasa.com' 'njtgsd.attackthethrone.com' 'nkgamers.com' 'nlconsulateorlandoorg.siteprotect.net' 'nmsbaseball.com' 'nobodyspeakstruth.narod.ru' 'nonsi.csheaven.com' 'noobgirls.com' 'nordiccountry.cz' 'northerningredients.com' 'northwesternfoods.com' 'nortonfire.co.uk' 'notebookservisru.161.com1.ru' 'noveltyweb.ru' 'noveslovo.com' 'nowina.info' 'ns1.the-sinner.net' 'ns1.updatesdns.org' 'ns2ns1.tk' 'ns352647.ovh.net' 'nt-associates.com' 'nudebeachgalleries.net' 'nugly.barginginfrance.net' 'nuptialimages.com' 'nutnet.ir' 'nvdrabs.ru' 'nwhomecare.co.uk' 'o-itrafficim.tf' 'oahop.buyyourbtc.com' 'oakso.tourstogo.us' 'oampa.csheaven.com' 'oapsa.tourstogo.us' 'oaspodpaskdjnghzatrffgcasetfrd.cf' 'oawoo.frenchgerlemanelectric.com' 'obada-konstruktiwa.org' 'obession.co.ua' 'obkom.net.ua' 'ocick.frost-electric-supply.com' 'ocpersian.com' 'officeon.ch.ma' 'ogrir.buyyourbtc.com' 'ohees.buyyourbtc.com' 'ohelloguyqq.com' 'oilwrestlingeurope.com' 'okeanbg.com' 'oknarai.ru' 'olivesmarket.com' 'olliedesign.net' 'olols.hsb-vps.co.uk' 'omrdatacapture.com' 'onb4dsa.net' 'onrio.com.br' 'oofuv.cruisingsmallship.com' 'oojee.barginginfrance.net' 'ooksu.frost-electric-supply.com' 'oolsi.frost-electric-supply.com' 'oosee.barginginfrance.net' 'oowhe.frost-electric-supply.com' 'oprahsearch.com' 'optiker-michelmann.de' 'optilogus.com' 'optimization-methods.com' 'orbowlada.strefa.pl' 'orkut.krovatka.su' 'oshoa.iptvdeals.com' 'oshoo.iptvdeals.com' 'otylkaaotesanek.cz' 'outkastsgaming.com' 'outporn.com' 'ozono.org.es' 'ozzysixsixsix.web.fc2.com' 'p-tfafficimg.tf' 'pabrel.com' 'pagerank.net.au' 'pamoran.net' 'papamamandoudouetmoi.com' 'paracadutismolucca.it' 'paraskov.com' 'patrickhickey.eu' 'pb-webdesign.net' 'pension-helene.cz' 'penwithian.co.uk' 'pepelacer.computingservices123.com' 'pepelacer.memeletrica.com' 'per-nunker.dk' 'perfectionautorepairs.com' 'pestguard-india.com' 'petitepanda.net' 'pgalvaoteles.pt' 'pharmadeal.gr' 'phitenmy.com' 'phoaz.cruisingsmallship.com' 'pic.starsarabian.com' 'pigra.csheaven.com' 'pipersalegulfcoast.mathwolf.com' 'pix360.co.nf' 'plantaardigebrandstof.nl' 'platsovetrf.ru' 'plcture-store.com' 'plengeh.wen.ru' 'pllysvaatteiden.rvexecutives.com' 'podzemi.myotis.info' 'pojokkafe.com' 'pokachi.net' 'police11.provenprotection.net' 'pontuall.com.br' 'pornstarss.tk' 'port.bg' 'portablevaporizer.com' 'portalfiremasters.com.br' 'portraitphotographygroup.com' 'pos-kupang.com' 'potvaporizer.com' 'powerhosting.tv' 'powershopnet.net' 'pradakomechanicals.com' 'praxisww.com' 'premium34.tmweb.ru' 'pride-u-bike.com' 'private.hotelcesenaticobooking.info' 'progettocrea.org' 'prorodeosportmed.com' 'prowoodsrl.it' 'pselr.buyyourbtc.com' 'psooz.tourstogo.us' 'psucm.buyyourbtc.com' 'ptewh.iptvdeals.com' 'ptool.barginginfrance.net' 'ptuph.barginginfrance.net' 'ptush.iptvdeals.com' 'publiccasinoil.com' 'publiccasinoild.com' 'puenteaereo.info' 'pulso.butlerelectricsupply.com' 'purethc.com' 'putevka-volgograd.ru' 'pwvita.pl' 'q-itrafficim.tf' 'q28840.nb.host127-0-0-1.com' 'qbike.com.br' 'qualityindustrialcoatings.com' 'quinnwealth.com' 'quotidiennokoue.com' 'qwe.affairedhonneur.us' 'qwebirc.swiftirc.net' 'qwmlad.xyz' 'r-trdfficimj.tf' 'radiology.starlightcapitaladvisors.net' 'rainbowcolours.me.uk' 'rallye-de-fourmies.com' 'rallyeair.com' 'randyandjeri.com' 'rat-on-subway.mhwang.com' 'rawoo.barginginfrance.net' 'rd5d.com' 'reclamus.com' 'redes360.com' 'redhotdirectory.com' 'redirect.lifax.biz' 'reishus.de' 'remorcicomerciale.ro' 'rentfromart.com' 'resolvethem.com' 'revistaelite.com' 'rightmoveit.co.uk' 'rl8vd.kikul.com' 'rmazione.net' 'rocksresort.com.au' 'roks.ua' 'rolemodelstreetteam.invasioncrew.com' 'romsigmed.ro' 'romvarimarton.hu' 'ronadsrl.info' 'roorbong.com' 'rsiuk.co.uk' 'ru.makeanadultwebsite.com' 'ru.theswiftones.com' 'rubiks.ca' 'ruiyangcn.com' 'rumog.frost-electric-supply.com' 'rupor.info' 's-gtrafficim.tf' 's1.directxex.com' 's335831094.websitehome.co.uk' 'sadiqtv.com' 'sadsi.buyyourbtc.com' 'saemark.is' 'safety.amw.com' 'salomblog.com' 'salon77.co.uk' 'santacruzsuspension.com' 'santos-seeley.net' 'sasson-cpa.co.il' 'saturnleague.com' 'savurew.bastroporalsurgery.com' 'sayherbal.com' 'sbnc.hak.su' 'scaner-do.tk' 'scaner-ex.tk' 'scaner-figy.tk' 'scaner-file.tk' 'scaner-or.tk' 'scaner-sbite.tk' 'scaner-sboom.tk' 'scaner-sdee.tk' 'scaner-tfeed.tk' 'scaner-tgame.tk' 'scdsfdfgdr12.tk' 'scottishhillracing.co.uk' 'screenshot-pro.com' 'screenshot-saves.com' 'sdaexpress24.net' 'sdg-translations.com' 'security-dtspwoag-check.in' 'security-siqldspc-check.in' 'securitywebservices.com' 'seet10.jino.ru' 'sei.com.pe' 'semengineers.com' 'semiyun.com' 'send-image.us' 'sentrol.cl' 'senzatel.com' 'seo3389.net' 'seoholding.com' 'seonetwizard.com' 'serasaexperian.biz' 'serasaexperian.info' 'serraikizimi.gr' 'server1.extra-web.cz' 'seventeen.co.za' 'sexyfemalewrestlingmovies-b.com' 'sexyfemalewrestlingmovies-c.com' 'sexyfemalewrestlingmovies-d.com' 'sexyfemalewrestlingmovies.com' 'sexylegsandpantyhose.com' 'sexyoilwrestling.com' 'sexyster.tk' 'sexzoznamka.eu' 'sgs.us.com' 'shean76.net' 'shigy.hsb-vps.co.uk' 'shoac.mymag250.co.uk' 'shovi.frost-electric-supply.com' 'sicuxp.sinerjimspor.com' 'signready.com' 'silkmore.staffs.sch.uk' 'silurian.cn' 'silverlites-company.ru' 'silverlitescompany.ru' 'simpi.tourstogo.us' 'simpleshop.vn' 'site-checksite.tk' 'sitemar.ro' 'ska.energia.cz' 'skgroup.kiev.ua' 'skidki-yuga.ru' 'skiholidays4beginners.com' 'slightlyoffcenter.net' 'slimxxxtubeacn.dnset.com' 'slimxxxtubealn.ddns.name' 'slimxxxtubeanr.ddns.name' 'slimxxxtubeaxy.ddns.name' 'slimxxxtubeayv.ddns.name' 'slimxxxtubebej.dnset.com' 'slimxxxtubebgp.ddns.name' 'slimxxxtubebmq.dnset.com' 'slimxxxtubebnd.ddns.name' 'slimxxxtubecgl.ddns.name' 'slimxxxtubectk.dnset.com' 'slimxxxtubecty.ddns.name' 'slimxxxtubeczp.ddns.name' 'slimxxxtubedgv.dnset.com' 'slimxxxtubedjm.ddns.name' 'slimxxxtubedlb.ddns.name' 'slimxxxtubedvj.dnset.com' 'slimxxxtubedxc.ddns.name' 'slimxxxtubedya.ddns.name' 'slimxxxtubeejs.ddns.name' 'slimxxxtubeemz.dnset.com' 'slimxxxtubefdr.ddns.name' 'slimxxxtubefel.ddns.name' 'slimxxxtubeftb.dnset.com' 'slimxxxtubefzc.ddns.name' 'slimxxxtubehan.ddns.name' 'slimxxxtubehdn.dnset.com' 'slimxxxtubehli.dnset.com' 'slimxxxtubeidv.ddns.name' 'slimxxxtubeijc.dnset.com' 'slimxxxtubeiqb.dnset.com' 'slimxxxtubejie.dnset.com' 'slimxxxtubejlp.ddns.name' 'slimxxxtubejpe.ddns.name' 'slimxxxtubejvh.ddns.name' 'slimxxxtubejyk.ddns.name' 'slimxxxtubekad.ddns.name' 'slimxxxtubekgj.ddns.name' 'slimxxxtubekgv.ddns.name' 'slimxxxtubeklg.dnset.com' 'slimxxxtubekpn.ddns.name' 'slimxxxtubekrn.ddns.name' 'slimxxxtubelap.ddns.name' 'slimxxxtubelat.ddns.name' 'slimxxxtubelfr.ddns.name' 'slimxxxtubelzv.ddns.name' 'slimxxxtubemue.dnset.com' 'slimxxxtubeneg.ddns.name' 'slimxxxtubeneu.ddns.name' 'slimxxxtubengt.dnset.com' 'slimxxxtubenqp.ddns.name' 'slimxxxtubentf.dnset.com' 'slimxxxtubeocr.dnset.com' 'slimxxxtubeonf.dnset.com' 'slimxxxtubeopy.ddns.name' 'slimxxxtubeoxo.ddns.name' 'slimxxxtubeoxy.ddns.name' 'slimxxxtubeppj.dnset.com' 'slimxxxtubeqfo.ddns.name' 'slimxxxtubeqsh.ddns.name' 'slimxxxtubeqve.dnset.com' 'slimxxxtubeqwr.dnset.com' 'slimxxxtuberau.ddns.name' 'slimxxxtuberea.ddns.name' 'slimxxxtuberep.dnset.com' 'slimxxxtuberfe.dnset.com' 'slimxxxtuberjj.ddns.name' 'slimxxxtuberme.dnset.com' 'slimxxxtuberue.dnset.com' 'slimxxxtubesrs.dnset.com' 'slimxxxtubesrw.ddns.name' 'slimxxxtubesun.ddns.name' 'slimxxxtubetmf.ddns.name' 'slimxxxtubetmg.dnset.com' 'slimxxxtubetns.ddns.name' 'slimxxxtubetts.dnset.com' 'slimxxxtubeubp.dnset.com' 'slimxxxtubeujh.ddns.name' 'slimxxxtubeull.dnset.com' 'slimxxxtubeuvd.dnset.com' 'slimxxxtubevdn.ddns.name' 'slimxxxtubevih.dnset.com' 'slimxxxtubevjk.ddns.name' 'slimxxxtubewfl.ddns.name' 'slimxxxtubewiq.ddns.name' 'slimxxxtubewis.ddns.name' 'slimxxxtubewmt.dnset.com' 'slimxxxtubexei.ddns.name' 'slimxxxtubexiv.dnset.com' 'slimxxxtubexvq.ddns.name' 'slimxxxtubexwb.dnset.com' 'slimxxxtubexxq.dnset.com' 'slimxxxtubeyge.ddns.name' 'slimxxxtubeyhz.ddns.name' 'slimxxxtubeyza.ddns.name' 'smartify.org' 'smrcek.com' 'smschat.alfabeta.al' 'sn-gzzx.com' 'soase.buyyourbtc.com' 'soft.findhotel.asia' 'soft245.ru' 'softworksbd.com' 'somethingnice.hc0.me' 'somnoy.com' 'sos-medecins-stmalo.fr' 'soundcomputers.net' 'southafricaguesthouseaccommodation.com' 'spacerusa13.ddns.net' 'spatsz.com' 'spekband.com' 'sportsandprevention.com' 'sportsulsan.co.kr' 'sporttraum.de' 'spykit.110mb.com' 'sribinayakelectricals.com' 'srimahaphotschool.com' 'srslogisticts.com' 'srv12.hostserv.co.za' 'srv20.ru' 'st.anthonybryanauthor.com' 'stailapoza.ro' 'static.charlottewinner.com' 'static.esportsea.com' 'static.forezach.com' 'static.platinumweddingplanner.com' 'static.retirementcommunitiesfyi.com' 'stimul-m.com.ua' 'stjohnsdryden.org' 'stockinter.intersport.es' 'stopmeagency.free.fr' 'storgas.co.rs' 'stormpages.com' 'strangeduckfilms.com' 'study11.com' 'sudcom.org' 'summonerswarskyarena.info' 'sunidaytravel.co.uk' 'sunlux.net' 'sunny99.cholerik.cz' 'svetyivanrilski.com' 'svision-online.de' 'sweettalk.co' 'sysconcalibration.com' 'systemscheckusa.com' 'szinhaz.hu' 't-srafficimg.tf' 'tabex.sopharma.bg' 'take-screenshot.us' 'tamilcm.com' 'taobao.lylwc.com' 'tatschke.net' 'tavuks.com' 'tazzatti.com' 'tcrwharen.homepage.t-online.de' 'teameda.comcastbiz.net' 'teameda.net' 'teamtalker.net' 'technauticmarinewindows.co.uk' 'tecla-technologies.fr' 'tecnocuer.com' 'tecslide.com' 'tendersource.com' 'teprom.it' 'terrorinlanka.com' 'test2.petenawara.com' 'testcomplex.ru' 'testtralala.xorg.pl' 'textsex.tk' 'tfx.pw' 'th0h.blejythecounyful.net' 'thcextractor.com' 'thcvaporizer.com' 'thefxarchive.com' 'theweatherspace.com' 'thewinesteward.com' 'tibiakeylogger.com' 'timothycopus.aimoo.com' 'titon.info' 'tk-gregoric.si' 'toddscarwash.com' 'tomalinoalambres.com.ar' 'topdecornegocios.com.br' 'tophostbg.net' 'totszentmarton.hu' 'tough.thingiebox.com' 'track.cellphoneupdated.com' 'tracking-stats-tr.usa.cc' 'tradexoom.com' 'traff1.com' 'trafficgrowth.com' 'trahic.ru' 'tranti.ru' 'traspalaciorubicell.whygibraltar.co.uk' 'trehomanyself.com' 'tremplin84.fr' 'treventuresonline.com' 'triangleservicesltd.com' 'troytempest.com' 'ttb.tbddlw.com' 'tube8vidsbbr.dnset.com' 'tube8vidsbhy.dnset.com' 'tube8vidsbzx.dnset.com' 'tube8vidscjk.ddns.name' 'tube8vidscqs.ddns.name' 'tube8vidscut.ddns.name' 'tube8vidsdob.dnset.com' 'tube8vidsdst.ddns.name' 'tube8vidsfgd.ddns.name' 'tube8vidshhr.ddns.name' 'tube8vidshkk.ddns.name' 'tube8vidshrw.dnset.com' 'tube8vidsiet.ddns.name' 'tube8vidsiww.ddns.name' 'tube8vidsjac.dnset.com' 'tube8vidsjan.ddns.name' 'tube8vidsjhn.ddns.name' 'tube8vidsjtq.ddns.name' 'tube8vidslmf.dnset.com' 'tube8vidslni.dnset.com' 'tube8vidslqk.ddns.name' 'tube8vidslrz.ddns.name' 'tube8vidsnlq.dnset.com' 'tube8vidsnrt.ddns.name' 'tube8vidsnvd.ddns.name' 'tube8vidsnyp.dnset.com' 'tube8vidsolh.ddns.name' 'tube8vidsotz.dnset.com' 'tube8vidsowd.dnset.com' 'tube8vidspeq.ddns.name' 'tube8vidsqof.ddns.name' 'tube8vidsrau.dnset.com' 'tube8vidsrdr.dnset.com' 'tube8vidsrhl.ddns.name' 'tube8vidsrom.dnset.com' 'tube8vidssan.dnset.com' 'tube8vidssjw.ddns.name' 'tube8vidssyg.dnset.com' 'tube8vidstrh.dnset.com' 'tube8vidstyp.ddns.name' 'tube8vidsuty.dnset.com' 'tube8vidsvaj.dnset.com' 'tube8vidsvcs.ddns.name' 'tube8vidsvmr.ddns.name' 'tube8vidsvrx.ddns.name' 'tube8vidsvtp.dnset.com' 'tube8vidswsy.dnset.com' 'tube8vidswtb.ddns.name' 'tube8vidswys.ddns.name' 'tube8vidsxlo.ddns.name' 'tube8vidsxmx.dnset.com' 'tube8vidsxpg.ddns.name' 'tube8vidsxpp.dnset.com' 'tube8vidsxwu.ddns.name' 'tube8vidsycs.dnset.com' 'tube8vidsyip.ddns.name' 'tube8vidsymz.dnset.com' 'tube8vidsyre.dnset.com' 'tube8vidsyyf.dnset.com' 'tube8vidszmi.ddns.name' 'tube8vidsznj.ddns.name' 'tube8vidsznx.ddns.name' 'tube8vidszyj.ddns.name' 'tubemoviez.com' 'twe876-site0011.maxesp.net' 'typeofmarijuana.com' 'tzut.asifctuenefcioroxa.net' 'ubike.tourstogo.us' 'uchyz.cruisingsmallship.com' 'uertebamurquebloktreinen.buyerware.net' 'ukonline.hc0.me' 'ukrfarms.com.ua' 'ukugl.tourstogo.us' 'unalbilgisayar.com' 'undefined.it' 'unitex.home.pl' 'unlim-app.tk' 'up.dnpequipment.com' 'updat120.clanteam.com' 'update.51edm.net' 'update.onescan.co.kr' 'updo.nl' 'uploads.tmweb.ru' 'uponor.otistores.com' 'upsoj.iptvdeals.com' 'upswings.net' 'urban-motorcycles.com' 'urbanglass.ro' 'url-cameralist.tk' 'user4634.vs.easily.co.uk' 'users173.lolipop.jp' 'utopia-muenchen.de' 'uvidu.butlerelectricsupply.com' 'v.inigsplan.ru' 'valouweeigenaren.nl' 'vartashakti.com' 'vb4dsa.net' 'vdh-rimbach.de' 'veevu.tourstogo.us' 'veksi.barginginfrance.net' 'vernoblisk.com' 'vette-porno.nl' 'vgp3.vitebsk.by' 'vickielynnsgifts.com' 'vicklovesmila.com' 'victornicolle.com' 'videoflyover.com' 'vidoshdxsup.ru' 'viduesrl.it' 'vijetha.co.in' 'villalecchi.com' 'ville-st-remy-sur-avre.fr' 'vipdn123.blackapplehost.com' 'vistatech.us' 'vital4age.eu' 'vitalityxray.com' 'vitamasaz.pl' 'vitha.csheaven.com' 'vivaweb.org' 'vkont.bos.ru' 'vmay.com' 'voawo.buyyourbtc.com' 'vocational-training.us' 'vroll.net' 'vural-electronic.com' 'vvps.ws' 'vympi.buyyourbtc.com' 'w4988.nb.host127-0-0-1.com' 'w612.nb.host127-0-0-1.com' 'wahyufian.zoomshare.com' 'wallpapers91.com' 'warco.pl' 'wc0x83ghk.homepage.t-online.de' 'weare21c.com' 'web-domain.tk' 'web-fill.tk' 'web-olymp.ru' 'web-sensations.com' 'webcashmaker.com' 'webcom-software.ws' 'webordermanager.com' 'weboxmedia.by' 'webradiobandatremdoforro.96.lt' 'websalesusa.com' 'websfarm.org' 'wechselkur.de' 'westlifego.com' 'wetjane.x10.mx' 'wetyt.tourstogo.us' 'wfoto.front.ru' 'whabi.csheaven.com' 'whave.iptvdeals.com' 'whitehorsetechnologies.net' 'win2150.vs.easily.co.uk' 'windows-crash-report.info' 'windows-defender.con.sh' 'windspotter.net' 'wineyatra.com' 'winlock.usa.cc' 'winrar-soft.ru' 'winsetupcostotome.easthamvacations.info' 'wkmg.co.kr' 'wmserver.net' 'womenslabour.org' 'wonchangvacuum.com.my' 'wonderph.com' 'worldgymperu.com' 'wp9.ru' 'writingassociates.com' 'wroclawski.com.pl' 'wt10.haote.com' 'wuesties.heimat.eu' 'wv-law.com' 'www.0uk.net' 'www.2607.cn' 'www.3difx.com' 'www.3peaks.co.jp' 'www.acquisizionevideo.com' 'www.adesse-anwaltskanzlei.de' 'www.adlgasser.de' 'www.advancesrl.eu' 'www.aerreravasi.com' 'www.agrimont.cz' 'www.angolotesti.it' 'www.anticarredodolomiti.com' 'www.archigate.it' 'www.areadiprova.eu' 'www.arkinsoftware.in' 'www.askmeaboutrotary.com' 'www.assculturaleincontri.it' 'www.asu.msmu.ru' 'www.atousoft.com' 'www.aucoeurdelanature.com' 'www.avidnewmedia.it' 'www.avrakougioumtzi.gr' 'www.bag-online.com' 'www.bcservice.it' 'www.bedoc.fr' 'www.bilder-upload.eu' 'www.blinkgroup.com' 'www.blueimagen.com' 'www.carvoeiro.com' 'www.casamama.nl' 'www.catgallery.com' 'www.caue971.org' 'www.cc-isobus.com' 'www.cellphoneupdated.com' 'www.cellularbeton.it' 'www.cennoworld.com' 'www.cerquasas.it' 'www.chemgas.com' 'www.chiaperottipaolo.it' 'www.cifor.com' 'www.coloritpak.by' 'www.consumeralternatives.org' 'www.copner.co.uk' 'www.cordonnerie-fb.fr' 'www.cortesidesign.com' 'www.csaladipotlek.info' 'www.daspar.net' 'www.dicoz.fr' 'www.dimou.de' 'www.divshare.com' 'www.doctor-alex.com' 'www.dowdenphotography.com' 'www.download4now.pw' 'www.downloaddirect.com' 'www.dream-squad.com' 'www.drteachme.com' 'www.ecoleprincessedeliege.be' 'www.eivamos.com' 'www.elisaart.it' 'www.email-login-support.com' 'www.emotiontag.net' 'www.emrlogistics.com' 'www.exelio.be' 'www.fabioalbini.com' 'www.fasadobygg.com' 'www.feiyang163.com' 'www.fiduciariobajio.com.mx' 'www.flowtec.com.br' 'www.fotoidea.com' 'www.freemao.com' 'www.freewebtown.com' 'www.frosinonewesternshow.it' 'www.galileounaluna.com' 'www.gameangel.com' 'www.gasthofpost-ebs.de' 'www.gliamicidellunicef.it' 'www.gmcjjh.org' 'www.gold-city.it' 'www.goooglesecurity.com' 'www.gulsproductions.com' 'www.hausnet.ru' 'www.herteldenpaylasim.org' 'www.hitekshop.vn' 'www.hochzeit.at' 'www.hospedar.xpg.com.br' 'www.hoteldelamer-tregastel.com' 'www.huecobi.de' 'www.icybrand.eu' 'www.image-png.us' 'www.image-werbebedarf.de' 'www.imagerieduroc.com' 'www.infra.by' 'www.joomlalivechat.com' 'www.kcta.or.kr' 'www.keyfuture.com' 'www.kjbbc.net' 'www.lajourneeducommercedeproximite.fr' 'www.lambrusco.it' 'www.lccl.org.uk' 'www.les-ptits-dodos.com' 'www.litra.com.mk' 'www.lostartofbeingadame.com' 'www.lowes-pianos-and-organs.com' 'www.luciole.co.uk' 'www.lunchgarden.com' 'www.lyzgs.com' 'www.m-barati.de' 'www.makohela.tk' 'www.mangiamando.com' 'www.marcilly-le-chatel.fr' 'www.marinoderosas.com' 'www.marss.eu' 'www.megatron.ch' 'www.milardi.it' 'www.minka.co.uk' 'www.mondo-shopping.it' 'www.mondoperaio.net' 'www.montacarichi.it' 'www.motivacionyrelajacion.com' 'www.moviedownloader.net' 'www.mrpeter.it' 'www.mtmtrade.gr' 'www.notaverde.com' 'www.nothingcompares.co.uk' 'www.nwhomecare.co.uk' 'www.obyz.de' 'www.offerent.com' 'www.officialrdr.com' 'www.ohiomm.com' 'www.oiluk.net' 'www.ostsee-schnack.de' 'www.over50datingservices.com' 'www.ozowarac.com' 'www.paliteo.com' 'www.panazan.ro' 'www.parfumer.by' 'www.pcdefender.co.vu' 'www.perupuntocom.com' 'www.petpleasers.ca' 'www.pieiron.co.uk' 'www.plantes-sauvages.fr' 'www.poesiadelsud.it' 'www.poffet.net' 'www.pontuall.com.br' 'www.praxisww.com' 'www.prfelectrical.com.au' 'www.proascolcolombia.com' 'www.professionalblackbook.com' 'www.profill-smd.com' 'www.propan.ru' 'www.purplehorses.net' 'www.qstopuniversitiesguide.com' 'www.racingandclassic.com' 'www.realinnovation.com' 'www.rebeccacella.com' 'www.reifen-simon.com' 'www.rempko.sk' 'www.riccardochinnici.it' 'www.ristoromontebasso.it' 'www.rokus-tgy.hu' 'www.rooversadvocatuur.nl' 'www.rst-velbert.de' 'www.saemark.is' 'www.sailing3.com' 'www.saintlouis-viry.fr' 'www.sankyo.gr.jp' 'www.sanseracingteam.com' 'www.sasenergia.pt' 'www.sbo.it' 'www.scanmyphones.com' 'www.scantanzania.com' 'www.schluckspecht.com' 'www.schuh-zentgraf.de' 'www.seal-technicsag.ch' 'www.secondome.com' 'www.serciudadano.com.ar' 'www.sitepalace.com' 'www.sj88.com' 'www.slayerlife.com' 'www.slikopleskarstvo-fasaderstvo.si' 'www.slivki.com.ua' 'www.smartgvcfunding.com' 'www.smartscan.ro' 'www.sonnoli.com' 'www.soskin.eu' 'www.soyter.pl' 'www.spfonster.se' 'www.spris.com' 'www.stirparts.ru' 'www.stormpages.com' 'www.studiochiarelli.eu' 'www.super8service.de' 'www.surfguide.fr' 'www.syes.eu' 'www.sylacauga.net' 'www.t-gas.co.uk' 'www.t-sb.net' 'www.tdms.saglik.gov.tr' 'www.technix.it' 'www.tesia.it' 'www.theartsgarage.com' 'www.thesparkmachine.com' 'www.thomchotte.com' 'www.tiergestuetzt.de' 'www.toochattoo.com' 'www.torgi.kz' 'www.toshare.kr' 'www.tpt.edu.in' 'www.tradingdirects.co.uk' 'www.trarydfonster.se' 'www.tvnews.or.kr' 'www.two-of-us.at' 'www.unicaitaly.it' 'www.uriyuri.com' 'www.usaenterprise.com' 'www.viisights.com' 'www.village-gabarrier.com' 'www.vinyljazzrecords.com' 'www.vipcpms.com' 'www.vivaimontina.com' 'www.volleyball-doppeldorf.de' 'www.vvvic.com' 'www.vw-freaks.net' 'www.wave4you.de' 'www.weforwomenmarathon.org' 'www.whitesports.co.kr' 'www.widestep.com' 'www.wigglewoo.com' 'www.wiiux.de' 'www.wildsap.com' 'www.wohnmoebel-blog.de' 'www.wrestlingexposed.com' 'www.wtcorp.net' 'www.wwwfel.org.ng' 'www.wyroki.eu' 'www.xiruz.kit.net' 'www.yehuam.com' 'www.zatzy.com' 'www.zctei.com' 'www.zido-baugruppenmontage.de' 'www.zyxyfy.com' 'www12.0zz0.com' 'www8.0zz0.com' 'xamateurpornlic.www1.biz' 'xicaxique.com.br' 'xindalawyer.com' 'xoomer.alice.it' 'xorgwebs.webs.com' 'xotsa.frenchgerlemanelectric.com' 'xpornstarsckc.ddns.name' 'y6aoj.akovikisk.net' 'yambotan.ru' 'yandex.ru.sgtfnregsnet.ru' 'ydshttas.climat.ws' 'yellowcameras.wanroymotors.com' 'yigitakcali.com' 'ylpzt.juzojossai.net' 'yougube.com' 'youngsters.mesomoor.com' 'youtibe.com' 'youtuhe.com' 'ytzi.co' 'yumekin.com' 'z32538.nb.host127-0-0-1.com' 'z7752.com' 'zgsysz.com' 'zibup.csheaven.com' 'zjjlf.croukwexdbyerr.net' 'zkic.com' 'zous.szm.sk' 'zt.tim-taxi.com' 'zu-yuan.com' 'zwierzu.zxy.me' 'zyrdu.cruisingsmallship.com' 'fr.a2dfp.net' 'm.fr.a2dfp.net' 'mfr.a2dfp.net' 'ad.a8.net' 'asy.a8ww.net' 'static.a-ads.com' 'atlas.aamedia.ro' 'abcstats.com' 'ad4.abradio.cz' 'a.abv.bg' 'adserver.abv.bg' 'adv.abv.bg' 'bimg.abv.bg' 'ca.abv.bg' 'track.acclaimnetwork.com' 'accuserveadsystem.com' 'www.accuserveadsystem.com' 'achmedia.com' 'csh.actiondesk.com' 'ads.activepower.net' 'app.activetrail.com' 'stat.active24stats.nl' 'traffic.acwebconnecting.com' 'office.ad1.ru' 'cms.ad2click.nl' 'ad2games.com' 'ads.ad2games.com' 'content.ad20.net' 'core.ad20.net' 'banner.ad.nu' 'adadvisor.net' 'tag1.adaptiveads.com' 'www.adbanner.ro' 'wad.adbasket.net' 'ad.pop1.adbn.ru' 'ad.top1.adbn.ru' 'ad.rich1.adbn.ru' 'adbox.hu' 'james.adbutler.de' 'www.adbutler.de' 'tw1.adbutler.us' 'www.adchimp.com' 'static.adclick.lt' 'engine.adclick.lv' 'show.adclick.lv' 'static.adclick.lv' 'www.adclick.lv' 'ad-clix.com' 'www.ad-clix.com' 'servedby.adcombination.com' 'adcomplete.com' 'www.adcomplete.com' 'adcore.ru' 'pixel.adcrowd.com' 'ct1.addthis.com' 'static.uk.addynamo.com' 'server.adeasy.ru' 'pt.server1.adexit.com' 'www.adexit.com' 's.adexpert.cz' '222-33544_999.pub.adfirmative.com' 'c.adfirmative.com' 'www.adfirmative.com' 'adfocus.ru' 'adx.adform.net' 'dmp.adform.net' 's1.adform.net' 'server.adform.net' 'track.adform.net' 'server.adformdsp.net' 'adforce.ru' 'adforati.com' 'ads.adfox.ru' 'gazeta.adfox.ru' 'p.adframesrc.com' 's.adframesrc.com' 'media.adfrontiers.com' 'www.adgitize.com' 'code.ad-gbn.com' 'www.ad-groups.com' 'adhall.com' 'pool.adhese.be' 'adhitzads.com' 'ads.static.adhood.com' 'app.pubserver.adhood.com' 'app.winwords.adhood.com' 'ssl3.adhost.com' 'www2.adhost.com' 'adfarm1.adition.com' 'imagesrv.adition.com' 'ad.adition.net' 'hosting.adjug.com' 'tracking.adjug.com' 'aj.adjungle.com' 'rotator.hadj7.adjuggler.net' 'thewrap.rotator.hadj7.adjuggler.net' 'yorick.adjuggler.net' 'adsearch.adkontekst.pl' 'stat.adlabs.ru' 'd.tds.adlabs.ru' 'www.adlantis.jp' 'publicidad.adlead.com' 'www.adlimg03.com' 'regio.adlink.de' 'west.adlink.de' 'rc.de.adlink.net' 'tr.de.adlink.net' 'n.admagnet.net' 'ads3.adman.gr' 'gazzetta.adman.gr' 'r2d2.adman.gr' 'talos.adman.gr' 'adman.in.gr' 'admarket.cz' 'www.admarket.cz' 'bridge.ame.admarketplace.net' 'bridge.sf.admarketplace.net' 'a1.admaster.net' 'img.admaster.net' 'admedien.com' 'www.admedien.com' 'apps.admission.net' 'appcache.admission.net' 'dt.admission.net' 'view.admission.net' 'ad.admitad.com' 'cdn.admitad.com' 'www.ad.admitad.com' 'cdn.admixer.net' 'ads.admodus.com' 'run.admost.com' 'assets3.admulti.com' 'go.admulti.com' 's.admulti.com' 'ads.adnet.am' 'ad.adnet.biz' 'adnet.com.ua' 'delivery.adnetwork.vn' 'img.adnet.com.tr' 'www.ad-net.co.uk' 'adnext.fr' 'cdn.adnotch.com' 'ad.adnow.com' 'tt11.adobe.com' 'ace.adoftheyear.com' 'ad01.adonspot.com' 'ad02.adonspot.com' 'adperium.com' 'adk2.adperium.com' 'www.adperium.com' 'img.adplan-ds.com' 'res.adplus.co.id' 'e.adpower.bg' 'ab.adpro.com.ua' 'adpublimo.com' 'system.adquick.nl' 'pop.adrent.net' 'adroll.com' 'rtt.adrolays.de' 'n.ads1-adnow.com' 'n.ads2-adnow.com' 'n.ads3-adnow.com' 'vu.adschoom.com' 'core1.adservingfactory.com' 'content.adservingfactory.com' 'track.adservingfactory.com' 'p78878.adskape.ru' 'map2.adsniper.ru' 'f-nod2.adsniper.ru' 'content.adspynet.com' 'engine.adspynet.com' 'ads.adsready.com' 'ads.adsurve.com' 'www.adsurve.com' 'cntr.adrime.com' 'images.adrime.com' 'ad.adriver.ru' 'content.adriver.ru' 'ssp.adriver.ru' 'r.adrolays.de' 'adrotate.se' 'www.adrotate.net' 'ads-bg.info' 'delivery.ads-creativesyndicator.com' 'adsafiliados.com.br' 'ad.adsafiliados.com.br' 'v2.adsbookie.com' 'rh.adscale.de' 'assets.adtaily.com' 'viewster-service.adtelligence.de' 'adtgs.com' 'fusion.adtoma.com' 'core.adunity.com' 'engage2.advanstar.com' 'ddnk.advertur.ru' 'ds.advg.jp' 'm.adx.bg' 'www.adshost2.com' 'js.adscale.de' 'ih.adscale.de' 'adscendmedia.com' 'adservicedomain.info' 'adserver-voice-online.co.uk' 'adsfac.net' 'adsgangsta.com' 'adsfac.eu' 'ad.ad-srv.net' 'www.adshot.de' 'f-nod1.adsniper.ru' 'sync2.adsniper.ru' 'cdn6.adspirit.de' 'www.adspace.be' 'adsplius.lt' 'ads.adsponse.de' 'openx.adtext.ro' 'ads.adtiger.de' 'www.adtiger.de' 'ad.adtoma.com' 'au-01.adtomafusion.com' 'bn-01.adtomafusion.com' 'adv.adtotal.pl' 'rek.adtotal.pl' 'www.adtrade.net' 'www.adtrader.com' 'adtradr.com' 'ads.adtube.de' 'www.adultbanners.co.uk' 'www.adultcommercial.net' 'adultmoneymakers.com' 'tracking.adultsense.com' 'www.adult-tracker.de' 'ad.aduserver.com' 'adv758968.ru' 'advaction.ru' 'euroad1.advantage.as' 'mf.advantage.as' 'mfad1.advantage.as' 'adve.net' 'ad.adver.com.tw' 'apps.advertlets.com' 'www.advertlets.com' 'ads.advertise.net' 'www.advertsponsor.com' 'ad.adverticum.net' 'img.adverticum.net' 'imgs.adverticum.net' 'www.advertising365.com' 'titan.advertserve.com' 'ad.advertstream.com' 'usas1.advfn.com' 'images.adviews.de' 'www.adviews.de' 'ad.adview.pl' 'adp.adview.pl' 'bi.adview.pl' 'chart.advinion.com' 'advizi.ru' 'adv.adwish.net' 'ads.adwitserver.com' 'ad.adworx.at' 'www.ad-z.de' 'ads.afa.net' 'affbeat.com' 'affiliate.affdirect.com' 'sttc.affiliate.hu' 'tr.affiliate.hu' 'img.network.affiliando.com' 'view.network.affiliando.com' 'ads.affiliateclub.com' 'affiliategroove.com' 'banners.affiliatefuture.com' 'images.affiliator.com' 'imp.affiliator.com' 'rotation.affiliator.com' 'media.affiliatelounge.com' 'js.affiliatelounge.com' 'record.affiliatelounge.com' 'web1.affiliatelounge.com' 'banners.affilimatch.de' 'ad.afilo.pl' 'adserwer.afilo.pl' 'ads.afraccess.com' 'ads.aftonbladet.se' 'stats.agent.co.il' 'stats.agentinteractive.com' 'w.ahalogy.com' 'ac.ajur.info' 'openx.ajur.info' 'adlik2.akavita.com' 'dmtracking2.alibaba.com' 'all2lnk.com' 'ads.allaccess.com.ph' 'adcontent2.allaccess.com.ph' 'ad.allstar.cz' 'taobaoafp.allyes.cn' 'bokee.allyes.com' 'demoafp.allyes.com' 'eastmoney.allyes.com' 'smarttrade.allyes.com' 'sroomafp.allyes.com' 'taobaoafp.allyes.com' 'tom.allyes.com' 'uuseeafp.allyes.com' 'yeskyafp.allyes.com' 'eas.almamedia.fi' 'ad.altervista.org' 'pqwaker.altervista.org' 'adimg.alice.it' 'adv.alice.it' 'advloc.alice.it' 'altmedia101.com' 'www.alwayson-network.com' 'adtools2.amakings.com' 'banner.amateri.cz' 'amazing-offers.co.il' 'ad.amgdgt.com' 'adserver.amna.gr' '10394-127.ampxchange.com' '10394-4254.ampxchange.com' '10394-2468.ampxchange.com' 'vfdeprod.amobee.com' 'widgets.amung.us' 'whos.amung.us' 'analytics.analytics-egain.com' 'cloud-us.analytics-egain.com' 'gw.anametrix.net' 'www.anastasiasaffiliate.com' 'advert.ananzi.co.za' 'advert2.ananzi.co.za' 'box.anchorfree.net' 'rpt.anchorfree.net' 'a.androidandme.com' 'analytics.androidandme.com' 'www.anticlown.com' 'antventure.com' 'webtracker.apicasystem.com' 'junior.apk.net' 'openx.apollo.lv' 'ads.asia1.com.sg' 'ads.ask.com' 'www.asknew.com' 'stats.asp24.pl' 'ads.aspalliance.com' 'www.astalavista.us' 'atemda.com' 'logw349.ati-host.net' 'rules.atgsvcs.com' 'logw312.ati-host.net' 'p.ato.mx' 's.ato.mx' 'ads.auctionads.com' 'banners.audioholics.com' 'ad.auditude.com' 'ads.auctioncity.co.nz' 'd.audienceiq.com' 'ads.autoscout24.com' 'ads.autotrader.com' 'adserving.autotrader.com' 'profiling.avandor.com' 'avantlink.com' 'www.avantlink.com' 'fhg.avrevenue.com' 'rev.avsforum.com' 'a.avtookazion.bg' 'ads.avusa.co.za' 'engine.awaps.net' 'analytics.aweber.com' 'clicks.aweber.com' 'tracker.azet.sk' 'www.azmsoft.com' 'ads.badische-zeitung.de' 'ads.balkanec.bg' 'error.banan.cz' 'banerator.net' 'ads3.bangkokpost.co.th' 'www.banner.cz' 'www.banner-exchange.nl' 'www.bannerexchange.co.nz' 'www.bannergratis.it' 'max.bannermanager.gr' 'www.bannermanagement.nl' 'www.bannerpromotion.it' 'www.banner-rotation.com' 'feed-rt.baronsoffers.com' 'ad.batanga.com' 'ad.bauerverlag.de' 'ads.baz.ch' 'bbcdn.go.cz.bbelements.com' 'go.arbopl.bbelements.com' 'bbcdn.go.arbopl.bbelements.com' 'go.cz.bbelements.com' 'go.eu.bbelements.com' 'go.idmnet.bbelements.com' 'go.idnes.bbelements.com' 'bbcdn.go.pol.bbelements.com' 'go.pol.bbelements.com' 't.bbtrack.net' 'ad.beepworld.de' 'ads.be2hand.com' 'app.beanstalkdata.com' 'www.beead.co.uk' 'tracker.beezup.com' 'autocontext.begun.ru' 'promo.begun.ru' 'referal.begun.ru' 'api.behavioralengine.com' 'cdn.behavioralengine.com' 'www.belstat.be' 'www.belstat.com' 'www.belstat.nl' 'oas.benchmark.fr' 'serving.bepolite.eu' 'webtrends.besite.be' 'www.besttoolbars.net' 'www.best-top.ro' 'imstore.bet365affiliates.com' 'oddbanner.bet-at-home.com' 'ads1.beta.lt' 'banners.betcris.com' 'ads.betfair.com' 'banner.betfred.com' 'ad.beritasatumedia.com' 'www.bettertextads.com' 'ads.bgfree.com' 'banners.bgmaps.com' 'bgtop100.com' 'ads.bgtop.net' 'bgwebads.com' 'bighop.com' 'counter.bigli.ru' 'api.bigmobileads.com' 'bpm.tags.bigpondmedia.com' 'banex.bikers-engine.com' 'intext.billboard.cz' 'code.intext.billboard.cz' 'bbcdn.code.intext.billboard.cz' 'view.binlayer.com' 'ads.biscom.net' 'server.bittads.com' 'dc.bizjournals.com' 'ads2.blastro.com' 'ads3.blastro.com' 'blekko.com' 'img.blesk.cz' 'trak-analytics.blic.rs' 'ads.blizzard.com' 'ads.blog.com' 'www.blogcatalog.com' 'blogcounter.com' 'track.blogcounter.de' 'www.blogcounter.de' 'ads.blogdrive.com' 'ads.blogherads.com' 'pixel.blog.hu' 'pcbutts1-therealtruth.blogspot.com' 'ads.blogtalkradio.com' 'ox-d.blogtalkradio.com' 'adserver.bloodhorse.com' 'stats.bluebillywig.com' 'delivery.bluefinmediaads.com' 'adserver.bluewin.ch' 'watershed.bm23.com' 't.bmmetrix.com' 'www.bmmetrix.com' 'bannermanager.bnr.bg' 'ads.boardtracker.com' 'ranks.boardtracker.com' 'ad.bodybuilding.com' 'ads.boerse-express.com' 'adv.bol.bg' 'www.bonabanners.co.uk' 'token.boomerang.com.au' 'adserver.borsaitaliana.it' 'adserver.borsonline.hu' 'www.box.bg' 'tracker.brainsins.com' 'ads.brandeins.de' 'dolce-sportro.count.brat-online.ro' 'stats.break.com' 'bans.bride.ru' 'ads.bridgetrack.com' 'cc.bridgetrack.com' 'citi.bridgetrack.com' 'goku.brightcove.com' 'ads.bsplayer.com' 'ads.bta.bg' 'ads.btv.bg' 'ads.buljobs.bg' 'js.bunchofads.com' 'ivitrine.buscape.com' 'ads.businessclick.com' 'ads.businessclick.pl' 'd.buyescorttraffic.com' 'buylicensekey.com' 'assets.buysellads.com' 'cdn.buysellads.com' 'traffic.buyservices.com' 'ads.buzzcity.net' 'txads.buzzcity.com' 'www.buzzclick.com' 'adnetwork.buzzlogic.com' 'tr.buzzlogic.com' 'byet.org' 'blog.byethost.com' '145-ct.c3tag.com' '298-ct.c3tag.com' '687-ct.c3tag.com' '755-ct.c3tag.com' 'ads.calgarystampede.com' 'www.cambodiaoutsourcing.com' 'openx.camelmedia.net' 'p.camsitecash.com' 's.camsitecash.com' 'adserve.canadawidemagazines.com' 'stats.canalblog.com' 'ad.caradisiac.com' 'cdn.carbonads.com' 'srv.carbonads.net' 'ads.cars.com' 'images.cashfiesta.com' 'www.cashfiesta.com' 'www.cashfiesta.net' 'banner.casinodelrio.com' 'adv.casinopays.com' 'www.casinotropez.com' 'cdn.castplatform.com' 'tracking.cdiscount.com' 'a3.cdnpark.com' 'cn.ecritel.bench.cedexis.com' 'radar.cedexis.com' '3.cennter.com' 'ox-d.chacha.com' 'cts-secure.channelintelligence.com' 'chapmanmediagroup.com' 'count.channeladvisor.com' 'adsapi.chartbeat.com' 'code.checkstat.nl' 'www.checkstat.nl' 'err.chicappa.jp' 'ads.china.com' 'v5.chinoc.net' 'ads.city24.ee' 'ckstatic.com' 'crv.clickad.pl' 'publishers.clickbooth.com' 'www.clickcountr.com' 'j.clickdensity.com' 'r.clickdensity.com' 'adsense.clicking.com.tw' 'banners.clickon.co.il' 'track.clickon.co.il' 'delivery.clickonometrics.pl' 'static.clickonometrics.pl' 'static.clickpapa.com' 'www.clickpapa.com' 'tracktrue.clicktrue.biz' 'www.is1.clixgalore.com' 'www.clixgalore.com' 'www.clickhouse.com' 'banners.clips4sale.com' 'banner.clubdicecasino.com' 'adserver.clubs1.bg' 'ads.clubz.bg' 'cluper.net' 'adserver.clix.pt' 's.clx.ru' 'ad.cmfu.com' 'openx.cnews.ru' 'c.cnstats.ru' 'www.cnstats.com' 'www.co2stats.com' 'anchor.coadvertise.com' 'ad.coas2.co.kr' 'traffic.prod.cobaltgroup.com' 'collectiveads.net' 'vcu.collserve.com' 'go.combosoftwareplace.com' 'adss.comeadvertisewithus.com' 'www.compactads.com' 'ads.comperia.pl' 'ads.consumeraffairs.com' 'ads.contactmusic.com' 'api.contentclick.co.uk' 'www.contextualadv.com' 'ads.contextweb.com' 'ds.contextweb.com' 'www.contaxe.com' 'www.contextpanel.com' 'www.conversionruler.com' 'ad.cooks.com' 'ad2.cooks.com' 'banners.copyscape.com' 'data.de.coremetrics.com' 'www.count24.de' 'www.countit.ch' 'www.counter-gratis.com' 'www.counter4you.net' 'www.counting4free.com' 'www.counter.cz' 'connectionzone.com' 'banner.coza.com' 'www.cpays.com' 'www.cpmterra.com' 'roitrack.cptgt.com' 'ads.cpxcenter.com' 'adserving.cpxadroit.com' 'cdn.cpxinteractive.com' 'panther1.cpxinteractive.com' 'static.crakbanner.com' 'sh.creativcdn.net' 'adverts.creativemark.co.uk' 'ads.crisppremium.com' 'ox-d.crisppremium.com' 'www.crm-metrix.fr' 'stg.widget.crowdignite.com' 'ads.crossworxs.eu' 'i.ctnsnet.com' 'ads.milliyet.cubecdn.net' 'cdn.cxense.com' 'www.cybereps.com' 'banner.cybertechdev.com' 'cybertown.ru' 'd9ae99824.se' 'ads.daclips.in' 'ads.dada.it' 'count.daem0n.com' 'annonser.dagbladet.no' 't.dailymail.co.uk' 'rta.dailymail.co.uk' 'ted.dailymail.co.uk' 'ads.darikweb.com' 'sync.darikweb.com' 'www1.darikweb.com' 'www.dataforce.net' 'tag.datariver.ru' 'banner.date.com' 'banners.datecs.bg' 'mb.datingadzone.com' 'ox.dateland.co.il' 'count.dba.dk' 'top.dating.lt' 'counter.top.dating.lt' 'daylogs.com' 'advertising.dclux.com' 'tracking.dc-storm.com' 'de17a.com' 'ads.dealnews.com' 'connect.decknetwork.net' 'adv.deltanews.bg' 'fast.gannett.demdex.net' 'piwik.denik.cz' 'ads.dennisnet.co.uk' 'openx.depoilab.com' 'ads.designboom.com' 'adcast.deviantart.com' 'www.dia-traffic.com' 'track.did-it.com' 'counter.dieit.de' 'openx.diena.lv' 'ads.digitalalchemy.tv' 'yield.audience.digitalmedia.bg' 'ads.digitalpoint.com' 'geo.digitalpoint.com' 'dinclinx.com' 'www.dinclinx.com' 'st.directadvert.ru' 'www.directadvert.ru' 'roitrack.directdisplayad.com' 'aserve.directorym.com' 'cache.directorym.com' 'www.direct-stats.com' 'glitter.services.disqus.com' 'www.divx.it' 'dltags.com' 'ads.dobrichonline.com' 'analyticsv2.dol.gr' 'banners.dol.gr' 'return.domainnamesales.com' 'ads.domainbg.com' 'publishers.domainadvertising.com' 'return.bs.domainnamesales.com' 'f.domdex.com' 'ad.donanimhaber.com' 'adv.dontcrack.com' 'ad2.bal.dotandad.com' 'test-script.dotmetrics.net' 'ads.dotomi.com' 'iad-login.dotomi.com' 'ads.double.net' 'imp.double.net' 'track.double.net' 'ad03.doubleadx.com' 'marketing.doubleclickindustries.com' 'ads.draugas.lt' 'imgn.dt00.net' 'tracking.dsmmadvantage.com' 'www.dsply.com' 'tracking.dtiserv2.com' 'ad.dumedia.ru' 'track.dvdbox.com' 'www.dwin1.com' 'ads.dynamic-media.org' 'hits.e.cl' 'ad.eanalyzer.de' 'cdn.earnify.com' 'ay.eastmoney.com' 'cdn.easy-ads.com' 'www.easy-dating.org' 'top.easy.lv' 'web.easyresearch.se' 'web2.easyresearch.se' 'web3.easyresearch.se' 'www.ebannertraffic.com' 'as.ebz.io' 'ox.e-card.bg' 'ox-s.e-card.bg' 'prom.ecato.net' 'ads.eccentrix.com' 'ad.econet.hu' 'b.economedia.bg' 'ad.ecplaza.net' 'ads.ecrush.com' 'ads.bridgetrack.com.edgesuite.net' 'ads.edipresse.pl' 'banners.e-dologic.co.il' 'track.effiliation.com' 'pk-cdn.effectivemeasure.net' 'th-cdn.effectivemeasure.net' 'ads.e-go.gr' 'stats.e-go.gr' 'eisenstein.dk' 'ad.e-kolay.net' 'adonline.e-kolay.net' 'global.ekmpinpoint.com' 'ads2.ekologia.pl' 'stat.ekologia.pl' 'ads.elmaz.com' 'anapixel.elmundo.es' 'ads.elitetrader.com' 'pixelcounter.elmundo.es' 's1415903351.t.eloqua.com' 'ads.eluniversal.com.mx' 'hits.eluniversal.com.mx' 'publicidad.eluniversal.com.mx' 'profitshare.emag.ro' 'e.emailretargeting.com' 'email-reflex.com' 'ad1.emediate.dk' 'eas.apm.emediate.eu' 'cdn3.emediate.eu' 'cdn6.emediate.eu' 'cdn8.emediate.eu' 'eas5.emediate.eu' 'ism6.emediate.eu' 'ad1.emediate.se' 'ecpmrocks.com' 'dotnet.endai.com' 'ac.eu.enecto.com' 'trk.enecto.com' 'openx.engagedmediamags.com' 'adsrv.ads.eniro.com' 'cams.enjoy.be' 'enoratraffic.com' 'www.enoratraffic.com' 'publicidad.entelchile.net' 'sa.entireweb.com' 'entk.net' 'e-marketing.entelchile.net' 'ads.e-planning.net' 'adserving03.epi.es' 'epmads.com' 'code.etracker.com' 'www.etracker.de' 'top.er.cz' 'ads.ere.net' 'ads.ereklama.mk' 'ads.ersamedia.ch' 'tracking.euroads.dk' 'ox.eurogamer.net' 'it.erosadv.com' 'pix3.esm1.net' 'ads.eurogamer.net' 'adserver.euronics.de' 'geoads.eurorevenue.com' 'advert.eurotip.cz' 'www.euros4click.de' 'ad.eurosport.com' 'pixel.everesttech.net' 'pixel-user-1039.everesttech.net' 'venetian.evyy.net' 'ads2.evz.ro' 'advert.exaccess.ru' 'dynamic.exaccess.ru' 'static.exaccess.ru' 'www.exchangead.com' 'exchange.bg' 'media.exchange.bg' 'www.exchange.bg' 'exclusiotv.be' 'ads.expekt.com' 'www.experclick.com' 'expo-max.com' 'ads.expedia.com' 'admedia.expedia.com' 'expired-targeted.com' 'ads.eyeonx.ch' 'resources.eyereturn.com' 'advertising.ezanga.com' '1278725189.pub.ezanga.com' 'ads.ezboard.com' 'machine.fairfaxbm.co.nz' 'st.fanatics.com' 'a.farlex.com' 'fashion-tube.be' 'adsrv.fashion.bg' 'www.fastadvert.com' 'fastclick.co' 'fastclick.ir' 'fastonlineusers.com' 'fastsearchproduct.com' 'counter.fateback.com' 'counter1.fc2.com' 'error.fc2.com' 'as.featurelink.com' 'admega.feed.gr' 'feedjit.com' 'log.feedjit.com' 'analytics.femalefirst.co.uk' 'pixel.fetchback.com' 'banners.ffsbg.com' 'ads.fiat-bg.org' 'cache.fimservecdn.com' 'adboost.finalid.com' 'tracker.financialcontent.com' 'banner.finn.no' 'ads.firstgrand.com' 's01.flagcounter.com' 's02.flagcounter.com' 's03.flagcounter.com' 's04.flagcounter.com' 's06.flagcounter.com' 's07.flagcounter.com' 's08.flagcounter.com' 's09.flagcounter.com' 's11.flagcounter.com' '2.s09.flagcounter.com' 's10.flagcounter.com' 'banners.flingguru.com' 'www.fncash.com' 'ads.focus-news.net' 'rnews.focus-news.net' 'controller.foreseeresults.com' 'forvideo.at' 'ads.foxnews.com' 'www.fpcclicks.com' 'freebitmoney.com' 'ad.freecity.de' 'ads05.freecity.de' 'maurobb.freecounter.it' 'www.freecounter.it' 'freegeoip.net' 'a9.sc.freepornvs.com' 'www.free-toplisten.at' 'banners.freett.com' 'count.freett.com' 'counters.freewebs.com' 'error.freewebsites.com' 'www.freewebsites.com' 'nx.frosmo.com' 'tr1.frosmo.com' 'ads.fulltiltpoker.com' 'banners.fulltiltpoker.com' 'www.funtopliste.de' 'www.fusestats.com' 'fxyc0dwa.com' 'ads5.fxdepo.com' 'fxlayer.net' 'adserving.fyi-marketing.com' 'errdoc.gabia.net' 'adserver.gadu-gadu.pl' 'adsm.gameforge.de' 'tracking.gameforge.de' 'ingameads.gameloft.com' 'ads.garga.biz' 'ads.gateway.bg' 'ads.gather.com' 'track.gawker.com' 'ad.gazeta.pl' 'adp.gazeta.pl' 'adv.gazeta.pl' 'analytics.gazeta.pl' 'top.gde.ru' 'www.geoplugin.net' 'ads.geornmd.net' 'adv.gepime.com' 'getrank.net' 'getrockerbox.com' 'www.getsmart.com' 'getstatistics.se' 'www.getstatistics.se' 'banner.giantvegas.com' 'truehits.gits.net.th' 'truehits1.gits.net.th' 'truehits3.gits.net.th' 'gkts.co' 'www17-orig.glam.com' 'www30a6-orig.glam.com' 'insert.gloadmarket.com' 'promotools.globalmailer.com' 'promotools3.globalmailer.com' 'promotools4.globalmailer.com' 'ads.globo.com' 'ads.img.globo.com' 'gmads.net' 'at.gmads.net' 'dk.gmads.net' 'es.gmads.net' 'pl.gmads.net' 'go777site.com' 'adserver2.goals365.com' 'ads.godlikeproductions.com' 'counter.goingup.com' 'www.goldadvert.cz' 'js-at.goldbach.com' 'goldbach-targeting.ch' 'c.go-mpulse.net' 'engine.goodadvert.ru' 'files.goodadvert.ru' 'googlus.com' 'ads.gorillavid.in' 'adtools.gossipkings.com' 'webcounter.goweb.de' 'www.gpr.hu' 'www.gradportal.org' 'ad-incisive.grapeshot.co.uk' 'reed-cw.grapeshot.co.uk' 'tk.graphinsider.com' 'adv.gratuito.st' 'rma-api.gravity.com' 'grmtech.net' 'de.grmtech.net' 'www.grmtech.net' 'tracker.gtarcade.com' 'fx.gtop.ro' 'static.gtop.ro' 'www.gtop.ro' 'fx.gtopstats.com' 'ads.gumgum.com' 'c.gumgum.com' 'cdn.gumgum.com' 'guruads.de' 'beacon.gutefrage.net' 'adhese.gva.be' 'tags.h12-media.com' 'cc12797.counter.hackers.lv' 'cc9905.counter.hackers.lv' 'hapjes-maken.eu' 'adserver.hardwareanalysis.com' 'www.harmonyhollow.net' 'ads.haskovo.net' 'ad0.haynet.com' 'ad.hbv.de' 'adhese.hbvl.be' 'ads.hearstmags.com' 'ads.heias.com' 'helpingtrk.com' 'ads2.helpos.com' 'www.hermoment.com' 'ads.hexun.com' 'hx.hexun.com' 'utrack.hexun.com' 'www.hey.lt' 'ads.highdefdigest.com' 'ad.hirekmedia.hu' 'adserver.hispanoclick.com' 'spravki-online.hit.bg' 'c.hit.ua' 'www.hit.tc' 'hit-now.com' 'storage.hitrang.com' 'hitslog.com' 'www.hitstats.co.uk' 'hitstats.net' 'www.hittracker.org' 'hitwebcounter.com' 'images.hitwise.co.uk' 'ad.hizlireklam.com' 'hxtrack.holidayextras.co.uk' 'www.adserver.home.pl' 'homes.bg' 'counters.honesty.com' 'cgi.honesty.com' 'e1.static.hoptopboy.com' 'ox.hoosiertimes.com' 'ad.hosting.pl' 'stats.hosting24.com' 'error.hostinger.eu' 'ads.hotarena.net' 'ad2.hotels.com' 'www.hotspotshield.com' 'h06.hotrank.com.tw' 'www.hotranks.com' 'banner.hpmdnetwork.ru' 'adserver.html.it' 'click.html.it' 'hub.com.pl' 'js.hubspot.com' 'entry-stats.huffpost.com' 'vertical-stats.huffpost.com' 'ads.hulu.com' 'ads.hurra.de' 'tracker.dev.hearst.nl' 'ads2000.hw.net' 'dserver.hw.net' 'www.hw-ad.de' 'www.hxtrack.com' 'www.hypertracker.com' 'ads.iafrica.com' 'ev.ib-ibi.com' 'r.ibg.bg' 'bbcdn-bbnaut.ibillboard.com' 'bbcdn-tag.ibillboard.com' 'www.ibis.cz' 'hits.icdirect.com' 'www.icentric.net' 'tracker.icerocket.com' 'ado.icorp.ro' 'ads.icorp.ro' 'log.idg.no' 'adidm07.idmnet.pl' 'adidm.idmnet.pl' 'adsrv2.ihlassondakika.com' 'stats.surfaid.ihost.com' 'k.iinfo.cz' 'script.ioam.de' 'adserver.ilmessaggero.it' 'adserver.ilounge.com' 'rc.bt.ilsemedia.nl' 'stats.ilsemedia.nl' 'adv.ilsole24ore.it' 'ads.imarketservices.com' 'i.imedia.cz' 'ads.imeem.com' 'stats.immense.net' 'bbn.img.com.ua' 'ads.imguol.com' 'tracking.immobilienscout24.de' 'affiliate.imperiaonline.org' 'x.imwx.com' 'adbox.inbox-online.com' 'optimize.indieclick.com' 'aff.indirdik.com' 'ads.indexinfo.org' 'adcenter.in2.com' 'banners.inetfast.com' 'inetlog.ru' 'ads.inews.bg' 'servedby.informatm.com' 'pcbutts1.software.informer.com' 'stats.infomedia.net' 'stats.inist.fr' 'click.inn.co.il' 'bimonline.insites.be' 'ads.insmarket.bg' 'rs.instantservice.com' 'ads.inspirestudio.net' 'counter.internet.ge' 'indiads.com' 'ads.inviziads.com' 'www.imiclk.com' 'avp.innity.com' 'www.innovateads.com' 'content.integral-marketing.com' 'media.intelia.it' 'www.intelli-tracker.com' 'geo.interia.pl' 'iwa.hit.interia.pl' 'www.intera-x.com' 'cdn.interactivemedia.net' 'adserwer.intercon.pl' 'newadserver.interfree.it' 'intermediads.com' 'www.interstats.nl' 'pl-engine.intextad.net' 'ox.invia.cz' 'ad.investor.bg' 'ad01.investor.bg' 's1.inviziads.com' 'ad2.ip.ro' 'api.ipinfodb.com' 'ip-api.com' 'ads.ipowerweb.com' 'adserver.iprom.net' 'central.iprom.net' 'ipromsi.iprom.net' 'krater.iprom.net' 'tie.iprom.net' 'www.ipstat.com' 'delivery.ipvertising.com' 'www.iranwebads.com' 'ad2.ireklama.cz' 'clicktracker.iscan.nl' 'ads.isoftmarketing.com' 'banman.isoftmarketing.com' 'isralink.net' 'ts.istrack.com' 'adshow.it168.com' 'stat.it168.com' 'itcompany.com' 'www.itcompany.com' 'ilead.itrack.it' 'stats.itweb.co.za' 'www.iws.ro' 'link.ixs1.net' 'raahenseutu.jainos.fi' 'ad.jamba.de' 'ad.jamster.com' 'adserver.janesguide.com' 'piwik.jccm.es' 'ads.jewcy.com' 'pagerank.jklir.net' 'ads.joemonster.org' 'site.johnlewis.com' 'www.jouwstats.nl' 'www.jscount.com' 'stats.jtvnw.net' 'ad.jugem.jp' 'a.jumptap.com' 'nl.ads.justpremium.com' 'tracking.justpremium.com' 'ads.justpremium.nl' 'ads.justrelevant.com' 'k5zoom.com' 'ads.kaldata.com' 'events.kalooga.com' 'stats.kaltura.com' 'banner.kanald.com.tr' 'ads.kartu.lt' 'cache.ads.kartu.lt' 'scripts.kataweb.it' 'b.kavanga.ru' 'id.kbmg.cz' 'indianapolis.hosted.xms.keynote.com' 'webeffective.keynote.com' 'a.kickassunblock.net' 'banner.kiev.ua' 'adserve.kikizo.com' 'adserver.kissfm.ro' 'l.kavanga.ru' 'adsby.klikki.com' 'click.kmindex.ru' 'counter.kmindex.ru' 'counting.kmindex.ru' 'www.kmindex.ru' 'openx.kokoma.pl' 'images.kolmic.com' 'img.ads.kompas.com' 'ads3.kompasads.com' 'ads4.kompasads.com' 'ads5.kompasads.com' 'ads6.kompasads.com' 'ads.kozmetika-bg.com' 'sitestat.kpn-is.nl' 'admp-tc.krak.dk' 'beacon.krxd.net' 'recl.kulinar.bg' 'wa.kurier.at' 'ads.kurir-info.rs' 'adserver.kyoceramita-europe.com' 'cdn-analytics.ladmedia.fr' 'affiliate.lattelecom.lv' 'layer-ad.org' 'ads.layer-ad.org' 'banner.lbs.km.ru' 'lead-123.com' 'secure.leadforensics.com' 'vlog.leadformix.com' 'tracking.lengow.com' 'engine.letsstat.nl' 'pfa.levexis.com' 'res.levexis.com' 'visitors.lexus-europe.com' 'ads.lfstmedia.com' 'adserver.libero.it' 'adv-banner.libero.it' 'lib4.libstat.com' 'lib6.libstat.com' 'logos.libstat.com' 'd.ligatus.com' 'ms.ligatus.com' 'www.lifeforminc.com' 'adtrack.link.ch' 'link.ru' 'link.link.ru' 'ads.linki.nl' 'www.linkads.de' 'linkbuddies.com' 'banners.linkbuddies.com' 'www.linkbuddies.com' 'www.linkconnector.com' 'linkexchange.ru' 'web.linkexchange.ru' 'www.linkexchange.ru' 'content.linkoffers.net' 'track.linkoffers.net' 'linksexchange.net' 'ad.linkstorms.com' 'www.linkworth.com' 'gr.linkwi.se' 'ads.linuxfoundation.org' 'ad.lista.cz' 'ads.listingware.com' 's1.listrakbi.com' 'livecams.nl' 'click.adv.livedoor.com' 'counter2.blog.livedoor.com' 'image.adv.livedoor.com' 'js.livehelper.com' 'newbrowse.livehelper.com' 'ad5.liverail.com' 'pixels.livingsocial.com' 'stats.livingsocial.com' 'a.livesportmedia.eu' 'advert.livesportmedia.eu' 'ads.livescore.com' 'www.livewell.net' 'omnituretrack.local.com' 'w10.localadbuy.com' 'err.lolipop.jp' 'adcontrol.lonestarnaughtygirls.com' 'adserver.lonuncavisto.com' 'r.looksmart.com' 'banners.lottoelite.com' 'partner.loveplanet.ru' 'gw003.lphbs.com' 'gwa.lphbs.com' 'gwb.lphbs.com' 'gwc.lphbs.com' 'gwd.lphbs.com' 'adsy.lsipack.com' 'luxup.ru' 'is.luxup.ru' 'm2k.ru' 'images.m4n.nl' 'ad.m5prod.net' 'ad.m-adx.com' 'www3.macys.com' 'stat.madbanner.ru' 'eu2.madsone.com' 'media.m-adx.com' 'ads.mail.bg' 'www.mainadv.com' 'ads.maleflixxx.tv' 'adv.mangoadv.com' 'stats.manticoretechnology.com' 'anapixel.marca.com' 'pixelcounter.marca.com' 'ads.marica.bg' 'adv.marica.bg' 'pro.marinsm.com' 't3.marinsm.com' 'internet.marsmediachannels.com' 'app.mashero.com' 'mass-traffic.com' 'mastertarget.ru' 'oreo.matchmaker.com' 'ads.affiliates.match.com' 'pixel.mathtag.com' 'sync.mathtag.com' 'tags.mathtag.com' 'mbe.ru' 'mbn.com.ua' '100.mbn.com.ua' '120.mbn.com.ua' '160.mbn.com.ua' 'classic.mbn.com.ua' 'ads.mcafee.com' 'directads.mcafee.com' 'ad.mcminteractive.com' 'vitals.tracking.mdxdata.com' 'mcmads.mediacapital.pt' 'audit.median.hu' 'piwik.medienhaus.com' 'idpix.media6degrees.com' 'ads.mediaodyssey.com' 'ad2.pl.mediainter.net' 'ad.mediaprostor.cz' 'webtrekk.mediaset.net' 'advert.mediaswiss.rs' 'search.mediatarget.com' 'mediaupdate55.com' 'app.medyanetads.com' 'counter.megaindex.ru' 'adtracker.meinungsstudie.de' 'openx.mercatormedia.com' 'www.mercuras.com' 'adserv2.meritdesigns.com' 'www.messagetag.com' 'stat24.meta.ua' 'action.metaffiliation.com' 'tracking.metalyzer.com' 'www.metavertising.com' 'ads.mezimedia.com' 'mdctrail.com' 'pubs.mgn.net' 'ads.miarroba.com' 'send.microad.jp' 'ssend.microad.jp' 'track.send.microad.jp' 'd-track.send.microad.jp' 'ads.minireklam.com' 'counter.mirohost.net' 'mixmarket.biz' 'www.mktrack.com' 'www.mlclick.com' 'www.mmaaxx.com' 'mmgads.com' 'www.mmgads.com' 'mmptrack.com' 'gj.mmstat.com' 'ads.mnemosoft.com' 'tr.mobiadserv.com' 'ads.mobilemarketer.com' 'a.mobify.com' 'mola77.mobilenobo.com' 'a.moitepari.bg' 'ads.monetize-me.com' 'mein.monster.de' 'cookie.monster.com' 'www.mongoosemetrics.com' 'ib.mookie1.com' 'piwik.mortgageloan.com' 'webstats.motigo.com' 'm1.webstats.motigo.com' 'adserver.gb5.motorpresse.de' 'moucitons.com' 'ads.movpod.in' 'ads.mpm.com.mk' 'www1.mpnrs.com' 'msgtag.com' 'img.msgtag.com' 'www.msgtag.com' 'bms.msk.bg' 'no.counter.mtgnewmedia.se' 'tracker.mtrax.net' 'www.myclickbankads.com' 'get.mycounter.ua' 'scripts.mycounter.ua' 'get.mycounter.com.ua' 'scripts.mycounter.com.ua' 'mydati.com' 'ad.mylook.ee' 'www.mylottoadserv.com' 'affiliate.mymall.bg' 'banner.mymedia.bg' 'banners.mymedia.bg' 'servad.mynet.com' 'rm.myoc.com' 'www.myreferer.com' 'stat.mystat.hu' 'www.mystats.nl' 'www2.mystats.nl' 'www.mytoplist.gen.tr' 'ads.naftemporiki.gr' 'naj.sk' 'www.nalook.com' 'sponsoredlinks.nationalgeographic.com' 'www3.nationalgeographic.com' 'ads.nationchannel.com' 'adssrv.nationmultimedia.com' 'labs.natpal.com' 'phpadsnew.new.natuurpark.nl' 'c1.navrcholu.cz' 'xml.nbcsearch.com' 'xml2.nbcsearch.com' 'ads.ncm.com' 'ndparking.com' 'www.ndparking.com' 'ads.neg.bg' 'reklama.neg.bg' 'ad2.neodatagroup.com' 'adlev.neodatagroup.com' 'img.neogen.ro' 'openx.net.hr' 'www.netagent.cz' 'pwp.netcabo.pt' 'netclickstats.com' 'adserver.netcollex.co.uk' 'ads2.net-communities.co.uk' 'beta-hints.netflame.cc' 'hints.netflame.cc' 'ssl-hints.netflame.cc' 'hits.netgeography.net' 'ad.netgoo.com' 'ads.netinfo.bg' 'adv.netinfo.bg' 'stat.netinfocompany.bg' 'tracker.netklix.com' 'ads.ads.netlog.com' 'pool.ads.netlog.com' 'adv.netmedia.bg' 'script.netminers.dk' 'nl-moneyou.netmining.com' 'nl-saab.netmining.com' 'bkrntr.netmng.com' 'nan.netmng.com' 'com-quidco.netmng.com' 'rbk.netmng.com' 'www.netmaxx.com' 'ads.netrition.com' 'cl.netseer.com' 'evbeacon.networksolutions.com' 'ads.newdream.net' 'ad.next2news.com' 'www.newclick.com' 'beacon-5.newrelic.com' 'ads.newtention.net' 'pix.news.at' 'ads.newsint.co.uk' 'delivery.ad.newsnow.net' 'www.newwebmaster.net' 'b.nex.bg' 'e.nexac.com' 'f.nexac.com' 'p.nexac.com' 'r.nexac.com' 'turn.nexac.com' 'adq.nextag.com' 'vte.nexteramedia.com' 'ngacm.com' 'ngbn.net' 'ngastatic.com' 'adserve5.nikkeibp.co.jp' 'bizad.nikkeibp.co.jp' 'www.nlbanner.nl' 'banner.nonstoppartner.de' 'counter.nope.dk' 'ads.nordichardware.com' 'ads.nordichardware.se' 'ads.novinar.bg' 'adv.novinar.bg' 'ads.novsport.com' 'ad1.nownews.com' 'www.nowstat.com' 'bam.nr-data.net' 'imgcdn.nrelate.com' 'pp.nrelate.com' 'vt-1.nrelate.com' 'ntlligent.info' 'ad.nttnavi.co.jp' 'banner.nttnavi.co.jp' 'ad.ntvmsnbc.com' 'ntweb.org' 'i.nuseek.com' 'www1.nuseek.com' 'www2.nuseek.com' 'www3.nuseek.com' 'nxtck.com' 'p.nxtck.com' 'ads.nyi.net' 'www1.o2.co.uk' 'observare.de' 'banner.oddcast.com' 'banner-a.oddcast.com' 'banner-d.oddcast.com' 'tracking.oe24.at' 'www18.officedepot.com' 'reklama.offmedia.bg' 'r.offnews.bg' 'ads.ogdenpubs.com' 'counter.ok.ee' 'ads.okazii.ro' 'ads.olx.com' 'stats.omg.com.au' 'stats2.omg.com.au' 'adserver.omroepflevoland.nl' 'logo.onlinewebstat.com' 'ads1.omdadget.com' 'track.omguk.com' 'www.on2url.com' 'emisjawidgeet.onet.pl' 'tracking.onefeed.co.uk' 'ads.oneplace.com' 'stat.onestat.com' 'www.onestat.com' 'www.onestatfree.com' 'one.ru' 'stats0.one.ru' 'stats1.one.ru' 'stats2.one.ru' 'kropka.onet.pl' 'reklama.onet.pl' 'stats.media.onet.pl' 'ad.onlinechange.biz' '404.online.net' 'aa.online-metrix.net' 'h.online-metrix.net' 'adserver.online-tech.com' 'sayac.onlinewebstats.com' 'lifemediahouse1.onlinewelten.com' 'openstat.net' 'i.xx.openx.com' 'c1.openx.org' 'c3.openx.org' 'invitation.opinionbar.com' 'optical1.xyz' 'by.optimost.com' 'es.optimost.com' 'ad.orbitel.bg' 'www.oreware.com' 'servedby.orn-adserver.nl' 'otclick-adv.ru' 'otracking.com' 'odb.outbrain.com' 'traffic.outbrain.com' 'pub.oxado.com' 'www.oxiads.fr' 'www.oxinads.com' 'geoip.p24.hu' 'stat.p24.hu' 'www.pagerank10.co.uk' 'parkingcrew.net' 'paidstats.com' 'ad1.pamedia.com.au' 'counter.paradise.net.nz' 'img.parked.ru' 'park.parkingpanel.com' 'www.partner-ads.com' 'stats.partypoker.com' 'ads.partystars.bg' 'ad.payclick.it' 'stat.pchome.net' 'pcmightymax.net' 'www.pcmightymax.net' 'catrg.peer39.net' 'trg.peer39.net' 'pt.peerius.com' 'counter.top100.penki.lt' 'tag.perfectaudience.com' 'b1.perfb.com' 'www.perfectherbpurchase.ru' 'stats.persgroep.be' 'stats.persgroep.nl' 'count.pcpop.com' 'pixel.pcworld.com' 'metrics.peacocks.co.uk' 'viewer.peer39.com' 'tracking.peopletomysite.com' 'banners.perfectgonzo.com' 'errors.perfectgonzo.com' 'ads.periodistadigital.com' 'utsdpp.persgroep.net' 'pgssl.com' 'pub.pgssl.com' 'pharmacyrxone.com' 'ads.pheedo.com' 'www.pheedo.com' 'ads.phillipsdata.us' 'ads.phillyadclub.com' 'adservices.picadmedia.com' 'adservices02.picadmedia.com' 'ox.pigu.lt' 'ads.pimdesign.org' 'rum-collector.pingdom.net' 'rum-static.pingdom.net' 'ads.pinger.com' 'banners.pinnaclesports.com' 'www.pixazza.com' 'accounts.pkr.com' 'banner.play-asia.com' 'ads.playboy.bg' 'pei-ads.playboy.com' 'i.plug.it' 'www.playertraffic.com' 'adserver.playtv.fr' 'pu.plugrush.com' 'widget.plugrush.com' 'webstats.plus.net' 'pxl.pmsrvr.com' 'po.st' 'ads.po-zdravidnes.com' 'static.pochta.ru' 'cnt1.pocitadlo.cz' 'cnt2.pocitadlo.cz' 'c.pocitadlo.sk' 'piwik.pokerlistings.com' 'adserve.podaddies.com' 'www1.pollg.com' 'www.pollmonkey.com' 'c1.popads.net' 'c2.popads.net' 'out.popads.net' 'serve.popads.net' 'www.popadvert.com' 'popcounter.com' 'partners.popmatters.com' 'chezh1.popmarker.com' 'ads.popularno.mk' 'popuptraf.ru' 'www.popuptraf.ru' 'cdn.popwin.net' 'porntraff.com' 'www2.portdetective.com' 'inapi.posst.co' 'ads.postimees.ee' 'prstats.postrelease.com' 'adv.powertracker.org' 'www.ppctracking.net' 'adtxt.prbn.ru' 'ad468.prbn.ru' 'www.predictad.com' 'promo.content.premiumpass.com' 'a.press24.mk' 'www.pr-free.de' 'ads.prisacom.com' 'top.proext.com' 'profitshare.bg' 'ad.profiwin.de' 'bn.profiwin.de' 'www.promobenef.com' 'counter.promopark.ru' 'track.promptfile.com' 'ads.prospect.org' 'tr.prospecteye.com' 'profitshare.ro' 'www.profitzone.com' 'www.promo.com.au' 'ads-kurir.providus.rs' 'servedby.proxena-adserver.com' 'sdc.prudential.com' 'ad.prv.pl' 'ptp4ever.net' 'www.ptp4ever.net' 'static.pubdirecte.com' 'www.pubdirecte.com' 'tracking.publicidees.com' 'ads.pubmatic.com' 'showads.pubmatic.com' 'track.pubmatic.com' 'pubx.ch' 'hits.puls.lv' 'u1.puls.lv' 'ads.puls24.mk' 'track.pulse360.com' 'ad.sma.punto.net' 'sma.punto.net' 'ad.punto-informatico.it' 'cgicounter.puretec.de' 'www.qbop.com' 'e1.cdn.qnsr.com' 'l1.cdn.qnsr.com' 'adserv.quality-channel.de' 'qualityporn.biz' 'siteinterceptco1.qualtrics.com' 'amch.questionmarket.com' 'reports.quisma.com' 'tracking.quisma.com' 'adping.qq.com' 'adsrich.qq.com' 'adsview.qq.com' 'adsview2.qq.com' 'ads.racunalniske-novice.com' 'ads.radar.bg' 'ads.radioactive.se' 'stats2.radiocompanion.com' 'www.ranking-charts.de' 'www.ranking-net.de' 'srv1.rapidstats.de' 'ads.recoletos.es' 'www.random-logic.com' 'ranking-hits.de' 'www.ranking-hits.de' 'counter.rapidcounter.com' 'www.rapidcounter.com' 'count.rbc.ru' 'ads.rcgroups.com' 'webstats.web.rcn.net' 'ads.rcs.it' 'oasis.realbeer.com' 'anomaly.realgravity.com' 'adserver.realhomesex.net' 'banners.realitycash.com' 'www.realist.gen.tr' 'go.realvu.net' 'noah.reddion.com' 'ads.rediff.com' 'adworks.rediff.com' 'imadworks.rediff.com' 'js.ua.redtram.com' 'n4p.ua.redtram.com' 'www.refer.ru' 'ads.register.com' 'ad.reklamport.com' 'adserver.reklamstore.com' 'reklamanet.net' 'banner.relcom.ru' 'networks.remal.com.sa' 'cdn.reporo.net' 'republer.com' 'custom-wrs.api.responsys.net' 'banners.resultonline.com' 'retarcl.net' 'revcontent.com' 'cdn.revcontent.com' 'v2.revcontent.com' 'www.revcontent.com' 'ads.reviewcentre.com' 'rem.rezonmedia.eu' 'p.rfihub.com' 'richmedia247.com' 'stat.ringier.cz' 'overlay.ringtonematcher.com' 'ads.ripoffreport.com' 'db.riskwaters.com' 'count.rin.ru' 'mct.rkdms.com' 'ei.rlcdn.com' 'rd.rlcdn.com' 'ads.rnmd.net' 'ro2.biz' 'ads.rohea.com' 'ads.rol.ro' 'banners.romania-insider.com' 'adcode.rontar.com' 'laurel.rovicorp.com' 'gbjfc.rsvpgenius.com' 'count.rtl.de' 'ad.rtl.hr' 'rtrgt2.com' 'ads.rtvslo.si' 'adserver.rtvutrechtreclame.nl' 'ads.rubiconproject.com' 'optimized-by.rubiconproject.com' 'pixel.rubiconproject.com' 'advert.runescape.com' 'banners.rushcommerce.com' 'rvpadvertisingnetwork.com' 'www.s2d6.com' 's4le.net' 'safedownloadnow.work' 'ads.sagabg.net' 'sdc2.sakura.ad.jp' 'lct.salesforce.com' 'app2.salesmanago.pl' 'judo.salon.com' 'oas.salon.com' 'sacdcad01.salon.com' 'sacdcad03.salon.com' 'samtrack1.com' 'analytics.sanoma.fi' 'ads.sanomalehtimedia.fi' 'cdn-rtb.sape.ru' 'ads.sapo.pt' 'pub.sapo.pt' 'adserver.saxonsoft.hu' 'beacon.saymedia.com' 'app.scanscout.com' 'dt.scanscout.com' 'media.scanscout.com' 'static.scanscout.com' 'sat.scoutanalytics.com' 'scout.scoutanalytics.net' 'banner.scasino.com' 'zsc.scmspain.com' 'ads.search.bg' 'banner.search.bg' 'banex.search.bg' 'counter.search.bg' 'ad.searchhound.com' 'searchmagnified.com' 'tracking.searchmarketing.com' 'geoip.securitetotale.com' 'advertising.seenews.com' 'live.sekindo.com' 'www.selfsurveys.com' 'www2.sellhealth.com' 't.sellpoints.com' 'stir.semilo.com' 'ads.senddroid.com' 'www.send-safe.com' 'sensic.net' 'ad.sensismediasmart.com.au' 'www.seo-portal.ro' 'errors.servik.com' 'weblink.settrade.com' 'logs.sexy-parade.com' 'ad.seznam.cz' 'sdc.shawinc.com' 'aff.shopmania.bg' 'adserve.shopzilla.com' 'dc.sify.com' 'getdetails02.sim-technik.de' 'adimages.sina.com.hk' 'jsads.sina.com.hk' 'sinuatemedia.com' 'goska.siol.net' 'advertpro.sitepoint.com' 'domainpark.sitelutions.com' 'www.sitestatslive.com' 'eon.tags.sitetagger.co.uk' 'www.sitetagger.co.uk' 'sixsigmatraffic.com' 'www.sixsigmatraffic.com' 'simplehitcounter.com' 'ads.sina.com' 'ads.skelbiu.lt' 'ads.sladur.com' 'ads.slava.bg' 'ad.smaclick.com' 'code.new.smartcontext.pl' 'bbcdn.code.new.smartcontext.pl' 'ads.smartshoppingads.de' 'www.smartlog.ru' 'i.smartwebads.com' 'n2.smartyads.com' 'eu1.snoobi.com' 'l.socialsexnetwork.net' 'a.softconsultgroup.com' 'netsr.softonicads.com' 'web.softonic-analytics.net' 'pub.softonic.com' 'serenescreen-marine-aquarium.en.softonic.com' 't1.softonicads.com' 't2.softonicads.com' 'ads.sol.no' 'sacdcad02.salon.com' 'apex.go.sonobi.com' 'sync.go.sonobi.com' 'ivox.socratos.net' 'softonic-analytics.net' 'analytics.soup.io' 'analytic.spamfighter.com' 'tags.spider-mails.com' 'ads.tripod.spray.se' 'dp2.specificclick.net' 'www.speedcount.de' 'adv.speednet.bg' 'c.spiegel.de' 'count.spiegel.de' 'www.splem.net' 'analytics.spongecell.com' 'www.sponsorads.de' 'bms.sportal.ru' 'ads.sports.fr' 'spotsniper.ru' 'search.spotxchange.com' 'sitestat3.sport1.de' 'www.speedcounter.net' 'www.sptag.com' 'springclick.com' 'ads.springclick.com' 'counter.spylog.com' 'www.spywareit.com' 's1.srtk.net' 's2.srtk.net' 'ads.stackoverflow.com' 'anchor.stailamedia.com' 'bannerads.standard.net' 'adn.static-files.com' 'pixel.staticworld.net' 'ads.stardoll.com' 'www.start-page.org' 'hitx.statistics.ro' 'statistik-gallup.net' 'js.stats.de' 'tracker.stats.in.th' 'www.stats.in.th' 'www.statsector.hu' 'www.steamtraffic.com' 'ads001.stickam.com' 'js.stormiq.com' 't1.stormiq.com' 'analytics.strangeloopnetworks.com' 'straightresults.com' 'go.straightresults.com' 'gsorder.berlin.strato.de' 'www.stressx.org' 'opx.struma.bg' 'ads.strumarelax.com' 'adv.stznews.bg' 'webservices.sub2tech.com' 'ads.sun.com' 'ads.sup.com' 'cnt.sup.com' 'clix.superclix.de' 'www.superclix.de' 'www.surveynetworks.com' 'my.surveypopups.com' 'analytics.sutterhealth.org' 'ads.svatbata.org' 'delivery.platform.switchads.com' 'delivery.swid.switchads.com' 'delivery.a.switchadhub.com' 'delivery.e.switchadhub.com' 'banners.swsoft.com' 'adv.swzone.it' 'adtag.sympatico.ca' 'www.system4.nl' 'tracking.synthasite.net' 'c.t4ft.de' 'www.t5.ro' 'tablesrvr1.xyz' 'www.t-analytics.com' 'www.tag4arm.com' 'ads.tahono.com' 'files.tailsweep.com' 'script.tailsweep.com' 'b100.takru.com' 'b120.takru.com' 'b130.takru.com' 'b140.takru.com' 'b180.takru.com' 'banners.takru.com' 'tapestry.tapad.com' 'tarasoft.bg' 'dev.targetpoint.com' 'srs.targetpoint.com' 'ad.tbn.ru' 'ad.agava.tbn.ru' 'ad.ett.tbn.ru' 'ad.ent.tbn.ru' 'ad.gen.tbn.ru' 'ad.100.tbn.ru' 'ad.120.tbn.ru' 'ad.120-gen.tbn.ru' 'ad.popup.tbn.ru' 'ad.strict.tbn.ru' 'ad.text-ent.tbn.ru' 'ad.text.tbn.ru' 'members.popup.tbn.ru' 'traffic.tcmagnet.com' 'adv.technews.bg' 'ads.tele.net' 'adserver.tele.net' 'sdc.tele.net' 'banner.terminal.hu' 'stf.terra.com.br' 'ad.terra.com.mx' 'dy.testnet.nl' 'textad.net' 'www.textads.biz' 'www.textlink.cz' 'ads.tdcanadatrust.com' 'openad.tf1.fr' 'openadext.tf1.fr' 'a.tfag.de' 'ak.tfag.de' 'i.tfag.de' 'adv.tgadvapps.it' 'market2.the-adult-company.com' 'media.the-adult-company.com' 'dmp.theadex.com' 'j.theadsnet.com' 'ads.thebulgarianpost.com' 'scripts.the-group.net' 'analytics.theknot.com' 'analytics.thenest.com' 'www.parkingcrew.net' 'pei-ads.thesmokingjacket.com' 'www.thesocialsexnetwork.com' 'www.thickcash.com' 'ad.thinkmedia.cn' 'oas.tidningsnatet.se' 'www.tinbuadserv.com' 'www.tinka.ru' 'tns-counter.ru' 'kz.tns-counter.ru' 'www.tns-counter.ru' 'tns-gallup.dk' 'ad.tom.com' 'banner.tonygpoker.com' 'cachebanner.tonygpoker.com' 'hits.top.lv' 'images.top66.ro' 'script.top66.ro' 'www.top66.ro' 'ads.top.bg' 'counter.top.ge' 'www.top100.lt' 'www.topblogging.com' 'hit.topc.org' 'banners.topcities.com' 'topeuro.biz' 'www.toplist.sk' 'counter.topphoto.ru' 'www.top25.ro' 'www.top55.ro' 'www.top99.ro' 'www.top100.ro' 'www.top300.ro' 'www.topadult.ro' 'stats.topofblogs.com' 'www.top-rank.pl' 'www.topsites24.net' 'www.topsiteguide.com' 'www.topsiteuri.ro' 'ads.topwam.com' 'ads.torrpedo.net' 'torpiddurkeeopthalmic.info' 'c.total-media.net' 'cdn.total-media.net' 'i.total-media.net' 'ams.toxity.biz' 'www.tr100.net' 'ad.track.us.org' 'www.trackbacksecure.com' 't.trackedlink.net' 'usage.trackjs.com' 'api.trackuity.com' 'ads.tradeads.eu' 'tm.tradetracker.net' 'storage.trafic.ro' 'www.trafficresults.com' 'ads.travellogger.com' 'dm.travelocity.com' 'ad.triplemind.com' 'engine.trklnks.com' 'ad.topstat.com' 'nl.topstat.com' 's26.topstat.com' 'xl.topstat.com' 'ad.touchnclick.co.kr' 'www.track2cash.com' 'trackdiscovery.net' 'ads.trademe.co.nz' 'www.trafficcenter.de' 's3.trafficmaxx.de' 'ads.traderonline.com' 'www.trafficbeamer.com' 'www.trafficbeamer.nl' 'delivery.trafficbroker.com' 'www.trafficzap.com' 'www.trafix.ro' 'media.travelzoo.com' 'media2.travelzoo.com' 'advert.travlang.com' 'cdna.tremormedia.com' 'objects.tremormedia.com' 'www.trendcounter.com' 'ads.triada.bg' 'ads.tripican.com' 'hits.truehits.in.th' 'lvs.truehits.in.th' 'tracker.truehits.in.th' 'hits3.truehits.net' 'tracker.truehits.net' 'trusearch.net' 'origin-tracking.trulia.com' 'analytics.trutv.com' 'trywith.us' 'adclient1.tucows.com' 'counts.tucows.com' 'google.tucows.com' 'ads.tunenerve.com' 'stats.tunt.lv' 'd.turn.com' 'ad.tv2.no' 'adserver.tvcatchup.com' 'trax.tvguide.com' 'ads.tvtv.bg' 'ads.tweetmeme.com' 'analytics.twitter.com' 'twittercounter.com' 'srv2.twittercounter.com' 'et.twyn.com' 'tracknet.twyn.com' 'tx2.ru' 'cnt.tyxo.bg' 'adv.uauaclub.it' 'mde.ubid.com' 'a.ucoz.net' 's212.ucoz.net' 'credity.ucoz.ru' 'shanding.ucoz.es' 'ucounter.ucoz.net' 'udmserve.net' 'image.ugo.com' 'mediamgr.ugo.com' 'creativos.ads.uigc.net' 'adclient.uimserv.net' 'adimg.uimserv.net' 'pixelbox.uimserv.net' 'www.ukbanners.com' 'ukrbanner.net' 'tracking.ukwm.co.uk' 'advert.uloz.to' 'www.ultimatetopsites.com' 'advert.dyna.ultraweb.hu' 'stat.dyna.ultraweb.hu' 'undertonenetworks.com' 'www.undertonenetworks.com' 'adserving.unibet.com' 'www.unicast.com' 'advertisment.unimatrix.si' 'ads.univision.com' 'web.unltd.info' 'adclient-af.lp.uol.com.br' 'adrequisitor-af.lp.uol.com.br' 'ads.mtv.uol.com.br' 'update-java.kit.net' 'www.update-java.kit.net' 'c.uarating.com' 'www.upsellit.com' 'usabilitytesten.nl' 'usachoice.net' 'analytics.usdm.net' 'tag.userreport.com' 'www.usenetjunction.com' 'ads.usualgirls.com' 'ads.urlfan.com' 'ads.usercash.com' 'www.utarget.co.uk' 'rotabanner.utro.ru' 'rotabanner100.utro.ru' 'rotabanner234.utro.ru' 'rotabanner468.utro.ru' 'openx.utv.bg' 'tracking.vacationsmadeeasy.com' 'ads.vador.com' 'feed.validclick.com' 'ad.jp.ap.valuecommerce.com' 'ads.vclick.vn' 'vclicks.net' 'reklama.ve.lt' 'counters.vendio.com' 'cdsusa.veinteractive.com' 'config1.veinteractive.com' 'drs2.veinteractive.com' 'c.velaro.com' 'v.velaro.com' 'ab.vendemore.com' 'profiling.veoxa.com' 'vu.veoxa.com' 'spinbox.versiontracker.com' 'www.vertadnet.com' 'p.vibrant.co' 'ad.pornfuzepremium.videobox.com' 'content.videoclick.ru' 'drive.videoclick.ru' 'chappel.videogamer.com' 'ads.videohub.tv' 'www.videooizleyin.com' 'adserver.virginmedia.com' 'pilmedia.ads.visionweb.no' 'www.visits.lt' 'sniff.visistat.com' 'code.visitor-track.com' 'www.visitor-track.com' 'www.visitortracklog.com' 'banners.visitguernsey.com' 'optimized.by.vitalads.net' 'www.vjsoft.net' 'ads.vkushti.tv' 'ads.v-links.net' 'www.v-links.net' 'livetracker.voanews.eu' 'aa.voice2page.com' 'ads.vporn.com' 'ads.vreme.bg' 'banner.vrs.cz' 'www.vstats.net' 'delivery.w00tads.com' 'www.w1.ro' 'ads.w3hoster.de' 'fus.walla.co.il' 'beacon.walmart.com' 'beacon.affil.walmart.com' 'ad.wanderlist.com' 'tracking.waterfrontmedia.com' 'ads.wave.si' 'delivery.way2traffic.com' 'ads.weather.ca' 'btn.counter.weather.ca' 'pub.weatherbug.com' 'ads.weatherflow.com' 'ads.web1tv.de' 'tracking.web2corp.com' 'data.webads.co.nz' 'tr.webantenna.info' 'banners.webcams.com' 'www.web-chart.de' 'webcounter.be' 'diapi.webgains.com' 'webgozar.com' 'www.webgozar.ir' 'ads.webground.bg' 'webhits.de' 'www.webhits.de' 'ads.webkinz.com' 'ads2.weblogssl.com' 'counter.web-marketolog.ru' 'webmarketing3x.net' 'banners.webmasterplan.com' 'ebayrelevancead.webmasterplan.com' 'partners.webmasterplan.com' 'fc.webmasterpro.de' 'stat.webmedia.pl' 'clicks.webnug.com' 'astatic.weborama.fr' 'cstatic.weborama.fr' 'aerlingus2.solution.weborama.fr' 'aimfar.solution.weborama.fr' 'fnacmagasin.solution.weborama.fr' 'laredoute.solution.weborama.fr' 'pro.weborama.fr' 'counter.webservis.gen.tr' 'logo.webservis.gen.tr' 'www.webservis.gen.tr' 'dynad.website.bg' 'secure.webresint.com' 'www.website-hit-counters.com' 'www.webstat.se' 'www.webtistic.com' 'webtrackerplus.com' 'webtraffic.se' 'track.wesell.co.il' 'banner.westernunion.com' 'delivery.switch.whatculture.com' 'ads.whitelabelpros.com' 'whometrics.net' 'whosread.com' 'stats.widgadget.com' 'wikia-ads.wikia.com' 'a.wikia-beacon.com' 'geoiplookup.wikimedia.org' 'sdc8prod1.wiley.com' 'cacheserve.williamhill.com' 'serve.williamhill.com' 'd1.windows8downloads.com' 'banner-server.winecountry.com' 'ads.wineenthusiast.com' 'cache.winhundred.com' 'join1.winhundred.com' 'join2.winhundred.com' 'secure.winhundred.com' 'www.winhundred.com' 'win-spy.com' 'www.win-spy.com' 'api.wipmania.com' 'stats.wired.com' 'ctsde01.wiredminds.de' 'wba.wirtschaftsblatt.at' 'adv.wisdom.bg' 'phpadsnew.wn.com' 'clicktrack.wnu.com' 'tracker.wordstream.com' 'w00tpublishers.wootmedia.net' 's.stats.wordpress.com' 'links.worldbannerexchange.com' 'ads.worldstarhiphop.com' 'analytics.worldnow.com' 'wtsdc.worldnow.com' 'ads.worthplaying.com' 'pixel.wp.com' 'stats.wp.com' 'adsearch.wp.pl' 'adv.wp.pl' 'badv.wp.pl' 'dot.wp.pl' 'rek.www.wp.pl' 'ad.wsod.com' 'admedia.wsod.com' 'ads.wtfpeople.com' 'wtvertnet.com' 'oas.wwwheise.de' 'www.wysistat.com' 'ad.wz.cz' 'engine.xclaimwords.net' 'hr-engine.xclaimwords.net' 'ad.xe.gr' '148.xg4ken.com' '506.xg4ken.com' '531.xg4ken.com' 'www.xl-rank.com' 'xwell.ru' 'ox-d.xosdigital.com' 'ads.xpg.com.br' 'ssl.xplosion.de' 'x-road.co.kr' 'nedstats.xs4all.nl' 'ad.xrea.com' 'xtainment.net' 'ads.xtra.co.nz' 'track.xtrasize.nl' 'ads.xtargeting.com' 'www.xxxbannerswap.com' 'xylopologyn.com' 'www.xyztraffic.com' 'advertpro.ya.com' 'quad.yadro.ru' 'ad2.yam.com' 'ads.yam.com' 'ybex.com' 'ads.yeshanews.com' 'ad.yieldlab.net' 'counter.yesky.com' 'yieldbuild.com' 'hook.yieldbuild.com' 'payload.yieldbuild.com' 'yllix.com' 'ad.yonhapnews.co.kr' 'urchin.lstat.youku.com' 'go.youlamedia.com' 'gw.youmi.net' 'cdn.static.youmiad.com' 'www.yourhitstats.com' 'ad.yourmedia.com' 'ad1.yourmedia.com' 'pc2.yumenetworks.com' 'ads.zamunda.net' 'ads2.zamunda.net' 'ad.zanox.com' 'static.zanox.com' 'zanox-affiliate.de' 'www.zanox-affiliate.de' 'www.zapunited.com' 'zbest.in' 'banners.zbs.ru' 'ea.zebestof.com' 'ads.zeusclicks.com' 'apibeta.zeti.com' 'ziccardia.com' 'counter.zone.ee' 'a.zoot.ro' 'banner.0catch.com' 'bannerimages.0catch.com' 'stattrack.0catch.com' '0c9d8370d.se' '0427d7.se' '1bg.net' '100webads.com' 'www.123banners.com' '123go.com' 'ns1.123go.net' '123stat.com' '123-tracker.com' 'adclient.163.com' 'adgeo.163.com' '20d625b48e.se' 'pr.20min.es' 'img.2leva.bg' 'event.2leva.bg' 'banners.2lipslive.com' 'ads.24.com' 'stats.24.com' 'counter.24log.es' 'counter.24log.it' 'counter.24log.ru' 'counter.24log.com' 'pixel.33across.com' 'imgad1.3conline.com' 'imgad2.3conline.com' 'imgad3.3conline.com' 'ads.3sfmedia.com' 'guannan.3322.net' 'delivery.3rdads.com' 'openx.359gsm.com' 'ads.4tube.com' 'cdn1.adspace.4tube.com' 'adserver.4clicks.org' 'r.4at1.com' 'static.4chan-ads.org' 'banners.4d5.net' 'ads.4rati.lv' 'ad.stat.4u.pl' 'adstat.4u.pl' 'stat.4u.pl' 'softads.50webs.com' 'js.users.51.la' 'adserver.71i.de' 'www.777tool.com' '85dcf732d593.se' 'ads.o2.pl' 'adserver.o2.pl' 'adfiles.o2.pl.sds.o2.pl' 'madclient.uimserv.net' 'tools.ad-net.co.uk' 'am-display.com' 'uim.tifbs.net' 'fips.uimserv.net' 'uidbox.uimserv.net' 'xp.classifieds1000.com' 'www.elementnetwork.com' 'ads.emqus.com' 'www.g4whisperermedia.com' 'server.siteamplifier.net' 'ww1.tongji123.com' 'ww2.tongji123.com' 'ww3.tongji123.com' 'ww4.tongji123.com' 'www.countok.de' 'collect.evisitanalyst.com' 'www.adranking.de' 'www.andyhoppe.com' 'www.free-counters.net' 'analytics.gameforge.de' 'delivery.ads.gfsrv.net' 'media.ads.gfsrv.net' 'www.gratis-counter-gratis.de' 'media.hauptbruch.de' 'www.ranking-counter.de' 'www.rankmaschine.de' 'a.trkme.net' 's2.trafficmaxx.de' 'www.ineedhits.com' 'track.lativio.com' 'count3.51yes.com' 'count4.51yes.com' 'count5.51yes.com' 'count8.51yes.com' 'count10.51yes.com' 'count11.51yes.com' 'count12.51yes.com' 'count14.51yes.com' 'count15.51yes.com' 'count16.51yes.com' 'count17.51yes.com' 'count19.51yes.com' 'count20.51yes.com' 'count22.51yes.com' 'count24.51yes.com' 'count25.51yes.com' 'count27.51yes.com' 'count29.51yes.com' 'count30.51yes.com' 'count31.51yes.com' 'count32.51yes.com' 'count33.51yes.com' 'count35.51yes.com' 'count37.51yes.com' 'count38.51yes.com' 'count46.51yes.com' 'count47.51yes.com' 'count48.51yes.com' '7search.com' 'conversion.7search.com' 'ia1.7search.com' 'img.7search.com' 'meta.7search.com' 'www.7search.com' '77search.com' 'www.7metasearch.com' 'www.a1fax.com' 'advertisingagent.com' 'ajokeaday.com' 'bannersxchange.com' 'www.bannersxchange.com' 'bestsearch.com' 'www.bestsearch.com' 'www.buscamundo.com' 'internetsecurity.com' 'www.internetsecurity.com' 'www.payperranking.com' 'www.pay-per-search.com' 'paypertext.com' 'predictivesearch.com' 'seal.ranking.com' 'www.ranking.com' 'tracking.roispy.com' 'www.roispy.com' 'tracking.spiderbait.com' 'www.spiderbait.com' 'www.textadvertising.com' 'www.thetop10.com' 'trustgauge.com' 'www.trustgauge.com' 'seal.validatedsite.com' 'www.validatedsite.com' 'www.watch24.com' 'www.robsxxx.com' 'ztrack.net' 'www.fatpenguinmedia.com' 'phpadsnew.abac.com' 'www.obanner.net' 'farm.thinktarget.com' 'g.thinktarget.com' 'search.thinktarget.com' 'hitslap.com' 'data.lizads.com' 'fast.cbsi.demdex.net' 'chewbacca.cybereps.com' 'ds.cybereps.com' 'images.cybereps.com' 'yoda.cybereps.com' 'secure.cardtransaction.com' 'www.mp3musichq.com' 'spin.spinbox.net' 'ads.bidvertiser.com' 'bdv.bidvertiser.com' 'srv.bidvertiser.com' 'www.bidvertiser.com' 'img.revcontent.com' 'dc.kontera.com' 'kona29.kontera.com' 'te.kontera.com' 'www.kontera.com' 'lp.downloadquick.net' 'download.downloadquick.net' 'lp.sharelive.net' 'download.torchbrowser.com' 'lp.torchbrowser.com' 'cdn.adpacks.com' 'servedby.revcontent.com' 'clicks.about.com' 'f.about.com' 'home.about.com' 'images.about.com' 'lunafetch.about.com' 'pixel3.about.com' 'sprinks-clicks.about.com' '2001positions.com' 'ifa.empflixlive.com' 'static.ifa.empflixlive.com' 'www.flyingcroc.com' 'ifa.hardsexmate.com' 'ifa.maxpornlive.com' 'clicktraq.mtree.com' 'counter.mtree.com' 'dyntraq.mtree.com' 'mtree.com' 'mt1.mtree.com' 'mt2.mtree.com' 'mt4.mtree.com' 'mt10.mtree.com' 'mt11.mtree.com' 'mt12.mtree.com' 'mt15.mtree.com' 'mt32.mtree.com' 'mt34.mtree.com' 'mt35.mtree.com' 'mt37.mtree.com' 'mt55.mtree.com' 'mt58.mtree.com' 'mt83.mtree.com' 'mt94.mtree.com' 'mt103.mtree.com' 'mt113.mtree.com' 'mt124.mtree.com' 'mt127.mtree.com' 'porn.mtree.com' 'psy.mtree.com' 'ss.mtree.com' 'the.mtree.com' 'wm.mtree.com' 'xbs.mtree.com' 'xbs.pao.mtree.com' 'xbs.sea.mtree.com' 'www.mtree.com' 'dyn.naiadsystems.com' 'www.naiadsystems.com' 'cdn.nsimg.net' 'banners.outster.com' 'c1.outster.com' 'c2.outster.com' 'c3.outster.com' 'clit50.outster.com' 'clit120.outster.com' 'links.outster.com' 'refer1.outster.com' 'refer20.outster.com' 'refer25.outster.com' 'refer46.outster.com' 'refer85.outster.com' 'refer100.outster.com' 'refer102.outster.com' 'rr1.outster.com' 'start.outster.com' 'stats.outster.com' 'cgi.sexlist.com' 'cgi1.sexlist.com' 'enter.sexlist.com' 'images.sexlist.com' 'links.sexlist.com' 'lobby.sexlist.com' 'vis.sexlist.com' 'vis5.sexlist.com' 'xit.sexlist.com' 'sextracker.com' 'the.sextracker.com' 'adserver.sextracker.com' 'banners.sextracker.com' 'counter1.sextracker.com' 'clit.sextracker.com' 'clit1.sextracker.com' 'clit2.sextracker.com' 'clit3.sextracker.com' 'clit4.sextracker.com' 'clit5.sextracker.com' 'clit6.sextracker.com' 'clit7.sextracker.com' 'clit8.sextracker.com' 'clit9.sextracker.com' 'clit10.sextracker.com' 'clit11.sextracker.com' 'clit12.sextracker.com' 'clit13.sextracker.com' 'clit14.sextracker.com' 'clit15.sextracker.com' 'clit16.sextracker.com' 'elite.sextracker.com' 'graphics1.sextracker.com' 'graphics2.sextracker.com' 'hosting.sextracker.com' 'links.sextracker.com' 'mau.sextracker.com' 'moneytree.sextracker.com' 'ranks.sextracker.com' 'search.sextracker.com' 'start.sextracker.com' 'stats.sextracker.com' 'stx.sextracker.com' 'stx0.sextracker.com' 'stx1.sextracker.com' 'stx2.sextracker.com' 'stx3.sextracker.com' 'stx4.sextracker.com' 'stx5.sextracker.com' 'stx6.sextracker.com' 'stx7.sextracker.com' 'stx8.sextracker.com' 'stx9.sextracker.com' 'stx10.sextracker.com' 'stx11.sextracker.com' 'stx12.sextracker.com' 'stx13.sextracker.com' 'stx14.sextracker.com' 'stx15.sextracker.com' 'stxbans.sextracker.com' 'webmasters.sextracker.com' 'stx.banners.sextracker.com' 'wm.banners.sextracker.com' 'www.sextracker.com' 'ads.sexspaces.com' 'ifa.slutloadlive.com' 'static.ifa.slutloadlive.com' 'static.gfx.streamen.com' 'www.streamen.com' 'streamate.com' 'static.gfx.streamate.com' 'teen.streamate.com' 'www.streamate.com' 'ifa.streamateaccess.com' 'www.streamatelive.com' 'www.thesexcinema.com' 'ifa.tnaflixlive.com' 'c1.xxxcounter.com' 'c2.xxxcounter.com' 'c3.xxxcounter.com' 'free.xxxcounter.com' 'grafix.xxxcounter.com' 'links.xxxcounter.com' 'rr1.xxxcounter.com' 'start.xxxcounter.com' 'ifa.camads.net' 'ifa.keezlive.com' 'ifa.pornhublive.com' 'aphrodite.porntrack.com' 'stats1.porntrack.com' 'stats3.porntrack.com' 'www.seehits.com' 'as.sexad.net' 'counter2.sextracker.com' 'counter3.sextracker.com' 'counter4.sextracker.com' 'counter5.sextracker.com' 'counter6.sextracker.com' 'counter7.sextracker.com' 'counter8.sextracker.com' 'counter9.sextracker.com' 'counter10.sextracker.com' 'counter11.sextracker.com' 'counter12.sextracker.com' 'counter13.sextracker.com' 'counter14.sextracker.com' 'counter15.sextracker.com' 'counter16.sextracker.com' 'adserver.spankaway.com' 'adserver.spctl.com' 'asian.streamate.com' 'broadcaster.streamate.com' 'ebony.streamate.com' 'ifa.tube8live.com' 'banners.weselltraffic.com' 'clicks.weselltraffic.com' 'feeds.weselltraffic.com' 'webmaster.worldsex.com' 'ifa.xhamstercams.com' 'ifa.yobtcams.com' 'static.ifa.yobtcams.com' 'ifa.youjizzlive.com' 'ifa.youpornmate.com' 'kissfmro.count.brat-online.ro' 'didacticro.count.brat-online.ro' 'affinity.go2jump.org' 'adkengage.com' 'mv.bidsystem.com' 'kc.mv.bidsystem.com' 'icon.cubics.com' 'adsvr.adknowledge.com' 'bidsystem.adknowledge.com' 'bsclick.adknowledge.com' 'web.adknowledge.com' 'updates.desktop.ak-networks.com' 'vlogic.ak-networks.com' 'bspixel.bidsystem.com' 'cxpixel.bidsystem.com' 'feedx.bidsystem.com' 'tagline.bidsystem.com' 'ads.digitalmedianet.com' 'adserver.digitalmedianet.com' 'metrics.impactengine.com' '15minlt.adocean.pl' 'ad.adocean.pl' 'afilv.adocean.pl' 'aripaee.adocean.pl' 'b92rs.adocean.pl' 'bg.adocean.pl' 'bggde.adocean.pl' 'bggde-new.adocean.pl' 'blitzbg.adocean.pl' 'by.adocean.pl' 'cz.adocean.pl' 'delfiee.adocean.pl' 'delfilt.adocean.pl' 'delfilv.adocean.pl' 'diginet.adocean.pl' 'digital4ro.adocean.pl' 'edipresse.adocean.pl' 'ee.adocean.pl' 'eegde.adocean.pl' 'gspro.adocean.pl' 'hr.adocean.pl' 'hrgde.adocean.pl' 'hugde.adocean.pl' 'ilgde.adocean.pl' 'indexhu.adocean.pl' 'intactro.adocean.pl' 'investorbg.adocean.pl' 'keepaneyemk.adocean.pl' 'lrytaslt.adocean.pl' 'lt.adocean.pl' 'lv.adocean.pl' 'my.adocean.pl' 'myao.adocean.pl' 'ohtulehtee.adocean.pl' 'pracuj.adocean.pl' 'realitatero.adocean.pl' 'ringierro.adocean.pl' 'ringierrs.adocean.pl' 'ro.adocean.pl' 'ro1ro.adocean.pl' 'rogde.adocean.pl' 'rs.adocean.pl' 'rsgde.adocean.pl' 's1.sk.adocean.pl' 's1.cz.adocean.pl' 's1.czgde.adocean.pl' 's1.delfilt.adocean.pl' 's1.edipresse.adocean.pl' 's1.gojobsru.adocean.pl' 's1.my.adocean.pl' 's1.myao.adocean.pl' 's1.pracuj.adocean.pl' 's1.skgde.adocean.pl' 'sk.adocean.pl' 'si.adocean.pl' 'sportalbg.adocean.pl' 'thinkdigitalro.adocean.pl' 'tvn.adocean.pl' 'tvn2.adocean.pl' 'ua.adocean.pl' 'vbbg.adocean.pl' 'webgroundbg.adocean.pl' 'www.adorigin.com' 'storage.adsolutions.nl' 'telgids.adsolutions.nl' 'adserver.webads.it' 'adserver.webads.nl' 'adserver.webads.co.uk' 'st.adnow.com' 'st.ad.adnow.com' 'st.n.ads1-adnow.com' 'st.n.ads2-adnow.com' 'st.n.ads3-adnow.com' 'agevs.com' 'spots.ah-me.com' 'alfatraffic.com' 'www.antaraimedia.com' 'abc.doublegear.com' 'ads.fulldls.com' 'www.glxgroup.com' 'ad.iloveinterracial.com' 'cdn.mirageads.net' 'www.myshovel.com' 'st.ad.smaclick.com' 'teens24h.com' 'upads.info' 'cd-ads.com' 'delivery.hornyspots.com' 'f-js1.spotsniper.ru' 'st.pc.adonweb.ru' 'a1.mediagra.com' 'a2.mediagra.com' 'a3.mediagra.com' 'a4.mediagra.com' 'a5.mediagra.com' 'st.pay-click.ru' 'rb-net.com' 'rotator.trafficstars.com' 'ads.xhamster.com' 'm2.xhamster.com' 'partners.xhamster.com' 'aalbc.advertserve.com' 'cdn.advertserve.com' 'circuit.advertserve.com' 'divavillage.advertserve.com' 'hometheaterreview.advertserve.com' 'imagevenue.advertserve.com' 'oppknocks.advertserve.com' 'pridesource.advertserve.com' 'projectorreviews.advertserve.com' 'tradearabia.advertserve.com' 'tradefx.advertserve.com' 'www.advertserve.com' 'austria1.adverserve.net' 'adverserve.austriacomplus.at' 'squid.diepresse.com' 'werbung.diepresse.com' '123.ichkoche.at' 'aus.laola1.tv' 'static.styria-digital.com' 'adstats.adviva.net' 'smp.adviva.net' 'afe2.specificclick.net' 'ads.adviva.net' 'de.ads.adviva.net' 'cluster.adultadworld.com' 'cluster3.adultadworld.com' 'hippo.adultadworld.com' 'newt1.adultadworld.com' 'partners.adultadworld.com' 'textads.adultadworld.com' 'tigershark.adultadworld.com' 'cluster.adworldmedia.com' 'results.adworldmedia.com' 'www.adworldmedia.com' 'err.agava.ru' 'static.adtaily.com' 'static.adtaily.pl' 'ad.glossymedia.pl' 'bantam.ai.net' 'fiona.ai.net' 'ac2.valuead.com' 'ads.valuead.com' 'adsignal.valuead.com' 'axxessads.valuead.com' 'banners.valuead.com' 'hrads.valuead.com' 'moads.valuead.com' 'oin.valuead.com' 'pmads.valuead.com' 'redux.valuead.com' 'reduxads.valuead.com' 'videodetectivenetwork.valuead.com' 'vdn.valuead.com' 'yahooads.valuead.com' 'www.atrx7.com' 'ssum.casalemedia.com' 'rainbow-de.mythings.com' 'rainbow-es.mythings.com' 'rainbow-fi.mythings.com' 'rainbow-mx.mythings.com' 'rainbow-no.mythings.com' 'rainbow-ru-ak.mythings.com' 'rainbow-ru.mythings.com' 'rainbow-sg.mythings.com' 'cdn.taboola.com' 'c.webtrends.com' 'cdn-static.liverail.com' 'tracking.admarketplace.net' 'static.ampxchange.com' 'p.bm23.com' 'ads.pictela.net' 'tag.researchnow.com' 'b.thanksearch.com' 'e.thanksearch.com' 'www.77tracking.com' 'ak1s.abmr.net' 'targeting.adwebster.com' 'cdn.betrad.com' 'c.betrad.com' 'ads.static.blip.tv' 'cdn1.clkcln.com' 'fast.ecs.demdex.net' 'fast.ford.demdex.net' 'fast.td.demdex.net' 'ma156-r.analytics.edgekey.net' '79423.analytics.edgekey.net' 'my-cdn.effectivemeasure.net' 'cdn.fastclick.net' 'm1.fwmrm.net' 'js.indexww.com' 'a01.korrelate.net' 'a02.korrelate.net' 'plugin.mediavoice.com' 'vastx.moatads.com' 'geo.nbcsports.com' 'sana.newsinc.com' 'cdn.optimatic.com' 'c1.rfihub.net' 'files4.securedownload01.com' 'ad.sitemaji.com' 'ranker.springboardplatform.com' 'ads.yldmgrimg.net' 'e1.zedo.com' 'e2.zedo.com' 'z1.zedo.com' 'redir.adap.tv' 'delivery-s3.adswizz.com' 'fast.fairfaxau.demdex.net' 'fast.philly.demdex.net' 'tiads.instyle.com' 'tracker.marinsm.com' 'iocdn.coremetrics.com' 'update.hiconversion.com' 'secure.img-cdn.mediaplex.com' 'by.essl.optimost.com' 'ak.quantcast.com' 'widget.quantcast.com' 'mediaserver.bwinpartypartners.com' 'www.everestjs.net' 'video.unrulymedia.com' 'cdn.static.zdbb.net' 'ad131m.adk2.co' 'adsrvmedia.adk2.co' 'adtgs.adk2.co' 'cdn.adk2.co' 'matomy.adk2.co' 'ad-media.xe.gr' 'www.adobetag.com' 'a.adready.com' 'www.adreadytractions.com' 'cdn.adsrvmedia.net' 'content.adtegrity.net' 'bannerfarm.ace.advertising.com' 'uac.advertising.com' 'secure.uac.advertising.com' 'content.aimatch.com' 'cdn2sitescout-a.akamaihd.net' 'content.axill.com' 'static.adziff.com' 'cdn2.adsdk.com' 'rmd.atdmt.com' 'spd.atdmt.com' 'spe.atdmt.com' 'vid.atdmt.com' 'cdn.atomex.net' 'cdn.atwola.com' 'akamai.t.axf8.net' 'content.bannerconnect.net' 'static-cdn.labs.burstnet.com' 'ip.casalemedia.com' 'ads.cdnslate.com' 'cc.chango.com' 'cdn1.clkads.com' 'cdn1.clkmon.com' 'cdn1.clkoffers.com' 'cdn1.clkrev.com' 'tiads.sportsillustrated.cnn.com' 'libs.de.coremetrics.com' 'mktgcdn.de.coremetrics.com' 'tmscdn.de.coremetrics.com' 'content.cpxinteractive.com' 'fff.dailymail.co.uk' 'fast.adobe.demdex.net' 'fast.bet.demdex.net' 'fast.condenast.demdex.net' 'fast.de.demdex.net' 'fast.dm.demdex.net' 'fast.everydayhealth.demdex.net' 'fast.fedex.demdex.net' 'fast.gm.demdex.net' 'fast.iyogi.demdex.net' 'fast.marthastewart.demdex.net' 'fast.nfl.demdex.net' 'fast.postmedia.demdex.net' 'fast.sears.demdex.net' 'fast.swa.demdex.net' 'fast.telstra.demdex.net' 'fast.torontostar.demdex.net' 'fast.twc.demdex.net' 'analytics.disneyinternational.com' 'edge.aperture.displaymarketplace.com' 'files4.downloadnet1188.com' 'cdn1sitescout.edgesuite.net' 'ma74-r.analytics.edgesuite.net' 'ma76-c.analytics.edgesuite.net' 'ma204-r.analytics.edgesuite.net' 'img.en25.com' 'tiads.essence.com' 'tiads.ew.com' 's.fl-ads.com' 'promo.freshdirect.com' 'www30a1.glam.com' 'www30a6.glam.com' 'cdn.insights.gravity.com' 'b.grvcdn.com' 'tiads.health.com' 'js.hs-analytics.net' 'ads-a-darwin.hulu.com' 'cdn.innity.net' 'cdn.media.innity.net' 'secure.insightexpressai.com' 'service.maxymiser.net' 's2.mdpcdn.com' 'cdn.mediavoice.com' 'd-track.send.microadinc.com' 'mnet-ad.net' 's.moatads.com' 'svastx.moatads.com' 'z.moatads.com' 'e.monetate.net' 'sb.monetate.net' 'se.monetate.net' 'ads2.msads.net' 'cdn.mxpnl.com' 'rainbow-nl.mythings.com' 's.ntv.io' 'adcache.nymag.com' 'cdn3.optimizely.com' 'images.outbrain.com' 'storage.outbrain.com' 'widgets.outbrain.com' 'cdn.polmontventures.com' 'a.postrelease.com' 'www.geolocation.performgroup.com' 'abo.prismamediadigital.com' 'aboutads.quantcast.com' 'adv.r7.com' 'p0.raasnet.com' 'imagec15.247realmedia.com' 'pr.realvu.net' 'c2.rfihub.net' 'media.richrelevance.com' 'b.rmgserving.com' 'c.rmgserving.com' 'd.rmgserving.com' 'content.rmxads.com' 'analytics.rogersmedia.com' 'rsc.scmspain.com' 'm.servebom.com' 'secure-ds.serving-sys.com' 'download.cdn.sharelive.net' 'wd-edge.sharethis.com' 'ws.sharethis.com' 'cms.springboardplatform.com' 'api.taboola.com' 'c2.taboola.com' 'images.taboola.com' 'netstorage.taboola.com' 'trc.taboola.com' 'a.thanksearch.com' 'c.thanksearch.com' 'f.thanksearch.com' 'content.thewheelof.com' 'lib.spinmedia.com' 'cdn.vidible.tv' 'sb.voicefive.com' 'content.womensforum.com' 'content.yieldmanager.com' 'content-ssl.yieldmanager.com' 'static.yieldmo.com' 'analytics.yolacdn.net' 'ss3.zedo.com' 'tt3.zedo.com' 'xp1.zedo.com' 'xp2.zedo.com' 'cdn.adstract.com' 'dsum-sec.casalemedia.com' 's3.addthis.com' 's7.addthis.com' 's9.addthis.com' 'ssltracking.esearchvision.com' 'ads.undertone.com' 'ads.vegas.com' 'aka.accortech.com' 'cdn.ad4game.com' 'c03.adsummos.net' 'e35fbf.t.axf8.net' 'www.bkrtx.com' 'i.l.cnn.net' 'c.compete.com' 'dsa.csdata1.com' 'cdn.demdex.net' 'fast.bostonglobe.demdex.net' 'omnikool.discovery.com' 'aperture.displaymarketplace.com' 'cdn.doubleverify.com' '79423.analytics.edgesuite.net' 'ma156-r.analytics.edgesuite.net' 'cdn.siteanalytics.evolvemediametrics.com' 'cdn1.eyewonder.com' 'media.ftv-publicite.fr' 'dl.futureus.com' 'a.giantrealm.com' 'www30a5.glam.com' 'hs.interpolls.com' 'stream11.instream.com' 'ad.jamba.it' 'kona.kontera.com' 'cdn.krxd.net' 'rt.liftdna.com' 'a.ligatus.com' 'sr2.liveperson.net' 'contextual.media.net' 'gallys.nastydollars.com' 'traktr.news.com.au' 'dmeserv.newsinc.com' 'ad.policeone.com' 'graphics.pop6.com' 'ads.pro-market.net' 'a.rmgserving.com' 'track.sitetag.us' 'as.specificmedia.com' 'anon.doubleclick.speedera.net' 'fms2.eyewonder.speedera.net' 'd.thanksearch.com' 'tribalfusion.speedera.net' 'ad2.turn.com' 'urls.api.twitter.com' 'media-0.vpptechnologies.com' 'c14.zedo.com' 'static.atgsvcs.com' 'a.adroll.com' 'content.budsinc.com' 'cts.channelintelligence.com' 'aa.connextra.com' 'bb.connextra.com' 'cc.connextra.com' 'dd.connextra.com' 'ee.connextra.com' 'ff.connextra.com' 'tmscdn.coremetrics.com' 'metrics.ctvdigital.net' 'adinterax.cnet.com.edgesuite.net' 'c6.edgesuite.net' 'citi.bridgetrack.com.edgesuite.net' 'content.yieldmanager.edgesuite.net' 'fastclick.com.edgesuite.net' 'akatracking.esearchvision.com' 'cdn.springboard.gorillanation.com' 'cdn.triggertag.gorillanation.com' 'static.inviziads.com' 'vox-static.liverail.com' 'banner.missingkids.com' 'b.monetate.net' 'tracking.olx.com' 'i.cdn.openx.com' 'cdn.optmd.com' 'ads.premiereinteractive.com' 'l1.qsstats.com' 'adimages.scrippsnetworks.com' 'ds.serving-sys.com' 'ds-ll.serving-sys.com' 'download.cdn.shareazaweb.com' 'graphics.streamray.com' 'cdn.turn.com' 'download.cdn.downloadquick.net' 'download.cdn.torchbrowser.com' 'www.letssearch.com' 'www.nbcsearch.com' 'www.software-hq.net' 'ad.flux.com' 't.flux.com' 'zedoadservices.com' 'cnzz.mmstat.com' 'acookie.alimama.com' 'hz.mmstat.com' 'log.mmstat.com' 'pcookie.taobao.com' 'ac.mmstat.com' 'gm.mmstat.com' 'ad.360yield.com' 'fw.adsafeprotected.com' 'iw.antthis.com' 's.arclk.net' 'l.betrad.com' 'pixel.captora.com' 'statstracker.celebrity-gossip.net' 'tracking.clickmeter.com' 'www.clickmeter.com' 'tracking.conversionads.com' 'livingsocial.sp1.convertro.com' 'script.crsspxl.com' 'tag.crsspxl.com' 'cam.demdex.net' 'dpm.demdex.net' 'everydayhealth.demdex.net' 'fairfaxau.demdex.net' 'gm.demdex.net' 'nfl.demdex.net' 'philly.demdex.net' 'postmedia.demdex.net' 'swa.demdex.net' 'torontostar.demdex.net' 'toyota.demdex.net' 'ads.domainoptions.net' 'parkcloud.dynadot.com' 'st.dynamicyield.com' 'ads.ehealthcaresolutions.com' 'www.euroconcept.ro' 'track.eyeviewads.com' 'engine.fl-ads.com' 'click.gospect.com' 'api.hexagram.com' 'a.idio.co' 'ads.incmd10.com' 'bootstrap.livefyre.com' 'stream1.livefyre.com' 'flx367.lporirxe.com' 'stream1.marketwatch.fyre.co' 'heapanalytics.com' 'track.hubspot.com' 'c10048.ic-live.com' 'c10051.ic-live.com' 'c10054.ic-live.com' 'c10063.ic-live.com' 'c4.ic-live.com' 'c7.ic-live.com' 'clicks.investors4cash.com' 'geo.jetpackdigital.com' 'trk.kissmetrics.com' 'services.krxd.net' 'api.lanistaads.com' 'lc.livefyre.com' 'lc17.prod.livefyre.com' 'logs.loggly.com' 'cmi.netseer.com' 'h.nexac.com' 'tracking.optimatic.com' 'log3.optimizely.com' 'config.parsely.com' 'crm.pinion.gg' 'docs.pinion.gg' 'kermit.pinion.gg' 'log.pinion.gg' 'motd.pinion.gg' 'tix.pinion.gg' 'wiki.pinion.gg' 'www.pinion.gg' 'statdb.pressflex.com' 'ads1.qadabra.com' 'ads.qadserve.com' 'js4.ringrevenue.com' 'json4.ringrevenue.com' 'rc.rlcdn.com' 'w.coin.scribol.com' 'd.shareaholic.com' 's.shopify.com' 'pix.silverpush.co' 'ads.skinected.com' 'l.springmetrics.com' 'b.t.tailtarget.com' 'ws.tapjoyads.com' '21750.tctm.co' 'beacon.tracelytics.com' 'ads.tracking202.com' 'rtd.tubemogul.com' 'ats.tumri.net' 'w.usabilla.com' 'geoservice.webengage.com' 'tracking.websitealive.com' 'pixel.yabidos.com' 'download.ytdownloader.com' 'www.ytdownloader.com' 'engine.4chan-ads.org' 'ad.adbull.com' 'ads20.adcolony.com' 'ads.adk2.com' 'web-amz.adotube.com' 'insight.adsrvr.org' 'askads.ask.com' 'server1.beaconpush.com' 'socpixel.bidsystem.com' 'static.brsrvr.com' 'go.buzztrk.com' 'www.caphyon-analytics.com' 'adunit.chango.ca' 'ads.chango.com' 'adunit.chango.com' 'ping.chartbeat.net' 'sp1.convertro.com' 'nfl.sp1.convertro.com' 'admonkey.dapper.net' 'b.ensighten.com' 'cs.exitmonitor.com' 'ads.good.is' 'g2.gumgum.com' 'stack9.collect.igodigital.com' 'wenner.collect.igodigital.com' 'pixel.invitemedia.com' 'clicks.izea.com' 'a.lingospot.com' 'a1.opentracker.net' 'indium.openx.net' 'cid.pardot.com' 'vid.pardot.com' 'tracking.percentmobile.com' 'services.picadmedia.com' 'display.provenpixel.com' 'ads.reddit.com' 'www.reelcentric.com' 'rivasearchpage.com' 'tap.rubiconproject.com' 'ad.sharethis.com' 'l.sharethis.com' 'r.sharethis.com' 'smaato.net' 'ads2.smowtion.com' 'socialspark.com' 'req.tidaltv.com' 'redirect.tracking202.com' 'static.tracking202.com' 'p1.tcr21.tynt.com' 'redirect.viglink.com' 'www.w3counter.com' 'ots.optimize.webtrends.com' 'b.wishabi.com' 'track.yieldsoftware.com' 'stats.zmags.com' 'mi9.gscontxt.net' 'cdn.adbooth.net' 'rcm.amazon.com' 'alexa-sitestats.s3.amazonaws.com' 'fls-na.amazon-adsystem.com' 'rcm-eu.amazon-adsystem.com' 'wms-na.amazon-adsystem.com' 'ws-na.amazon-adsystem.com' 'tv4play-se.c.richmetrics.com' 'chuknu.sokrati.com' 'adsradios.adswizz.com' 'exchange.adswizz.com' 'synchrobox.adswizz.com' 'dni.agcdn.com' 'static-shareaholic.s3.amazonaws.com' 'pixelservice.apphb.com' 'tracker.leadenhancer.com' 't13.intelliad.de' 't23.intelliad.de' 'morehitserver.com' 'ads.p161.net' 'track.popmog.com' 'nationalpost-com.c.richmetrics.com' 'nj-com.c.richmetrics.com' 'track.shop2market.com' 'ad.sxp.smartclip.net' 'tracker.vinsight.de' 'r.yieldkit.com' 'srv.uk.znaptag.com' 'dm.demdex.net' 'aax-eu.amazon-adsystem.com' 'ir-de.amazon-adsystem.com' 'ir-uk.amazon-adsystem.com' 'rainbow-us.mythings.com' 'rainbow-geo-p.mythings.com' 'abandonment.saas.seewhy.com' 'ads.adhub.co.nz' 'www.adtaily.com' 'aslads.ask.com' 'analytics.bleacherreport.com' 's.btstatic.com' 'a.company-target.com' 'twc.demdex.net' 'marthastewart.demdex.net' 'hits.epochstats.com' 'js.geoads.com' 'a.goember.com' 's.innovid.com' 'www.intellisuggest.com' 'ads.investingchannel.com' 'o1.inviziads.com' 'tracker.issuu.com' 'create.leadid.com' 'metrics-api.librato.com' 'pixel.newscred.com' 'r.openx.net' 'delivery.optimatic.com' 'u.optorb.com' 'clicks.pureleads.com' 'technologyreview.qwobl.net' 'hitbox.realclearpolitics.com' 'pixel.realtor.com' 'pixel.redditmedia.com' 'click.sellmeyourtraffic.com' 'www.sellmeyourtraffic.com' 'howler.shareaholic.com' 'seg.sharethis.com' 'cdn.spectate.com' 't.tellapart.com' 'track.securedvisit.com' 'api.stathat.com' 'rtb.tubemogul.com' 'api.viglink.com' 'general.visualdna-stats.com' 'a.visualrevenue.com' 'www.webspectator.com' 'cdn.beaconpush.com' 'fedex.demdex.net' 'tags.deployads.com' 'track.keywordstrategy.org' 'a.klaviyo.com' 'cdn.segment.io' 'cdn.boomtrain.com' 'js.coinisrsdelivery.com' 's.idio.co' 'publish.webmasterbond.com' 'cdn.yb0t.com' 'creative.admtpmp123.com' 'creative.admtpmp124.com' 'matchbin-assets.s3.amazonaws.com' 'springclick-ads.s3.amazonaws.com' 'd1zatounuylvwg.cloudfront.net' 'd26b395fwzu5fz.cloudfront.net' 'jptracking.elasticbeanstalk.com' 'ads.goodreads.com' 'nau.hexagram.com' 't.mdn2015x3.com' 'asset.pagefair.net' 'static.springmetrics.com' 's.206solutions.com' 'aax.amazon-adsystem.com' 'htmlads.s3.amazonaws.com' 'mondoads.s3.amazonaws.com' 'vml1.s3.amazonaws.com' 'files.bannersnack.com' 'tags.hypeads.org' 'px.smowtion.com' 'cdn.adk2.com' 'cache.adnet-media.net' 'ads.advertisespace.com' 'static.adzerk.net' 'adflash.affairsclub.com' 'atrk.alexametrics.com' 'c.amazon-adsystem.com' 'cdn.brcdn.com' 'cdn.comparemetrics.com' 'beacon.jump-time.net' 'cdn.komoona.com' 'adimg.luminate.com' 'assets.luminate.com' 'static.luminate.com' 'content.mkt922.com' 't.neodatagroup.com' 'track.netshelter.net' 'static.parsely.com' 'static.tellapart.com' 'ad01.tmgrup.com.tr' 'a.tvlim.com' 'cdn.udmserve.net' 'a1.vdna-assets.com' '63mx.com' 'ads.ad-center.com' 'static.adk2.com' 'rev.adip.ly' 'async01.admantx.com' 'data.adsrvr.org' 'avidtrak.com' 'x.bidswitch.net' 'recon.bleacherreport.com' 'metrics.brightcove.com' 'eue.collect-opnet.com' 'intuit.sp1.convertro.com' 'addshoppers.t.domdex.com' 'affinity-xml.t.domdex.com' 'magnetic.domdex.com' 'magnetic.t.domdex.com' 'theinternetworksltd-news.t.domdex.com' 'static.etracker.com' 'go.goroost.com' 'chktrk.ifario.us' '7209235.collect.igodigital.com' 'nova.collect.igodigital.com' 'app.passionfruitads.com' 't.pswec.com' 'ads.publish2.com' 'img.pulsemgr.com' 'siteintercept.qualtrics.com' 'load.scanscout.com' 'receive.inplay.scanscout.com' 'www.sendori.com' 'analytics.shareaholic.com' 'cm.shareaholic.com' 'snowplow-collector.sugarops.com' 'affiliate.techstats.net' 's.thebrighttag.com' 'thelocalsearchnetwork.com' 'analytics.tout.com' 'stage.traffiliate.com' 'event.trove.com' 'ads.tunein.com' 'services.webspectator.com' 'ads.yashi.com' 'adserver.webmasterbond.com' 'code2.adtlgc.com' 'c1926.ic-live.com' 'l.linkpulse.com' 's248.meetrics.net' 's282.meetrics.net' 'counter.personyze.com' 'pong.qubitproducts.com' 'dn.c.richmetrics.com' 'measure.richmetrics.com' 'sync.richmetrics.com' 'geo.sanoma.fi' 'abp.smartadcheck.de' 'js.smartredirect.de' 'qa.stats.webs.com' 'prod-js.aws.y-track.com' 'go.affec.tv' 'stats.dailyrecord.co.uk' 'rainbow.mythings.com' 'www.smartredirect.de' 'cts.lipixeltrack.com' 'www.collect.mentad.com' 'idsync.rlcdn.com' 'adsssl.smowtion.com' 'beta.f.adbull.com' 'www.adotube.com' 'adsresult.net' 'pixel.adsafeprotected.com' 'match.adsrvr.org' 'api.adsymptotic.com' 'ads.adual.net' 'engine2.adzerk.net' 'vpc.altitude-arena.com' 'a.amxdt.com' 'data.apn.co.nz' 'tracking.badgeville.com' 'barilliance.net' 'www.barilliance.net' 'alleyezonme-collection.buzzfeed.com' 'srv.clickfuse.com' 'baublebar.sp1.convertro.com' 'api.demandbase.com' 'adobe.demdex.net' 'condenast.demdex.net' 'fairfax.demdex.net' 'mtvn.demdex.net' 'a.dpmsrv.com' 'px.dynamicyield.com' 'beacon.examiner.com' 'da.feedsportal.com' 'gonzogrape.gumgum.com' 'ads.havenhomemedia.com' 'analytics.hgcdn.net' '1168.ic-live.com' '1687.ic-live.com' '1839.ic-live.com' 'c1839.ic-live.com' 'c1921.ic-live.com' 'stack7.collect.igodigital.com' 'a.imonomy.com' 'rtr.innovid.com' 'www.jetpackdigital.com' 'c.jsrdn.com' 'i.kissmetrics.com' 'a.komoona.com' 'ad.leadboltads.net' 'ad3.liverail.com' 'ad4.liverail.com' 'ads.lucidmedia.com' 'tags.mediaforge.com' 'engine.nectarads.com' 'd.neodatagroup.com' 'analytics.newsinc.com' 'ox-d.newstogram.com' 'script.opentracker.net' 'server1.opentracker.net' 'server10.opentracker.net' 'log.optimizely.com' 'ntracking.optimatic.com' 'stats.pagefair.com' 'ads.pe.com' 'adserve.postrelease.com' 'lt.retargeter.com' 'collect.rewardstyle.com' 'mrp.rubiconproject.com' 'zeroclick.sendori.com' 'reporting.singlefeed.com' 'go.sonobi.com' 'search34.info.com' 'sync.search.spotxchange.com' 'js.srcsmrtgs.com' 'cdn.targetfuel.com' 'e.targetfuel.com' 'sslt.tellapart.com' 'i.trkjmp.com' 'beacon.videoegg.com' 'ads.wdmgroup.com' 'analytics.wishabi.ca' 'track.written.com' 'www.wtp101.com' 'zdbb.net' 'adsys.adk2x.com' 's.admathhd.com' 'client-verify.adtricity.com' 'www.applicationcontenttag.com' 'www.appsgrabbundles.com' 'ad.atdmt.com' 'www.bestcleardownloads.com' 'www.bestofreeapps.com' 'www.bitssendnow.com' 'www.bompcore.info' 'api.boomtrain.com' 'events.boomtrain.com' 'track.clicktraq.co' 'promo.clicnscores.com' 'consolefiles.info' 'aexp.demdex.net' 'pc1.dntrax.com' 'fastdownload10.com' 'dmp.gravity4.com' 'imads.integral-marketing.com' 'www.jddfmlafmdamracvaultsign.com' 'jwpltx.com' 'i.n.jwpltx.com' 'beacon.livefyre.com' 'js.matheranalytics.com' 'www.mftracking.com' 'c.newsinc.com' 'track.rtdock.com' 'pixel.mtrcs.samba.tv' 'tracker.samplicio.us' 'recommender.scarabresearch.com' 'track.scrillaspace.com' 'p.securedownload01.com' 'www.sharecapitalgrab.com' 's.tagsrvcs.com' 'd.t.tailtarget.com' 'www.trackingclick.net' 't.trrker.com' 'www.updatemetagift.com' 'www.zamontazz.info' 'zs1.zeroredirect1.com' 'www.zgaentinc.info' 't.zqtk.net' 'www.hostbodytower.com' 't.adk2.com' 'adrzr.com' 'www.bestdownloadapps.com' 'track.isp-survey.com' 'cdn.jdrinisocsachostdownload.com' 'admin1.newmagnos.com' 'cdn.opensubcontent.com' 'www.signsbitssign.com' 'www.todaybytehosting.com' 'collector-195.tvsquared.com' 'www.universebundlegrab.com' 'www.younewfiles.com' 'track.absoluteclickscom.com' 't.acxiom-online.com' 'api.addnow.com' 'adstract.adk2x.com' 'dy.adserve.io' 'tag.apxlv.com' 'stat.dailyoffbeat.com' 'freecharge.demdex.net' 'iyogi.demdex.net' 'widgets.kiosked.com' 'tracking.listhub.net' 'trax.prostrax.com' 'p.pxl2015x1.com' 'trends.revcontent.com' 'beacon.sojern.com' 'srv.stackadapt.com' 'tar.tradedoubler.com' 'n9bcd.ads.tremorhub.com' 'partners.tremorhub.com' 'admediator.unityads.unity3d.com' 'app.yieldify.com' 'zm1.zeroredirect5.com' 'tracker.us-east.zettata.com' 'm.altitude-arena.com' 'www.cloudtracked.com' 'tracker.freecharge.in' 'ads.grabgoodusa.com' 'securedownload01.net' 'ads.servebom.com' 'neo.go.sonobi.com' 'match.xg4ken.com' 't.ad2games.com' 'ad132m.adpdx.com' 'cdn.adpdx.com' 'admtpmp127.adsk2.co' 'adplexmedia.adk2.co' 'ad.adsrvr.org' 'ads-verify.com' 'cdn.appdynamics.com' 'promotions.betfred.com' 'tag.bounceexchange.com' 'd1z2jf7jlzjs58.cloudfront.net' 'd2zah9y47r7bi2.cloudfront.net' 'script.crazyegg.com' 'cu.genesismedia.com' 'cucdn.genesismedia.com' 'php.genesismedia.com' 'gscounters.eu1.gigya.com' 'c1937.ic-live.com' 'resources.kiosked.com' 'cdn.listrakbi.com' 'www.livefyre.com' 'cdn.matheranalytics.com' 't.mdn2015x2.com' 'ads.mic.com' 'dbg52463.moatads.com' 't.mtagmonetizationa.com' 'files.native.ad' 'ps.ns-cdn.com' 'match.rundsp.com' 'tag.mtrcs.samba.tv' 'cdn.scarabresearch.com' 'code.adsales.snidigital.com' 's5.spn.ee' 'sumome.com' 'load.sumome.com' 's.uadx.com' 'w.visualdna.com' 'wfpscripts.webspectator.com' 'cdn.yldbt.com' 'saxp.zedo.com' '2664.tm.zedo.com' '3211.tm.zedo.com' 'cdn.zettata.com' 'srv-us.znaptag.com' 'get1.0111design.info' 'api.access-mc.com' 'adsrvmedia.adk2.net' 'ads.adaptv.advertising.com' 'tracking.affiliates.de' 'arena.altitude-arena.com' 'ca.altitude-arena.com' 'pstats.blogworks.com' 'clicksimpact.cashtrk.com' 'a.centrum.cz' 'chosurvey.net' 'click.clktraker.com' 'stats.cloudwp.io' 'ad.cpmaxads.com' 'ads.creative-serving.com' 'bostonglobe.demdex.net' 'ford.demdex.net' 'www.dntx.com' 'nz-ssl.effectivemeasure.net' 's.effectivemeasure.net' 'counter.entertainmentwise.com' 'exciteable.net' 'exciteair.net' 'lp.ezdownloadpro.info' 'cdn.firstimpression.io' 'j.flxpxl.com' 'c10060.ic-live.com' 'matcher.idtargeting.com' 'ccs.infospace.com' 'www.i.matheranalytics.com' 'banners.moreniche.com' 'analytics.cnd-motionmedia.de' 'neecot.org' 'www.onadstracker.com' 'odds.optimizely.com' 'ads.polmontventures.com' 'ad.pxlad.io' 'ad-us-east-1.pxlad.io' 'api.revcontent.com' 'bomcl.richmetrics.com' 'd.tailtarget.com' 'j.traffichunt.com' 'www.trustedbestsites.com' 'uadx.com' 'analytics.upworthy.com' 'vacationcellular.net' 'rumds.wpdigital.net' 'yevins.com' 'i.yldbt.com' 'z2.zedo.com' 'segment-data.zqtk.net' 'get1.0111box.info' 's.206ads.com' 'ib.3lift.com' 'creative.ad122m.com' 'ad130m.adpdx.com' 'optimize.adpushup.com' 'ads-stream.com' 'js.apxlv.com' 'ads.adbooth.com' 'cdn.adbooth.com' 'www.adbooth.com' 'creative.adbooth.net' 'cdn.adengage.com' 'code.adengage.com' 'srv.adengage.com' 'api.adip.ly' 'ad132m.adk2.co' 'adbooth.adk2.co' 'creative.admtpmp127.com' 'cdn.adplxmd.com' 'files-www2.adsnative.com' 'static.adsnative.com' 'files.adspdbl.com' 'js.adsrvr.org' 'data.alexa.com' 'advice-ads.s3.amazonaws.com' 'ps-eu.amazon-adsystem.com' 'ps-us.amazon-adsystem.com' 'z-na.amazon-adsystem.com' 'cdn.installationsafe.net.s3.amazonaws.com' 'slate-ad-scripts.s3.amazonaws.com' 'znaptag-us.s3.amazonaws.com' 'cdn.avmws.com' 'beachfrontio.com' 't.beanstalkdata.com' 'ad.broadstreetads.com' 'cdn.broadstreetads.com' 'pageurl.btrll.com' 'pageurl-brx.btrll.com' 'pix.btrll.com' 'shim.btrll.com' 'vw.btrll.com' 'cdn.bttrack.com' 'adg.bzgint.com' 'dynamic.cannedbanners.com' 'data.captifymedia.com' 't.channeladvisor.com' 'tracking2.channeladvisor.com' 'www.clicktripz.com' 'images1.cliqueclack.com' 'd1fc8wv8zag5ca.cloudfront.net' 'd1l6p2sc9645hc.cloudfront.net' 'd1piupybsgr6dr.cloudfront.net' 'd13dhn7ldhrcf6.cloudfront.net' 'd2nq0f8d9ofdwv.cloudfront.net' 'd2oh4tlt9mrke9.cloudfront.net' 'd31qbv1cthcecs.cloudfront.net' 'd3c3cq33003psk.cloudfront.net' 'd3dcugpvnepf41.cloudfront.net' 'd3ujids68p6xmq.cloudfront.net' 'd33f10u0pfpplc.cloudfront.net' 'd33j9ks96yd6fm.cloudfront.net' 'd38cp5x90nxyo0.cloudfront.net' 'd5nxst8fruw4z.cloudfront.net' 'd8rk54i4mohrb.cloudfront.net' 'dl1d2m8ri9v3j.cloudfront.net' 'dff7tx5c2qbxc.cloudfront.net' 'rec.convertale.com' 'cdn-1.convertexperiments.com' 'use.convertglobal.com' 'casper.sp1.convertro.com' 'livenation.sp1.convertro.com' 'magazines.sp1.convertro.com' 'p.cpx.to' 'admp-tc.delfi.lv' 'scripts.demandbase.com' 'bet.demdex.net' 'cbsi.demdex.net' 'de.demdex.net' 'foxnews.demdex.net' 'sears.demdex.net' 'intbrands.t.domdex.com' 'td.demdex.net' 'tags-cdn.deployads.com' 'cdn.directrev.com' 'pds.directrev.com' 'xch.directrev.com' 'p1.dntrck.com' 'tiscali.js.ad.dotandad.com' 'cdn.elasticad.net' 'col.eum-appdynamics.com' 'banner.euroads.no' 'imp.euroads.no' 'pool.euroads.no' 'tracking1.euroads.no' 'cdn.evergage.com' 'hj.flxpxl.com' 'beacon.guim.co.uk' 'www.have9to.info' 'cdn.heapanalytics.com' 'cdn.performance.hlads.com' 'beam.hlserve.com' 'cdn.iasrv.com' 'c1349.ic-live.com' 'c1935.ic-live.com' 'c10050.ic-live.com' 'c10064.ic-live.com' '1703.ic-live.com' 'cdn.idtargeting.com' 'cdn.ip.inpwrd.com' 'cdn.libraries.inpwrd.com' 'load.instinctiveads.com' 'a.cdn.intentmedia.net' 'prod-services.interactiveone.com' 'cdn.investingchannel.com' 'admp-tc.iltalehti.fi' 'beacon.jumptime.com' 'timeseg.modules.jumptime.com' 'ad.kiosked.com' 'cdn.kixer.com' 'stat.komoona.com' 'adserver.kontextua.com' 'cf.ads.kontextua.com' 'collector.leaddyno.com' 'd.liadm.com' 'p.liadm.com' 'd.lumatag.co.uk' 'creative.m2pub.com' 's.m2pub.com' 'bc.marfeel.com' 'tags.mdotlabs.com' 'js.ad.mediamond.it' 'edge.metroleads.com' 'contentz.mkt51.net' 'contentz.mkt912.com' 'content.mkt931.com' 'content.mkt932.com' 'contentz.mkt932.com' 'contentz.mkt941.com' 'w.mlv-cdn.com' 'track.moreniche.com' 't.mtagmonetizationc.com' 'c.mtro.co' 'zdbb.netshelter.net' 'mix-test.uts.ngdata.com' 'eu.npario-inc.net' 'meter-svc.nytimes.com' 'ninja.onap.io' 'cdn.onscroll.com' 'vast.optimatic.com' 'pagefair.com' 'c.pebblemedia.be' 'analytics.dev.popdust.com' 'jadserve.postrelease.com' 's.ppjol.net' 'static.proximic.com' 'static.publish2.com' 'i.pxlad.io' 'static.pxlad.io' 'embed-stats.rbl.ms' 'frontpage-stats.rbl.ms' 'site-stats.rbl.ms' 'savvyads.com' 'ads.savvyads.com' 'collector.savvyads.com' 'mtrx.go.sonobi.com' 'analytics.revee.com' 'di-se.c.richmetrics.com' 'di-banner-se.c.richmetrics.com' 'vancouversun-com.c.richmetrics.com' 'cdn.sail-horizon.com' 'shareaholic.com' 'clickcdn.shareaholic.com' 'cdn.siftscience.com' 'tags.smowtion.com' 'gsf-cf.softonic.com' 'pixel.sojern.com' 'eventlogger.soundcloud.com' 'www.tagifydiageo.com' 'a.teads.tv' 'cdn.teads.tv' 't.teads.tv' 'static.tellaparts.com' 'ads.traffichunt.com' 'cdn.traffichunt.com' 'assets.tapad.com' 'analytics.userreport.com' 'cdn.userreport.com' 'sdscdn.userreport.com' 'tracking.rce.veeseo.com' 'delivery.vidible.tv' 'wsc1.webspectator.com' 'zafiti01.webtrekk-us.net' 'triggers.wfxtriggers.com' '3165.tm.zedo.com' 'www.zergnet.com' 'd.254a.com' 'kwserver.adhispanic.com' 'ads.adiply.com' 'srv.admailtiser.com' 'track.adbooth.net' 'app.adsbrook.com' 'cdn.adual.net' 'cdn.adquantix.com' 'crtl.aimatch.com' 'tr-1.agilone.com' 'cdn.appendad.com' 'www.badassjv.com' 'blockmetrics.com' 'cache.btrll.com' 'engine.carbonads.com' 'ycv.clearshieldredirect.com' 'd12tr1cdjbyzav.cloudfront.net' 'd2vig74li2resi.cloudfront.net' 'desv383oqqc0.cloudfront.net' 'js.convertale.com' 'tc-s.convertro.com' 'track.customer.io' 's.cxt.ms' 'dailymotion.demdex.net' 'error.demdex.net' 'gannett.demdex.net' 'links.services.disqus.com' 'hutchmedia.t.domdex.com' 'cdn5.js.ad.dotandad.com' 'filecdn2.dotandad.com' 's.dpmsrv.com' 'cf.effectivemeasure.net' 'us-cdn.effectivemeasure.net' 'idvisitor.expressnightout.com' 'ps.eyeota.net' 'analytics.fairfax.com.au' 'fmsads.com' 'www.fuze-sea1.xyz' 'ads.g-media.com' 'data.gosquared.com' 'data2.gosquared.com' 'ads.groupcommerce.com' 'c10013.ic-live.com' 'c1947.ic-live.com' 'c1950.ic-live.com' 'p1937.ic-live.com' 'ad.ipredictive.com' 'adserv.impactengine.com' 'adn.impactradius.com' 'stats.instdaddy.com' 'scripts.kissmetrics.com' 'ads.lanistaads.com' 'napi.lanistaads.com' 'rev.lanistaads.com' 'u.mdotlabs.com' 'content.mkt51.net' 'content.mkt941.com' 'f.monetate.net' 'tracker.mozo.com.au' 'papi.mynativeads.com' 'web-clients.mynativeads.com' 'static.nectarads.com' 'cl-c.netseer.com' 'js-agent.newrelic.com' 'adx.openadserve.com' 'load.passionfruitads.com' 'h.ppjol.com' 'traffic.pubexchange.com' 'ads.qadservice.com' 'www.qualitysoftware13.com' 'orca.qubitproducts.com' 'ortc-ws2-useast1-s0005.realtime.co' 'a.remarketstats.com' 'vg-no.c.richmetrics.com' 'partner.shareaholic.com' 'traffic.shareaholic.com' 'cc.simplereach.com' 'edge.simplereach.com' 'analytics.sitewit.com' 'st.smartredirect.de' 'bsf.smowtion.com' 'ts.smowtion.com' 'trial-collector.snplow.com' 'tracking.sokrati.com' 'traffic-offers.com' 'konnect.videoplaza.tv' 'trk.vidible.tv' 'scripts.webspectator.com' 'osc.optimize.webtrends.com' 'a.wishabi.com' 'track.youniversalmedia.com' 'axp.zedo.com' 'geo.ziffdavis.com' 'directile.net' 'api.proofpositivemedia.com' 's.pubmine.com' 't.254a.com' 'r.254a.com' 'yieldmanager.adbooth.com' 'counter.d.addelive.com' 'admaven.adk2x.com' 'adstrac.adk2x.com' 'snwmedia.adk2x.com' 'www.adovida.com' 'secure.adwebster.com' 'pixiedust.buzzfeed.com' 'tracking.crobo.com' 'comcast.demdex.net' 'ecs.demdex.net' 'get.ddlmediaus1000.info' 'collector.githubapp.com' 'geobeacon.ign.com' 'mmtrkpy.com' 'tracking.olx-st.com' 'api.optinmonster.com' 't01.proximic.com' 'go.redirectingat.com' 'track.rtb-media.ru' 'a.rvttrack.com' 'b.siftscience.com' 'ardrone.swoop.com' 'n.targetbtracker.com' 'collector-184.tvsquared.com' 'collector-428.tvsquared.com' 'a3.websitealive.com' 'zb.zeroredirect1.com' 'zc.zeroredirect1.com' 'ze1.zeroredirect1.com' 'js.moatads.com' 'adserver.advertisespace.com' 'aax-us-east-rtb.amazon-adsystem.com' 'ir-na.amazon-adsystem.com' 'rcm-na.amazon-adsystem.com' 'adtago.s3.amazonaws.com' 'sync.cmedia.s3.amazonaws.com' 'ecommstats.s3.amazonaws.com' 'exitsplash.s3.amazonaws.com' 'load.s3.amazonaws.com' 'ncads.s3.amazonaws.com' 'tracking.opencandy.com.s3.amazonaws.com' 'viewerstats.docstoc.com.s3.amazonaws.com' 'www.assoc-amazon.com' 's3.buysellads.com' 'new.cetrk.com' 'trk.cetrk.com' 'dl.gameplaylabs.com' 'ads.jetpackdigital.com' 'dl.keywordstrategy.org' 'media.opencandy.com' 'asset.pagefair.com' 'ads.smowtion.com' 'pixel.tapad.com' 'beacon.tunecore.com' 'p.addthis.com' 'rt3.infolinks.com' 'adaptv.pixel.invitemedia.com' 'g-pixel.invitemedia.com' 'segment-pixel.invitemedia.com' 't.invitemedia.com' 'engine.adzerk.net' 'certify.alexametrics.com' 'www.bizographics.com' 'analytics.brightedge.com' 'edge.analytics.brightedge.com' 'fhg.digitaldesire.com' 'tags.extole.com' 'clicks11.geoads.com' 'tracking.hubspot.com' 'of.inviziads.com' 'preview.leadmediapartners.com' 'ads.livepromotools.com' 'a.monetate.net' 'click.searchnation.net' 'ariel1.spaceprogram.com' 'www.stop-road16.info' 'www.stop-road43.info' 'www.stop-road71.info' 'revelations.trovus.co.uk' 'ttzmedia.com' 'www.ttzmedia.com' 'ev.yieldbuild.com' 'd.adroll.com' 's.adroll.com' 'stats.atoshonetwork.com' 'adweb1.hornymatches.com' 'adweb2.hornymatches.com' 'gbanners.hornymatches.com' 'adv.ilsecoloxix.it' 's32.research.de.com' 'd.skimresources.com' 't.skimresources.com' 'www.supersonicads.com' 'feed.topadvert.ru' 'app.ubertags.com' 'stats3.unrulymedia.com' 'adseu.novem.pl' 'cdn.qbaka.net' 'pixel.advertising.com' 'secure.ace.advertising.com' 'adiq.coupons.com' 'ads-us.pictela.net' 'pix.pulsemgr.com' 'cnn.dyn.cnn.com' 'gdyn.cnn.com' 'gdyn.nascar.com' 'gdyn.nba.com' 'www.ugdturner.com' 'gdyn.veryfunnyads.com' 'dbs.advertising.com' 'opera1-servedby.advertising.com' 'rd.advertising.com' 'servedby.advertising.com' 'bf.mocda1.com' 'adserve.advertising.com' 'wap.advertising.com' 'www.contextualclicks.com' 'www.thesearchster.com' 'ad.dc2.adtech.de' 'img-dc2.adtech.de' 'im.adtech.de' 'ads.aol.co.uk' 'adserver.aol.fr' 'img.bet-at-home.com' 'im.banner.t-online.de' 'adsby.webtraffic.se' 'adtech.de' 'ad-dc2.adtech.de' 'adserver.adtech.de' 'aka-cdn-ns.adtech.de' 'imageserv.adtech.de' 'adserver.adtechus.com' 'aka-cdn.adtechus.com' 'aka-cdn-ns.adtechus.com' 'adserver.eyeonx.ch' 'hiq.fotolog.com' 'at.ontargetjobs.com' 'adsrv.adplus.co.id' 'adssl-dc2.adtech.de' 'secserv.adtech.de' 'adv.aftonbladet.se' 'ads.immobilienscout24.de' 'jt.india.com' 'adv.svd.se' 'ads.adsonar.com' 'ads.tw.adsonar.com' 'js.adsonar.com' 'newsletter.adsonar.com' 'redir.adsonar.com' 'origin2.adsdk.com' 'free.aol.com' 'ar.atwola.com' 'ar7.atwola.com' 'tacoda.at.atwola.com' 'ums.adtechus.com' 'adnet.affinity.com' 'sl-retargeting.adsonar.com' 'demo.advertising.com' 'leadback.advertising.com' 'secure.leadback.advertising.com' 'smrtpxl.advertising.com' 'ads.web.aol.com' 'affiliate.aol.com' 'dynamic.aol.com' 'ar1.atwola.com' 'ar9.atwola.com' 'pixel.ingest.at.atwola.com' 'pr.atwola.com' 'uts-api.at.atwola.com' 'adserver.fixionmedia.com' 'ads.patch.com' 'ssl-sl-retargeting.adsonar.com' 'glb.adtechus.com' 'advertising.com' 'ace-lb.advertising.com' 'ace-tag.advertising.com' 'p.ace.advertising.com' 'r1.ace.advertising.com' 'secure.ace-tag.advertising.com' 'www.advertising.com' 'at.atwola.com' 'uk.at.atwola.com' 'helios.fvn.no' 'helios.gamerdna.com' 'ads.intergi.com' 'v.landingzone.se' 'ng3.ads.warnerbros.com' '1000ps.oewabox.at' 'tracking.kurier.at' 'atvplus.oewabox.at' 'newsnetw.oewabox.at' 'oe24.oewabox.at' 'ooen.oewabox.at' 'orf.oewabox.at' 'qs.oewabox.at' 'salzburg.oewabox.at' 'sdo.oewabox.at' 'sportat.oewabox.at' 'tirolcom.oewabox.at' 'top.oewabox.at' 't-orf.oewabox.at' 'willhab.oewabox.at' 'hit-parade.com' 'loga.hit-parade.com' 'logp.hit-parade.com' 'xiti.com' 'loga.xiti.com' 'logc1.xiti.com' 'logc2.xiti.com' 'logc3.xiti.com' 'logc7.xiti.com' 'logc8.xiti.com' 'logc11.xiti.com' 'logc13.xiti.com' 'logc14.xiti.com' 'logc15.xiti.com' 'logc16.xiti.com' 'logc19.xiti.com' 'logc22.xiti.com' 'logc26.xiti.com' 'logc31.xiti.com' 'logc32.xiti.com' 'logc35.xiti.com' 'logc89.xiti.com' 'logc111.xiti.com' 'logc138.xiti.com' 'logc142.xiti.com' 'logc149.xiti.com' 'logc169.xiti.com' 'logc173.xiti.com' 'logc180.xiti.com' 'logc189.xiti.com' 'logc181.xiti.com' 'logc202.xiti.com' 'logc205.xiti.com' 'logc206.xiti.com' 'logc209.xiti.com' 'logc210.xiti.com' 'logc218.xiti.com' 'logc238.xiti.com' 'logc253.xiti.com' 'logc279.xiti.com' 'logc400.xiti.com' 'logi4.xiti.com' 'logi5.xiti.com' 'logi6.xiti.com' 'logi7.xiti.com' 'logi8.xiti.com' 'logi9.xiti.com' 'logi10.xiti.com' 'logi11.xiti.com' 'logi12.xiti.com' 'logi13.xiti.com' 'logi103.xiti.com' 'logi104.xiti.com' 'logi118.xiti.com' 'logi125.xiti.com' 'logc135.xiti.com' 'logi141.xiti.com' 'logi150.xiti.com' 'logi151.xiti.com' 'logi162.xiti.com' 'logi163.xiti.com' 'logi242.xiti.com' 'logliberation.xiti.com' 'logp.xiti.com' 'logp2.xiti.com' 'logp3.xiti.com' 'logs1125.xiti.com' 'logs1204.xiti.com' 'logs1285.xiti.com' 'logv1.xiti.com' 'logv2.xiti.com' 'logv3.xiti.com' 'logv4.xiti.com' 'logv5.xiti.com' 'logv6.xiti.com' 'logv7.xiti.com' 'logv8.xiti.com' 'logv9.xiti.com' 'logv10.xiti.com' 'logv11.xiti.com' 'logv12.xiti.com' 'logv13.xiti.com' 'logv14.xiti.com' 'logv15.xiti.com' 'logv16.xiti.com' 'logv17.xiti.com' 'logv18.xiti.com' 'logv19.xiti.com' 'logv20.xiti.com' 'logv21.xiti.com' 'logv22.xiti.com' 'logv23.xiti.com' 'logv24.xiti.com' 'logv25.xiti.com' 'logv26.xiti.com' 'logv27.xiti.com' 'logv28.xiti.com' 'logv29.xiti.com' 'logv30.xiti.com' 'logv31.xiti.com' 'logv32.xiti.com' 'logv143.xiti.com' 'logv144.xiti.com' 'logv145.xiti.com' 'www.xiti.com' 'ib.reachjunction.com' 'photobucket.adnxs.com' 'secure.adnxs.com' 'ym.adnxs.com' 'ad.aquamediadirect.com' 'ads.dedicatedmedia.com' 'action.media6degrees.com' 'ad.thewheelof.com' 'a.triggit.com' 'ag.yieldoptimizer.com' 'ads.brand.net' 'px.admonkey.dapper.net' 'load.exelator.com' 'ad.himediadx.com' 'action.mathtag.com' 'cspix.media6degrees.com' 'secure.media6degrees.com' 'tag.yieldoptimizer.com' 'b.adnxs.com' 'nym1.b.adnxs.com' 'gam.adnxs.com' 'ads.bttbgroup.com' 'ad.dedicatedmedia.com' 'ads.matiro.com' 'ads.q1media.com' 'ads.reduxmediagroup.com' 'ad.retargeter.com' 'adan.xtendmedia.com' 'go.accmgr.com' 'advs.adgorithms.com' 'ad2.adnetwork.net' 'float.2299.bm-impbus.prod.nym2.adnexus.net' 'ib.adnxs.com' 'mob.adnxs.com' 'nym1.ib.adnxs.com' 'sin1.g.adnxs.com' 'a.admaxserver.com' 'go.adversal.com' 'rtb-ads.avazu.net' 'tag.beanstock.co' 'servedby.bigfineads.com' 'optimizedby.brealtime.com' 'ads.captifymedia.com' 'x.clickcertain.com' 'ads.clovenetwork.com' 'ads.cpxinteractive.com' 'ads.deliads.com' 'ads.digitalthrottle.com' 'ads.exactdrive.com' 'ads.fidelity-media.com' 'ads.gamned.com' 'tag.gayadnetwork.com' 'ad.imediaaudiences.com' 'secure-id.impressiondesk.com' 'ads.kmdisplay.com' 'tk.ads.mmondi.com' 'ad.netcommunities.com' 'ads.networkhm.com' 'ads.pubsqrd.com' 'ads.sonital.com' 'ads.sonobi.com' 'ads.suite6ixty6ix.com' 'ex.banner.t-online.de' 'ads.up-value.de' 'ads.vntsm.com' 'an.z5x.net' 'b.ds1.nl' 'k1s.nl' 'www.adv-italiana.com' 'www.infotelsrl.com' 'www.juiceadv.com' 'www.prdirectory.biz' 'ads.vjaffiliates.com' 'advdl.ammadv.it' 'adv.arubamediamarketing.it' 'feed.hype-ads.com' 'srv.juiceadv.com' 'bulgariabg.com' 'espresso-reklam.eu' 'openx.imoti.net' 'rot2.imoti.net' 'ads1.legalworld.bg' 'pagead.topobiavi.com' 'uppyads.com' 'ads.zajenata.bg' 'media01.adservinghost.com' 'bielertb.wemfbox.ch' 'blickonl.wemfbox.ch' 'bluewin.wemfbox.ch' 'bolero.wemfbox.ch' 'immosct.wemfbox.ch' 'moneyh.wemfbox.ch' 'nzz.wemfbox.ch' 'qs.wemfbox.ch' 'scout24.wemfbox.ch' 'si.wemfbox.ch' 'sport1.wemfbox.ch' 'swissinf.wemfbox.ch' 'wetter.wemfbox.ch' 'ww651.smartadserver.com' 'securite.01net.com' 'ads.20minutes.fr' 'smart.hola.com' 'ads.horyzon-media.com' 'www.meetic-partners.com' 'ad.prismamediadigital.com' 'ads.publicidad.net' 'addie.verticalnetwork.de' 'adtegrity.com' 'www.adtegrity.com' 'www.axill.com' 'images.axill.in' 'www.globe7.com' 'www.axill.in' 'www.cashtrafic.com' 'ads.clicmanager.fr' '29bca6cb72a665c8.se' '32d1d3b9c.se' 'aabe3b.se' 'aad73c550c.se' 'rotator.adxite.com' 'bfd69dd9.se' 'stats.sa-as.com' 'stats.visistat.com' 'adserver.veruta.com' 'images.tumri.net' 'www.tumri.net' 'ard.sexplaycam.com' 'flashbanners.static.ard.sexplaycam.com' 'ard.xxxblackbook.com' 'flashbanners.static.ard.xxxblackbook.com' 'geo.xxxblackbook.com' 'static.ard.xxxblackbook.com' 'ard.sweetdiscreet.com' 'adsby.uzoogle.com' 'api.nrelate.com' 'adcounter.theglobeandmail.com' 'adrates.theglobeandmail.com' 'ads.globeandmail.com' 'ads1.theglobeandmail.com' 'ecestats.theglobeandmail.com' 'ece5stats1.theglobeandmail.com' 'visit.theglobeandmail.com' 'www1.theglobeandmail.com' 'active.hit.stat24.com' 'home.hit.stat24.com' 'lt3.hit.stat24.com' 'nl4.hit.stat24.com' 'pro.hit.stat24.com' 'redefine.hit.stat24.com' 'redefine2.hit.stat24.com' 'ru2.hit.stat24.com' 's1.hit.stat24.com' 's2.hit.stat24.com' 's3.hit.stat24.com' 's4.hit.stat24.com' 'ua1.hit.stat24.com' 'ua2.hit.stat24.com' 'ua3.hit.stat24.com' 'ua4.hit.stat24.com' 'ua5.hit.stat24.com' 'uk4.hit.stat24.com' 'www.stat24.com' '4affiliate.net' 'clicktrace.info' 'mirageads.net' 'protect-x.com' 'www.getsearchlist.com' 'www.homeoffun.com' '1directory.ru' '1se.org' 'img.royal-cash.com' 'adds1.trafflow.com' 'tds.trafflow.com' 'banners.truecash.com' 'ads.ynot.com' 'ads.svnt.com' 'click.xxxofferz.com' 'bannersgomlm.buildreferrals.com' 'adds.trafflow.com' 'feed.trafflow.com' 'freeimghost.trafflow.com' 'ds.keshet-i.com' 'adserv.mako.co.il' 'sdc.mako.co.il' 'stats.mako.co.il' 'banners.news1.co.il' 'becl23.b2.gns.co.il' 'adserver1.adbrands.co.il' 'ads.doctors.co.il' 'ads.metatron.co.il' 'service1.predictad.com' 'service2.predictad.com' 'creative.xtendmedia.com' 'ads.one.co.il' 'bandoc.d-group.co.il' 'geo.widdit.com' 'ad0.bigmir.net' 'ad1.bigmir.net' 'ad4.bigmir.net' 'ad5.bigmir.net' 'ad6.bigmir.net' 'ad7.bigmir.net' 'adi.bigmir.net' 'c.bigmir.net' 'i.bigmir.net' 't.nrelate.com' 'bitcast-a.v1.iad1.bitgravity.com' 'ads.devicebondage.com' 'ads.fuckingmachines.com' 'ads.hogtied.com' 'ads.publicdisgrace.com' 'ads.sexandsubmission.com' 'ads.thetrainingofo.com' 'ads.ultimatesurrender.com' 'ads.whippedass.com' 'bbtv.blinkx.com' 'streamstats1.blinkx.com' 'ads.uknetguide.co.uk' 'www.bigpenisguide.com' 'fastwebcounter.com' 'stats.ozwebsites.biz' 'www.yrals.com' 'bravenet.com' 'adserv.bravenet.com' 'counter1.bravenet.com' 'counter2.bravenet.com' 'counter3.bravenet.com' 'counter4.bravenet.com' 'counter5.bravenet.com' 'counter6.bravenet.com' 'counter7.bravenet.com' 'counter8.bravenet.com' 'counter9.bravenet.com' 'counter10.bravenet.com' 'counter11.bravenet.com' 'counter12.bravenet.com' 'counter13.bravenet.com' 'counter14.bravenet.com' 'counter15.bravenet.com' 'counter16.bravenet.com' 'counter17.bravenet.com' 'counter18.bravenet.com' 'counter19.bravenet.com' 'counter20.bravenet.com' 'counter21.bravenet.com' 'counter22.bravenet.com' 'counter23.bravenet.com' 'counter24.bravenet.com' 'counter25.bravenet.com' 'counter26.bravenet.com' 'counter27.bravenet.com' 'counter28.bravenet.com' 'counter29.bravenet.com' 'counter30.bravenet.com' 'counter31.bravenet.com' 'counter32.bravenet.com' 'counter33.bravenet.com' 'counter34.bravenet.com' 'counter35.bravenet.com' 'counter36.bravenet.com' 'counter37.bravenet.com' 'counter38.bravenet.com' 'counter39.bravenet.com' 'counter40.bravenet.com' 'counter41.bravenet.com' 'counter42.bravenet.com' 'counter43.bravenet.com' 'counter44.bravenet.com' 'counter45.bravenet.com' 'counter46.bravenet.com' 'counter47.bravenet.com' 'counter48.bravenet.com' 'counter49.bravenet.com' 'counter50.bravenet.com' 'images.bravenet.com' 'linktrack.bravenet.com' 'pub2.bravenet.com' 'pub7.bravenet.com' 'pub9.bravenet.com' 'pub12.bravenet.com' 'pub13.bravenet.com' 'pub16.bravenet.com' 'pub23.bravenet.com' 'pub26.bravenet.com' 'pub27.bravenet.com' 'pub28.bravenet.com' 'pub29.bravenet.com' 'pub30.bravenet.com' 'pub31.bravenet.com' 'pub34.bravenet.com' 'pub39.bravenet.com' 'pub40.bravenet.com' 'pub42.bravenet.com' 'pub43.bravenet.com' 'pub45.bravenet.com' 'pub47.bravenet.com' 'pub49.bravenet.com' 'pub50.bravenet.com' 'xml.bravenet.com' 'segs.btrll.com' 'vast.bp3855098.btrll.com' 'vast.bp3855099.btrll.com' 'vast.bp3854536.btrll.com' 'vast.bp3855984.btrll.com' 'vast.bp3855987.btrll.com' 'vast.bp3855989.btrll.com' 'vast.bp3855991.btrll.com' 'vast.bp3855992.btrll.com' 'yrtas.btrll.com' 'brxserv-21.btrll.com' 'geo-errserv.btrll.com' 'addirector.vindicosuite.com' 'web.vindicosuite.com' 'ads.crawler.com' 'ads.websearch.com' 'tracking.godatafeed.com' 'www.cbeckads.com' 'atrd.netmng.com' 'brnys.netmng.com' 'com-kia.netmng.com' 'com-kodak.netmng.com' 'com-mitsubishi.netmng.com' 'com-morningstar.netmng.com' 'com-vw.netmng.com' 'dms.netmng.com' 'nbcustr.netmng.com' 'vw.netmng.com' 'a.netmng.com' 'display.digitalriver.com' 'stcwbd.com' 'tracking.tomsguide.com' 'tracking.tomshardware.com' 'www.ad.twitchguru.com' 'ads.bl-consulting.net' 'ads.gladen.bg' 'ads10.gladen.bg' 'ads.ibox.bg' 'ads.money.bg' 'www.burstbeacon.com' 'burstmedia.com' 'survey.burstmedia.com' 'websurvey.burstmedia.com' 'ads.burstnet.com' 'gifs.burstnet.com' 'sj.burstnet.com' 'text.burstnet.com' 'www.burstnet.com' 'www2.burstnet.com' 'www3.burstnet.com' 'www4.burstnet.com' 'www5.burstnet.com' 'www6.burstnet.com' 'www.burstnet.akadns.net' 'disco.flashbannernow.com' 'world.popadscdn.net' 'dclk.haaretz.com' 'dclk.haaretz.co.il' 'dclk.themarker.com' 'c4dl.com' 'www.c4dl.com' 'www.cash4downloads.com' 'adserver.merciless.localstars.com' 'statto.plus8.net' 'www.globalcharge.com' 'pluto.adcycle.com' 'www.adcycle.com' 'www.exchange-it.com' 'media.exchange-it.com' 'metacount.com' 'stats.metacount.com' 'www.metacount.com' 'popunder.com' 'media.popunder.com' 'www.popunder.com' 'www.rkdms.com' 'engine.phn.doublepimp.com' 'cdn.engine.phn.doublepimp.com' 'streamate.doublepimp.com' 'rts.pgmediaserve.com' 'rts.revfusion.net' 'ad.bnmla.com' 'domdex.com' 'qjex.net' 'rts.phn.doublepimp.com' 'ads.fuzzster.com' 'web.adblade.com' 'www.adsupply.com' 'ad1.adtitan.net' 'doublepimp.com' 'ad1.doublepimp.com' 'ad2.doublepimp.com' 'dev.doublepimp.com' 'rts.doublepimp.com' 'ad3.linkbucks.com' 'www.linkbucks.com' 'gk.rts.sparkstudios.com' 'spytrack.tic.ru' 'cdn.zeusclicks.com' 'hostedbannerads.aebn.net' 'realtouchbannerwidget.aebn.net' 'ox.tossoffads.com' 'www.tossoffads.com' 'affiliate.blucigs.com' 'bluhostedbanners.blucigs.com' 'ads.kaktuz.net' 'ads.bnmedia.com' 'ieginc.com' 'ads.iwangmedia.com' 'banners.rexmag.com' 'bmuk.burstnet.com' 'gr.burstnet.com' 'piwik.redtube.com' 'webstats.oanda.com' 'static.ad.libimseti.cz' 'h.waudit.cz' 'hitx.waudit.cz' 'intext.lookit.cz' 'ads.monogram.sk' 'casalemedia.com' 'as.casalemedia.com' 'b.casalemedia.com' 'c.casalemedia.com' 'i.casalemedia.com' 'img.casalemedia.com' 'js.casalemedia.com' 'r.casalemedia.com' 'www.casalemedia.com' 'www.oofun.com' '00fun.com' 'www.00fun.com' 'chat.888.com' 'images.888.com' 'setupspcp1.888.com' 'www.888.com' 'casino-on-net.com' 'demogwa.casino-on-net.com' 'images.casino-on-net.com' 'java2.casino-on-net.com' 'www.casino-on-net.com' 'www.casinoonnet.com' 'download1.pacificpoker.com' 'free.pacificpoker.com' 'images.pacificpoker.com' 'playersclub.reefclubcasino.com' 'www.pacificpoker.com' 'www.reefclubcasino.com' 'park.above.com' 'www.needmorehits.com' 'www.res-x.com' 'openx.trellian.com' 'banner.synergy-e.com' 'smart.synergy-e.com' 'stat.synergy-e.com' 'unitus.synergy-e.com' 'stat.fengniao.com' 'ads.webshots.com' 'adimg.bnet.com' 'mads.bnet.com' 'ocp.bnet.com' 'adlog.cbsi.com' 'mads.cbs.com' 'track.cbs.com' 'mads.cbsnews.com' 'ocp.cbsnews.com' 'adimg.chow.com' 'mads.chow.com' 'adimg.cnet.com' 'mads.cnet.com' 'remotead-internal.cnet.com' 'remotead.cnet.com' 'mads.cnettv.com' 'adimg.download.com' 'mads.download.com' 'bwp.findarticles.com' 'adimg.gamefaqs.com' 'mads.gamefaqs.com' 'adimg.theinsider.com' 'mads.theinsider.com' 'adimg.mp3.com' 'bwp.mp3.com' 'mads.mp3.com' 'adimg.news.com' 'adimg.tv.com' 'mads.tv.com' 'ads.zdnet.com' 'adimg.zdnet.com' 'mads.zdnet.com' 'bill.ccbill.com' 'images.ccbill.com' 'refer.ccbill.com' 'www.ccbill.com' 'www.ccbillcs.com' 'widget.perfectmarket.com' 'd-cache.microad.jp' 'amsv2.daum.net' 'vht.tradedoubler.com' 'cdn.clicktale.net' 'd-cache.microadinc.com' 'media.netrefer.com' 'media2.netrefer.com' 'cache1.adhostingsolutions.com' 'd.unanimis.co.uk' 'ads.forbes.com' 'vs.forbes.com' 'activity.serving-sys.com' 'bs.serving-sys.com' 'datacapture.serving-sys.com' 'pop.dnparking.com' 'a.ads99.cn' 'dwtracking.sdo.com' 'wwv.onetad.com' 'stats.dnparking.com' 'stat1.vipstat.com' 'goldbye.vicp.net' 'cdn.epicgameads.com' 'www.aptrafficnetwork.com' 'ads.gameservers.com' 'as.pmates.com' 'ads.sextvx.com' 'banners.videosz.com' 'feeds.videosz.com' 'ab.goodsblock.dt07.net' 'jsg.dt07.net' 'imgg.dt07.net' 'video-pomp.com' 'ad.abum.com' 'www.epicgameads.com' 'www.freepornsubmits.com' 'ilovecheating.com' 'ads.redtube.com' 'ad.slutload.com' 'banners.thirdmovies.com' 'ads.videosz.com' 'adserver.weakgame.com' 'xfuckbook.com' '404.xxxymovies.com' 'delivery.yourfuckbook.com' 'ads.ztod.com' 'banners.ztod.com' 'tools.ztod.com' 'watchddl.funu.info' 'ads.adgoto.com' 'banners.adgoto.com' 'v2.adgoto.com' 'www.mm26.com' 'www.18access.com' 'www.hentaidatabase.com' 'longtraffic.com' 'pussygreen.com' 'adv.sexcounter.com' 'cs.sexcounter.com' 'support.sextronix.com' 'www.sextronix.com' 'ads.asredas.com' 'secure-yt.imrworldwide.com' 'www.econda-monitor.de' 'www.free-choices.com' 'piwik.n24.de' 'ads.planet49.com' 'ads.adnet-media.net' '3amcouk.skimlinks.com' 'bikeforumsnet.skimlinks.com' 'complexcom.skimlinks.com' 'dirtytalk101com.skimlinks.com' 'freeforumsorg.skimlinks.com' 'handbagcom.skimlinks.com' 'hothardwarecom.skimlinks.com' 'mirrorcoukcelebs.skimlinks.com' 'projectw.skimlinks.com' 'reviewcentrecom.skimlinks.com' 'skimlinkscom.skimlinks.com' 'static.skimlinks.com' 'techradarcom.skimlinks.com' 'techspotcom.skimlinks.com' 'telegraphcouk.skimlinks.com' 'tidbitscom.skimlinks.com' 'toplessrobotcom.skimlinks.com' 'wirelessforumsorg.skimlinks.com' 'wordpresscom.skimlinks.com' 'wwwchipchickcom.skimlinks.com' 'wwwcultofmaccom.skimlinks.com' 'xmarkscom.skimlinks.com' 's.skimresources.com' 'bh.contextweb.com' 'cdslog.contextweb.com' 'media.contextweb.com' 'tag.contextweb.com' 'btn.clickability.com' 'button.clickability.com' 'cas.clickability.com' 'imp.clickability.com' 'ri.clickability.com' 's.clickability.com' 'sftp.clickability.com' 'stats.clickability.com' 'cdn.adbrau.com' 'cdn3.adbrau.com' 'asmedia.adsupplyssl.com' 'bbredir.com' 'srv.bebi.com' 'banners.bghelp.co.uk' 'wp1.cor-natty.com' 'count.im' 'downprov0.dd-download-dd-2.com' 'cdn.exoticads.com' 'content.exoticads.com' 'grabtrk.com' 'hot2015rewards.com' 'embed.insticator.com' 'itrengia.com' 'cdn.itrengia.com' 'ads.kickasstorrents.video' 'ads.mmediatags.com' 'ssl.mousestats.com' 'multioptik.com' 'neki.org' 'www.objectity.info' 'www.objectopoly.info' 'opensoftwareupdater.com' 'proudclick.com' 'cdn.pubexchange.com' 'quick-down-win.com' 'a10.reflexcash.com' 'ads.reflexcash.com' 'samvaulter.com' 'cdn.spoutable.com' 'engine.spoutable.com' 'www1.tec-tec-boom.com' 'xclusive.ly' 'pixel.yola.com' 'cdn1.zopiny.com' 'files.zz-download-zz5.com' 'files2.zz-download-zz7.com' 'adfoc.us' 'api.adquality.ch' 'ads.akademika.bg' 'img.avatraffic.com' 'bestappinstalls.com' 'ads.buzzlamp.com' 'ads.casumoaffiliates.com' 'cmtrading.ck-cdn.com' 'jque.net' 'ozertesa.com' 'pinion.gg' 'bin.pinion.gg' 'cdn.pinion.gg' 'programresolver.net' 'www.pstats.com' 'softwaare.net' 'theads.me' 'www.xyfex.com' '7vws1j1j.com' '94uyvwwh.com' 'adsbookie.com' 'ads.adsbookie.com' 't.cqq5id8n.com' 'cs.luckyorange.net' 'settings.luckyorange.net' 'upload.luckyorange.net' 'js.maxmind.com' 'ads.mylikes.com' 'www.mystat.pl' 'odzb5nkp.com' 'serials.ws' 'www.serials.ws' 'trafficg.com' 'www.trafficg.com' 'trw12.com' 'xpop.co' 'ad.zompmedia.com' 'pop.zompmedia.com' 'clicks.zwaar.org' '25643e662a2.com' 'www.adworld.com.tr' 'www1.arch-nicto.com' 'cdn.www1.arch-nicto.com' 'ads.ayads.co' 'click.bounceads.net' 'errorception.com' 'beacon.errorception.com' 'www.fulltraffic.net' 'static.kameleoon.com' 'assets.kixer.com' 'lognormal.net' 'cdn.luckyorange.com' 'w1.luckyorange.com' 'opendownloadmanager.com' 'popcash.net' 'soft-dld.com' 'softwareupdaterlp.com' '0iecfobt.com' 'www.adhexa.com' 'adprovider.adlure.net' 'geoservice.curse.com' 'ems2bmen.com' 'm57ku6sm.com' 'pixxur.com' 'analytics.codigo.se' 'cdn.directtrk.com' 'i.isohunt.to' 'opensoftwareupdate.com' 'popmyads.com' 'cdn.popmyads.com' 'assets.popmarker.com' 'c.cnzz.com' 'hos1.cnzz.com' 'hzs1.cnzz.com' 'hzs2.cnzz.com' 'hzs4.cnzz.com' 'hzs8.cnzz.com' 'hzs10.cnzz.com' 'hzs13.cnzz.com' 'hzs15.cnzz.com' 'hzs22.cnzz.com' 'icon.cnzz.com' 'pcookie.cnzz.com' 'pw.cnzz.com' 's1.cnzz.com' 's3.cnzz.com' 's4.cnzz.com' 's5.cnzz.com' 's7.cnzz.com' 's8.cnzz.com' 's9.cnzz.com' 's10.cnzz.com' 's11.cnzz.com' 's12.cnzz.com' 's13.cnzz.com' 's14.cnzz.com' 's15.cnzz.com' 's16.cnzz.com' 's18.cnzz.com' 's19.cnzz.com' 's20.cnzz.com' 's22.cnzz.com' 's23.cnzz.com' 's24.cnzz.com' 's26.cnzz.com' 's28.cnzz.com' 's29.cnzz.com' 's30.cnzz.com' 's33.cnzz.com' 's34.cnzz.com' 's37.cnzz.com' 's38.cnzz.com' 's47.cnzz.com' 's48.cnzz.com' 's50.cnzz.com' 's51.cnzz.com' 's54.cnzz.com' 's55.cnzz.com' 's61.cnzz.com' 's62.cnzz.com' 's63.cnzz.com' 's65.cnzz.com' 's66.cnzz.com' 's68.cnzz.com' 's69.cnzz.com' 's70.cnzz.com' 's76.cnzz.com' 's80.cnzz.com' 's83.cnzz.com' 's84.cnzz.com' 's85.cnzz.com' 's88.cnzz.com' 's89.cnzz.com' 's92.cnzz.com' 's94.cnzz.com' 's95.cnzz.com' 's99.cnzz.com' 's101.cnzz.com' 's102.cnzz.com' 's103.cnzz.com' 's105.cnzz.com' 's106.cnzz.com' 's108.cnzz.com' 's109.cnzz.com' 's110.cnzz.com' 's111.cnzz.com' 's112.cnzz.com' 's113.cnzz.com' 's115.cnzz.com' 's116.cnzz.com' 's118.cnzz.com' 's120.cnzz.com' 's130.cnzz.com' 's131.cnzz.com' 's132.cnzz.com' 's137.cnzz.com' 's142.cnzz.com' 'v1.cnzz.com' 'v3.cnzz.com' 'v4.cnzz.com' 'v5.cnzz.com' 'v7.cnzz.com' 'v9.cnzz.com' 'w.cnzz.com' 'zs11.cnzz.com' 'zs16.cnzz.com' 'qitrck.com' '3xtraffic.com' '33video.33universal.com' 'oasis.411affiliates.ca' 'acuityplatform.com' 'click-west.acuityplatform.com' 'serve-east.acuityplatform.com' 'tracker.banned-celebpics.com' 'counter.bizland.com' 'v.bsvideos.com' 'hfm.checkm8.com' 'qlipso.checkm8.com' 'sagedigital.checkm8.com' 'creative.clicksor.com' 'stat.designntrend.com' 'ppc-parked.domainsite.com' 'vcontent.e-messenger.net' 'ads.financialcontent.com' 'adserver.finditquick.com' 'partner.finditquick.com' 'www.findit-quick.com' 'txn.grabnetworks.com' 'ad.internetradioinc.com' 'click.linkstattrack.com' 'ads.lzjl.com' 'www.lzjl.com' 'ads.movieflix.com' 'ads.newgrounds.com' 'www.ngads.com' 'adimg.ngfiles.com' 'ads.onemodelplace.com' 'www.pythonpays.com' 'ads.redlightcenter.com' 'tor.redlightcenter.com' 'ad.trident.net' 'a.xanga.com' 'cache.betweendigital.com' 'dispenser-rtb.sape.ru' 'aj.600z.com' 'static.hatid.com' 'text-link-ads.ientry.com' 'aj.ientry.net' 'img1.ientry.net' 'piwik.ientry.com' 'tracking.ientry.net' 'images.indiads.com' 'servedby.indiads.com' 'ads2.playnet.com' 'as5000.wunderground.com' 'pda.mv.bidsystem.com' 'e.nspmotion.com' 'imgc.psychcentral.com' 'clickbank.net' 'hop.clickbank.net' 'zzz.clickbank.net' 'ua.adriver.ru' 'ua-content.adriver.ru' 'e2.molbuk.ua' 'ads.premiership.bg' 'media.easyads.bg' 'bms.xenium.bg' 'adfun.ru' 'ad1.adfun.ru' 'ads.juicyads.com' 'adserver.juicyads.com' 'fill.juicyads.com' 'mobile.juicyads.com' 'redir.juicyads.com' 'xapi.juicyads.com' 'www.juicyads.com' 'textad.eroticmatch.com' 'pod.manplay.com' 'textad.manplay.com' 'textad.passionsearch.com' 'banners.sexsearch.com' 'openx.sexsearchcom.com' 'textad.sexsearch.com' 'wt.sexsearch.com' 'textad.sexsearchcom.com' 'wt.sexsearchcom.com' 'textad.xpress.com' 'textad.xxxcupid.com' 'textad.xxxmatch.com' 'clickedyclick.com' 'www.clickedyclick.com' 'pod.infinitypersonals.com' 'textad.socialsex.com' 'adv.domino.it' 'count.vivistats.com' 'trk.newtention.net' 'www.ranking-links.de' 'api.zanox.com' 'ads.all-free-download.com' 'us1.siteimprove.com' 'us2.siteimprove.com' 'adv.all-free-download.com' 'www.top100lists.ca' 'siterecruit.comscore.com' 'oss-content.securestudies.com' 'beacon.scorecardresearch.com' 'sb.scorecardresearch.com' 'www2.survey-poll.com' 'www.premieropinion.com' 'a.scorecardresearch.com' 'c.scorecardresearch.com' 'post.securestudies.com' 'www.voicefive.com' 'udm.ia8.scorecardresearch.com' 'udm.ia9.scorecardresearch.com' 'beacon.securestudies.com' 'ar.voicefive.com' 'rules.securestudies.com' 'www.permissionresearch.com' 'relevantknowledge.com' 'www.relevantknowledge.com' 'web.survey-poll.com' 'www.surveysite.com' 'survey2.voicefive.com' 'data.abebooks.com' 'www25.bathandbodyworks.com' 'testdata.coremetrics.com' 'www.linkshare.com' 'rainbow-uk.mythings.com' 'www.ad4mat.ch' 'www.da-ads.com' 't.p.mybuys.com' 'w.p.mybuys.com' 'cdn.dsultra.com' 'ads.jpost.com' 'sslwidget.criteo.com' 'cas.criteo.com' 'dis.criteo.com' 'dis.eu.criteo.com' 'dis.ny.us.criteo.com' 'dis.sv.us.criteo.com' 'dis.us.criteo.com' 'ld2.criteo.com' 'rta.criteo.com' 'rtax.criteo.com' 'sapatoru.widget.criteo.com' 'static.criteo.net' 'static.eu.criteo.net' 'widget.criteo.com' 'www.criteo.com' 'cdn.adnxs.com' 'search.ipromote.com' 'api.wundercounter.com' 'www.wundercounter.com' 'www.traficmax.fr' 'www.deltahost.de' 'www.gratis-toplist.de' 'cqcounter.com' 'img.cqcounter.com' 'nl.cqcounter.com' 'no.2.cqcounter.com' 'se.cqcounter.com' 'xxx.cqcounter.com' 'zz.cqcounter.com' 'ar.2.cqcounter.com' 'au.2.cqcounter.com' 'bg.2.cqcounter.com' 'ca.2.cqcounter.com' 'de.2.cqcounter.com' 'fr.2.cqcounter.com' 'nz.2.cqcounter.com' 'si.2.cqcounter.com' 'th.2.cqcounter.com' 'tr.2.cqcounter.com' 'uk.2.cqcounter.com' 'us.2.cqcounter.com' 'us.cqcounter.com' '1au.cqcounter.com' '1bm.cqcounter.com' '1ca.cqcounter.com' '1de.cqcounter.com' '1es.cqcounter.com' '1fr.cqcounter.com' '1in.cqcounter.com' '1it.cqcounter.com' '1jo.cqcounter.com' '1nl.cqcounter.com' '1pt.cqcounter.com' '1se.cqcounter.com' '1si.cqcounter.com' '1th.cqcounter.com' '1tr.cqcounter.com' '1ua.cqcounter.com' '1uk.cqcounter.com' '1us.cqcounter.com' '1xxx.cqcounter.com' 'www2.cqcounter.com' 'www.cqcounter.com' 'counter.w3open.com' 'ns2.w3open.com' 'ad.koreadaily.com' 'gtb5.acecounter.com' 'gtb19.acecounter.com' 'gtcc1.acecounter.com' 'gtp1.acecounter.com' 'gtp16.acecounter.com' 'wgc1.acecounter.com' 'ads.fooyoh.com' 'tags.adcde.com' 'rmedia.adonnetwork.com' 'tags.bannercde.com' 'popunder.popcde.com' 'banners.camdough.com' 'ad.httpool.com' 'aurelius.httpool.com' 'trajan.httpool.com' 'nsrecord.org' 'ads.atomex.net' 'sync.atomex.net' 'trk.atomex.net' 'www.xg4ken.com' 'www.admarketplace.net' 'banners.sys-con.com' 'pixel.adblade.com' 'pixel.industrybrains.com' 'web.industrybrains.com' 'image2.pubmatic.com' 'tags.rtbidder.net' 'www.3dstats.com' 'adserv.net' 'www.adwarespy.com' 'affiliates.bhphotovideo.com' 'www.buildtraffic.com' 'www.buildtrafficx.com' 'www.eliteconcepts.com' 'www.loggerx.com' 'www.myaffiliateprogram.com' 'www.spywarespy.com' 'tracking.validclick.com' 'parking.parklogic.com' 'www.almondnetworks.com' 'www.freedownloadzone.com' 'helpmedownload.com' 'www.helpmedownload.com' 'www.mp3downloadhq.com' 'www.mp3helpdesk.com' 'ads.cdrinfo.com' 'bluehparking.com' 'extended.dmtracker.com' 'video.dmtracker.com' 'vs.dmtracker.com' 'beacon.ehow.com' 'ads.i-am-bored.com' 'beacon.cracked.com' 'external.dmtracker.com' 'parking.dmtracker.com' 'search.dmtracker.com' 'rte-img.nuseek.com' 'rotator.tradetracker.net' 'ti.tradetracker.net' 'rotator.tradetracker.nl' 'ti.tradetracker.nl' 'banneradvertising.adclickmedia.com' 'www.linkreferral.com' 'mmm.vindy.com' 'adsbox.detik.com' 'analytic.detik.com' 'imagescroll.detik.com' 'newopenx.detik.com' 'beta.newopenx.detik.com' 'o.detik.com' 'detik.serving-sys.com' 'geolocation.t-online.de' 'hit32.hotlog.ru' 'hit33.hotlog.ru' 'hit35.hotlog.ru' 'hit38.hotlog.ru' 'lycosu.com' 'oneund.ru' 'go.oneund.ru' 'hit39.hotlog.ru' 'hit41.hotlog.ru' 'js.hotlog.ru' 'ads.glispa.com' 'partners.mysavings.com' 'tracking.novem.pl' 'network.advplace.com' 'cashcownetworks.com' 'media.cashcownetworks.com' 'clickauditor.net' 'directleads.com' 'directtrack.com' 'adultadworld.directtrack.com' 'affiliace.directtrack.com' 'ampedmedia.directtrack.com' 'asseenonpc.directtrack.com' 'battleon.directtrack.com' 'bingorevenue.directtrack.com' 'cpacampaigns.directtrack.com' 'dcsmarketing.directtrack.com' 'doubleyourdating.directtrack.com' 'gozing.directtrack.com' 'images.directtrack.com' 'imagecache.directtrack.com' 'img.directtrack.com' 'ino.directtrack.com' 'latin3.directtrack.com' 'maxxaffiliate.directtrack.com' 'mysavings.directtrack.com' 'niteflirt.directtrack.com' 'nitropayouts.directtrack.com' 'offersquest.directtrack.com' 'rapidresponse.directtrack.com' 'revenuegateway.directtrack.com' 'secure.directtrack.com' 'sideshow.directtrack.com' 'trafficneeds.directtrack.com' 'varsityads.directtrack.com' 'www.directtrack.com' 'tracking.fathomseo.com' '123.fluxads.com' 'keywordmax.com' 'www.keywordmax.com' 'show.onenetworkdirect.net' 'login.tracking101.com' 'ads.dir.bg' 'banners.dir.bg' 'r.dir.bg' 'r5.dir.bg' 'images.bmnq.com' 'images.cnomy.com' 'images.skenzo.com' 'img.skenzo.com' 'pics.skenzo.com' 'ads.webhosting.info' 'seavideo-ak.espn.go.com' 'adsatt.abcnews.starwave.com' 'adsatt.disney.starwave.com' 'adsatt.espn.go.com' 'adsatt.espn.starwave.com' 'adsatt.familyfun.starwave.com' 'adsatt.go.starwave.com' 'adsatt.movies.starwave.com' 'espn-ak.starwave.com' 'odc.starwave.com' 'dcapps.disney.go.com' 'ngads.go.com' 'ad.infoseek.com' 'ad.go.com' 'adimages.go.com' 'ctologger01.analytics.go.com' 'www.cyberzine.com' 'rtb3.doubleverify.com' 'oxen.hillcountrytexas.com' 'linkjumps.com' 'counter.dreamhost.com' 'ads.dkelseymedia.com' 'www.superbanner.org' 'traffk.info' 'bilbob.com' 'didtal.com' 'hartim.com' 'www.qsstats.com' 'quinst.com' 'synad.nuffnang.com.my' 'synad2.nuffnang.com.my' 'www.livewebstats.dk' 'tags.bkrtx.com' 'banners.videosecrets.com' 'static-bp.kameleoon.com' 'cdn.engine.4dsply.com' 'i.blogads.com' 'pxl.ibpxl.com' 'native.sharethrough.com' 'cdn.tagcommander.com' 'cdn.tradelab.fr' 'adv.0tub.com' 'cdn1.adadvisor.net' 'cdn.adgear.com' 'www.ad4mat.at' 'www.ad4mat.de' 'cdn.engine.adsupply.com' 'ads.adxpansion.com' 'media.adxpansion.com' 'edge.ayboll.com' 'static.bannersbroker.com' 'ds.bluecava.com' 'lookup.bluecava.com' 'hat.bmanpn.com' 'static.clicktripz.com' 'stats.complex.com' 'cdn.complexmedianetwork.com' 'cdn.crowdtwist.com' 'cdn2.ads.datinggold.com' 'cdn.mb.datingadzone.com' 'media.go2speed.org' 'resources.infolinks.com' 'e.invodo.com' 'sec.levexis.com' 'mproxy.banner.linksynergy.com' 'media.livepromotools.com' 'cdn.orbengine.com' 'cdn.pardot.com' 'media.pussycash.com' 'include.reinvigorate.net' 'cdna.runadtag.com' 'img.ads.sanomamobileads.nl' 'cdn1.skinected.com' 'rome.specificclick.net' 'cdn1.steelhousemedia.com' 'cdn4s.steelhousemedia.com' 'www.synovite-scripts.com' 'loader.topadvert.ru' 'tcr.tynt.com' 'cts.w55c.net' 'images.webads.it' 'images.webads.nl' 'images.webads.co.uk' 'static.woopra.com' 'wprp.zemanta.com' 'g.3gl.net' 'adcdn.33universal.com' 'static.cdn.adblade.com' 'y.cdn.adblade.com' 'adunit.cdn.auditude.com' 'ndn.cdn.auditude.com' 'm.burt.io' 'cv.bsvideos.com' 'tube8.celogera.com' 'banners.crakcash.com' 'ebocornac.com' 'herezera.com' 'pixel.indieclick.com' 'staticd.cdn.industrybrains.com' 'cdn.ads.ookla.com' 'apis.sharethrough.com' 'c.supert.ag' 'cdn.engine.trklnks.com' 'ads.w55c.net' 'img1.zergnet.com' 'img2.zergnet.com' 'img3.zergnet.com' 'img4.zergnet.com' 'ads.amdmb.com' 'dynamic1.anandtech.com' 'dynamic2.anandtech.com' 'dynamic1.dailytech.com' 'now.eloqua.com' 's323.t.eloqua.com' 's1184.t.eloqua.com' 's1471.t.eloqua.com' 's1481.t.eloqua.com' 's2150.t.eloqua.com' 's3015.t.eloqua.com' 'amare.softwaregarden.com' 'www.trafficflame.com' 'hitpro.us' 'www.hitpro.us' 'iframes.us' 'www.iframes.us' 'www.targeted-banners.com' 'www.adventertainment.it' 'banners.direction-x.com' '599.stats.misstrends.com' '602.stats.misstrends.com' '604.stats.misstrends.com' '606.stats.misstrends.com' '654.stats.misstrends.com' '671.stats.misstrends.com' '680.stats.misstrends.com' '699.stats.misstrends.com' '726.stats.misstrends.com' '750.stats.misstrends.com' '803.stats.misstrends.com' '879.stats.misstrends.com' '986.stats.misstrends.com' '1559.stats.misstrends.com' '1800.stats.misstrends.com' '1867.stats.misstrends.com' '2278.stats.misstrends.com' '4184.stats.misstrends.com' 'cm.marketgid.com' 'imgg.marketgid.com' 'jsc.marketgid.com' 'videoclick.ru' 'www.humanclick.com' 'hc2.humanclick.com' 'wizard.liveperson.com' 'www.liveperson.com' 'liveperson.net' 'lptag.liveperson.net' 'sec1.liveperson.net' 'server.iad.liveperson.net' 'www.hostedbanners.com' 'landingpages.sunnytoolz.com' 'ads.guru3d.com' 'banner1.pornhost.com' 'ad3.hornymatches.com' 'banner.adserverpub.com' 'js.adserverpub.com' 'www2.adserverpub.com' 'images.brainfox.com' 'search.brainfox.com' 'www.brainfox.com' 'results.cafefind.net' 'www.exactadvertising.com' 'leadgenetwork.com' 'www.leadgenetwork.com' 'gamevance.com' 'www.gamevance.com' 'ad7.literotica.com' 'r1.literotica.com' 'creative.ak.facebook.com' 'creative.ak.fbcdn.net' 'cx.atdmt.com' 'cdn.atlassbx.com' 'pixel.facebook.com' 'ads.skupe.net' '005.free-counter.co.uk' '006.free-counter.co.uk' '008.free-counter.co.uk' '008.free-counters.co.uk' 'ad1.adfarm1.adition.com' 'ad2.adfarm1.adition.com' 'ad3.adfarm1.adition.com' 'ad4.adfarm1.adition.com' 'dsp.adfarm1.adition.com' 'rtb.metrigo.com' 'banners.virtuagirlhd.com' 'cbanners.virtuagirlhd.com' 'www.tostadomedia.com' 'www.1freecounter.com' 'jizzads.com' 'www.jizzads.com' 'dce.nextstat.com' 'hits.nextstat.com' 'hv3.webstat.com' 'hits.webstat.com' 'areasnap.com' 'uk.ads.hexus.net' 'adserver4.fluent.ltd.uk' 'hexusads.fluent.ltd.uk' 'ads.americanidol.com' 'ads.ign.com' 'nb.myspace.com' 'adserver.snowball.com' 't.snowball.com' 'fimserve.askmen.com' 'fimserve.ign.com' 'delb.myspace.com' 'delb2.myspace.com' 'demr.myspace.com' 'fimserve.myspace.com' 'fimserve.rottentomatoes.com' 'mpp.specificclick.net' 'mpp.vindicosuite.com' 'adcontent.gamespy.com' 'ads.gamespyid.com' 'atax.askmen.com' 'wrapper.askmen.com' 'wrapper.direct2drive.com' 'wrapper.fileplanet.com' 'atax.gamermetrics.com' 'atax.gamespy.com' 'wrapper.gamespyid.com' 'wrapper.giga.de' 'atax.ign.com' 'wrapper.ign.com' 'atax.teamxbox.com' 'wrapper.teamxbox.com' 'aujourdhui.refr.adgtw.orangeads.fr' 'all.orfr.adgtw.orangeads.fr' 'ap.read.mediation.pns.ap.orangeads.fr' 'ad.cashdorado.de' 'adserver.freenet.de' 'adview.ppro.de' 'cdn.stroeerdigitalmedia.de' '5d406.v.fwmrm.net' '5d427.v.fwmrm.net' '2822.v.fwmrm.net' '2945.v.fwmrm.net' '5be16.v.fwmrm.net' '5d0dd.v.fwmrm.net' '5d4a1.v.fwmrm.net' 'bd0dc.v.fwmrm.net' 'g1.v.fwmrm.net' '1c6e2.v.fwmrm.net' '2a86.v.fwmrm.net' '2df7d.v.fwmrm.net' '2df7e.v.fwmrm.net' '5bde1.v.fwmrm.net' '165a7.v.fwmrm.net' '2915d.v.fwmrm.net' '2915dc.v.fwmrm.net' '2912a.v.fwmrm.net' '2975c.v.fwmrm.net' '29773.v.fwmrm.net' 'bea4.v.fwmrm.net' 'm.v.fwmrm.net' '2ab7f.v.fwmrm.net' '9cf9.v.fwmrm.net' 'ads.adultfriendfinder.com' 'pop6.adultfriendfinder.com' 'ads.alt.com' 'ads.amigos.com' 'ads.asiafriendfinder.com' 'ads.friendfinder.com' 'e89.friendfinder.com' 'banners.getiton.com' 'ads.jewishfriendfinder.com' 'graphics.medleyads.com' 'ads.millionairemate.com' 'ads.outpersonals.com' 'ads.passion.com' 'content.pop6.com' 'ads.seniorfriendfinder.com' 'adultfriendfinder.com' 'adserver.adultfriendfinder.com' 'banners.adultfriendfinder.com' 'cover9.adultfriendfinder.com' 'geobanner.adultfriendfinder.com' 'guest.adultfriendfinder.com' 'iframe.adultfriendfinder.com' 'option9.adultfriendfinder.com' 'tgp.adultfriendfinder.com' 'www.adultfriendfinder.com' 'adserver.alt.com' 'banners.alt.com' 'banners.amigos.com' 'adserver.asiafriendfinder.com' 'banners.asiafriendfinder.com' 'banners.bigchurch.com' 'ads.bondage.com' 'adserver.bondage.com' 'banners.bookofsex.com' 'ads.breakthru.com' 'adserver.cams.com' 'banners.cams.com' 'promo.cams.com' 'adserver.friendfinder.com' 'banners.friendfinder.com' 'geobanner.friendfinder.com' 'openads.friendfinder.com' 'banners.fuckbookhookups.com' 'banners.gayfriendfinder.com' 'banners.germanfriendfinder.com' 'getiton.com' 'geobanner.getiton.com' 'banners.hornywife.com' 'banners.icams.com' 'banners.jewishfriendfinder.com' 'medleyads.com' 'www.medleyads.com' 'adserver.millionairemate.com' 'banners.millionairemate.com' 'adserver.outpersonals.com' 'banners.outpersonals.com' 'adserver.passion.com' 'banner.passion.com' 'banners.passion.com' 'geobanner.passion.com' 'adserver.penthouse.com' 'banners.penthouse.com' 'glean.pop6.com' 'adserver.seniorfriendfinder.com' 'banners.seniorfriendfinder.com' 'geobanner.seniorfriendfinder.com' 'affiliates.streamray.com' 'banners.images.streamray.com' 'free.content.streamray.com' 'livecamgirls.streamray.com' 'banners.swapfinder.com' 'free.thesocialsexnetwork.com' 'ad.bubblestat.com' 'in.bubblestat.com' 'www2.click-fr.com' 'www3.click-fr.com' 'www4.click-fr.com' 'media.foundry42.com' 'ads.pornerbros.com' 'cs.adxpansion.com' 'cs1.adxpansion.com' 'dev.media.adxpansion.com' 'www.adxpansion.com' 'site.falconbucks.com' 'ad2.gammae.com' 'internalads.gammae.com' 'ads.givemegay.com' 'www.linkfame.com' '1274.mediatraffic.com' 'www.mediatraffic.com' 'www.surfaccuracy.com' 'ads.sxx.com' 'ads.vipcams.com' '15minadlt.hit.gemius.pl' 'hit.gemius.pl' 'activeby.hit.gemius.pl' 'ad.hit.gemius.pl' 'adactiongapl.hit.gemius.pl' 'adafi.hit.gemius.pl' 'adbg.hit.gemius.pl' 'adclick.hit.gemius.pl' 'adcz.hit.gemius.pl' 'adee.hit.gemius.pl' 'adhr.hit.gemius.pl' 'adlt.hit.gemius.pl' 'adlv.hit.gemius.pl' 'adnet.hit.gemius.pl' 'adnetgalt.hit.gemius.pl' 'adocean-by.hit.gemius.pl' 'adocean-cz.hit.gemius.pl' 'adocean-ee.hit.gemius.pl' 'adocean-hr.hit.gemius.pl' 'adocean-lt.hit.gemius.pl' 'adocean-lv.hit.gemius.pl' 'adocean-pl.hit.gemius.pl' 'adocean-ro.hit.gemius.pl' 'adocean-si.hit.gemius.pl' 'adocean-ua.hit.gemius.pl' 'adro.hit.gemius.pl' 'adrs.hit.gemius.pl' 'advice.hit.gemius.pl' 'advicead.hit.gemius.pl' 'aolt.hit.gemius.pl' 'aolv.hit.gemius.pl' 'apolloadlv.hit.gemius.pl' 'arbo.hit.gemius.pl' 'aripaadee.hit.gemius.pl' 'avt.hit.gemius.pl' 'allegro.hit.gemius.pl' 'axel.hit.gemius.pl' 'b92adrs.hit.gemius.pl' 'bestjobs.hit.gemius.pl' 'bg.hit.gemius.pl' 'blitzadbg.hit.gemius.pl' 'ghm_bulgaria.hit.gemius.pl' 'centrumcz.hit.gemius.pl' 'ua.cnt.gemius.pl' 'corm.hit.gemius.pl' 'counter.gemius.pl' 'cz.hit.gemius.pl' 'darikspaceadbg.hit.gemius.pl' 'delfiadlt.hit.gemius.pl' 'delfiadlv.hit.gemius.pl' 'delfiadee.hit.gemius.pl' 'delfilv.hit.gemius.pl' 'diginetlt.hit.gemius.pl' 'digital4adro.hit.gemius.pl' 'dirbg.hit.gemius.pl' 'edipresse.hit.gemius.pl' 'ee.hit.gemius.pl' 'eega.hit.gemius.pl' 'eniro.hit.gemius.pl' 'gaae.hit.gemius.pl' 'gaat.hit.gemius.pl' 'gaba.hit.gemius.pl' 'gabe.hit.gemius.pl' 'gabg.hit.gemius.pl' 'gaby.hit.gemius.pl' 'gacz.hit.gemius.pl' 'gadk.hit.gemius.pl' 'gaee.hit.gemius.pl' 'gadnet.hit.gemius.pl' 'gahu.hit.gemius.pl' 'gajo.hit.gemius.pl' 'gail.hit.gemius.pl' 'gakz.hit.gemius.pl' 'galb.hit.gemius.pl' 'galindia.hit.gemius.pl' 'galt.hit.gemius.pl' 'galv.hit.gemius.pl' 'gamk.hit.gemius.pl' 'gapl.hit.gemius.pl' 'gars.hit.gemius.pl' 'garo.hit.gemius.pl' 'garu.hit.gemius.pl' 'gask.hit.gemius.pl' 'gatr.hit.gemius.pl' 'gaua.hit.gemius.pl' 'gazeta.hit.gemius.pl' 'gdebg.hit.gemius.pl' 'gdeil.hit.gemius.pl' 'gdecz.hit.gemius.pl' 'gdelv.hit.gemius.pl' 'gdesk.hit.gemius.pl' 'gders.hit.gemius.pl' 'gemadhu.hit.gemius.pl' 'generalmediaadhu.hit.gemius.pl' 'gg.hit.gemius.pl' 'gde-default.hit.gemius.pl' 'ghmme.hit.gemius.pl' 'ghmbg.hit.gemius.pl' 'ghmpl.hit.gemius.pl' 'ghmrs.hit.gemius.pl' 'goldbach.hit.gemius.pl' 'gspro.hit.gemius.pl' 'gtlt.hit.gemius.pl' 'gtlv.hit.gemius.pl' 'idg.hit.gemius.pl' 'hr.hit.gemius.pl' 'hu.hit.gemius.pl' 'huadn.hit.gemius.pl' 'icorpadro.hit.gemius.pl' 'idm.hit.gemius.pl' 'interia.hit.gemius.pl' 'investoradbg.hit.gemius.pl' 'keepaneyeadmk.hit.gemius.pl' 'kon.hit.gemius.pl' 'lrytasadlt.hit.gemius.pl' 'ls.hit.gemius.pl' 'lt.hit.gemius.pl' 'lv.hit.gemius.pl' 'mbank.hit.gemius.pl' 'mediaregad.hit.gemius.pl' 'metagaua.hit.gemius.pl' 'mreg.hit.gemius.pl' 'negadbg.hit.gemius.pl' 'netsprint.hit.gemius.pl' 'neogenadro.hit.gemius.pl' 'o2.hit.gemius.pl' 'o2adpl.hit.gemius.pl' 'oglasnikadhr.hit.gemius.pl' 'ohtulehtadee.hit.gemius.pl' 'olx.hit.gemius.pl' 'onet.hit.gemius.pl' 'opt.hit.gemius.pl' 'prefix.hit.gemius.pl' 'pracuj.hit.gemius.pl' 'pro.hit.gemius.pl' 'rbcgaru.hit.gemius.pl' 'realitateadro.hit.gemius.pl' 'ringieradrs.hit.gemius.pl' 'ringieradro.hit.gemius.pl' 'ro.hit.gemius.pl' 'ro1adro.hit.gemius.pl' 'rp.hit.gemius.pl' 'scz.hit.gemius.pl' 'see.hit.gemius.pl' 'seznam.hit.gemius.pl' 'si.hit.gemius.pl' 'sk.hit.gemius.pl' 'slovakia.hit.gemius.pl' 'spir.hit.gemius.pl' 'spl.hit.gemius.pl' 'sportaladbg.hit.gemius.pl' 'st.hit.gemius.pl' 'st1.hit.gemius.pl' 'std1.hit.gemius.pl' 'str.hit.gemius.pl' 'stua.hit.gemius.pl' 'thinkdigitaladro.hit.gemius.pl' 'tr.hit.gemius.pl' 'tvn.hit.gemius.pl' 'ua.hit.gemius.pl' 'vbadbg.hit.gemius.pl' 'webgroundadbg.hit.gemius.pl' 'wp.hit.gemius.pl' 'wykop.hit.gemius.pl' 'home.hit.stat.pl' 'onet.hit.stat.pl' 's1.hit.stat.pl' 's2.hit.stat.pl' 's3.hit.stat.pl' 's4.hit.stat.pl' 'sisco.hit.stat.pl' 'www.stat.pl' 'baner.energy-torrent.com' 'contentwidgets.net' 'ads-by.madadsmedia.com' 'ads-by.yieldselect.com' 'ibmvideo.com' 'intermediaceli.com' 'adtrade.ro' 'www.adtrade.ro' 'c0.amazingcounters.com' 'c1.amazingcounters.com' 'c2.amazingcounters.com' 'c3.amazingcounters.com' 'c4.amazingcounters.com' 'c5.amazingcounters.com' 'c6.amazingcounters.com' 'c7.amazingcounters.com' 'c8.amazingcounters.com' 'c9.amazingcounters.com' 'cb.amazingcounters.com' 'www.amazingcounters.com' 'ads.betanews.com' 'everydaygays.com' 'www.everydaygays.com' 'm.usersonline.com' 'gscounters.gigya.com' 'gscounters.us1.gigya.com' 'adserver.adsbyfpc.com' 'www.adultadbroker.com' 'www.buy404s.com' 'domainplayersclub.com' 'reviews.domainplayersclub.com' 'ebtmarketing.com' 'www.ebtmarketing.com' 'www.exitforcash.com' 'www.fpcpopunder.com' 'popunder.fpctraffic.com' 'www.fpctraffic.com' 'fpctraffic2.com' 'www.fpctraffic2.com' 'www.freeezinebucks.com' 'freeticketcash.com' 'frontpagecash.com' 'www.frontpagecash.com' 'www.toppornblogs.com' 'hitexchange.net' 'gif.hitexchange.net' 'img.hitexchange.net' 'www.hitexchange.net' 'hitx.net' 'gif.hitx.net' 'www.hitx.net' 'www.clickaction.net' 'server2.discountclick.com' 'a.hspvst.com' 'van.redlightcenter.com' 'webmaster.utherverse.com' 'www.cpx24.com' 'ourbesthits.com' 'thebighits.com' 'www.edomz.com' 'secure.gaug.es' 'flagcounter.com' 'spads.yamx.com' 'dft.cl.dynad.net' 'www.statsmachine.com' 'stat001.mylivepage.com' 'stat002.mylivepage.com' 'stat003.mylivepage.com' 'stat004.mylivepage.com' 'stat005.mylivepage.com' 'stat006.mylivepage.com' 'stat007.mylivepage.com' 'stat008.mylivepage.com' 'stat009.mylivepage.com' 'stat010.mylivepage.com' 'bounceexchange.com' 'ads.admnx.com' 'www.digiaquascr.com' 'wms-tools.com' 'www.777seo.com' 'www.adseo.net' 'www.affordablewebsitetraffic.com' 'codeads.com' 'www.codeads.com' '14.ca.enwebsearch.com' 'www.ewebse.com' 'www.freehitwebcounters.com' 'www.milesdebanners.com' 'redemptionengine.com' 'www.redemptionengine.com' 'ads.nwso.net' 'images-pw.secureserver.net' 'images.secureserver.net' 'ms-mvp.org' 'www.ms-mvp.org' 'apex-ad.com' 'www.standardinternet.com' 'max.gunggo.com' 'g.p.mybuys.com' 'errorkillers.net' 'highpro1.com' 'babanetwork.adk2x.com' 'hlamedia.adk2x.com' 'p.adpdx.com' 'static-trackers.adtarget.me' 'pureadexchange.com' 'www.pureadexchange.com' 'www.tradeadexchange.com' 'trackers.adtarget.me' 'conversion-pixel.invitemedia.com' 'mottnow.adk2x.com' 's.admtpmp123.com' 's.admtpmp127.com' 'www.adnetworkperformance.com' 'ads.adplxmd.com' 'ads.adsfirefly.com' 'js.ad-score.com' 'adcmtd.mac-torrent-download.net' 'www.totaladperformance.com' 'www.liveadexchanger.com' 'jp.admob.com' 'dp.g.doubleclick.net' 'service.urchin.com' 's.admtpmp124.com' 'analytics-api-samples.googlecode.com' '1435575.fls.doubleclick.net' '4053494.fls.doubleclick.net' '4236808.fls.doubleclick.net' 'www.googletagmanager.com' 'www3.webhostingtalk.com' 'trafficedge.adk2x.com' 'lesechos.ezakus.net' 'm1.2mdn.net' 'rmcdn.2mdn.net' 'rmcdn.f.2mdn.net' 'n339.asp-cc.com' 'ads.cc-dt.com' 'clickserve.cc-dt.com' 'creative.cc-dt.com' 'clickserve.dartsearch.net' 'clickserve.eu.dartsearch.net' 'clickserve.uk.dartsearch.net' 'ad2.doubleclick.net' 'ad.ae.doubleclick.net' 'ad.ar.doubleclick.net' 'ad.at.doubleclick.net' 'ad.au.doubleclick.net' 'ad.be.doubleclick.net' 'ad.br.doubleclick.net' 'ad.ca.doubleclick.net' 'ad.ch.doubleclick.net' 'ad.cl.doubleclick.net' 'ad.cn.doubleclick.net' 'ad.de.doubleclick.net' 'ad.dk.doubleclick.net' 'ad.es.doubleclick.net' 'ad.fi.doubleclick.net' 'ad.fr.doubleclick.net' 'ad.gr.doubleclick.net' 'ad.hk.doubleclick.net' 'ad.hr.doubleclick.net' 'ad.hu.doubleclick.net' 'ad.ie.doubleclick.net' 'ad.in.doubleclick.net' 'ad.jp.doubleclick.net' 'ad.kr.doubleclick.net' 'ad.it.doubleclick.net' 'ad.nl.doubleclick.net' 'ad.no.doubleclick.net' 'ad.nz.doubleclick.net' 'ad.pl.doubleclick.net' 'ad.pt.doubleclick.net' 'ad.ro.doubleclick.net' 'ad.ru.doubleclick.net' 'ad.se.doubleclick.net' 'ad.sg.doubleclick.net' 'ad.si.doubleclick.net' 'ad.terra.doubleclick.net' 'ad.th.doubleclick.net' 'ad.tw.doubleclick.net' 'ad.uk.doubleclick.net' 'ad.us.doubleclick.net' 'ad.za.doubleclick.net' 'ad.n2434.doubleclick.net' 'ad-emea.doubleclick.net' 'creatives.doubleclick.net' 'dfp.doubleclick.net' 'feedads.g.doubleclick.net' 'fls.doubleclick.net' 'fls.uk.doubleclick.net' 'ir.doubleclick.net' 'iv.doubleclick.net' 'm.doubleclick.net' 'motifcdn.doubleclick.net' 'motifcdn2.doubleclick.net' 'n4052ad.doubleclick.net' 'n4403ad.doubleclick.net' 'n479ad.doubleclick.net' 'paypalssl.doubleclick.net' 'pubads.g.doubleclick.net' 's2.video.doubleclick.net' 'static.doubleclick.net' 'survey.g.doubleclick.net' 'doubleclick.ne.jp' 'www3.doubleclick.net' 'www.doubleclick.net' 'doubleclick.com' 'www2.doubleclick.com' 'www3.doubleclick.com' 'www.doubleclick.com' 'www.bt.emsecure.net' 'tpc.googlesyndication.com' 'ad.rs.doubleclick.net' 'affiliate.2mdn.net' 'clickserve.us2.dartsearch.net' 'ad-apac.doubleclick.net' 'adclick.g.doubleclick.net' 'gan.doubleclick.net' 'googleads2.g.doubleclick.net' 'n4061ad.hk.doubleclick.net' 'securepubads.g.doubleclick.net' 'code.adtlgc.com' 'ip-geo.appspot.com' 'nojsstats.appspot.com' 'gae.caspion.com' 'ad.co-co-co.co' 'ad-ace.doubleclick.net' 'ad.bg.doubleclick.net' 'bid.g.doubleclick.net' 'cm.g.doubleclick.net' '4360661.fls.doubleclick.net' '4488352.fls.doubleclick.net' 'stats.g.doubleclick.net' 'fls.au.doubleclick.net' 'www.doubleclickbygoogle.com' 'video-stats.video.google.com' 'ssl.google-analytics.com' 'www.google-analytics.com' '4.afs.googleadservices.com' 'pagead2.googleadservices.com' 'partner.googleadservices.com' 'www.googleadservices.com' 'domains.googlesyndication.com' 'www.googletagservices.com' 'www.linksalpha.com' 'log2.quintelligence.com' 'web.acumenpi.com' 'ads.bloodhorse.com' 'st.magnify.net' 'stats.magnify.net' 'ads.thehorse.com' 'search.etargetnet.com' 'bg.search.etargetnet.com' 'cz.search.etargetnet.com' 'hr.search.etargetnet.com' 'hu.search.etargetnet.com' 'pl.search.etargetnet.com' 'ro.search.etargetnet.com' 'rs.search.etargetnet.com' 'sk.search.etargetnet.com' 'bg.static.etargetnet.com' 'cz.static.etargetnet.com' 'hr.static.etargetnet.com' 'hu.static.etargetnet.com' 'rs.static.etargetnet.com' 'ad.sitelement.sk' 'tracking.admail.am' 'www.adylalahb.ru' 'c.am11.ru' 'ads.gadget.ro' 'cdn.iqcontentplatform.de' 'l.lp4.io' 'p.lp4.io' 'rtbproxy.mgid.com' 'splitter.ndsplitter.com' 'switch.rtbsystem.com' 's62.research.de.com' 'show.smartcontext.pl' 't.goadservices.com' 'e.maxtraffic.com' 'track.recreativ.ru' 'adsfeed3.brabys.co.za' 'traffic.brand-wall.net' 'advertising.fussball-liveticker.eu' 'adv.medicine.bg' 'delivery1.topad.mobi' 'mp.pianomedia.eu' 'click.plista.com' 'farm.plista.com' 'app3.rutarget.ru' 'us-sonar.sociomantic.com' 'adserver.spritmonitor.de' 'xblasterads1.com' 'yieldads.com' 'scambiobanner.altervista.org' 'avazudsp.net' 'piwik.hboeck.de' 'ads2.opensubtitles.org' 'test.wiredminds.de' 'wm.wiredminds.de' 'eps-analyzer.de' 'openx.itsmassive.com' 'openads.motorrad-net.at' 'static.openads.motorrad-net.at' 'stats.ser4.de' 'stats.speak2us.net' 'ads.sysmesh.com' 'sonar.sociomantic.com' 'api.7segments.com' 'a.mobile.toboads.com' 'relay.mobile.toboads.com' 'count.yandeg.ru' 'adbuka.com' 'www.adbuka.com' 'www.blogads.de' 'ads.energy-torrent.com' 'hits.europuls.eu' 'ads.moitesdelki.bg' 'ads3.moitepari.bg' 'ad.propellerads.com' 'stats.warenform.de' 'media.adcarousel.pl' 'www.adcarousel.pl' 'www.adtraff.ru' 'advombat.ru' 'am15.net' 'ads.betweendigital.com' 'baypops.com' 'cdn.contentspread.net' 'ads.finzoom.com.tr' 'js.e-generator.com' 'target.e-generator.com' 'target.net.finam.ru' 'track.idtargeting.com' 'jadcenter.com' 'mediatex.in' 's300.meetrics.net' 'wh.motorpresse-statistik.de' 'js.smi2.ru' 'target.smi2.net' 'stats.virtuemart.net' 'park.beenetworks.net' 'lb.fruitflan.com' 'adcentre.it-advanced.com' 'dc61.s290.meetrics.net' 'partnerearning.com' 'eu-sonar.sociomantic.com' 'www2.stats4free.de' 'www.stats4free.de' 'ads.videofen.com' 'wmapp.wiredminds.de' 'adlimg05.com' 'www.adlimg05.com' 'dc56.s290.meetrics.net' 'ad10.play3.de' 'scripts.conversionattribution.com' 'banner.finzoom.ro' 'cpm.adspine.com' 'advbox.biz' 'ox.affiliation-int.com' 'de1.frosmo.com' 'goodsupportn.su' 'ireklama.mk' 'www.sitecounter.be' 'afx.tagcdn.com' 'pix.tagcdn.com' 'www.trafficrank.de' 'www.weitclick.de' 'wm-goldenclick.ru' 'br.comclick.com' 'bdx.comclick.com' 'ct2.comclick.com' 'fl01.ct2.comclick.com' 'ihm01.ct2.comclick.com' 'www.comclick.com' 'js.himediads.com' 'c.adforgeinc.com' 'www.adshost3.com' 'c7.adforgeinc.com' 'adstest.reklamstore.com' 'banner.ringofon.com' 'ad.db3nf.com' 'go.jetswap.com' 'tracksy.com' 'findfavour.com' 'get.mirando.de' 'r.refinedads.com' 'limg.adspirit.de' 'taz.adspirit.de' 'urban.adspirit.de' 'admention.adspirit.de' 'adx.adspirit.de' 'lidlretargeting.adspirit.de' 'ruemedia.adspirit.net' 'sgmedia.adspirit.net' 'ja.revolvermaps.com' 'jb.revolvermaps.com' 'jc.revolvermaps.com' 'jd.revolvermaps.com' 'je.revolvermaps.com' 'jf.revolvermaps.com' 'jg.revolvermaps.com' 'jh.revolvermaps.com' 'ji.revolvermaps.com' 'jk.revolvermaps.com' 'rb.revolvermaps.com' 'rc.revolvermaps.com' 'rd.revolvermaps.com' 're.revolvermaps.com' 'rg.revolvermaps.com' 'rh.revolvermaps.com' 'ri.revolvermaps.com' 'rk.revolvermaps.com' 'folkd.put.omnimon.de' 'openx.omniton.net' 'cdn.adspirit.de' 'ad4mat.de' 'serve.oxcluster.com' 'seekbang.com' 'www.seekbang.com' 'adbucks.brandreachsys.com' 'adc.brandreachsys.com' 'fe.brandreachsys.com' 'lg1.brandreachsys.com' 'mad2.brandreachsys.com' 'media.brandreachsys.com' 'clicks.equantum.com' 'adb.fling.com' 'br.fling.com' 'track.fling.com' 'kaizentraffic.com' 'br.meetlocals.com' 'promos.naked.com' 'br.naked.com' 'apps.nastydollars.com' 'clicks.nastydollars.com' 'graphics.nastydollars.com' 'webmasters.nastydollars.com' 'www-old.nastydollars.com' 'br.realitykings.com' 'track.realitykings.com' 'br.rk.com' 'promos.fling.com' 'promos.meetlocals.com' 'gallysorig.nastydollars.com' 'grab.nastydollars.com' 'hostedads.realitykings.com' 'promos.wealthymen.com' 'banners.sublimedirectory.com' 'ads.blitz.bg' 'ads.den.bg' 'b.grabo.bg' 'ads.hobyto.com' 'ads.popfolkstars.com' 'ad.sbb.bg' 'reklama.wisdom.bg' 'www.totalfax.net' 'www.disable-uac.com' 's2.tracemyip.org' 'www.tracemyip.org' 'www.visitdetails.com' 'searchnigeria.net' 'ads.adhall.com' 'px.adhigh.net' 'tracker.databrain.com' 'www.iperbanner.com' 'ads.iwannawatch.to' 'mgjmp.com' 'abs.beweb.com' 'bps.beweb.com' 'abs.proxistore.com' 'bps.tesial-tech.be' 'www.adroz.com' 'axsrv.com' 'adserver.gunaxin.com' 'tracker.u-link.me' 'hits.convergetrack.com' 'ads.worddictionary.co.uk' 'clicks.searchconscious.com' 'zde-affinity.edgecaching.net' 'ads.ninemsn.com.au' 'advertising.ninemsn.com.au' 'click.hotlog.ru' 'hit.hotlog.ru' 'hit1.hotlog.ru' 'hit2.hotlog.ru' 'hit3.hotlog.ru' 'hit4.hotlog.ru' 'hit5.hotlog.ru' 'hit6.hotlog.ru' 'hit7.hotlog.ru' 'hit8.hotlog.ru' 'hit9.hotlog.ru' 'hit10.hotlog.ru' 'hit13.hotlog.ru' 'hit14.hotlog.ru' 'hit15.hotlog.ru' 'hit16.hotlog.ru' 'hit17.hotlog.ru' 'hit18.hotlog.ru' 'hit19.hotlog.ru' 'hit20.hotlog.ru' 'hit21.hotlog.ru' 'hit22.hotlog.ru' 'hit23.hotlog.ru' 'hit24.hotlog.ru' 'hit25.hotlog.ru' 'hit26.hotlog.ru' 'hit27.hotlog.ru' 'hit28.hotlog.ru' 'hit29.hotlog.ru' 'hit30.hotlog.ru' 'hit40.hotlog.ru' 'www.hotlog.ru' 'relay-ba.ads.httpool.com' 'relay-bg.ads.httpool.com' 'relay-cz.ads.httpool.com' 'relay-ks.ads.httpool.com' 'relay-mk.ads.httpool.com' 'relay-rs.ads.httpool.com' 'static.httpool.com.mk' 'adtier.toboads.com' 'relay-ba.toboads.com' 'relay-bg.toboads.com' 'relay-si.toboads.com' 'tas2.toboads.si' 'tas-ba.toboads.com' 'tas-bg.toboads.com' 'tas-cz.toboads.com' 'tas-hr.toboads.com' 'tas-ks.toboads.com' 'tas-mk.toboads.com' 'tas-rs.toboads.com' 'tas-si.toboads.com' 'stat.axelspringer.hu' 'dubai.best-top.biz' 'it.best-top.biz' 'ru.best-top.biz' 'sk.best-top.biz' 'ua.best-top.biz' 'uk.best-top.biz' 'www.best-top.hu' 'top-fr.mconet.biz' 'top-it.mconet.biz' 'top-ru.mconet.biz' 'top-sk.mconet.biz' 'top-ua.mconet.biz' 'top-us.mconet.biz' 'bw.ads.t-online.de' 'data.ads.t-online.de' 'red.ads.t-online.de' 'a.ads.t-online.de' 'admin.ads.t-online.de' 's.ads.t-online.de' 'homepage.t-online.de' 'banners.directnic.com' 'dnads.directnic.com' 'stats.directnic.com' 'www.directnicparking.com' 'images.parked.com' 'www.searchnut.com' 'www.buycheapadvertising.com' 'stats.pusher.com' 'vpnaffiliates.com' 'revenue.com' 'ads.artsopolis.com' 'www.logging.to' 'configusa.veinteractive.com' 'cdn.mercent.com' 'ad.yabuka.com' 'ox-d.beforeitsnews.com' 'ad.epochtimes.com' 'www.e-traffic.com' 'www.etraffic.com' 'ads.footballmedia.com' 'o-oe.com' 'arsconsole.global-intermedia.com' 'feeds.global-intermedia.com' 'error.pimproll.com' 'promo.pimproll.com' 'www.noadnetwork.com' 'ads.burgasinfo.com' 'ads.manager.bg' 'ads.sport1.bg' 'ads.trafficnews.bg' 'ads.football24.bg' 'bgbaner.com' 'www.bgbaner.com' 'ads.icn.bg' 'ads.laptop.bg' 'ads.mixbg.net' 'ads.petvet.bg' 'advert.technews.bg' 'ad.thesimplecomplex.bg' 'advertisement.bg' 'adverts.novatv.bg' 'ad.petel.bg' 'ads.idgworldexpo.com' 'lycos-eu.imrworldwide.com' 'ninemsn.imrworldwide.com' 'nt-es.imrworldwide.com' 'safe-es.imrworldwide.com' 'secure-asia.imrworldwide.com' 'secure-au.imrworldwide.com' 'secure-dk.imrworldwide.com' 'secure-it.imrworldwide.com' 'secure-sg.imrworldwide.com' 'secure-jp.imrworldwide.com' 'secure-nz.imrworldwide.com' 'secure-uk.imrworldwide.com' 'secure-us.imrworldwide.com' 'secure-za.imrworldwide.com' 'server-au.imrworldwide.com' 'server-br.imrworldwide.com' 'server-by.imrworldwide.com' 'server-de.imrworldwide.com' 'server-dk.imrworldwide.com' 'server-ee.imrworldwide.com' 'server-fi.imrworldwide.com' 'server-it.imrworldwide.com' 'server-jp.imrworldwide.com' 'server-lv.imrworldwide.com' 'server-lt.imrworldwide.com' 'server-no.imrworldwide.com' 'server-nz.imrworldwide.com' 'server-oslo.imrworldwide.com' 'server-pl.imrworldwide.com' 'server-se.imrworldwide.com' 'server-sg.imrworldwide.com' 'server-stockh.imrworldwide.com' 'server-uk.imrworldwide.com' 'server-us.imrworldwide.com' 'telstra.imrworldwide.com' 'adserve.doteasy.com' 'pbg2cs01.doteasy.com' 'hitcounter01.xspp.com' '9am.count.brat-online.ro' '24fun.count.brat-online.ro' 'onefm.count.brat-online.ro' 'bestjobs.count.brat-online.ro' 'capital.count.brat-online.ro' 'cotidianul.count.brat-online.ro' 'g-f5fun.count.brat-online.ro' 'g-f5news.count.brat-online.ro' 'g-protv.count.brat-online.ro' 'gsp.count.brat-online.ro' 'hotnews.count.brat-online.ro' 'profm.count.brat-online.ro' 'mtv.count.brat-online.ro' 'myvideo.count.brat-online.ro' 'qds.count.brat-online.ro' 'realitatea.count.brat-online.ro' 'sport.count.brat-online.ro' 'viva.count.brat-online.ro' 'wall-streetro.count.brat-online.ro' 'ads.didactic.ro' 'error.intuitext.ro' 'promo.intuitext.ro' 'admon1.count.brat-online.ro' 'link4link.com' 'plus.link4link.com' 'ad.sexcount.de' 'www.sexcount.de' 'count.xhit.com' 'www.erotikcounter.org' 'show.communiad.com' 'data.kataweb.it' 'oasjs.kataweb.it' 'adagiof3.repubblica.it' 'www.down1oads.com' 'm.exactag.com' 'pxc.otto.de' 'banner.adtrgt.com' 'popunder.adtrgt.com' 'transition.adtrgt.com' 'url.adtrgt.com' 'data.coremetrics.com' 'jsfp.coremetrics.com' 'test.coremetrics.com' 'twci.coremetrics.com' 'redirect.ad-feeds.net' 'roitrack.adtrgt.com' 'redirect.ad-feeds.com' '113693url.displayadfeed.com' 'redirect.xmladfeed.com' 'c1024.ic-live.com' 'c10014.ic-live.com' 'spiegel.met.vgwort.de' 'de.ioam.de' 'bm.met.vgwort.de' 'focus.met.vgwort.de' 'handelsblatt.met.vgwort.de' 'n-tv.met.vgwort.de' 'rp-online.met.vgwort.de' 'sz.met.vgwort.de' 'zeit.met.vgwort.de' 'static.dynad.net' 'www.freestats.tv' 'om.metacrawler.com' 'om.webcrawler.com' 'is2.websearch.com' 'adserv.brandaffinity.net' 'dp.specificclick.net' 'smp.specificmedia.com' 'specificmedia.com' 'www.specificmedia.com' 'clients.bluecava.com' 'ads.iwon.com' 'c4.iwon.com' 'cc.iwon.com' 'docs1.iwon.com' 'my.iwon.com' 'plus.iwon.com' 'prizemachine.games.iwon.com' 'search.iwon.com' 'searchassistant.iwon.com' 'www1.iwon.com' 'c4.mysearch.com' 'cm.myway.com' 'speedbar.myway.com' 'cm.need2find.com' 'utm.cursormania.com' 'utm.trk.cursormania.com' 'utm.excite.co.uk' 'utm.trk.excite.com' 'utm.excite.it' 'utm.myfuncards.com' 'utm.trk.myfuncards.com' 'utm.trk.myway.com' 'utm.myway.com' 'utm.popswatter.com' 'utm.trk.popswatter.com' 'utm.popularscreensavers.com' 'utm.trk.popularscreensavers.com' 'utm.smileycentral.com' 'utm2.smileycentral.com' 'utm.trk.smileycentral.com' 'utmtrk2.smileycentral.com' 'utm.webfetti.com' 'utm.trk.webfetti.com' 'utm.zwinky.com' 'utm.trk.zwinky.com' 'buddies.funbuddyicons.com' 'www.funbuddyicons.com' 'download.funwebproducts.com' 'www.funwebproducts.com' 'image.i1img.com' 'help.mysearch.com' 'msalt.mysearch.com' 'www.mysearch.com' 'bar.mytotalsearch.com' 'www.mytotalsearch.com' 'mywebsearch.com' 'bar.mywebsearch.com' 'cfg.mywebsearch.com' 'download.mywebsearch.com' 'edits.mywebsearch.com' 'search.mywebsearch.com' 'weatherbugbrowserbar.mywebsearch.com' 'www.mywebsearch.com' 'ka.bar.need2find.com' 'kc.search.need2find.com' 'kz.search.need2find.com' 'www.erodynamics.nl' 'ads.happyidiots.nl' 'ads3.ipon.lt' 'v2.ads3.ipon.lt' 'sa1.ipon.lt' 'sa2.ipon.lt' 'keytarget.adnet.lt' 'keisu02.eproof.com' 'control.adap.tv' 'ads.shopstyle.com' 'elv3-tslogging.touchcommerce.com' 'ad.batanga.net' 'tracking.batanga.com' 'horizon.mashable.com' 'cdn.viglink.com' 's.webtrends.com' '0532a9.r.axf8.net' '064bdf.r.axf8.net' '0d7292.r.axf8.net' '0f36f3.r.axf8.net' '1bb261.r.axf8.net' '247590.r.axf8.net' '276bf6.r.axf8.net' '332645.r.axf8.net' '3bb4f0.r.axf8.net' '51af72.r.axf8.net' '5b008e.r.axf8.net' '5ebec5.r.axf8.net' '72d329.r.axf8.net' '8b3439.r.axf8.net' '8cb8a3.r.axf8.net' '8d6274.r.axf8.net' '8d6274.t.axf8.net' '9dacbd.r.axf8.net' '9d060c.r.axf8.net' '994119.r.axf8.net' '1018d7.r.axf8.net' 'ab44aa.r.axf8.net' 'ac9d98.r.axf8.net' 'b3a70b.t.axf8.net' 'b5057c.r.axf8.net' 'c2c738.r.axf8.net' 'caea4e.r.axf8.net' 'caea4e.t.axf8.net' 'c6530e.r.axf8.net' 'd077aa.r.axf8.net' 'd3fd89.r.axf8.net' 'd9d0e0.r.axf8.net' 'e3f364.r.axf8.net' 'fdff44.r.axf8.net' 'fdff44.t.axf8.net' 'connexity.net' 'cti.w55c.net' 'pixel.admedia.com' 'exit.silvercash.com' 'ads.mrskin.com' 'p.chango.com' 'bannerads.mantecabulletin.com' 'adserver.sitesense.com' 'ebdr2.com' 'p.ebdr2.com' 'ebdr3.com' 'cdn.visiblemeasures.com' 'affiliate.trk4.com' 'clickboothlnk.com' 'www.clickboothlnk.com' 'ad.viewablemedia.net' 'recs.richrelevance.com' 'u-ads.adap.tv' 'log.adap.tv' 'qlog.adap.tv' 'ad.adlegend.com' 'media.adlegend.com' 'media.customeracquisitionsite.com' 'media.nyadmcncserve-05y06a.com' 'b.admedia.com' 'footerroll.admedia.com' 'g.admedia.com' 'inline.admedia.com' 'm.admedia.com' 'v.admedia.com' 'vslider.admedia.com' 'pixel.adadvisor.net' 'www.adadvisor.net' 'click.cheapstuff.com' 'delivery.first-impression.com' 'click.mrrage.com' 'click.rateit.com' 'sftrack.searchforce.net' 'click.top10sites.com' 'usadserver.com' 'www.usadserver.com' 'analytics.vast.com' 'ad.turn.com' 'r.turn.com' 'adsharenetwork.com' 'rs.gwallet.com' 'www.ojrq.net' 'feed.afy11.net' 'hpr.outbrain.com' 'log.outbrain.com' 'tracking.skyword.com' 'ads.adap.tv' 't-ads.adap.tv' 'media1.ancestry.com' 'media.gsimedia.net' 'ads.revsci.net' 'js.revsci.net' 'jsl.revsci.net' 'pix01.revsci.net' 'pix03.revsci.net' 'pix04.revsci.net' 'revsci.tvguide.com' 'ad.afy11.net' 'beacon.afy11.net' 'ads.yankscash.com' 'ads.healthline.com' 'a.rfihub.com' 'ads.p.veruta.com' 'pq-direct.revsci.net' 'containertags.belboon.de' 'adserver-live.yoc.mobi' 'go.goldbachpoland.bbelements.com' 'bbcdn.go.adevolution.bbelements.com' 'go.adevolution.bbelements.com' 'go.adlt.bbelements.com' 'bbcdn.go.evolutionmedia.bbelements.com' 'go.evolutionmedia.bbelements.com' 'bbcdn.go.idmnet.bbelements.com' 'bbcdn.go.pl.bbelements.com' 'go.gba.bbelements.com' 'bbnaut.ibillboard.com' 'as.yl.impact-ad.jp' 'cdn.brsrvr.com' 'launch.zugo.com' 'gamersad.com' 'adserver.startnow.com' 'go.startnow.com' 'minisearch.startnow.com' 'nav.startnow.com' 'search.startnow.com' 'srch.startnow.com' 'toolbar.startnow.com' 'www.startnow.com' 'i.zugo.com' 'zoek.zugo.com' 'www.zugo.com' 'rotor6.newzfind.com' 'sutra.newzfind.com' 'outwar.com' 'fabar.outwar.com' 'sigil.outwar.com' 'torax.outwar.com' 'www.outwar.com' 'php4you.biz' 'ads.rampidads.com' 'main.rampidads.com' 'www.rampidads.com' 'track.zugo.com' 'www.classifieds1000.com' 'ads.meredithads.com' 'ads.ero-advertising.com' 'adspaces.ero-advertising.com' 'api.ero-advertising.com' 'apo.ero-advertising.com' 'banners.ero-advertising.com' 'data.ero-advertising.com' 'invideo.ero-advertising.com' 'layerads.ero-advertising.com' 'redirects.ero-advertising.com' 'speedclicks.ero-advertising.com' 'thumbs.ero-advertising.com' 'adc-serv.net' 'ad.adc-serv.net' 'r.adc-serv.net' 'ad.adserver01.de' 'r.adserver01.de' 'adin.bigpoint.com' 'ad.e-sport.com' 'advert.leo.org' 'm1.webstats4u.com' 'www.webstats4u.com' 'adx.chip.de' 'douglas01.webtrekk.net' 'handelsblatt01.webtrekk.net' 'jade01.webtrekk.net' 'lastampa01.webtrekk.net' 'prosieben01.webtrekk.net' 'sapato01.webtrekk.net' 'sofa01.webtrekk.net' 'tiscaliadv01.webtrekk.net' 'track.webtrekk.de' 'trendmicroeuropa01.webtrekk.net' 'triboo01.webtrekk.net' 'vnumedia01.webtrekk.net' 'weltonline01.webtrekk.net' 'zeit01.webtrekk.net' 'www.counti.de' 'statistiq.com' 'www.topsites24.de' 'ads.webtools24.net' 'banner.webtools24.net' 'main.exoclick.com' 'syndication.exoclick.com' 'www.gbcash.com' 'syndication.jsadapi.com' 'peakclick.com' 'feed.peakclick.com' 'www.peakclick.com' 'www.stats.net' 'g.promosrv.com' 'www.singlesadnetwork.com' 'mf.sitescout.com' 'reboot.sitescout.com' 'revcontent.sitescout.com' 'vom.sitescout.com' 'wam-ads.sitescout.com' 'madbid.sitescoutadserver.com' 'monk.sitescoutadserver.com' 'www.ads180.com' 'clicksagent.com' 'www.clicksagent.com' 'easyadservice.com' 'www.exitmoney.com' 'aff.naughtyconnect.com' 'www.pillsmoney.com' 'track.oainternetservices.com' 'oxcash.com' 'clicks2.oxcash.com' 'popup.oxcash.com' 'track.oxcash.com' 'exit.oxcash2.com' 'realbannerads.com' 'www.realtextads.com' 'www.ruclicks.com' 'banners.thiswillshockyou.com' 'banners.amfibi.com' 'promo.badoink.com' 'adsgen.bangbros.com' 'adsrv.bangbros.com' 'newads.bangbros.com' 'tck.bangbros.com' 'tracking.craktraffic.com' 'www.fuckbookdating.com' 'webmasters.h2porn.com' 'ads.nudereviews.com' 'www.oainternet.com' 'iframes.prettyincash.com' 'stepnation.com' 'ads.whaleads.com' 'images.ads.whaleads.com' 'banners.advidi.com' 'www.loading-delivery1.com' 'www.loading-delivery2.com' 'banners.meccahoo.com' 'cdn.banners.scubl.com' 'banners.swingers-match.com' 'www.targetingnow.com' 'media.trafficfactory.biz' 'rpc-php.trafficfactory.biz' 'banners.askmecca.com' 'avenfeld.com' 'www2.drunkenstepfather.com' 'panzertraffic.com' 'd.plugrush.com' 'mobile.plugrush.com' 'slider.plugrush.com' 'w.plugrush.com' 'widget.supercounters.com' 'vip.adstatic.com' 'ads.crakmedia.com' 'corporate.crakmedia.com' 'www.crakmedia.com' 'ftvcash.com' '404.fuckyoucash.com' 'bloggers.fuckyoucash.com' 'internal.fuckyoucash.com' 'affiliates.lifeselector.com' 'ads.program3.com' 'lead.program3.com' 'media.lead.program3.com' 'www.program3.com' 'moo.sitescout.com' 'ads2.vasmg.com' 'checktraf.com' 'flash4promo.ru' 'dev.visualwebsiteoptimizer.com' 'actvtrack.com' 'fb.cashtraffic.com' 'image.cecash.com' 'image1.cecash.com' 'coolwebstats.com' 'www.coolwebstats.com' 'flashmediaportal.com' 'flttracksecure.com' 'ads.ibtracking.com' 'sascentral.com' 'community.adlandpro.com' 'ads.affbuzzads.com' 'www.affbuzzads.com' 'www.yourdedicatedhost.com' 'radarurl.com' 'srv.overlay-ad.com' 'ads.iawsnetwork.com' 'oreo.iawsnetwork.com' 'stats.parstools.com' 'revotrack.revotas.com' 'ads2.iweb.cortica.com' 'adserver-static1.iweb.cortica.com' 'ads.mondogames.com' 'bannerco-op.com' 'www.regdefense.com' 'bannersgomlm.com' 'www.bannersgomlm.com' 'ads.cinemaden.com' 'www.freestat.ws' 'www.hiperstat.com' 'www.specialstat.com' 'stat.superstat.info' 'www.superstat.info' 'www.blogrankers.com' 'counter.awempire.com' 'counter.jasmin.hu' 'adson.awempire.com' 'iframes.awempire.com' 'promo.awempire.com' 'static.awempire.com' 'creatives.livejasmin.com' 'live-cams-0.livejasmin.com' 'live-cams-1.livejasmin.com' 'static.creatives.livejasmin.com' 'www.2.livejasmin.com' 'ads.gofuckyourself.com' 'analytics.unister-gmbh.de' 'analytics-static.unister-gmbh.de' 'static.unister-adservices.com' 'ad.adnet.de' 'exchangecash.de' 'pr-cy.ru' 's1.rotaban.ru' 'adimg1.chosun.com' 'cad.chosun.com' 'hitlog2.chosun.com' 'counter.joins.com' 'adplus.yonhapnews.co.kr' 'allerinternett.tns-cs.net' 'amedia.tns-cs.net' 'api.tns-cs.net' 'e24dp.tns-cs.net' 'eddamedia.tns-cs.net' 'eniro.tns-cs.net' 'hmortensen.tns-cs.net' 'idg.tns-cs.net' 'med-tek.tns-cs.net' 'na.tns-cs.net' 'mno.tns-cs.net' 'mtg.tns-cs.net' 'nrk.tns-cs.net' 'polaris.tns-cs.net' 'test.tns-cs.net' 'tunmedia.tns-cs.net' 'vg.tns-cs.net' 'www.adcell.de' 'openx.4shared.com' 'www.easycounter.com' 'www.fastusersonline.com' 'adsnew.gsmarena.com' 'url.nossopark.com.br' 'pingomatic.com' 'ads.phonearena.com' 'bannerexchange.troglod.com' 'www.usersonlinecounter.com' 'botd2.wordpress.com' 'xxx-r.com' 'pagerank.scambiositi.com' 'www.statsforever.com' 'www.widebanner.com' 'feeds.wise-click.com' 'tgptraffic.biz' 'd.nster.net' 'js.nster.net' 'payn.me' 'static.hotjar.com' 'www.start4ads.net' 'ads.directcorp.de' 'adserver.directcorp.de' 'exit-ad.de' 'www.exit-ad.de' 'www.little-help.com' 'promo-m.bongacash.com' 'www.awmads.com' 'vktr073.net' 'assculo.com' 'sellpic.in' 'ads.adhood.com' 'www.ad-skills.nl' 'www.hubtraffic.com' 'hubxt.pornhub.com' 'img.clicksagent.com' 'rubanners.com' '2.rubanners.com' 'img.ruclicks.com' 'zhirok.com' 'promo.bongacash.com' '3animalsex.com' 'www.3animalsex.com' 'www.adcode.ws' 'api.adlure.net' 'a.adorika.net' 'adv.adultpartnership.com' 'counter.cam-content.com' 'piwik.cam-content.com' 'www.crackserver.com' 'ads2.ero-advertising.com' 'askjolene.ero-advertising.com' 'banners2.ero-advertising.com' 'imads.ero-advertising.com' 'js.ero-advertising.com' 'popads.ero-advertising.com' 'tracker.ero-advertising.com' 'adman.kathimerini.gr' 'penix.nl' 'www.promotion-campaigns.com' 'ads.rude.com' 'banners.rude.com' 'banners.content.rude.com' 'www.sexleech.com' 'stat-tracker.net' 'uberads.net' 'ad.velmedia.net' 'www.velmedia.net' 'smartinit.webads.nl' 'www.wmsonic.com' 'www.zoo-fuck.net' 'artwork.aim4media.com' 'www.aim4media.com' 'popupmoney.com' 'www.popupmoney.com' 'n.adonweb.ru' 'pc.adonweb.ru' 'wu.adonweb.ru' 'n.pcads.ru' 'www.ipcounter.de' 'counter.xeanon.com' 'park.affiliation-int.com' 'tcm.affiliation-int.com' 'a.1nimo.com' 'adv.protraffic.com' 'www.adhood.com' 'amateurdevils.com' 'webdata.vidz.com' 'free-lesbian-pic.in' 'www.turkeyrank.com' 'ads.ad4max.com' 'router.adlure.net' 'furious.adman.gr' 'static.adman.gr' 'ads.adone.com' 'cache.ad-serverparc.nl' 'cluster.ad-serverparc.nl' 'clickbux.ru' 'adserve.donanimhaber.com' 'ads.discreetad.com' 'pops.ero-advertising.com' 'a.heavy-r.com' 'openx.iamexpat.nl' 'inndl.com' 'itmcash.com' 'ads.itmcash.com' 's6.lebenna.com' 'linktarget.com' 'lw.lnkworld.com' 'mymediadownloadseighteen.com' 'mymediadownloadsseventeen.com' 'wwa.pacific-yield.com' 'adv.rockstar.bg' 'webmasters.videarn.com' 'ad.wingads.com' 'db0.net-filter.com' 'db2.net-filter.com' 'db3.net-filter.com' 'db4.net-filter.com' 'db5.net-filter.com' 'db6.net-filter.com' 'db7.net-filter.com' 'sitestats.com' 'db0.sitestats.com' 'db1.sitestats.com' 'db2.sitestats.com' 'db3.sitestats.com' 'db4.sitestats.com' 'db5.sitestats.com' 'db6.sitestats.com' 'db7.sitestats.com' 'www.sitestats.com' 'stats-newyork1.bloxcms.com' 'cdn1.traffichaus.com' 'sscdn.banners.advidi.com' 'promo.lifeselector.com' 'media.b.lead.program3.com' 'rcm-images.amazon.com' 'cdnads.cam4.com' 'ad.insightexpress.com' 'invite.insightexpress.com' 'www.insightexpress.com' 'ad.insightexpressai.com' 'icompass.insightexpressai.com' 'core.insightexpressai.com' 'rb.insightexpressai.com' 'insightexpresserdd.com' 'srv2trking.com' 'extreme-dm.com' 'e0.extreme-dm.com' 'e1.extreme-dm.com' 'e2.extreme-dm.com' 'nht-2.extreme-dm.com' 'nht-3.extreme-dm.com' 'reports.extreme-dm.com' 't.extreme-dm.com' 't0.extreme-dm.com' 't1.extreme-dm.com' 'u.extreme-dm.com' 'u0.extreme-dm.com' 'u1.extreme-dm.com' 'v.extreme-dm.com' 'v0.extreme-dm.com' 'v1.extreme-dm.com' 'w.extreme-dm.com' 'w0.extreme-dm.com' 'w1.extreme-dm.com' 'x3.extreme-dm.com' 'y.extreme-dm.com' 'y0.extreme-dm.com' 'y1.extreme-dm.com' 'z.extreme-dm.com' 'z0.extreme-dm.com' 'z1.extreme-dm.com' 'extremetracking.com' 'adsfac.us' 'level3.applifier.com' 'a.dlqm.net' 'ads-v-darwin.hulu.com' 'nbc.interpolls.com' 'pollserver.interpolls.com' 'ps2.interpolls.com' 'ps.interpolls.com' 'sw.interpolls.com' 'wb.interpolls.com' 'cdn.program3.com' 'm.sancdn.net' 'udm.ri1.scorecardresearch.com' 'udm.ri2.scorecardresearch.com' 'udm.ri3.scorecardresearch.com' 'udm.ri4.scorecardresearch.com' 'udm.ri5.scorecardresearch.com' 'udm.ri6.scorecardresearch.com' 'udm.ri7.scorecardresearch.com' 'udm.ri8.scorecardresearch.com' 'udm.ri9.scorecardresearch.com' 'cv.apprupt.com' 'www.clickmanage.com' 'www.abcjmp.com' '3151.77152.blueseek.com' '4802.170.blueseek.com' '5740.4785.blueseek.com' '5882.1158.blueseek.com' '5990.findit.blueseek.com' '7457.accessaw.blueseek.com' '7457.pownit.blueseek.com' '7979.nosubid.blueseek.com' 'itc.2081.blueseek.com' 'itcg3.c5369.blueseek.com' '2183.jsjmlejl.clickshield.net' 'redirect.clickshield.net' 'www.find-fast-answers.com' 'www.icityfind.com' 'primosearch.com' '4133.88.primosearch.com' '4654.2465.primosearch.com' '5490.spedads.primosearch.com' '5486.winxp.primosearch.com' '6266.570204.primosearch.com' 'www.primosearch.com' 'whatseek.com' 'ads.empoweringmedia.net' 'ad.71i.de' 'cdn.adstatic.com' 'www.advconversion.com' 'exityield.advertise.com' 'network.advertise.com' 'www.advertise.com' 'd.aggregateknowledge.com' 'd.agkn.com' 'cdn.alleliteads.com' 'adbcache.brandreachsys.com' 'cdn1.ads.brazzers.com' 'i.cdnpark.com' 'connect5364.com' 'coreclickhoo.com' 'ads.cracked.com' 'track.cracked.com' 'ping.crowdscience.com' 'click.dealshark.com' 'ads.deviantart.com' 'adsvr.deviantart.com' 'ads.exoclick.com' 'msnads-wm9.fplive.net' 'cdntest.gand.de' 'ips-invite.iperceptions.com' 'ads.mediaforge.com' 'img.metaffiliation.com' 'a.global.msads.net' 'global.msads.net' 'ads.msn.com' 'ads1.msn.com' 'ads2.msn.com' 'a.ads1.msn.com' 'b.ads1.msn.com' 'a.ads2.msn.com' 'cdn.promo.pimproll.com' 'cdn.g.promosrv.com' 'rd-direct.com' 'cdn.redlightcenter.com' 'http100.content.ru4.com' 'http300.content.ru4.com' 'http.content.ru4.com' 'bcbb.rubiconproject.com' 'banners.securedataimages.com' 'e.sexad.net' 'pod.sexsearch.com' 'pixel.solvemedia.com' 'fms2.pointroll.speedera.net' 'ad-cdn.technoratimedia.com' 'demoq.use-trade.com' 'ads2.vortexmediagroup.com' 'richmedia.yimg.com' 'stats.lightningcast.net' 'stats2.lightningcast.net' 'blueadvertise.com' 'adserver2.blueadvertise.com' 'cbpublishing.blueadvertise.com' 'cdxninteractive.blueadvertise.com' 'creditburner.blueadvertise.com' 'my.blueadvertise.com' 'ads.opensubtitles.org' 'll.atdmt.com' 's.atemda.com' 'static.ifa.camads.net' 'qlipsodigital.checkm8.com' 'static.contentabc.com' 'static.cpalead.com' 'cache.daredorm.com' 'cachewww.europacasino.com' 'cdn.intermarkets.net' 'cdn.inskinmedia.com' 'intermrkts.vo.llnwd.net' 'wbads.vo.llnwd.net' 'scripts.mofos.com' 'cdn.opencandy.com' 'cache.realitykings.com' 'media.sexinyourcity.com' 'cdn.taboolasyndication.com' 'cdn1.telemetryverification.net' 'ff1.telemetryverification.net' 'cdn.banner.thumbplay.com' 'media.trafficjunky.net' 'creativeby2.unicast.com' 'pl.yumenetworks.com' 'pl1.yumenetworks.com' 'cdn.cpmstar.com' 'static.ads.crakmedia.com' 'static.fleshlight.com' 'content.ipro.com' 'cdn-01.yumenetworks.com' 'tealium.hs.llnwd.net' 'im.afy11.net' 'cdn.content.exoticads.com' 'munchkin.marketo.net' 'ox.fashion.bg' 'e.freewebhostingarea.com' 'spns.seriousads.net' 'ads.adgarden.net' 'ad-rotator.com' 'serv.adspeed.com' 'www.adspeed.com' 'clickthru.net' 'nbrtrack.com' 'filter.eclickz.com' 'ads.localyokelmedia.com' 'tracki112.com' 'attribution.webmarketing123.com' 'www.adimpact.com' 'blogadswap.com' 'clixtk.com' 'www.iwstats.com' 'maxtracker.net' 'bgmenu.postaffiliatepro.com' 'www.tarakc1.net' 'www.adworkmedia.com' 'www.bannerflux.com' 'www.onlineuserscounter.com' 'quik2link.com' 'uptodatecontent.net' 'ctrck.com' 'search.eclickz.com' 'www.freeusersonline.com' 'www.linkcounter.com' 'www.adcash.com' 'adspserving.com' 'www.adversal.com' 'adv.blogupp.com' 'www.chrumedia.com' 'www.hit-counts.com' 'www.validview.com' 'ads.peoplespharmacy.com' 'www.yieldtraffic.com' 'ads.3e-news.net' 'b.detetoigrae.com' 'a.kik.bg' 'openx.stand.bg' 'ads.start.bg' 'www.banners.bgcatalog.net' 'track.make-a-site.net' 'ads.assistance.bg' 'delivery.ads.assistance.bg' 'ads.pik.bg' 'o.ibg.bg' 'r01.ibg.bg' 'reklama.bgads.net' 'banners.citybuild.bg' 'www.cpmfun.com' 'ex-traffic.com' 'forexadv.eu' 'stat.ganbox.com' 'ads.ka6tata.com' 'ads.lifesport.bg' 'adds.misiamoiatdom.com' 'ad.moreto.net' 'banner.sedem.bg' 'openx.vizzia.bg' 'ads.webcafe.bg' 'analytic.gatewayinterface.com' 'analyticcdn.globalmailer.com' 'mediaview.globalmailer.com' 'rt.globalmailer.com' 'pcash.globalmailer5.com' 'pcash.imlive.com' 'ads.sexier.com' 'ads.streamlivesex.com' 'pcash.wildmatch.com' 'ad.crwdcntrl.net' 'ag.tags.crwdcntrl.net' 'bb.crwdcntrl.net' 'bcp.crwdcntrl.net' 'bebo.crwdcntrl.net' 'blogtalkradio.crwdcntrl.net' 'cdn.crwdcntrl.net' 'celebslam.tags.crwdcntrl.net' 'cnnmoney.tags.crwdcntrl.net' 'coop.crwdcntrl.net' 'deviantart.crwdcntrl.net' 'fotolog.crwdcntrl.net' 'huffingtonpost.crwdcntrl.net' 'justjared.crwdcntrl.net' 'livejournal.tags.crwdcntrl.net' 'multiply.crwdcntrl.net' 'nbcu.tags.crwdcntrl.net' 'perfspot.crwdcntrl.net' 'sociallitelife.tags.crwdcntrl.net' 'sportsillustrated.tags.crwdcntrl.net' 'superficial.crwdcntrl.net' 'tags.crwdcntrl.net' 'videogum.tags.crwdcntrl.net' 'vidilife.crwdcntrl.net' 'wwtdd.tags.crwdcntrl.net' 'yardbarker.tags.crwdcntrl.net' 'ads2.jubii.dk' 'fe.lea.jubii.dk' 'fe.lea.lycos.de' 'fe.lea.spray.se' 'top-fwz1.mail.ru' 'list.ru' 'top.list.ru' 'top1.list.ru' 'top3.list.ru' 'top6.list.ru' 'host4.list.ru' 'drivelinemedia.com' 'images.drivelinemedia.com' 'www.drivelinemedia.com' 'images.enhance.com' 'www.enhance.com' 'gflinks.industrybrains.com' 'ilinks.industrybrains.com' 'imglinks.industrybrains.com' 'jlinks.industrybrains.com' 'links.industrybrains.com' 'shlinks.industrybrains.com' 'c.openclick.com' 'mdnhinc.com' 'www.siteboxparking.com' 'www.ultsearch.com' 'c.enhance.com' 'goclick.com' 'c.mdnhinc.com' 'cb.mdnhinc.com' 'title.mximg.com' 'cb.openclick.com' 'images.ultsearch.com' 'imagesb.ultsearch.com' 'adtrack.voicestar.com' 'banners.yllix.com' 'click2.yllix.com' 'promo.love-money.de' 'www.adwurkz.com' 'data.emimino.cz' 'expressdelivery.biz' 'secure.expressdelivery.biz' 'www.expressdelivery.biz' 'www.fleshlightreviews.net' 'www.hypercounter.com' 'engine.turboroller.ru' 'aa.newsblock.dt00.net' 'foreign.dt00.net' 'mytraf.info' 'www.mytraf.info' 'mytraf.ru' 'www.mytraf.ru' 'banners.adfox.ru' 'rq.adfox.ru' 'sup.adfox.ru' 'sedu.adhands.ru' 'img.dt00.net' 'mg.dt00.net' 'nbimg.dt00.net' 'counter.hitmir.ru' 'marketgid.com' 'aa-gb.marketgid.com' 'ab-nb.marketgid.com' 'ac-nb.marketgid.com' 'af-gb.marketgid.com' 'ai-gb.marketgid.com' 'ak-gb.marketgid.com' 'al-gb.marketgid.com' 'autocounter.marketgid.com' 'c.marketgid.com' 'counter.marketgid.com' 'c209.actionteaser.ru' 'i209.actionteaser.ru' 'v.actionteaser.ru' 'stat.adlabs.ru' 'cs01.trafmag.com' 'cs77.trafmag.com' 'cs00.trafmag.com' 'cs01.trafmag.com' 'cs02.trafmag.com' 'cs03.trafmag.com' 'cs04.trafmag.com' 'cs05.trafmag.com' 'cs06.trafmag.com' 'cs07.trafmag.com' 'cs08.trafmag.com' 'cs09.trafmag.com' 'cs10.trafmag.com' 'cs11.trafmag.com' 'cs12.trafmag.com' 'cs13.trafmag.com' 'cs14.trafmag.com' 'cs15.trafmag.com' 'cs16.trafmag.com' 'cs17.trafmag.com' 'cs18.trafmag.com' 'cs19.trafmag.com' 'cs20.trafmag.com' 'cs21.trafmag.com' 'cs22.trafmag.com' 'cs23.trafmag.com' 'cs24.trafmag.com' 'cs25.trafmag.com' 'cs26.trafmag.com' 'cs27.trafmag.com' 'cs28.trafmag.com' 'cs29.trafmag.com' 'cs30.trafmag.com' 'cs31.trafmag.com' 'cs32.trafmag.com' 'cs33.trafmag.com' 'cs34.trafmag.com' 'cs35.trafmag.com' 'cs36.trafmag.com' 'cs37.trafmag.com' 'cs38.trafmag.com' 'cs39.trafmag.com' 'cs40.trafmag.com' 'cs41.trafmag.com' 'cs42.trafmag.com' 'cs43.trafmag.com' 'cs44.trafmag.com' 'cs45.trafmag.com' 'cs46.trafmag.com' 'cs47.trafmag.com' 'cs48.trafmag.com' 'cs49.trafmag.com' 'cs50.trafmag.com' 'cs51.trafmag.com' 'cs52.trafmag.com' 'cs53.trafmag.com' 'cs54.trafmag.com' 'cs55.trafmag.com' 'cs56.trafmag.com' 'cs57.trafmag.com' 'cs58.trafmag.com' 'cs59.trafmag.com' 'cs60.trafmag.com' 'cs61.trafmag.com' 'cs62.trafmag.com' 'cs63.trafmag.com' 'cs64.trafmag.com' 'cs65.trafmag.com' 'cs66.trafmag.com' 'cs67.trafmag.com' 'cs68.trafmag.com' 'cs69.trafmag.com' 'cs70.trafmag.com' 'cs71.trafmag.com' 'cs72.trafmag.com' 'cs73.trafmag.com' 'cs74.trafmag.com' 'cs75.trafmag.com' 'cs76.trafmag.com' 'cs77.trafmag.com' 'cs78.trafmag.com' 'cs79.trafmag.com' 'cs80.trafmag.com' 'cs81.trafmag.com' 'cs82.trafmag.com' 'cs83.trafmag.com' 'cs84.trafmag.com' 'cs85.trafmag.com' 'cs86.trafmag.com' 'cs87.trafmag.com' 'cs88.trafmag.com' 'cs89.trafmag.com' 'cs90.trafmag.com' 'cs91.trafmag.com' 'cs92.trafmag.com' 'cs93.trafmag.com' 'cs94.trafmag.com' 'cs95.trafmag.com' 'cs96.trafmag.com' 'cs97.trafmag.com' 'cs98.trafmag.com' 'cs99.trafmag.com' 'parking.reg.ru' 'com.adv.vz.ru' '234x120.adv.vz.ru' 'p2p.adv.vz.ru' 'txt.adv.vz.ru' 'tizer.adv.vz.ru' 'counter.aport.ru' 'gs.spylog.ru' 'spylog.com' 'hits.spylog.com' 'www.spylog.com' 'spylog.ru' 'tools.spylog.ru' 'www.spylog.ru' 'promotion.partnercash.de' 'advert.rare.ru' 'www.cpaempire.com' 'ekmas.com' 'js.cybermonitor.com' 'estat.com' 'perso.estat.com' 'prof.estat.com' 'prof.beta.estat.com' 's.estat.com' 'sky.estat.com' 'w.estat.com' 'www.estat.com' 'tracking.opencandy.com' 'www.adpeepshosted.com' 'ping.hellobar.com' 'adklip.com' 'topads.rrstar.com' 'get.lingospot.com' 'd.castplatform.com' 'iact.atdmt.com' 'c.atdmt.com' 'flex.atdmt.com' 'flex.msn.com' 'otf.msn.com' 'trafficgateway.research-int.se' 'my.trackjs.com' 'image.atdmt.com' 'img.atdmt.com' 'www.atdmt.com' 'analytics.newsvine.com' 'tracking.bannerflow.com' 'analytics-eu.clickdimensions.com' 'universal.iperceptions.com' 'api.atdmt.com' 'bidclix.net' 'www.bidclix.net' 'collector.deepmetrix.com' 'www.deepmetrix.com' 'adsyndication.msn.com' 'c.no.msn.com' 'log.newsvine.com' 'c.ninemsn.com.au' 'e3.adpushup.com' 'mt.adquality.ch' 'api.iperceptions.com' 'data.queryly.com' 'adserver2.shoutz.com' 'aidps.atdmt.com' 'analytics.atdmt.com' 'c1.atdmt.com' 'ec.atdmt.com' 'h.atdmt.com' 'bat.bing.com' 'c.bing.com' 'analytics.breakingnews.com' 'analytics.clickdimensions.com' 'databroker-us.coremotives.com' 'analytics.live.com' 'digg.analytics.live.com' 'madserver.net' 'analytics.microsoft.com' 'ads1.msads.net' 'a.ads1.msads.net' 'a.ads2.msads.net' 'b.ads2.msads.net' 'analytics.msn.com' 'ads.eu.msn.com' 'images.adsyndication.msn.com' 'analytics.msnbc.msn.com' 'arc2.msn.com' 'arc3.msn.com' 'arc9.msn.com' 'blu.mobileads.msn.com' 'col.mobileads.msn.com' 'popup.msn.com' 'analytics.r.msn.com' '0.r.msn.com' 'a.rad.msn.com' 'b.rad.msn.com' 'rmads.msn.com' 'rmads.eu.msn.com' 'rpt.rad.msn.com' 'udc.msn.com' 'analytics.msnbc.com' 'msn.serving-sys.com' 'click.atdmt.com' 'jact.atdmt.com' 'sact.atdmt.com' 'beacon.clickequations.net' 'js.clickequations.net' 'cachebanner.europacasino.com' 'servedby.o2.co.uk' 'tags.tagcade.com' 'cachebanner.titanpoker.com' 'creativeby1.unicast.com' 'ping1.unicast.com' 'cachebanner.vegasred.com' 'i.w55c.net' 'v10.xmlsearch.miva.com' 'partners.10bet.com' 'affiliates.bet-at-home.com' 'partners.betfredaffiliates.com' 'sportingbeteur.adsrv.eacdn.com' 'partners.fanduel.com' 'banner.goldenpalace.com' 'affiliates.neteller.com' 'affiliates.pinnaclesports.com' 'partner.sbaffiliates.com' 'banners.victor.com' 'ecess1.cdn.continent8.com' 'one.cam4ads.com' 'ads.yvmads.com' 'adserver.gallerytrafficservice.com' 'www.gallerytrafficservice.com' 'beta.galleries.paperstreetcash.com' 'pepipo.com' 'www.pepipo.com' 'a.adnium.com' 'popit.mediumpimpin.com' 'promo.sensationalcash.com' 'ads.gtsads.com' 'static.cdn.gtsads.com' 'engine.gtsads.com' 'geoip.gtsads.com' 'nimages.gtsads.com' 'images.gtsads.com' 'creative.nscash.com' 'www.spunkycash.com' 'as.ad-411.com' 'chokertraffic.com' 'new.chokertraffic.com' 'www.chokertraffic.com' 'flashadtools.com' 'www.flashadtools.com' 'geo.gexo.com' 'ads.hornypharaoh.com' 'tools.pacinocash.com' 'analytics.pimproll.com' 'dev.trafficforce.com' 'ads.voyit.com' 'board.classifieds1000.com' 'edmedsnow.com' 'pk.adlandpro.com' 'te.adlandpro.com' 'trafficex.adlandpro.com' 'www.adlandpro.com' '247nortonsupportpc.com' 'advancedsoftwaresupport.com' 'www.errornuker.com' 'www.evidencenuker.com' 'spamnuker.com' 'www.spamnuker.com' 'www.spywarenuker.com' 'openx.vivthomas.com' 'adserver.adklik.com.tr' 's.adklik.com.tr' 'ads2.mynet.com' 'betaffs.com' 'getmailcounter.com' '1empiredirect.com' 'hstraffa.com' 'redirects.coldhardcash.com' 'gen2server.com' 'peelads.hustler.com' 'redroomnetwork.com' 'www.redroomnetwork.com' 'ads.trafficpimps.com' 'www.traffic-trades.com' 'bob.crazyshit.com' 'www.ninjadollars.com' 'www.99stats.com' 'static.99widgets.com' 'advertising.justusboys.net' 'lo2.me' 'ocxxx.com' 'ads.oxymoronent.com' 'advertising.rockettube.net' 'stats.xxxrewards.com' 'rewards.macandbumble.com' 'secure6.platinumbucks.com' 'ayboll.sgsrv.com' 'sureads.com' 'www.adregistry.com' 'applicationstat.com' 'scrollingads.hustlermegapass.com' 'www.mediareps.com' 'tools.naughtyamerica.com' 'www.secretbehindporn.com' 'link.siccash.com' 'vmn.net' 'sony.tcliveus.com' 'tc.zionsbank.com' 'commons.pajamasmedia.com' 'realtimeads.com' 'ads.eqads.com' 'e-ads.eqads.com' 'broadspring.com' 'www.broadspring.com' 'api.content.ad' 'partners.content.ad' 'xml.intelligenttrafficsystem.com' 'adserver.matchcraft.com' 'engine.4dsply.com' 'engine.adsupply.com' 'tracking.1betternetwork.com' 'cpatrack.leadn.com' 'tracking.opienetwork.com' 'www.adminder.com' 'analytics.atomiconline.com' 'widget.crowdignite.com' 'geo.gorillanation.com' 'cms.springboard.gorillanation.com' 'analytics.springboardvideo.com' 'analytics.stg.springboardvideo.com' 'stats.thoughtcatalog.com' 'img.linkstorm.net' 'tracking.onespot.com' 'seeclickfix.com' 'www.seeclickfix.com' 'stats.triggit.com' 'ads.softure.com' 'adserver.softure.com' 'log.trafic.ro' 'www.trafic.ro' 'ads.dijitalvarliklar.com' 'banner-img.haber7.com' 'a.kickass.to' 'www.coolfreehost.com' 'e2yth.tv' 'schoorsteen.geenstijl.nl' 'as.adwise.bg' 'i.adwise.bg' 'www.adwise.bg' 'ads.jenite.bg' 'banners.alo.bg' 'adserver.economic.bg' 'adv.starozagorci.com' 'openx.vsekiden.com' 'ads.3bay.bg' 'ads.biznews.bg' 'adv.alo.bg' 'adsys.insert.bg' 'ads.kulinar.bg' 'reklama.topnovini.bg' 'adv.webvariant.com' 'adv.consadbg.com' 'www.revisitors.com' 'affiliates.thrixxx.com' 'content.thrixxx.com' 'cz2.clickzs.com' 'cz3.clickzs.com' 'cz4.clickzs.com' 'cz5.clickzs.com' 'cz6.clickzs.com' 'cz7.clickzs.com' 'cz8.clickzs.com' 'cz9.clickzs.com' 'cz11.clickzs.com' 'js3.clickzs.com' 'js4.clickzs.com' 'js5.clickzs.com' 'js6.clickzs.com' 'js7.clickzs.com' 'js8.clickzs.com' 'js9.clickzs.com' 'js11.clickzs.com' 'jsp.clickzs.com' 'jsp2.clickzs.com' 'vip.clickzs.com' 'vip2.clickzs.com' 'www.clickzs.com' 'www.hit-now.com' 'www.netdirect.nl' 'startpunt.nu.site-id.nl' 'www.site-id.nl' 'nedstat.nl' 'www.nedstat.nl' 'm1.nedstatpro.net' 'www.nedstat.co.uk' 'fr.sitestat.com' 'uk.sitestat.com' 'www.sitestat.com' 'www.nedstat.com' 'nedstat.net' 'be.nedstat.net' 'es.nedstat.net' 'uk.nedstat.net' 'usa.nedstat.net' 'nl.nedstatpro.net' 'uk.nedstatpro.net' 'sitestat.com' 'be.sitestat.com' 'de.sitestat.com' 'es.sitestat.com' 'fi.sitestat.com' 'int.sitestat.com' 'se.sitestat.com' 'us.sitestat.com' 'geoaddicted.net' 'promotools.islive.nl' 'promotools.vpscash.nl' 'www.xxx-hitz.org' 'sms-ads.com' 'affiliate.bfashion.com' 'ads2.nextmedia.bg' 'ads.bg-mamma.com' 'adx.darikweb.com' 'stats.darikweb.com' 'adedy.com' 'adserver.hardsextube.com' 'realmedia.nana.co.il' 'xwbe.wcdn.co.il' 'dm.mlstat.com' 'www.mlstat.com' 'www.shareaza.com' 'download.shareazaweb.com' 'ads.downloadaccelerator.com' 'ad1.speedbit.com' 'ad2.speedbit.com' 'ad3.speedbit.com' 'ad4.speedbit.com' 'ad5.speedbit.com' 'ad6.speedbit.com' 'ad7.speedbit.com' 'ad8.speedbit.com' 'ad9.speedbit.com' 'ad10.speedbit.com' 'ads1.speedbit.com' 'ads2.speedbit.com' 'ads3.speedbit.com' 'ads4.speedbit.com' 'ads5.speedbit.com' 'ads6.speedbit.com' 'ads7.speedbit.com' 'ads8.speedbit.com' 'ads9.speedbit.com' 'ads10.speedbit.com' 'mirrorsearch.speedbit.com' 'ads.cursorinfo.co.il' 'protizer.ru' 'rm.tapuz.co.il' 'x4u.ru' 'geo.yad2.co.il' 'pics.yad2.co.il' 'walla.yad2.co.il' 'yad1.yad2.co.il' 'www.adoptim.com' 'ariboo.com' 'www.ariboo.com' 'ads.globescale.com' 'cursor.kvada.globescale.com' 'cetrk.com' 'crazyegg.com' 'ads.kyalon.net' 'www.antarasystems.com' 'ads.netsol.com' 'stats.netsolads.com' 'ads.networksolutions.com' 'code.superstats.com' 'counter.superstats.com' 'stats.superstats.com' 'hjlas.com' 'kvors.com' 'nbjmp.com' 'rotator.nbjmp.com' 'codead.impresionesweb.com' 'codenew.impresionesweb.com' 'gad.impresionesweb.com' 'alt.impresionesweb.com' 'code.impresionesweb.com' 'gb.impresionesweb.com' 'paneles.impresionesweb.com' 'www.impresionesweb.com' 'alternativos.iw-advertising.com' 'ads.abqjournal.com' 'ads.accessnorthga.com' 'adireland.com' 'www3.adireland.com' 'www.adireland.com' 'ads.admaxasia.com' 'ads.albawaba.com' 'ads.angop.ao' 'ads.mm.ap.org' 'adnet.asahi.com' 'ads.bangkokpost.co.th' 'stats.bbc.co.uk' 'visualscience.external.bbc.co.uk' 'ads.bcnewsgroup.com' 'ads.bninews.com' 'rmedia.boston.com' 'ads.businessweek.com' 'ads.butlereagle.com' 'ads5.canoe.ca' 'oasad.cantv.net' 'ads1.capitalinteractive.co.uk' 'ads.casinocity.com' 'as1.casinocity.com' 'dart.chron.com' 'adtrack.cimedia.net' 'realaudio.cimedia.net' 'fr.classic.clickintext.net' 'fr.64.clickintext.net' 'ads.clubplanet.com' 'ads3.condenast.co.uk' 'clips.coolerads.com' 'ads.cnpapers.com' 'openx.cnpapers.com' 'ads.dixcom.com' 'www.dnps.com' 'www.dolanadserver.com' 'ads.eastbayexpress.com' 'adv.ecape.com' 'advertising.embarcaderopublishing.com' 'iklan.emedia.com.my' 'ads.emol.com' 'ads.empowher.com' 'unit2.euro2day.gr' 'adverts.f-1.com' 'campaigns.f2.com.au' 'ads.fairfax.com.au' 'images.ads.fairfax.com.au' 'tracking.fccinteractive.com' 'redirect.fairfax.com.au' 'ad1.firehousezone.com' 'ad2.firehousezone.com' 'klipmart.forbes.com' 'onset.freedom.com' 'ads.ft.com' 'track.ft.com' 'ads.globalsportsmedia.com' 'www.gcmadvertising.com' 'ads.grupozeta.es' 'adimage.guardian.co.uk' 'ads.guardian.co.uk' 'ad.hankooki.com' 'log.hankooki.com' 'web2.harris-pub.com' 'ad.hbinc.com' 'ads.hellomagazine.com' 'id.hellomagazine.com' 'webtrend25.hemscott.com' 'adserver.heraldextra.com' 'tag-stats.huffingtonpost.com' 'advertising.illinimedia.com' 'www.indiads.com' 'ads.indiatimes.com' 'adscontent2.indiatimes.com' 'adstil.indiatimes.com' 'netspiderads.indiatimes.com' 'netspiderads2.indiatimes.com' 'netspiderads3.indiatimes.com' 'adsrv.iol.co.za' 'html.knbc.com' 'ads.lavoix.com' 'ad1.logger.co.kr' 'trk14.logger.co.kr' 'oas.mainetoday.com' 'utils.media-general.com' 'ads.mgnetwork.com' 'tracking.military.com' 'ad.mirror.co.uk' 'ads1.moneycontrol.com' 'partners.cfl.mybrighthouse.com' 'mouads.com' 'ads.movieweb.com' 'adserv.mywebtimes.com' 'html.nbc10.com' 'adserver.news.com.au' 'promos.newsok.com' 'collector.newsx.cc' 'ads.northjersey.com' 'adserver.nydailynews.com' 'ads.nytimes.com' 'up.nytimes.com' 'rm.ocregister.com' 'ads.online.ie' 'ads.pagina12.com.ar' 'adserver.passagemaker.com' 'adserv.postbulletin.com' 'webtrends.randallpub.com' 'bst.reedbusiness.com' 'oas.roanoke.com' 'adman.rep-am.com' 'ads.rttnews.com' 'ads.ruralpress.com' 'maxads.ruralpress.com' 'ads.sabah.com.tr' 'ads.sddt.com' 'ads.signonsandiego.com' 'ads.space.com' 'ads.sportingnews.com' 'ads.stephensmedia.com' 'adzone.stltoday.com' 'applets.sulekha.com' 'suads.sulekha.com' 'te.suntimes.com' 'ads.swiftnews.com' 'dcs.swiftnews.com' 'm.teamsugar.com' 'ads.telegraph.co.uk' 'ads.thecrimson.com' 'test.theeagle.com' 'ad.thehill.com' 'ads.thehour.com' 'ads.thestar.com' 'te.thestar.com' 'mercury.tiser.com.au' 'ads.townhall.com' 'adsys.townnews.com' 'stats.townnews.com' 'ads.trackentertainment.com' 'ads.victoriaadvocate.com' 'ads2.victoriaadvocate.com' 'adserver.virgin.net' 'admanage.wescompapers.com' 'ads.wfmz.com' 'html.wnbc.com' 'ads.wnd.com' 'ads.advance.net' 'ads.al.com' 'ads.cleveland.com' 'geoip.cleveland.com' 'ads.gulflive.com' 'geoip.gulflive.com' 'ads.lehighvalleylive.com' 'geoip.lehighvalleylive.com' 'ads.masslive.com' 'geoip.masslive.com' 'ads.mlive.com' 'geoip.mlive.com' 'science.mlive.com' 'ads.nj.com' 'geoip.nj.com' 'ads.nola.com' 'geoip.nola.com' 'ads.oregonlive.com' 'geoip.oregonlive.com' 'ads.pennlive.com' 'geoip.pennlive.com' 'ads.silive.com' 'geoip.silive.com' 'ads.syracuse.com' 'geoip.syracuse.com' 'ads1.ami-admin.com' 'cms1.ami-admin.com' 'ads.fitpregnancy.com' 'ads.muscleandfitness.com' 'ads.muscleandfitnesshers.com' 'ads.starmagazine.com' 'ads.belointeractive.com' 'ads4.clearchannel.com' 'dart.clearchannel.com' 'w10.centralmediaserver.com' 'atpco.ur.gcion.com' 'q.azcentral.com' 'q.pni.com' 'ad.usatoday.com' 'ads.usatoday.com' 'c.usatoday.com' 'gannett.gcion.com' 'apptap.scripps.com' 'railads.scripps.com' 'adsremote.scrippsnetworks.com' 'adindex.laweekly.com' 'adindex.ocweekly.com' 'adindex.villagevoice.com' 'oas.villagevoice.com' 'bestoffers.activeshopper.com' 'e-zshopper.activeshopper.com' 'mini.activeshopper.com' 'mobile.activeshopper.com' 'uk.activeshopper.com' 'ads2.mediashakers.com' 'admez.com' 'www.admez.com' 'andr.net' 'www.andr.net' 'ads.identads.com' 'justns.com' 'v2.urlads.net' 'www.urlcash.net' 'media.ventivmedia.com' 'bugsforum.com' 'date.ventivmedia.com' 'stats.ventivmedia.com' 'ads.ventivmedia.com' 'ad.naver.com' 'adcreative.naver.com' 'nv1.ad.naver.com' 'nv2.ad.naver.com' 'nv3.ad.naver.com' 'ad.amiadogroup.com' 'vistabet-affiliate.host.bannerflow.com' 'cdn.beaconads.com' 'assets.customer.io' 'cdn.app.exitmonitor.com' 'pixels.mentad.com' 'cdn.ndparking.com' 'cdn.popcash.net' 'media.struq.com' 'tags.api.umbel.com' 'cdnm.zapunited.com' 'backfill.ph.affinity.com' 'inm.affinitymatrix.com' 'cdn.chitika.net' 'adn.fusionads.net' 'cdn.petametrics.com' 'ad.reachppc.com' 'pubs.hiddennetwork.com' 'pixel1097.everesttech.net' 'pixel1324.everesttech.net' 'pixel1350.everesttech.net' 'pixel1370.everesttech.net' 'pixel1553.everesttech.net' 'pixel1739.everesttech.net' 'raskrutka.ucoz.com' 'ad.nozonedata.com' 'ad.digitimes.com.tw' 'www.ad-souk.com' 'ads.mediatwo.com' 'mads.dailymail.co.uk' 'in-cdn.effectivemeasure.net' 'scripts.chitika.net' 'rtbcdn.doubleverify.com' 's.marketwatch.com' 'stags.peer39.net' 'www.secure-processingcenter.com' 'www.spywarebegone.com' 'www.zipitfast.com' 'ads.drugs.com' 'www.spyarsenal.com' 'www.tsgonline.com' 'nana10.checkm8.com' 'nana10digital.checkm8.com' 'nrg.checkm8.com' 'nrgdigital.checkm8.com' 'sport5.checkm8.com' 'sport5digital.checkm8.com' 'affiliate.dtiserv.com' 'ds.eyeblaster.com' 'ads.lesbianpersonals.com' 'contextlinks.netseer.com' 'asd.tynt.com' 'c04.adsummos.net' 'cdn.at.atwola.com' 'ads.chango.ca' 'me-cdn.effectivemeasure.net' 'za-cdn.effectivemeasure.net' 'www8.effectivemeasure.net' 'cdn.flashtalking.com' 'servedby.flashtalking.com' 'stat.flashtalking.com' 'video.flashtalking.com' 'ads.germanfriendfinder.com' 'a.huluad.com' 'adt.m7z.net' 'download.realtimegaming.com' 'tap-cdn.rubiconproject.com' 'bridgetrack.speedera.r3h.net' 'media-1.vpptechnologies.com' 'media-2.vpptechnologies.com' 'media-4.vpptechnologies.com' 'media-5.vpptechnologies.com' 'media-6.vpptechnologies.com' 'media-8.vpptechnologies.com' 'media-a.vpptechnologies.com' 'media-b.vpptechnologies.com' 'media-c.vpptechnologies.com' 'media-d.vpptechnologies.com' 'media-e.vpptechnologies.com' 'media-f.vpptechnologies.com' 'static.vpptechnologies.com' 'web.checkm8.com' 'web2.checkm8.com' 'stats.homestead.com' 'track.homestead.com' 'track2.homestead.com' 'www.shareasale.com' 'ads.boursorama.com' 'analytics.youramigo.com' '24m.nuggad.net' 'abcno.nuggad.net' 'axdget-sync.nuggad.net' 'capital.nuggad.net' 'dol.nuggad.net' 'ebayit-dp.nuggad.net' 'jip.nuggad.net' 'lokalavisendk.nuggad.net' 'lpm-francetv.nuggad.net' 'lpm-lagardere.nuggad.net' 'lpm-tf1.nuggad.net' 'mobilede-dp.nuggad.net' 'n24se.nuggad.net' 'naftemporiki.nuggad.net' 'noa.nuggad.net' 'om.nuggad.net' 'pegasus.nuggad.net' 'pressbox.nuggad.net' 'prime.nuggad.net' 'ri.nuggad.net' 'teletypos.nuggad.net' 'tv2dk.nuggad.net' '3w.nuggad.net' '71i.nuggad.net' 'ad.u.nuggad.net' 'adcloud-dp.nuggad.net' 'adselect.nuggad.net' 'arbomedia.nuggad.net' 'arbomediacz.nuggad.net' 'asqlesechos.nuggad.net' 'asv.nuggad.net' 'attica.nuggad.net' 'bei.nuggad.net' 'berldk.nuggad.net' 'billboard.nuggad.net' 'ci.nuggad.net' 'derstandard.nuggad.net' 'dbadk.nuggad.net' 'eu.nuggad.net' 'gwp.nuggad.net' 'httpool.nuggad.net' 'httpoolat.nuggad.net' 'httpoolbg.nuggad.net' 'httpoolbih.nuggad.net' 'httpoolcr.nuggad.net' 'httpoolro.nuggad.net' 'httpoolsr.nuggad.net' 'interia.nuggad.net' 'ip.nuggad.net' 'jpdk.nuggad.net' 'jobzdk.nuggad.net' 'jubdk.nuggad.net' 'jppol.nuggad.net' 'krone.nuggad.net' 'medienhaus.nuggad.net' 'mobilede.nuggad.net' 'msnad.nuggad.net' 'mtv.nuggad.net' 'nettno.nuggad.net' 'nuggad.nuggad.net' 'oms.nuggad.net' 'poldk.nuggad.net' 'rmsi.nuggad.net' 'si.nuggad.net' 'survey.nuggad.net' 'yahoo.nuggad.net' 'www.retrostats.com' 'counter.dt07.net' 'ads.xxxbunker.com' 'blue.sexer.com' 'hello.sexer.com' 'white.sexer.com' 'it.bannerout.com' 'www.firebanner.com' 'www.scambiobanner.tv' 's3.pageranktop.com' 'bbg.d1.sc.omtrdc.net' 'buzzfeed.d1.sc.omtrdc.net' 'idgenterprise.d1.sc.omtrdc.net' 'lakeshore.d1.sc.omtrdc.net' 'pcworldcommunication.d2.sc.omtrdc.net' 'foxnews.tt.omtrdc.net' 'lowes.tt.omtrdc.net' 'nautilus.tt.omtrdc.net' 'toysrus.tt.omtrdc.net' 'som.aeroplan.com' 'tracking.everydayhealth.com' 'omni.focus.de' 'metrics.ilsole24ore.com' 'metrics.laredoute.fr' 'stats2.luckymag.com' 'metrics.necn.com' '1und1internetag.d3.sc.omtrdc.net' 'cafemom.d2.sc.omtrdc.net' 'centricabritishgas.d3.sc.omtrdc.net' 'citicorpcreditservic.tt.omtrdc.net' 'comcastresidentialservices.tt.omtrdc.net' 'comvelgmbh.d1.sc.omtrdc.net' 'condenast.insight.omtrdc.net' 'cri.d1.sc.omtrdc.net' 'daimlerag.d2.sc.omtrdc.net' 'espndotcom.tt.omtrdc.net' 'fairfaxau.d1.sc.omtrdc.net' 'hm.d1.sc.omtrdc.net' 'internetretailer.d2.sc.omtrdc.net' 'marchofdimes.d2.sc.omtrdc.net' 'mashable.d2.sc.omtrdc.net' 'nascardigitalsap.d2.sc.omtrdc.net' 'nzz.d3.sc.omtrdc.net' 'nydailynews.d1.sc.omtrdc.net' 'petfooddirect.d1.sc.omtrdc.net' 'rtve.d1.sc.omtrdc.net' 'seb.d1.sc.omtrdc.net' 'softlayer.d1.sc.omtrdc.net' 'tacobell.d1.sc.omtrdc.net' 'metrics.rcsmetrics.it' 'metrics.td.com' 'tracking.whattoexpect.com' '2o7.net' '102.112.207.net' '102.112.2o7.net' '102.122.2o7.net' '192.168.112.2o7.net' '192.168.122.2o7.net' '1105governmentinformationgroup.122.2o7.net' '3gupload.112.2o7.net' '10xhellometro.112.2o7.net' 'acckalaharinet.112.2o7.net' 'acpmagazines.112.2o7.net' 'adbrite.122.2o7.net' 'advertisingcom.122.2o7.net' 'advertisementnl.112.2o7.net' 'aehistory.112.2o7.net' 'aetv.112.2o7.net' 'affilcrtopcolle.112.2o7.net' 'agamgreetingscom.112.2o7.net' 'agbmcom.112.2o7.net' 'agegreetings.112.2o7.net' 'agmsnag.112.2o7.net' 'agwebshots.112.2o7.net' 'agyahooag.112.2o7.net' 'albanytimesunion.122.2o7.net' 'allbritton.122.2o7.net' 'amazonmerchants.122.2o7.net' 'amazonshopbop.122.2o7.net' 'amdvtest.112.2o7.net' 'ameritradeogilvy.112.2o7.net' 'ameritradeamerivest.112.2o7.net' 'amznshopbop.122.2o7.net' 'angiba.112.2o7.net' 'angmar.112.2o7.net' 'angmil.112.2o7.net' 'angpar.112.2o7.net' 'sa.aol.com.122.2o7.net' 'aolbks.122.2o7.net' 'aolcamember.122.2o7.net' 'aolcg.122.2o7.net' 'aolcmp.122.2o7.net' 'aolcommem.122.2o7.net' 'aolcommvid.122.2o7.net' 'aolcsmen.122.2o7.net' 'aoldlama.122.2o7.net' 'aoldrambuie.122.2o7.net' 'aolgam.122.2o7.net' 'aolgamedaily.122.2o7.net' 'aoljournals.122.2o7.net' 'aollatblog.122.2o7.net' 'aollove.122.2o7.net' 'aolmov.122.2o7.net' 'aolmus.122.2o7.net' 'aolnews.122.2o7.net' 'aolnssearch.122.2o7.net' 'aolpf.122.2o7.net' 'aolpolls.122.2o7.net' 'aolsearch.122.2o7.net' 'aolshred.122.2o7.net' 'aolsports.122.2o7.net' 'aolstylist.122.2o7.net' 'aolsvc.122.2o7.net' 'aolswitch.122.2o7.net' 'aoltruveo.122.2o7.net' 'aoltmz.122.2o7.net' 'aolturnercnnmoney.122.2o7.net' 'aolturnersi.122.2o7.net' 'aoluk.122.2o7.net' 'aolvideo.122.2o7.net' 'aolwinamp.122.2o7.net' 'aolwbautoblog.122.2o7.net' 'aolwbcinema.122.2o7.net' 'aolwbdnlsq.122.2o7.net' 'aolwbengadget.122.2o7.net' 'aolwbgadling.122.2o7.net' 'aolwbluxist.122.2o7.net' 'aolwbtvsq.122.2o7.net' 'aolwbpspfboy.122.2o7.net' 'aolwbwowinsd.122.2o7.net' 'aolwpmq.122.2o7.net' 'aolwpnscom.122.2o7.net' 'aolwpnswhatsnew.112.2o7.net' 'aolyedda.122.2o7.net' 'apdigitalorgovn.112.2o7.net' 'apdigitalorg.112.2o7.net' 'apnonline.112.2o7.net' 'aporg.112.2o7.net' 'associatedcontent.112.2o7.net' 'atlanticmedia.122.2o7.net' 'audible.112.2o7.net' 'aumo123usedcarscom.112.2o7.net' 'aumoautomotivectl.112.2o7.net' 'aumoautomotivecom.112.2o7.net' 'aumoautomobilemagcom.112.2o7.net' 'aumocarsbelowinvoice.112.2o7.net' 'aumointernetautoguidecom.112.2o7.net' 'aumomotortrend.112.2o7.net' 'aumonewcarcom.112.2o7.net' 'aumotradeinvaluecom.112.2o7.net' 'autobytel.112.2o7.net' 'autobytelcorppopup.112.2o7.net' 'autoanythingcom.112.2o7.net' 'autoscout24.112.2o7.net' 'autoweb.112.2o7.net' 'avgtechnologies.112.2o7.net' 'avon.112.2o7.net' 'awarenesstech.122.2o7.net' 'babycentercom.112.2o7.net' 'bankrate.112.2o7.net' 'bankwest.112.2o7.net' 'bbc.112.2o7.net' 'bhgdiabeticliving.112.2o7.net' 'bhgdiy.112.2o7.net' 'bhgkitchenbath.112.2o7.net' 'bhgscrap.112.2o7.net' 'bhgremodel.112.2o7.net' 'bhgquilting.112.2o7.net' 'bnkholic.112.2o7.net' 'bellglobemediapublishing.122.2o7.net' 'belointeractive.122.2o7.net' 'bertelwissenprod.122.2o7.net' 'bet.122.2o7.net' 'betterhg.112.2o7.net' 'bigpond.122.2o7.net' 'bizjournals.112.2o7.net' 'blethenmaine.112.2o7.net' 'bmwmoter.122.2o7.net' 'bnk30livejs.112.2o7.net' 'bnkr8dev.112.2o7.net' 'bonintnewsktarcom.112.2o7.net' 'bonneville.112.2o7.net' 'bonniercorp.122.2o7.net' 'boostmobile.112.2o7.net' 'bostoncommonpress.112.2o7.net' 'brightcove.112.2o7.net' 'brighthouse.122.2o7.net' 'bruceclay.112.2o7.net' 'btcom.112.2o7.net' 'builderonlinecom.112.2o7.net' 'businessweekpoc.112.2o7.net' 'buycom.122.2o7.net' 'buzznet.112.2o7.net' 'byubroadcast.112.2o7.net' 'canadapost.112.2o7.net' 'cancalgary.112.2o7.net' 'canfinancialpost.112.2o7.net' 'cannationalpost.112.2o7.net' 'canwestglobal.112.2o7.net' 'canoe.112.2o7.net' 'canottowa.112.2o7.net' 'canshowcase.112.2o7.net' 'cantire.122.2o7.net' 'canwest.112.2o7.net' 'capcityadvcom.112.2o7.net' 'capecodonlinecom.112.2o7.net' 'care2.112.2o7.net' 'carlsonradisson.112.2o7.net' 'cartoonnetwork.122.2o7.net' 'cba.122.2o7.net' 'cbc.122.2o7.net' 'cbcnewmedia.112.2o7.net' 'cbmsn.112.2o7.net' 'cbglobal.112.2o7.net' 'cbs.112.2o7.net' 'cbscom.112.2o7.net' 'cbsdigitalmedia.112.2o7.net' 'cbsnfl.112.2o7.net' 'cbspgatour.112.2o7.net' 'cbsspln.112.2o7.net' 'cbstelevisiondistribution.112.2o7.net' 'ccrgaviscom.112.2o7.net' 'cengagecsinfosec.112.2o7.net' 'chacha.112.2o7.net' 'chchoice.112.2o7.net' 'chghowardjohnson.112.2o7.net' 'chgsupereight.112.2o7.net' 'ciaocom.122.2o7.net' 'ciscowebex.112.2o7.net' 'cnhicrossvillechronicle.122.2o7.net' 'cnhidailyindependent.122.2o7.net' 'cnhienid.122.2o7.net' 'cnnireport.122.2o7.net' 'cnetasiapacific.122.2o7.net' 'chgwyndham.112.2o7.net' 'chicagosuntimes.122.2o7.net' 'chumtv.122.2o7.net' 'ciaoshopcouk.122.2o7.net' 'ciaoshopit.122.2o7.net' 'classicvacations.112.2o7.net' 'classmatescom.112.2o7.net' 'clubmed.112.2o7.net' 'clubmom.122.2o7.net' 'cmp.112.2o7.net' 'cmpdotnetjunkiescom.112.2o7.net' 'cmpglobalvista.112.2o7.net' 'cmtvia.112.2o7.net' 'cnetaustralia.122.2o7.net' 'cneteurope.122.2o7.net' 'cnetjapan.122.2o7.net' 'cnetnews.112.2o7.net' 'cnettech.112.2o7.net' 'cnetzdnet.112.2o7.net' 'cnheagletribune.112.2o7.net' 'cnhiautovertical.122.2o7.net' 'cnhibatesvilleheraldtribune.122.2o7.net' 'cnhibdtonline.122.2o7.net' 'cnhieagletribune.122.2o7.net' 'cnhijohnstown.122.2o7.net' 'cnhijoplinglobe.122.2o7.net' 'cnhinewscourier.122.2o7.net' 'cnhinewsservicedev.122.2o7.net' 'cnhirecordeagle.122.2o7.net' 'cnn.122.2o7.net' 'cnnglobal.122.2o7.net' 'cnocanoecaprod.112.2o7.net' 'cnoompprod.112.2o7.net' 'computerworldcom.112.2o7.net' 'condeconsumermarketing.112.2o7.net' 'condenast.112.2o7.net' 'conpst.112.2o7.net' 'cookingcom.112.2o7.net' 'corelcom.112.2o7.net' 'coreluk.112.2o7.net' 'costargroup.112.2o7.net' 'couhome.112.2o7.net' 'couponchief.122.2o7.net' 'coxhsi.112.2o7.net' 'coxnet.112.2o7.net' 'coxnetmasterglobal.112.2o7.net' 'cpusall.112.2o7.net' 'createthegroup.122.2o7.net' 'creditcardscom.112.2o7.net' 'cruisecritic.112.2o7.net' 'csoonlinecom.112.2o7.net' 'ctvcrimelibrary.112.2o7.net' 'ctvmaincom.112.2o7.net' 'ctvsmokinggun.112.2o7.net' 'ctvtsgtv.112.2o7.net' 'cwportal.112.2o7.net' 'cxociocom.112.2o7.net' 'cxocomdev.112.2o7.net' 'cyberdefender.122.2o7.net' 'dailyheraldpaddockpublication.112.2o7.net' 'dardenrestaurants.112.2o7.net' 'dealnews.122.2o7.net' 'delightful.112.2o7.net' 'dennispublishing.112.2o7.net' 'daimlerag.122.2o7.net' 'divx.112.2o7.net' 'dixonscouk.112.2o7.net' 'dmcontactmanagement.122.2o7.net' 'dmvguidecom.112.2o7.net' 'doctorsassociatesrx.112.2o7.net' 'dominionenterprises.112.2o7.net' 'dotster.112.2o7.net' 'dotsterdomaincom.112.2o7.net' 'dotsterdotsteraug08.112.2o7.net' 'dreamhome.112.2o7.net' 'eaeacom.112.2o7.net' 'eagamesuk.112.2o7.net' 'eaglemiles.112.2o7.net' 'eapogocom.112.2o7.net' 'earthlink.122.2o7.net' 'earthlnkpsplive.122.2o7.net' 'edietsmain.112.2o7.net' 'edmunds.112.2o7.net' 'edsa.122.2o7.net' 'efashionsolutions.122.2o7.net' 'ehadvicedev.112.2o7.net' 'eharmony.112.2o7.net' 'electronicarts.112.2o7.net' 'eloqua.122.2o7.net' 'emc.122.2o7.net' 'enterprisemediagroup.112.2o7.net' 'entrepreneur.122.2o7.net' 'entrepreneurpoc.122.2o7.net' 'epebuild.112.2o7.net' 'eplans.112.2o7.net' 'eremedia.112.2o7.net' 'eset.122.2o7.net' 'eurostar.122.2o7.net' 'eventbrite.122.2o7.net' 'evepdaikencom.112.2o7.net' 'evepdcharleston.112.2o7.net' 'evepdaggiesports.112.2o7.net' 'evepdbrazossports.112.2o7.net' 'evepdeagledev.112.2o7.net' 'ewsabilene.112.2o7.net' 'ewscorpuschristi.112.2o7.net' 'ewscripps.112.2o7.net' 'ewsmemphis.112.2o7.net' 'ewsnaples.112.2o7.net' 'ewsventura.112.2o7.net' 'examinercom.122.2o7.net' 'expedia1.112.2o7.net' 'expedia6vt.112.2o7.net' 'expedia8.112.2o7.net' 'experianservicescorp.122.2o7.net' 'expertsexchange.112.2o7.net' 'extrovert.122.2o7.net' 'ezgds.112.2o7.net' 'f2communitynews.112.2o7.net' 'f2nbt.112.2o7.net' 'f2network.112.2o7.net' 'f2nmycareer.112.2o7.net' 'f2nsmh.112.2o7.net' 'f2ntheage.112.2o7.net' 'facebookinc.122.2o7.net' 'factiva.122.2o7.net' 'fanatics.112.2o7.net' 'farecastcom.122.2o7.net' 'fbfredericksburgcom.112.2o7.net' 'figlobal.112.2o7.net' 'fim.122.2o7.net' 'flyingmag.com.122.2o7.net' 'ford.112.2o7.net' 'foxamw.112.2o7.net' 'foxcom.112.2o7.net' 'foxidol.112.2o7.net' 'foxinteractivemedia.122.2o7.net' 'furnlevitz.112.2o7.net' 'furniturecom.112.2o7.net' 'fusetv.112.2o7.net' 'gap.112.2o7.net' 'gatehousemedia.122.2o7.net' 'gateway.122.2o7.net' 'genetree.112.2o7.net' 'geosign.112.2o7.net' 'gifastcompanycom.112.2o7.net' 'gjfastcompanycom.112.2o7.net' 'gjincscobleizer.112.2o7.net' 'giftscom.122.2o7.net' 'gmgmacfs.112.2o7.net' 'gmgmacmortgage.112.2o7.net' 'gmgmcom.112.2o7.net' 'gmgoodwrenchdmaprod.112.2o7.net' 'gntbcstkare.112.2o7.net' 'gntbcstksdk.112.2o7.net' 'gntbcstkthv.112.2o7.net' 'gntbcstkxtv.112.2o7.net' 'gntbcstwbir.112.2o7.net' 'gntbcstwfmy.112.2o7.net' 'gntbcstwkyc.112.2o7.net' 'gntbcstwlbz.112.2o7.net' 'gntbcstwmaz.112.2o7.net' 'gntbcstwcsh.112.2o7.net' 'gntbcstwltx.112.2o7.net' 'gntbcstwtlv.112.2o7.net' 'gntbcstwtsp.112.2o7.net' 'gntbcstwusa.112.2o7.net' 'gntbcstwxia.112.2o7.net' 'gntbcstwzzm.112.2o7.net' 'gntbcstglobal.112.2o7.net' 'gntbcstkusa.112.2o7.net' 'gourmetgiftbaskets.112.2o7.net' 'gpapercareer.112.2o7.net' 'gpapermom104.112.2o7.net' 'grunerandjahr.112.2o7.net' 'guj.122.2o7.net' 'hallmarkibmcom.112.2o7.net' 'harconsumer.112.2o7.net' 'harrahscom.112.2o7.net' 'harpo.122.2o7.net' 'haymarketbusinesspublications.122.2o7.net' 'hchrmain.112.2o7.net' 'healthgrades.112.2o7.net' 'healthination.122.2o7.net' 'hearstdigital.122.2o7.net' 'hearstugo.112.2o7.net' 'hearstmagazines.112.2o7.net' 'heavycom.122.2o7.net' 'hertz.122.2o7.net' 'hickoryfarms.112.2o7.net' 'highbeam.122.2o7.net' 'himedia.112.2o7.net' 'hisnakiamotors.122.2o7.net' 'hollywood.122.2o7.net' 'homepjlconline.com.112.2o7.net' 'homepproav.112.2o7.net' 'homesteadtechnologies.122.2o7.net' 'homestore.122.2o7.net' 'hotelscom.122.2o7.net' 'hphqglobal.112.2o7.net' 'hswmedia.122.2o7.net' 'hulu.112.2o7.net' 'huludev.112.2o7.net' 'ibibo.112.2o7.net' 'ice.112.2o7.net' 'idgenterprise.112.2o7.net' 'ihc.112.2o7.net' 'imc2.122.2o7.net' 'imeem.112.2o7.net' 'imiliving.122.2o7.net' 'incisivemedia.112.2o7.net' 'indigio.122.2o7.net' 'infratotalduicom.122.2o7.net' 'infrastrategy.122.2o7.net' 'infoworldmediagroup.112.2o7.net' 'intelcorpchan.112.2o7.net' 'intelcorperror.112.2o7.net' 'intelcorpsupp.112.2o7.net' 'interchangecorporation.122.2o7.net' 'interland.122.2o7.net' 'intuitinc.122.2o7.net' 'insiderpagescom.122.2o7.net' 'instadia.112.2o7.net' 'ipcmarieclaireprod.122.2o7.net' 'ipcmedia.122.2o7.net' 'ipcnowprod.122.2o7.net' 'ipcuncut.122.2o7.net' 'ipcwebuserprod.122.2o7.net' 'ipcyachtingworldprod.122.2o7.net' 'itmedia.122.2o7.net' 'itv.112.2o7.net' 'iusacomlive.112.2o7.net' 'ivillageglobal.112.2o7.net' 'jackpot.112.2o7.net' 'jennycraig.112.2o7.net' 'jetbluecom2.112.2o7.net' 'jetbluepkgcs.112.2o7.net' 'jijsonline.112.2o7.net' 'jijsonline.122.2o7.net' 'jiktnv.122.2o7.net' 'jiwire.112.2o7.net' 'jiwtmj.122.2o7.net' 'jmsyap.112.2o7.net' 'johnlewis.112.2o7.net' 'jrcdelcotimescom.122.2o7.net' 'jrcom.112.2o7.net' 'journalregistercompany.122.2o7.net' 'kaboose.112.2o7.net' 'kasperthreatpostprod.112.2o7.net' 'kaspersky.122.2o7.net' 'kbbmain.112.2o7.net' 'kelleybluebook.112.2o7.net' 'kiplinger.112.2o7.net' 'lab88inc.112.2o7.net' 'laptopmag.122.2o7.net' 'lastminengb.112.2o7.net' 'laxnws.112.2o7.net' 'laxprs.112.2o7.net' 'laxpsd.112.2o7.net' 'laxtrb.112.2o7.net' 'laxwht.122.2o7.net' 'laxwht.112.2o7.net' 'ldsfch.112.2o7.net' 'leaitworldprod.112.2o7.net' 'leeenterprises.112.2o7.net' 'leveragemarketing.112.2o7.net' 'lintv.122.2o7.net' 'livedealcom.112.2o7.net' 'livenation.122.2o7.net' 'mailtribunecom.112.2o7.net' 'mapscom2.112.2o7.net' 'marinermarketing.112.2o7.net' 'marketlive.122.2o7.net' 'marketworksinc.122.2o7.net' 'marksandspencer.122.2o7.net' 'mattressusa.122.2o7.net' 'maxim.122.2o7.net' 'mcclatchy.112.2o7.net' 'mdjacksonville.112.2o7.net' 'mdpparents.112.2o7.net' 'mdwathens.112.2o7.net' 'mdwaugusta.112.2o7.net' 'mdwjuneau.112.2o7.net' 'mdwoakridge.112.2o7.net' 'mdwsavannah.112.2o7.net' 'mdwskirt.112.2o7.net' 'medhelpinternational.112.2o7.net' 'mediabistro.112.2o7.net' 'mediabistrocom.112.2o7.net' 'medialogic.122.2o7.net' 'mediamatters.112.2o7.net' 'meetupdev.122.2o7.net' 'memberservicesinc.122.2o7.net' 'metacafe.122.2o7.net' 'mgdothaneagle.112.2o7.net' 'mghickoryrecord.112.2o7.net' 'mgjournalnow.112.2o7.net' 'mgoanow.112.2o7.net' 'mngitwincities.112.2o7.net' 'mdstaugustine.112.2o7.net' 'mgstarexponent.112.2o7.net' 'mgtbo.112.2o7.net' 'mgtbopanels.112.2o7.net' 'mgtimesdispatch.112.2o7.net' 'mgwcbd.112.2o7.net' 'mgwjar.112.2o7.net' 'mgwnct.112.2o7.net' 'mgwsav.112.2o7.net' 'mgwsls.112.2o7.net' 'milbglobal.112.2o7.net' 'microsoftxbox.112.2o7.net' 'microsoftgamestudio.112.2o7.net' 'microsofteup.112.2o7.net' 'microsoftinternetexplorer.112.2o7.net' 'microsoftmachinetranslation.112.2o7.net' 'microsoftoffice.112.2o7.net' 'microsoftsto.112.2o7.net' 'microsoftuk.122.2o7.net' 'microsoftwga.112.2o7.net' 'microsoftwindows.112.2o7.net' 'microsoftwindowsmobile.122.2o7.net' 'microsoftwllivemkt.112.2o7.net' 'microsoftwlmailmkt.112.2o7.net' 'microsoftwlmessengermkt.112.2o7.net' 'microsoftwlmobilemkt.112.2o7.net' 'microsoftwlsearchcrm.112.2o7.net' 'midala.112.2o7.net' 'midar.112.2o7.net' 'midcru.112.2o7.net' 'midsen.112.2o7.net' 'mitsubishi.112.2o7.net' 'mkcthehomemarketplace.112.2o7.net' 'mkt10.122.2o7.net' 'mlarmani.122.2o7.net' 'mlbam.112.2o7.net' 'mlbatlanta.112.2o7.net' 'mlbcincinnati.112.2o7.net' 'mlbcom.112.2o7.net' 'mlbglobal.112.2o7.net' 'mlbglobal08.112.2o7.net' 'mlbsanfrancisco.112.2o7.net' 'mlsglobal.112.2o7.net' 'mmc.122.2o7.net' 'mngi.112.2o7.net' 'mngidailybreeze.112.2o7.net' 'mngimng.112.2o7.net' 'mngirockymtnnews.112.2o7.net' 'mngislctrib.112.2o7.net' 'mngisv.112.2o7.net' 'mngiyhnat.112.2o7.net' 'morningnewsonline.112.2o7.net' 'movitex.122.2o7.net' 'mpire.112.2o7.net' 'mngidmn.112.2o7.net' 'mngimercurynews.112.2o7.net' 'mseupwinxpfam.112.2o7.net' 'msna1com.112.2o7.net' 'msnaccountservices.112.2o7.net' 'msnbcom.112.2o7.net' 'msnbc.112.2o7.net' 'msnbcnewsvine.112.2o7.net' 'msneshopbase.112.2o7.net' 'msninvite.112.2o7.net' 'msninviteprod.112.2o7.net' 'msnlivefavorites.112.2o7.net' 'msnmercom.112.2o7.net' 'msnmercustacqprod.112.2o7.net' 'msnonecare.112.2o7.net' 'msnportalaffiliate.112.2o7.net' 'msnportalaunews.112.2o7.net' 'msnportalbeetoffice2007.112.2o7.net' 'msnportalhome.112.2o7.net' 'msnportalgame.112.2o7.net' 'msnportallatino.112.2o7.net' 'msnportalmsgboardsrvc.112.2o7.net' 'msnportalscp.112.2o7.net' 'msnportalvideo.112.2o7.net' 'msntrademarketing.112.2o7.net' 'msnwinonecare.112.2o7.net' 'msnportal.112.2o7.net' 'msnportallive.112.2o7.net' 'msnservices.112.2o7.net' 'mssbcprod.112.2o7.net' 'mswindowswolglobal.112.2o7.net' 'mswlspcmktdev.112.2o7.net' 'mswmwpapolloprod.122.2o7.net' 'mtvn.112.2o7.net' 'multiply.112.2o7.net' 'mxmacromedia.112.2o7.net' 'myfamilyancestry.112.2o7.net' 'nandomedia.112.2o7.net' 'nasdaq.122.2o7.net' 'natgeoedit.112.2o7.net' 'natgeoeditcom.112.2o7.net' 'natgeoglobal.112.2o7.net' 'natgeohomepage.112.2o7.net' 'natgeonavcom.112.2o7.net' 'natgeonews.112.2o7.net' 'natgeongkidsmagccom.112.2o7.net' 'natgeongmcom.112.2o7.net' 'natgeopeopleplaces.112.2o7.net' 'natgeotravelermagcom.112.2o7.net' 'natgeovideo.112.2o7.net' 'nautilus.122.2o7.net' 'nbcuniversal.122.2o7.net' 'neber.112.2o7.net' 'nebnr.112.2o7.net' 'neref.112.2o7.net' 'networksolutions.112.2o7.net' 'newcom.122.2o7.net' 'newlook.112.2o7.net' 'newsday.122.2o7.net' 'newsinteractive.112.2o7.net' 'newsinternational.122.2o7.net' 'newsok.112.2o7.net' 'newsquestdigitalmedia.122.2o7.net' 'newstimeslivecom.112.2o7.net' 'newyorkandcompany.112.2o7.net' 'newyorkmagazine.112.2o7.net' 'nhl.112.2o7.net' 'nielsen.112.2o7.net' 'nikefootball.112.2o7.net' 'nikefootballglobal.112.2o7.net' 'nikegoddess.112.2o7.net' 'nikehome.112.2o7.net' 'nikerunning.112.2o7.net' 'nikerunningglobal.112.2o7.net' 'njmvc.112.2o7.net' 'nmanchorage.112.2o7.net' 'nmbakersfieldca.112.2o7.net' 'nmbeaufort.112.2o7.net' 'nmbelleville.112.2o7.net' 'nmbradenton.112.2o7.net' 'nmcharlotte.112.2o7.net' 'nmcolumbia.112.2o7.net' 'nmcomnancomedia.112.2o7.net' 'nmeprod.122.2o7.net' 'nmfortworth.112.2o7.net' 'nmfresno.112.2o7.net' 'nmhiltonhead.112.2o7.net' 'nmkansascity.112.2o7.net' 'nmlexington.112.2o7.net' 'nmmclatchy.112.2o7.net' 'nmmerced.112.2o7.net' 'nmmiami.112.2o7.net' 'nmminneapolis.112.2o7.net' 'nmmodesto.112.2o7.net' 'nmraleigh.112.2o7.net' 'nmrockhill.112.2o7.net' 'nmsacramento.112.2o7.net' 'nmsanluisobispo.112.2o7.net' 'nmstatecollege.112.2o7.net' 'nmtacoma.112.2o7.net' 'nmthatsracin.112.2o7.net' 'nortelcom.112.2o7.net' 'northjersey.112.2o7.net' 'northwestairlines.112.2o7.net' 'novell.112.2o7.net' 'novellcom.112.2o7.net' 'nsdldlese.112.2o7.net' 'nttcommunications.122.2o7.net' 'nysun.com.112.2o7.net' 'nytbglobe.112.2o7.net' 'nytrflorence.112.2o7.net' 'nytrgainesville.112.2o7.net' 'nytrhendersonville.112.2o7.net' 'nytrlakeland.112.2o7.net' 'nytrlexington.112.2o7.net' 'nytrocala.112.2o7.net' 'nytrsantarosa.112.2o7.net' 'nytrsarasota.112.2o7.net' 'nytrthibodaux.112.2o7.net' 'nytrtuscaloosa.112.2o7.net' 'nytrwilmington.112.2o7.net' 'nytrworcester.112.2o7.net' 'nyttechnology.112.2o7.net' 'nytrwinterhaven.112.2o7.net' 'oberonincredig.112.2o7.net' 'oklahomadepartmentofcommerce.112.2o7.net' 'omniture.112.2o7.net' 'omniturecom.112.2o7.net' 'omniturebanners.112.2o7.net' 'omniscbt.112.2o7.net' 'omvisidtest1.112.2o7.net' 'onetoone.112.2o7.net' 'onlinegurupopularsitecom.112.2o7.net' 'oodpreprod.122.2o7.net' 'optimost.112.2o7.net' 'oraclecom.112.2o7.net' 'oracleglobal.112.2o7.net' 'osiristrading.112.2o7.net' 'ottdailytidingscom.112.2o7.net' 'ottacknet.112.2o7.net' 'overstockcom.112.2o7.net' 'overturecom.112.2o7.net' 'overturecomvista.112.2o7.net' 'pandasoftware.112.2o7.net' 'parade.122.2o7.net' 'parship.122.2o7.net' 'partygaming.122.2o7.net' 'partygamingglobal.122.2o7.net' 'patrickhillery.112.2o7.net' 'paypal.112.2o7.net' 'pch.122.2o7.net' 'pctoolscom.112.2o7.net' 'pcworldcommunication.122.2o7.net' 'pelmorexmedia.122.2o7.net' 'pentonmedia.122.2o7.net' 'pennwellcorp.112.2o7.net' 'petakfc.112.2o7.net' 'petamain.112.2o7.net' 'pfizer.122.2o7.net' 'philips.112.2o7.net' 'phillyburbscom.112.2o7.net' 'phillycom.112.2o7.net' 'phillymedia.112.2o7.net' 'pittsburghpostgazette.112.2o7.net' 'planetout.122.2o7.net' 'pldev.112.2o7.net' 'plsoyfoods.112.2o7.net' 'poacprod.122.2o7.net' 'poconorecordcom.112.2o7.net' 'popcapgames.122.2o7.net' 'popsci.com.122.2o7.net' 'powellsbooks.122.2o7.net' 'poweronemedia.122.2o7.net' 'premiumtv.122.2o7.net' 'primediabusiness.122.2o7.net' 'primestarmagazine.112.2o7.net' 'prisacom.112.2o7.net' 'prnewswire.122.2o7.net' 'primemensfitness.112.2o7.net' 'pulkauaiworld.112.2o7.net' 'pultheworldlink.112.2o7.net' 'questiacom.112.2o7.net' 'questsoftware.112.2o7.net' 'qwestfull.112.2o7.net' 'rainbowmedia.122.2o7.net' 'rakuten.112.2o7.net' 'rcci.122.2o7.net' 'rcntelecom.112.2o7.net' 'reagroup.122.2o7.net' 'rebtelnetworks.112.2o7.net' 'recordeaglecom.112.2o7.net' 'recordnetcom.112.2o7.net' 'recordonlinecom.112.2o7.net' 'registercom.122.2o7.net' 'remodelingonlinecom.112.2o7.net' 'rentcom.112.2o7.net' 'restoredchurchofgod.112.2o7.net' 'reunioncom.112.2o7.net' 'ringcentral.112.2o7.net' 'ringierag.112.2o7.net' 'riptownmedia.122.2o7.net' 'riverdeep.112.2o7.net' 'rmgparcelforcecom.112.2o7.net' 'rmgroyalmailcom.112.2o7.net' 'rrpartners.122.2o7.net' 'rtst.122.2o7.net' 'safaribooks.112.2o7.net' 'saksfifthavenue.122.2o7.net' 'santacruzsentinelcom.112.2o7.net' 'saxobutlereagle.122.2o7.net' 'saxoconcordmonitor.122.2o7.net' 'saxoeverett.122.2o7.net' 'saxofosters.122.2o7.net' 'saxogoerie.122.2o7.net' 'saxogreensboro.122.2o7.net' 'saxoorklamedia.122.2o7.net' 'saxopeninsuladailynews.122.2o7.net' 'saxorutland.122.2o7.net' 'saxosumteritem.122.2o7.net' 'saxotech.122.2o7.net' 'saxotechtylerpaper.122.2o7.net' 'saxotelegraph.122.2o7.net' 'saxotoledo.122.2o7.net' 'saxowatertowndailytimes.122.2o7.net' 'saxowenworld.122.2o7.net' 'saxowesterncommunications.122.2o7.net' 'sbsblukgov.112.2o7.net' 'sciamcom.112.2o7.net' 'scottrade.112.2o7.net' 'scrippsdiy.112.2o7.net' 'scrippsfineliving.112.2o7.net' 'scrippsfoodnet.112.2o7.net' 'scrippsfoodnetnew.112.2o7.net' 'scrippsgac.112.2o7.net' 'scrippshgtv.112.2o7.net' 'scrippshgtvpro.112.2o7.net' 'scrippsrecipezaar.112.2o7.net' 'seacoastonlinecom.112.2o7.net' 'sears.112.2o7.net' 'searscom.112.2o7.net' 'searskmartcom.112.2o7.net' 'sento.122.2o7.net' 'sevenoneintermedia.112.2o7.net' 'schaeffers.112.2o7.net' 'shawnewspapers.112.2o7.net' 'shopping.112.2o7.net' 'skyauction.122.2o7.net' 'slbbbcom.112.2o7.net' 'sltravelcom.112.2o7.net' 'smartmoney.112.2o7.net' 'smibs.112.2o7.net' 'smokingeverywhere.122.2o7.net' 'smokinggun.122.2o7.net' 'smpopmech.112.2o7.net' 'smwww.112.2o7.net' 'snagajob.122.2o7.net' 'snapfish.112.2o7.net' 'softonic.112.2o7.net' 'sonychina.112.2o7.net' 'sonycorporate.112.2o7.net' 'sonyscei.112.2o7.net' 'southcoasttodaycom.112.2o7.net' 'spamfighter.112.2o7.net' 'sparknetworks.112.2o7.net' 'spencergifts.112.2o7.net' 'sportingnews.122.2o7.net' 'sprintglobal.112.2o7.net' 'stampscom.112.2o7.net' 'starz.122.2o7.net' 'stpetersburgtimes.122.2o7.net' 'stubhub.122.2o7.net' 'stylincom.112.2o7.net' 'subaruofamerica.112.2o7.net' 'summitbusinessmedia.112.2o7.net' 'sunglobal.112.2o7.net' 'superpages.122.2o7.net' 'surfline.112.2o7.net' 'survey.122.2o7.net' 'svd.112.2o7.net' 'swsoft.122.2o7.net' 'sympmsnglobalen.112.2o7.net' 'sympmsnmusic.112.2o7.net' 'tangomedia.112.2o7.net' 'tbstv.112.2o7.net' 'techreview.112.2o7.net' 'tel3adv.112.2o7.net' 'tele2nl.112.2o7.net' 'telefloracom.112.2o7.net' 'tescostores.122.2o7.net' 'thayhoteldelcoronado.112.2o7.net' 'thayhiltonlongisland.112.2o7.net' 'thayvenetian.112.2o7.net' 'thedailystarcom.112.2o7.net' 'thegroup.112.2o7.net' 'thgalecom.112.2o7.net' 'thelibraryofcongress.122.2o7.net' 'thestar.122.2o7.net' 'thestardev.122.2o7.net' 'thinkgeek.112.2o7.net' 'thomasvillefurniture.122.2o7.net' 'thome.112.2o7.net' 'timecom.112.2o7.net' 'timecom.122.2o7.net' 'timeew.122.2o7.net' 'timeessence.122.2o7.net' 'timefoodandwine.122.2o7.net' 'timefortune.112.2o7.net' 'timehealthtips.122.2o7.net' 'timeinc.122.2o7.net' 'timelife.122.2o7.net' 'timeoutcommunications.122.2o7.net' 'timepeople.122.2o7.net' 'timepespanol.122.2o7.net' 'timespctenbest.122.2o7.net' 'timeteenpeople.122.2o7.net' 'tirerackcom.112.2o7.net' 'tgn.122.2o7.net' 'tjx.112.2o7.net' 'tmslexus.112.2o7.net' 'tmstoyota.112.2o7.net' 'tnttv.112.2o7.net' 'tomsshoes.122.2o7.net' 'torstardigital.122.2o7.net' 'toyotamotorcorporation.122.2o7.net' 'trailblazers.122.2o7.net' 'trane-ir-corp-ingersollrand.112.2o7.net' 'travidia.112.2o7.net' 'tribuneinteractive.122.2o7.net' 'trinitymirror.112.2o7.net' 'tumi.112.2o7.net' 'turnerclassic.112.2o7.net' 'turnersports.112.2o7.net' 'tvguide.112.2o7.net' 'uolfreeservers.112.2o7.net' 'uoljunocom2.112.2o7.net' 'uolnetzeronet2.112.2o7.net' 'uolphotosite.112.2o7.net' 'upi.112.2o7.net' 'usatoday1.112.2o7.net' 'usdm.122.2o7.net' 'usnews.122.2o7.net' 'ussearch.122.2o7.net' 'tbsveryfunnyads.112.2o7.net' 'vcomdeepdiscount.112.2o7.net' 'vcommerce.112.2o7.net' 'verisignwildcard.112.2o7.net' 'vermontteddybear.112.2o7.net' 'viaaddictingclips.112.2o7.net' 'viaaddictinggames.112.2o7.net' 'viaatom.112.2o7.net' 'viaatomv6.112.2o7.net' 'viabestweekever.112.2o7.net' 'viacomedycentral.112.2o7.net' 'viacomedycentralrl.112.2o7.net' 'viacomedyde.112.2o7.net' 'viagametrailers.112.2o7.net' 'vialogoonline.112.2o7.net' 'vialogorollup.112.2o7.net' 'viamtvcom.112.2o7.net' 'viamtvtr.112.2o7.net' 'vianickde.112.2o7.net' 'viasatsatelliteservices.112.2o7.net' 'viashockwave.112.2o7.net' 'viaspike.112.2o7.net' 'viamtv.112.2o7.net' 'viamtvukdev.112.2o7.net' 'viamtvnvideo.112.2o7.net' 'viamtvtr3s.112.2o7.net' 'vianewnownext.112.2o7.net' 'viaquiz.112.2o7.net' 'viaukplayer.112.2o7.net' 'viarnd.112.2o7.net' 'viavh1com.112.2o7.net' 'viay2m.112.2o7.net' 'victoriaadvocate.112.2o7.net' 'vintacom.112.2o7.net' 'vintadream.112.2o7.net' 'viamtvuk.112.2o7.net' 'viamtvromania.112.2o7.net' 'viavh1scandalist.112.2o7.net' 'viavh1video.112.2o7.net' 'virginmedia.112.2o7.net' 'virginmobile.122.2o7.net' 'vitacost.122.2o7.net' 'videotroncom.112.2o7.net' 'vodafonegroup.122.2o7.net' 'volkswagen.122.2o7.net' 'vpmc.122.2o7.net' 'walgrns.112.2o7.net' 'walmart.112.2o7.net' 'warnerbros.112.2o7.net' 'warnerbrothersrecords.112.2o7.net' 'waterfrontmedia.112.2o7.net' 'wbextecd.112.2o7.net' 'wbnews.112.2o7.net' 'wbprocurement.112.2o7.net' 'wcastrprod.122.2o7.net' 'webroot.112.2o7.net' 'westwickfarrow.122.2o7.net' 'whitecastle.122.2o7.net' 'wileypublishing.112.2o7.net' 'winecom.112.2o7.net' 'wineenthusiastcom.112.2o7.net' 'winmpmain.112.2o7.net' 'wissende.122.2o7.net' 'wlaptoplogic.122.2o7.net' 'worldnowboston.112.2o7.net' 'wpni.112.2o7.net' 'wpnipostcomjobs.112.2o7.net' 'wrigley.122.2o7.net' 'wwatchcomusa.112.2o7.net' 'wweconsumer.112.2o7.net' 'wwecorp2.112.2o7.net' 'xhealth.112.2o7.net' 'xhealthmobiltools.112.2o7.net' 'yamaha.122.2o7.net' 'yellcom.122.2o7.net' 'yellspain.112.2o7.net' 'yrkdsp.112.2o7.net' 'yukoyuko.112.2o7.net' 'zag.112.2o7.net' 'zango.112.2o7.net' 'zdau-builder.122.2o7.net' 'ziffdavisenterprise.112.2o7.net' 'ziffdavisenterpriseglobal.112.2o7.net' 'ziffdavisfilefront.112.2o7.net' 'ziffdavisglobal.112.2o7.net' 'ziffdavispennyarcade.112.2o7.net' 'ziffdaviseweek.112.2o7.net' 'stats.esomniture.com' 'www.omniture.com' 'www.touchclarity.com' 'nossl.aafp.org' 'metrics.aarp.org' 'ewstv.abc15.com' 'metrics.accuweather.com' 'metrics.acehardware.com' 'stats.adultswim.com' 'analytic.ae.com' 'metrics.aetn.com' 'metric.allrecipes.com' 'stats2.allure.com' 'b.alot.com' 'analytics.amakings.com' 'metrics.amd.com' 'metrics.americancityandcounty.com' 'a.americanidol.com' 'metric.angieslist.com' 'o.sa.aol.com' 's.sa.aol.com' 'metrics.apartmentfinder.com' 'metrics.ariba.com' 'omniture.artinstitutes.edu' 'stats2.arstechnica.com' 'vs.asianave.com' 'stats.askmen.com' 'metrics.autotrader.co.uk' 'metrics.autobytel.com' 'metrics.automobilemag.com' 'www2.autopartswarehouse.com' 'metrics.azfamily.com' 'metrics.babycenter.com' 'metrics.babycentre.co.uk' 'stats.backcountry.com' 'omni.basspro.com' 'sa.bbc.co.uk' 'metrics.beachbody.com' 'a.beliefnet.com' 'metrics.bestbuy.com' 'metrics.bet.com' 'n.betus.com' 'metrics.bhg.com' 'metrics.bitdefender.com' 'metric.bizjournals.com' 'metrics.blackberry.com' 'vs.blackplanet.com' 'om.blockbuster.com' 'metrics.bloomberg.com' 'o.bluewin.ch' 'n.bodybuilding.com' 'stats.bookingbuddy.com' 'metrics.bose.com' 'metrics.boston.com' 'om.businessweek.com' 'stats.buycostumes.com' 'stats.cafepress.com' 'omni.canadiantire.ca' 'metrics.car.com' 'metrics.caranddriver.com' 'metrics.cars.com' 'metrics.carbonite.com' 'metrics.carphonewarehouse.com' 'stats.cartoonnetwork.com' 'omni.cash.ch' 'metrics.cbc.ca' 'om.cbsi.com' 'mtrics.cdc.gov' 'metrics.centex.com' 'metrics.chacha.com' 'webstat.channel4.com' 'omniture.chip.de' 'metrics.chron.com' 'om.cnet.co.uk' 'metrics.cleveland.com' 'metrics.cnn.com' 'track.collegeboard.com' 'serviceo.comcast.net' 'metrics.compactappliance.com' 'stats.concierge.com' 'metrics.corus.ca' 'metrics.cosmopolitan.co.uk' 'omn.crackle.com' 'om.craftsman.com' 'smetrics.creditreport.com' 'metrics.crystalcruises.com' 'omni.csc.com' 'metrics.csmonitor.com' 'metrics.ctv.ca' 'metrics.dailymotion.com' 'metrics.dailystrength.org' 'metrics.dallasnews.com' 'metrics.delias.com' 'nsm.dell.com' 'metrics.delta.com' 'metrics.dentonrc.com' 'stats2.details.com' 'metrics.dickssportinggoods.com' 'stats.dice.com' 'img.discovery.com' 'metrics.discovery.com' 'omni.dispatch.com' 'metrics.divinecaroline.com' 'metrics.diy.com' 'metrics.doctoroz.com' 'metrics.dollargeneral.com' 'om.dowjoneson.com' 'stats.drugstore.com' 'metrics.dunkindonuts.com' 'stats.economist.com' 'metrics.ems.com' 'wa.eonline.com' 'stats.epicurious.com' 'wa.essent.nl' 'stats.examiner.com' 'om.expedia.com' 'metrics.express.com' 'metrics.expressen.se' 'o.fandango.com' 'metrics.fedex.com' 'metrics.finishline.com' 'metrics.fitnessmagazine.com' 'metrics.ford.com' 'metrics.foreignpolicy.com' 'metrics.foxnews.com' 'smetrics.freecreditreport.com' 'metrics.frontlineshop.com' 'metrics.flyingmag.com' 'metrics.fnac.es' 'sc-forbes.forbes.com' 'a.fox.com' 'stats.ft.com' 'track.futureshop.ca' 'metrics.gamestop.com' 'metrics.gcimetrics.com' 'stats2.gq.com' 'stats2.glamour.com' 'metrics.gnc.com' 'stats2.golfdigest.com' 'metrics.govexec.com' 'stats.grubstreet.com' 'hits.guardian.co.uk' 'metrics.harley-davidson.com' 'analytics.hayneedle.com' 'metrics.hbogo.com' 'minerva.healthcentral.com' 'metrics.hhgregg.com' 'metrics.homebase.co.uk' 'omt.honda.com' 'metrics.hoovers.com' 'metrics.howstuffworks.com' 'metrics.hrblock.com' 'my.iheartradio.com' 'sc.independent.co.uk' 'stats.ign.com' 'metrics.imvu.com' 'www91.intel.com' 'stats.investors.com' 'metrics.store.irobot.com' 'dc.kaboodle.com' 'metrics.kbb.com' 'ww9.kohls.com' 'metrics.lawyers.com' 'metrics.lehighvalleylive.com' 'metrics.us.levi.com' 'metrics.lexus.com' 'metrics.lhj.com' 'stats.libresse.no' 'om.lonelyplanet.com' 'analytics.mail-corp.com' 'metric.makemytrip.com' 'metric.marthastewart.com' 'metrics.mcafee.com' 'tracking.medpagetoday.com' 'metrics.mercola.com' 'report.mitsubishicars.com' 'an.mlb.com' 'metrics.mlive.com' 'metric.modcloth.com' 'metrics.moneymart.ca' 'metrics.more.com' 'stats.mvilivestats.com' 'metric.mylife.com' 'metrics.mysanantonio.com' 'metrics.nba.com' 'oimg.nbcuni.com' 'om.neimanmarcus.com' 'ometrics.netapp.com' 'metrics.newcars.com' 'metrics.nfl.com' 'metrics.nissanusa.com' 'metrics.nj.com' 'metrics.nola.com' 'metrics.nutrisystem.com' 'stats.nymag.com' 'om.onlineshoes.com' 'o.opentable.com' 'metrics.oprah.com' 'metrics.oregonlive.com' 'metrics.pagoda.com' 'stats.pandora.com' 'metrics.parents.com' 'metrics.pe.com' 'metrics.pennlive.com' 'metrics.penton.com' 'metric.petinsurance.com' 'metrics.petsmart.com' 'metrics.philly.com' 'metrics.us.playstation.com' 'metrics.politico.com' 'metrics.performgroup.com' 'metrics.radioshack.com' 'metrics.ralphlauren.com' 'mtrcs.redhat.com' 'metric.rent.com' 'metrics.retailmenot.com' 'data.ritzcarlton.com' 'om.rogersmedia.com' 'metrics.seattlepi.com' 'metrics.seenon.com' 'stats2.self.com' 'om.sfgate.com' 'metrics.sharecare.com' 'ou.shutterfly.com' 'metrics.shoedazzle.com' 'metrics.shopoon.fr' 'omniture.shopstyle.com' 'metrics.silive.com' 'b.skinstore.com' 'metrics.sky.com' 'metrics.skype.com' 'metrics.slate.com' 'stats.slashgear.com' 'metrics.speedousa.com' 'omni.sportingnews.com' 'metrics.sportsauthority.com' 'metrics.solarwinds.com' 'metrics.sony.com' 'omn.sonypictures.com' 'metrics.southwest.com' 'metrics.starwoodhotels.com' 'omniture.stuff.co.nz' 'stats.style.com' 'metrics.sun.com' 'metric.superpages.com' 'metrics.svd.se' 'om.symantec.com' 'metrics.syracuse.com' 'analytics.tbs.com' 'metrics.teambeachbody.com' 'stats2.teenvogue.com' 'info.telstra.com' 'metrics.tgw.com' 'hits.theguardian.com' 'metrics.thinkgeek.com' 'metrics.three.co.uk' 'metrics.ticketmaster.com' 'tgd.timesonline.co.uk' 'metrics.tlc.com' 'metrics.toptenreviews.com' 'metrics.toyota.com' 'metrics.toysrus.com' 'metrics.traderonline.com' 'om.truecar.com' 'metric.trulia.com' 'metrics.tulsaworld.com' 'metrics.turner.com' 'metrics.tvguide.com' 'metrics.uol.com.br' 'stats2.vanityfair.com' 'sleep.vermontteddybear.com' 'metrics.vividseats.com' 'sc.vmware.com' 'metrics.vodafone.co.uk' 'metric.volkswagen.com' 'webstats.volvo.com' 'stats.voyages-sncf.com' 'stats.vulture.com' 'wa.and.co.uk' 'webanalyticsnossl.websense.com' 'std.o.webmd.com' 'metrics.which.co.uk' 'metrics.windowsitpro.com' 'metrics.winsupersite.com' 'stats2.wmagazine.com' 'an.worldbaseballclassic.com' 'metric.worldcat.org' 'metrics.worldmarket.com' 's.xbox.com' 'smetrics.yellowbook.com' 'metric.yellowpages.com' 'track.www.zazzle.com' 'mbox.offermatica.intuit.com' 'mbox12.offermatica.com' 'metrics.iconfitness.com' 'crain.d1.sc.omtrdc.net' 'newjobs.d1.sc.omtrdc.net' 'rodale.d1.sc.omtrdc.net' 'siemens.d1.sc.omtrdc.net' 'truevalue.d2.sc.omtrdc.net' 'mbox3.offermatica.com' 'mbox3e.offermatica.com' 'mbox4.offermatica.com' 'mbox4e.offermatica.com' 'mbox5.offermatica.com' 'mbox9.offermatica.com' 'mbox9e.offermatica.com' 'americaneagleoutfitt.tt.omtrdc.net' 'angieslist.tt.omtrdc.net' 'carbonite.tt.omtrdc.net' 'comcast.tt.omtrdc.net' 'educationmanagementl.tt.omtrdc.net' 'dellinc.tt.omtrdc.net' 'readersdigest.tt.omtrdc.net' 'rentcom.tt.omtrdc.net' 'reunion.tt.omtrdc.net' 'geo.offermatica.com' 'mbox6.offermatica.com' 'a.advanstar.com' 'a.amd.com' 'a.answers.com' 'a.autoexpress.co.uk' 'a.bizarremag.com' 'a.cbc.ca' 'vendorweb.citibank.com' 'b.computerworlduk.com' 'a.custompc.co.uk' 'ap101.curves.com' 'b.digitalartsonline.co.uk' 'a.environmentaldefense.org' 'a.evo.co.uk' 'a.fandango.com' 'tracking.foxnews.com' 'wss.hbpl.co.uk' 'a.heretv.com' 'h.hollywood.com' 'a.independent.co.uk' 'a.itpro.co.uk' 'a.law.com' 'a.macuser.co.uk' 'a.modernmedicine.com' 'cs.montrealplus.ca' 'a.networkworld.com' 'a.pcpro.co.uk' 'a.pokerplayermagazine.co.uk' 'c.realtytrac.com' 'a.shop.com' 'a.spicetv.com' 'h.spill.com' 'a.tempurpedic.com' 'ngd.thesun.co.uk' 'a.tiscali.co.uk' 'a.venetian.com' 'a.vonage.com' 'ws.yellowpages.ca' 'www.freestats.ws' 'geoip.edagames.com' 'click.khingtracking.com' '5advertise.com' 'admediacpm.com' 'ads-cpm.com' 'adserver.ads-cpm.com' 's42.cpmaffiliation.com' 'www.cpmaffiliation.com' 'soft4update.forfreeupgrades.org' 'regiepublicitairecpm.com' 'code.d-agency.net' 'switch.d-agency.net' 'code.rtbsystem.com' 'ads-colruytgroup.adhese.com' 'ads-nrc.adhese.com' 'pool-nrc.adhese.com' 'ads.pebblemedia.adhese.com' 'pool.pebblemedia.adhese.com' 'ads.persgroep.adhese.com' 'pool-colruytgroup.adhese.com' 'pool.persgroep.adhese.com' 'ads.roularta.adhese.com' 'pool.roularta.adhese.com' 'pebble-adhese.gva.be' 'pebble-adhese.hbvl.be' 'ox-d.buddytv.com' 'ox-d.cloud9-media.net' 'ox-d.cordillera.tv' 'ox-d.dailyherald.com' 'ox-d.digiday.com' 'ox-d.eluniversal.com' 'ox-d.footballmedia.com' 'ox-d.gamer-network.net' 'ox-d.gamerpublishing.com' 'ox-d.globalpost.com' 'ox-d.hdcmedia.nl' 'ox-d.hypeads.org' 'ox-d.iflscience.com' 'ox-d.johnstonpress.co.uk' 'ox-d.majorgeeks.com' 'ox-d.makerstudios.com' 'ox-d.mirror-digital.com' 'ox-d.mm1x.nl' 'ox-d.mmaadnet.com' 'ox-d.motogp.com' 'ox-d.officer.com' 'bid.openx.net' 'prod-d.openx.com' 'u.openx.net' 'uk-ads.openx.net' 'us-u.openx.net' 'ox-d.openxadexchange.com' 'd.peoplesearchads.com' 'ox-d.photobucket.com' 'ax-d.pixfuture.net' 'ox-d.popmatters.com' 'ox-d.qz.com' 'ox-d.rantsports.com' 'ox-d.restaurant.com' 'ox-d.ads.revnm.com' 'ox-d.sbnation.com' 'ox-d.ask.servedbyopenx.com' 'ox-d.apax.servedbyopenx.com' 'ox-d.bauer.servedbyopenx.com' 'ox-d.boston.servedbyopenx.com' 'ox-d.cheezburger.servedbyopenx.com' 'ox-d.concourse.servedbyopenx.com' 'ox-d.curse.servedbyopenx.com' 'ox-d.futurenet.servedbyopenx.com' 'ox-d.ibt.servedbyopenx.com' 'ox-d.imgur.servedbyopenx.com' 'ox-d.leessp.servedbyopenx.com' 'ox-d.mediavine.servedbyopenx.com' 'ox-d.nydailynews.servedbyopenx.com' 'ox-d.philly.servedbyopenx.com' 'ox-d.publisherdesk.servedbyopenx.com' 'ox-d.ranker.servedbyopenx.com' 'ox-d.realtor.servedbyopenx.com' 'ox-d.venturebeat.servedbyopenx.com' 'ox-d.sidereel.com' 'adserv.bulletinmarketing.com' 'addelivery.thestreet.com' 'torr-d.torrpedoads.net' 'us-ads.openx.net' 'ox-d.secure-clicks.org' 'a.unanimis.co.uk' 'ox-d.verivox.de' 'ox-d.viralnova.com' 'ox-d.w00tmedia.net' 'ox-d.wahwahnetworks.com' 'ox-d.washingtonpost.servedbyopenx.com' 'ads.webcamclub.com' 'ox-d.whalerockengineering.com' 'ox-d.zam.com' 'www.avnads.com' '314.hittail.com' '815.hittail.com' '922.hittail.com' '1262.hittail.com' '30811.hittail.com' '3241.hittail.com' '3415.hittail.com' '3463.hittail.com' '3918.hittail.com' '3933.hittail.com' '3957.hittail.com' '4134.hittail.com' '4560.hittail.com' '4612.hittail.com' '8260.hittail.com' '8959.hittail.com' '9394.hittail.com' '9446.hittail.com' '9547.hittail.com' '9563.hittail.com' '9571.hittail.com' '10006.hittail.com' '10168.hittail.com' '12877.hittail.com' '13223.hittail.com' '14228.hittail.com' '15141.hittail.com' '15628.hittail.com' '15694.hittail.com' '16565.hittail.com' '19097.hittail.com' '19500.hittail.com' '19533.hittail.com' '20909.hittail.com' '21807.hittail.com' '22537.hittail.com' '23315.hittail.com' '23837.hittail.com' '24725.hittail.com' '24809.hittail.com' '25057.hittail.com' '26288.hittail.com' '27460.hittail.com' '27891.hittail.com' '28305.hittail.com' '30001.hittail.com' '31335.hittail.com' '31870.hittail.com' '34673.hittail.com' '35385.hittail.com' '71158.hittail.com' '73091.hittail.com' '77266.hittail.com' '78843.hittail.com' '93367.hittail.com' '99400.hittail.com' '100065.hittail.com' '103532.hittail.com' '106242.hittail.com' '108411.hittail.com' 'tracking.hittail.com' 'tracking2.hittail.com' 'ads.neudesicmediagroup.com' 'domainsponsor.com' 'images.domainsponsor.com' 'spi.domainsponsor.com' 'dsparking.com' 'dsnetservices.com' 'dsnextgen.com' 'www.dsnextgen.com' 'www.kanoodle.com' 'content.pulse360.com' 'ads.videoadex.com' 'green.erne.co' 'geoloc4.geovisite.com' 'ibannerx.com' 'adyoulike.omnitagjs.com' 'prosearchs.in' 'whoads.net' 'creativecdn.com' 'www.efficienttraffic.com' 'adserver.magazyn.pl' 'banners.oxiads.fr' 'aff.tagcdn.com' 'hub.adlpartner.com' 'ad.asntown.net' 'marketingenhanced.com' 'www2.yidsense.com' 'sre.zemanta.com' 'www8.afsanalytics.com' 'www.yidsense.com' 'find-me-now.com' 'cdn.tapstream.com' 'static.canalstat.com' 'www.geoworldonline.com' 'metriweb.be' 'www.pagerank-gratuit.com' 'a1.x-traceur.com' 'a3.x-traceur.com' 'a12.x-traceur.com' 'a18.x-traceur.com' 'a20.x-traceur.com' 'logos.x-traceur.com' 'services.x-traceur.com' 'arecio.work' 'go27.net' 'eu1.heatmap.it' 'oxybe.com' 'pubted.com' 'ucoxa.work' 'www.frameptp.com' 'geoloc16.geovisite.com' 'xed.pl' 'www.xed.pl' 'c.ad6media.fr' 'fwg0b0sfig.s.ad6media.fr' 'www.adverteasy.fr' 'ads.databrainz.com' 'geoloc2.geovisite.com' 'u.heatmap.it' 'megapopads.com' 'sender.megapopads.com' 'tracking.veille-referencement.com' 'static.adbutter.net' 'j.adlooxtracking.com' 'ads.clipconverter.cc' 'fo-api.omnitagjs.com' 'analytics.safelinking.net' 'stabx.net' 'www.x-park.net' 'st-1.1fichier.com' 'r.ad6media.fr' 'adbanner.adxcore.com' 'l.adxcore.com' 'ad.adxcore.com' 'd.adxcore.com' 'ad.ohmyad.co' 'l.ohmyad.co' 'at.alenty.com' 'www.alenty.com' 'secure.audienceinsights.net' 'logger.cash-media.de' 'deplayer.net' 'www.drimads.com' 'server1.affiz.net' 'apicit.net' 'www.canalstat.com' 'stats.click-internet.fr' 'www.diffusionpub.com' 'dreamad.org' '3wregie.ezakus.net' 'overblog.ezakus.net' 'ads.freecaster.tv' 'geoloc12.geovisite.com' 'geoloc13.geovisite.com' 'geoloc14.geovisite.com' 'www.net-pratique.fr' 'ads1.nexdra.com' 'www.noowho.com' 'paulsnetwork.com' 'piwik.org' 'hit.reference-sexe.com' 'tracker.squidanalytics.com' 'ads.stickyadstv.com' 'script.yeb.biz' 'fr.1sponsor.com' 'adv.440network.com' 'fr.cim.clickintext.net' 'fr.slidein.clickintext.net' 'fr.85.clickintext.net' 'top.c-stat.eu' 'exgfsbucks.com' 'geoloc17.geovisite.com' 'www.livecount.fr' 'adtools.matrix-cash.com' 'adhosting.ohmyad.co' 'www.one-door.com' 'c.thestat.net' 'www.toptracker.ru' 'www.pro.webstat.pl' 'tracking.wisepops.com' 'www.xstat.pl' 'zbiornik.com' 'adbard.net' 'cache.adviva.net' 'cdn.amgdgt.com' 'media.baventures.com' 'js.bizographics.com' 'rkcache.brandreachsys.com' 's.clicktale.net' 'images.ddc.com' 'cdn.firstlook.com' 'm2.fwmrm.net' 'cache.gfrevenge.com' 'cache.izearanks.com' 'media.markethealth.com' 'crtv.mate1.com' 'cdn.media6degrees.com' 'static.meteorsolutions.com' 'tas.orangeads.fr' 'bannershotlink.perfectgonzo.com' 'iframes.perfectgonzo.com' 'pluginx.perfectgonzo.com' 'cache.specificmedia.com' 'www.traveladvertising.com' 'cdn.undertone.com' 'wp.vizu.com' 'cm.eyereturn.com' 'return.uk.domainnamesales.com' 'pixel.sitescout.com' 'www.adultmoda.com' 'btprmnav.com' 'bttrack.com' 'pixel.crosspixel.net' 'tracking.aimediagroup.com' 'www.maxbounty.com' 'www.mb01.com' 'as1.mistupid.com' 'delta.rspcdn.com' 'androidsdk.ads.mp.mydas.mobi' 'bank01.ads.dt.mydas.mobi' 'bank02.ads.dt.mydas.mobi' 'bank03.ads.dt.mydas.mobi' 'bank04.ads.dt.mydas.mobi' 'bank05.ads.dt.mydas.mobi' 'bank06.ads.dt.mydas.mobi' 'bank07.ads.dt.mydas.mobi' 'bank08.ads.dt.mydas.mobi' 'bank09.ads.dt.mydas.mobi' 'bank10.ads.dt.mydas.mobi' 'bank11.ads.dt.mydas.mobi' 'bank12.ads.dt.mydas.mobi' 'bank13.ads.dt.mydas.mobi' 'bank15.ads.dt.mydas.mobi' 'bank16.ads.dt.mydas.mobi' 'bank17.ads.dt.mydas.mobi' 'bank18.ads.dt.mydas.mobi' 'bank19.ads.dt.mydas.mobi' 'bank20.ads.dt.mydas.mobi' 'bank01.ads.mp.mydas.mobi' 'bank02.ads.mp.mydas.mobi' 'bank03.ads.mp.mydas.mobi' 'bank04.ads.mp.mydas.mobi' 'bank05.ads.mp.mydas.mobi' 'bank06.ads.mp.mydas.mobi' 'bank07.ads.mp.mydas.mobi' 'bank08.ads.mp.mydas.mobi' 'bank09.ads.mp.mydas.mobi' 'bank10.ads.mp.mydas.mobi' 'bank11.ads.mp.mydas.mobi' 'bank12.ads.mp.mydas.mobi' 'bank13.ads.mp.mydas.mobi' 'bank15.ads.mp.mydas.mobi' 'bank16.ads.mp.mydas.mobi' 'bank17.ads.mp.mydas.mobi' 'bank18.ads.mp.mydas.mobi' 'bank19.ads.mp.mydas.mobi' 'bank20.ads.mp.mydas.mobi' 'srv.buysellads.com' 'www.iboard.com' 'cg-global.maxymiser.com' 'www.mcsqd.com' 'ab163949.adbutler-kaon.com' 'ads.d-msquared.com' '1.ofsnetwork.com' 'ads.sportsblog.com' 'ab159015.adbutler-zilon.com' 'pub17.bravenet.com' 'www.countmypage.com' 'www.cpalist.com' 'click.icetraffic.com' 'pix.lfstmedia.com' 'map.media6degrees.com' 'd6y5.ads.pof.com' 't.ads.pof.com' 'clickserv.sitescout.com' 'www4search.net' 'archive.coolerads.com' 'counter.co.kz' 'hitmodel.net' 'openads.hiphopsite.com' 'delivery.serve.bluelinkmarketing.com' 'connexionsafe.com' 'geo.crtracklink.com' 'delivery.myswitchads.com' 'delivery.us.myswitchads.com' 'www.searchnet.com' 'delivery.c.switchadhub.com' 'banner.titanpoker.com' 'banner.vegasred.com' 'coolinc.info' 'www.mb57.com' 'banners.leadingedgecash.com' 'www2.leadingedgecash.com' 'www.leadingedgecash.com' 'd.adgear.com' 'o.adgear.com' 'www.albiondrugs.com' 'banner.casinotropez.com' 'banner.europacasino.com' 'www.favicon.com' 'purefuck.com' 'ads.purefuck.com' 'adwords2.paretologic.revenuewire.net' 'members.sexroulette.com' 'www.ab4tn.com' 'anti-virus-removal.info' 'bb.o2.eyereturn.com' 'www.full-edition.info' 'musicmembersarea.com' 'www.pdf-platinum.info' 'www.trackingindahouse.com' 'www.apponic.com' 'www.adelixir.com' 'geo.connexionsecure.com' 'ertya.com' 'eyereact.eyereturn.com' 'o2.eyereturn.com' 'timespent.eyereturn.com' 'voken.eyereturn.com' 'frtya.com' 'geo.hyperlinksecure.com' 'ads.linuxjournal.com' 'stats.polldaddy.com' 'geo.safelinktracker.com' 'www.safemobilelink.com' 'seethisinaction.com' 'spc.cefhdghhafdgceifiehdfdad.iban.telemetryverification.net' 'topqualitylink.com' 'www.webmoblink.com' 'botd.wordpress.com' 'stats.wordpress.com' 'top100italiana.com' 'www.adloader.com' 'ads.adtrustmedia.com' 'update.privdog.com' 'www.privdog.com' 'adserver.exgfnetwork.com' 'www.mycleanerpc.com' 'adskape.ru' 'p543.adskape.ru' 'p13178.adskape.ru' 'p1574.adskape.ru' 'p2408.adskape.ru' 'p4010.adskape.ru' 'p9762.adskape.ru' '1gavcom.popunder.ru' 'anrysys.popunder.ru' 'balakin.popunder.ru' 'basterr.popunder.ru' 'bizbor.popunder.ru' 'bugera.popunder.ru' 'clik2008.popunder.ru' 'darseo.popunder.ru' 'djeps.popunder.ru' 'ead-soft.popunder.ru' 'freegroupvideo.popunder.ru' 'gajime.popunder.ru' 'h0rnd0g.popunder.ru' 'jabu.popunder.ru' 'kamasutra.popunder.ru' 'kinofree.popunder.ru' 'low-hacker.popunder.ru' 'luksona.popunder.ru' 'milioner.popunder.ru' 'palmebi.popunder.ru' 'rapsubs.popunder.ru' 'sayhello.popunder.ru' 'soski.popunder.ru' 'spike669.popunder.ru' 'stepan007.popunder.ru' 'tengo.popunder.ru' 'the-kret.popunder.ru' 'tvzebra.popunder.ru' 'vaime.net.popunder.ru' 'viper.popunder.ru' 'vistas.popunder.ru' 'wera.popunder.ru' 'zampolit1990.popunder.ru' 'zonawm.biz.popunder.ru' 'popunder.ru' 'pop-under.ru' 'admanager.tvysoftware.com' 'adrotator.se' 'f8350e7c1.se' 'www.hit-counter-download.com' 'rotator.offpageads.com' 'ae.amgdgt.com' 'at.amgdgt.com' 'cdns.amgdgt.com' 'topcounts.com' 'astalavista.box.sk' 'www.customersupporthelp.com' 'www.platinumbucks.com' 'www.sexfind.com' 'pubs.lemonde.fr' 'realmedia.lesechos.fr' 'pvpub.paruvendu.fr' 'ad2play.ftv-publicite.fr' 'pub.ftv-publicite.fr' 'ox.forexbrokerz.com' 'ad.inmatads.info' 'ad.inpizdads.info' 'ad.inpulds.info' 'ad.lazynerd.info' 'adv.p2pbg.com' 'ad.philipstreehouse.info' 'ad.sethads.info' 'ad.theequalground.info' 'ad.thoughtsondance.info' 'pops.velmedia.net' 'ad.vikadsk.com' 'ad.vuiads.net' 'ad2.vuiads.net' 'ad2.ycasmd.info' 'www.zlothonline.info' 'ad.zoglafi.info' 'ads.9mp.ro' 'mouseflow.com' 'a.mouseflow.com' 'www.onlinewebservice3.de' 'ads.adbroker.de' 'track.celeb.gate.cc' 'www.hitmaster.de' 'www.webanalyser.net' 'evania.adspirit.de' 'www.counter4all.de' 'ad.ad24.ru' '234.adru.net' 'adserveonline.biz' 'bdgadv.ru' 'ads.dailystar.com.lb' 'openads.flagman.bg' 'www.klamm-counter.de' 'promoserver.net' 'scripts.psyma.com' 'aff.summercart.com' 'banners.tempobet.com' 'img6.adspirit.de' 'img7.adspirit.de' 'ev.ads.pointroll.com' 'speed.pointroll.com' 'pointroll.com' 'ads.pointroll.com' 'clk.pointroll.com' 'media.pointroll.com' 't.pointroll.com' 'track.pointroll.com' 'www.pointroll.com' 'statsv3.gaycash.com' 'carpediem.sv2.biz' 'dvdmanager-203.sv2.biz' 'ktu.sv2.biz' 'pub.sv2.biz' 'media.yesmessenger.com' 'outils.yes-messenger.com' 'www.dodostats.com' 'avalon.topbucks.com' 'botw.topbucks.com' 'clickheat.topbucks.com' 'cluster-03.topbucks.com' 'mainstream.topbucks.com' 'rainbow.topbucks.com' 'referral.topbucks.com' 'vod.topbucks.com' 'referral.vod.topbucks.com' 'webmaster.topbucks.com' 'dynamic.fmpub.net' 'keywords.fmpub.net' 'tenzing.fmpub.net' 'mapstats.blogflux.com' 'topsites.blogflux.com' 'www.blogtopsites.com' 'www.topblogs.com.ph' 'www.fickads.net' 'www.maxxxhits.com' 'novarevenue.com' 'techlifeconnected.com' 'hypertracker.com' 'www.bnmq.com' 'cnomy.com' 'pics.cnomy.com' 'pics.kolmic.com' 'mysearch-engine.com' 'www.searchacross.com' 'searchdiscovered.com' 'searchfwding.com' 'searchignited.com' 'searchtoexplore.com' 'taffr.com' 'tamprc.com' 'www.theuniquesearch.com' 'banner.ambercoastcasino.com' 'banner.cdpoker.com' 'banner.eurogrand.com' 'm.friendlyduck.com' 'www.webtrackerplus.com' 'search.keywordblocks.com' 'www.mnetads.com' 'tour.affbuzzads.com' 'www.friendlyduck.com' 's.krebsonsecurity.com' 'cloud-observer.ip-label.net' 'ad.caradisiac-publicite.com' 'ads.canalblog.com' 'geo.deepmetrix.com' 'banners.easydns.com' 'www.incentaclick.com' 'chlcotrk.com' 'www.mlinktracker.com' 'www.mmtracking.com' 'mpmotrk.com' 'mprptrk.com' 'mpxxtrk.com' 'sebcotrk.com' 'suscotrk.com' 'quantserve.com' 'edge.quantserve.com' 'www.edge.quantserve.com' 'flash.quantserve.com' 'pixel.quantserve.com' 'secure.quantserve.com' 'segapi.quantserve.com' 'cms.quantserve.com' 'ads.techweb.com' 'client.roiadtracker.com' 'ds-aksb-a.akamaihd.net' 'cdn.publicidad.net' 'get.whitesmoke.com' 'www.whitesmoke.com' 'www.whitesmoke.us' 'ak1.abmr.net' 'ads.xda-developers.com' 'ads.sidekick.condenast.com' 'cache.dtmpub.com' 't.omkt.co' 'ads.directnetadvertising.net' 'www.directnetadvertising.net' 'tiads.people.com' 'ads.vimg.net' 'hosting.conduit.com' 'apps.conduit-banners.com' 'www.conduit-banners.com' 'users.effectivebrand.com' 'www.effectivebrand.com' 'search.effectivebrand.com' 'pcbutts1.ourtoolbar.com' 'banners.affiliatefuel.com' 'r1.affiliatefuel.com' 'www.affiliatefuel.com' 'aftrk.com' 'banners.aftrk.com' 'cookies.cmpnet.com' 'ccc00.opinionlab.com' 'ccc01.opinionlab.com' 'rate.opinionlab.com' 'www.opinionlab.com' 'csma95349.analytics.edgesuite.net' 'an.secure.tacoda.net' 'ads.tarrobads.com' 'hu.2.cqcounter.com' 'highspeedtesting.com' 'adserver.highspeedtesting.com' 'creative.wwwpromoter.com' 'banners.18vision.com' 'banners.amateurtour.com' 'banners.celebtaboo.com' 'banners.dollarmachine.com' 'banners.exsluts.com' 'banners.totalaccessporn.com' 'c4tracking01.com' 'stats.sbstv.dk' 'analytics.juggle.com' 'adtradradservices.com' 'www.earnify.com' 'www.komodia.com' 'tracking.chooserocket.com' 'ads2.williamhill.com' 'api.cheatsheet.me' 'interyield.jmp9.com' 'track.blogmeetsbrand.com' 'interyield.td553.com' 'admarket.entireweb.com' 'ad.download.cnet.com' 'ml314.com' 'mlno6.com' 'api.adsnative.com' 'offers.affiliatetraction.com' 'stats.articlesbase.com' 'track.ionicmedia.com' 'api.mixpanel.com' 'live.monitus.net' 'log.olark.com' 'thesearchagency.net' 'adx.bixee.com' 'banners.brinkin.com' 'stats.buysellads.com' 'zfhg.digitaldesire.com' 'adsrv.ea.com' 'adx.ibibo.com' 'pixel.parsely.com' 'www.pixeltrack66.com' 'analytics.sonymusic.com' 'px.steelhousemedia.com' 'tag.tlvmedia.com' 'winknewsads.com' 'api.bounceexchange.com' 'iluv.clickbooth.com' 'cpatraffictracker.com' 'immanalytics.com' 'tracking.intermundomedia.com' 'cdnt.meteorsolutions.com' 'naughtyadserve.com' 'adsformula.sitescout.com' 'distillery.wistia.com' 'tools.ranker.com' 't.afftrackr.com' 'tcgtrkr.com' 'tsmtrk.com' 'www.clear-request.com' 'dcs.netbiscuits.net' 'lb.web-stat.com' 'server2.web-stat.com' 'www.electronicpromotion.com' 'api.opencandy.com' 'www.rewardszoneusa.com' 'www.webhostingcounter.com' 'www.trackingstatalytics.com' 'www.smartlinks.dianomi.com' 'www.dianomioffers.co.uk' 'n.ad-back.net' 'bcanalytics.bigcommerce.com' 'www.oktrk.com' 'pipedream.wistia.com' 's.svtrd.com' 'www.ist-track.com' 'www.ycctrk.co.uk' 'www.powerlinks.com' 'accutrk.com' 'comcluster.cxense.com' 'lfscpttracking.com' 'ads.referlocal.com' 'www.trkr1.com' 'trustedtrack.com' 'adexcite.com' 'q1mediahydraplatform.com' '123count.com' 'www.123count.com' 'www.123stat.com' 'count1.compteur.fr' 'www.countercentral.com' 'web-stat.com' 'server3.web-stat.com' 'server4.web-stat.com' 'www.web-stat.com' 'seomatrix.webtrackingservices.com' 'www.adfusion.com' 'adreadytractions.com' 'www.adversalservers.com' 'clickgooroo.com' 'bigapple.contextuads.com' 'cowboy.contextuads.com' 'loadus.exelator.com' 'www.gxplugin.com' 'winter.metacafe.com' 'container.pointroll.com' 'ads.sexinyourcity.com' 'www.sexinyourcity.com' 'www1.sexinyourcity.com' 'swtkes.com' 'ads.designtaxi.com' 'ads.gomonews.com' 'cdn.linksmart.com' 'www.registryfix.com' 'www.acez.com' 'www.acezsoftware.com' 'cpalead.com' 'data.cpalead.com' 'www.cpalead.com' 'dzxcq.com' 'www.performics.com' 'aetrk.com' 'members.commissionmonster.com' 'www.contextuads.com' 'www.couponsandoffers.com' 'track.dmipartners.com' 'ecdtrk.com' 'f5mtrack.com' 'www.free-counter.com' 'gd.geobytes.com' 'ism2trk.com' 'ads.jiwire.com' 'clk.madisonlogic.com' 'jsc.madisonlogic.com' 'clients.pointroll.com' 'ads.psxextreme.com' 'ads.queendom.com' 'secure2.segpay.com' 'adserver.sharewareonline.com' 'adserver.softwareonline.com' 'www.text-link-ads.com' 'www.textlinkads.com' 'www.vivo7.com' 'secure.w3track.com' 'www.adwareprofessional.com' 'centertrk.com' 'sinettrk.com' 'b.sli-spark.com' 'traktum.com' 'track.childrensalon.com' 'adserver.powerlinks.com' 'track.webgains.com' 'ads.adhsm.adhese.com' 'ads.nrc.adhese.com' 'pool.adhsm.adhese.com' 'pool.nrc.adhese.com' 'pool.sanoma.adhese.com' 'ads.bluesq.com' 'ads.comeon.com' 'inskinad.com' 'ads.mrgreen.com' 'ads.offsidebet.com' 'ads.o-networkaffiliates.com' 't.wowanalytics.co.uk' 'ads.betsafe.com' 'www.inskinad.com' 'ads.mybet.com' 'metering.pagesuite.com' 'adserv.adbonus.com' 'www.adbonus.com' 'ads.cc' 'ads.matchbin.com' 'analytics.matchbin.com' 'www.metricsimage.com' 'www.nitronetads.com' 'p.placemypixel.com' 'ads.radiatemedia.com' 'analytics.radiatemedia.com' 'www.silver-path.com' 'ad.rambler.ru' 'ad2.rambler.ru' 'ad3.rambler.ru' 'counter.rambler.ru' 'images.rambler.ru' 'info-images.rambler.ru' 'scnt.rambler.ru' 'scounter.rambler.ru' 'top100.rambler.ru' 'top100-images.rambler.ru' 'st.top100.ru' 'delivery.sid-ads.com' 'delivery.switchadhub.com' 'www.totemcash.com' 'banners.toteme.com' 'cachebanners.toteme.com' 'adserving.muppetism.com' 'scripts.adultcheck.com' 'gfx.webmasterprofitcenter.com' 'promo.webmasterprofitcenter.com' 'promo.worldprofitcenter.com' 'ads.profitsdeluxe.com' 'www.sexy-screen-savers.com' 'ads.playboy.com' 'a.submityourflicks.com' 'delivery.trafficforce.com' 'ads.traffichaus.com' 'syndication.traffichaus.com' 'www.traffichaus.com' 'aff.adsurve.com' 'ads.amakings.com' 'ads.amaland.com' 'ads.bigrebelads.com' 'adserver2.exgfnetwork.com' 'analytics.fuckingawesome.com' 'ads.jo-games.com' 'ads.myjizztube.com' 'www.tubehits.com' 'ads.watchmygf.net' 'openx.watchmygf.net' 'stats.watchmygf.com' 'aylarl.com' 'www.etahub.com' 'ads.mail3x.com' 'ctrack.trafficjunky.net' 'static.trafficjunky.net' 'xads.100links.com' 'optimized-by.simply.com' 'histats2014.simply-webspace.it' 'www.naughty-traffic.com' 'ads.host.camz.com' 'ads.amateurmatch.com' 'ads.datinggold.com' 'code.directadvert.ru' 'ad.oyy.ru' 'cityads.ru' 'promo.cityads.ru' 'www.cityads.ru' 'track.seorate.ru' '5726.bapi.adsafeprotected.com' '6063.bapi.adsafeprotected.com' 'dt.adsafeprotected.com' 'static.adsafeprotected.com' 'spixel.adsafeprotected.com' 'adlik.akavita.com' 'www.targetvisit.com' 'www.hobwelt.com' 'addfreestats.com' 'top.addfreestats.com' 'www.addfreestats.com' 'www1.addfreestats.com' 'www2.addfreestats.com' 'www3.addfreestats.com' 'www4.addfreestats.com' 'www5.addfreestats.com' 'www6.addfreestats.com' 'www7.addfreestats.com' 'www8.addfreestats.com' 'www9.addfreestats.com' 'www.mvav.com' 'admax.nexage.com' 'bbads.sx.atl.publicus.com' 'd.xp1.ru4.com' 'udm.ia6.scorecardresearch.com' 'udm.ia7.scorecardresearch.com' 'sa.scorecardresearch.com' 'click.silvercash.com' 'smc.silvercash.com' 'www.silvercash.com' 'banners.weboverdrive.com' 'ads.tripod.com' 'ads1.tripod.com' 'nedstat.tripod.com' 'cm8.lycos.com' 'images-aud.freshmeat.net' 'images-aud.slashdot.org' 'images-aud.sourceforge.net' 'events.webflowmetrics.com' 'track1.breakmedia.com' 'alt.webtraxs.com' 'www.webtraxs.com' 'www.scanspyware.net' 'pbid.pro-market.net' 'spd.atdmt.speedera.net' 'ads.fmwinc.com' 'images.specificclick.net' 'specificpop.com' 'www.specificpop.com' 'hitslink.com' 'counter.hitslink.com' 'counter2.hitslink.com' 'profiles.hitslink.com' 'www2.hitslink.com' 'www.hitslink.com' 'loc1.hitsprocessor.com' 'click.trafikkfondet.no' 'aa.oasfile.aftenposten.no' 'ap.oasfile.aftenposten.no' 'adcache.aftenposten.no' 'webhit.aftenposten.no' 'helios.finn.no' 's05.flagcounter.com' 'www.kickassratios.com' 'partners.badongo.com' 'ua.badongo.com' 'amo.servik.com' 'www.1adult.com' '11zz.com' 'i.11zz.com' 'in.11zz.com' 'www.11zz.com' 'www.acmexxx.com' 'adchimp.com' 'adultlinksco.com' 'www.adultlinksco.com' 'cashcount.com' 'www.cashcount.com' 'cecash.com' 'tats.cecash.com' 'www.cecash.com' 'cttracking08.com' 'in.cybererotica.com' 'in.ff5.com' 'in.joinourwebsite.com' 'www.joinourwebsite.com' 'tgp.pornsponsors.com' 'www.pornsponsors.com' 'in.riskymail4free.com' 'www.riskymail4free.com' 'img.xratedbucks.com' 'bigtits.xxxallaccesspass.com' 'nm.xxxeuropean.com' 't.adonly.com' 'tags.adonly.com' 'www.ccbilleu.com' 'c.pioneeringad.com' 'j.pioneeringad.com' 'banners.lativio.com' 'join4free.com' 'asians.join4free.com' 'clickthrough.wegcash.com' 'free.wegcash.com' 'programs.wegcash.com' 'promos.wegcash.com' 'serve.ads.chaturbate.com' 'bill.ecsuite.com' 'adserver.exoticads.com' 'promo.lonelywifehookup.com' 'www.trafficcashgold.com' 'promo.ulust.com' 'ads.xprofiles.com' 'www.adsedo.com' 'www.sedotracker.com' 'www.sedotracker.de' 'static.crowdscience.com' 'js.dmtry.com' 'static.parkingpanel.com' 'img.sedoparking.com' 'traffic.revenuedirect.com' 'sedoparking.com' 'www.sedoparking.com' 'www1.sedoparking.com' 'www.incentivenetworks2.com' 'ggo.directrev.com' 'itunesdownloadstore.com' 'searchatomic.com' 'ideoclick.com' 'partners.realgirlsmedia.com' 'www30a4.glam.com' 'ignitad.com' 'hookedmediagroup.com' 'ads.hookedmediagroup.com' 'beacon.hookedmediagroup.com' 'www.hookedmediagroup.com' 't4.trackalyzer.com' 't6.trackalyzer.com' 't5.trackalyzer.com' 'trackalyzer.com' 't1.trackalyzer.com' 't2.trackalyzer.com' 't3.trackalyzer.com' 'vizisense.net' 'beacon-1.newrelic.com' 'beacon-2.newrelic.com' 'beacon-3.newrelic.com' 'beacon-4.newrelic.com' 'beacon-6.newrelic.com' 'www.skassets.com' 'www.holika.com' 'fcds.affiliatetracking.net' 'our.affiliatetracking.net' 'www.affiliatetracking.net' 'www.affiliatetracking.com' 'ads.evtv1.com' 'roia.biz' 'ads.vidsense.com' 'wetrack.it' 'st.wetrack.it' 'vrp.outbrain.com' 'servads.fansshare.com' 'pagetracking.popmarker.com' 'beacon.mediahuis.be' 'prpops.com' 'prscripts.com' 'anm.intelli-direct.com' 'info.intelli-direct.com' 'oxfam.intelli-direct.com' 'tui.intelli-direct.com' 'www.intelli-direct.com' 'tags.transportdirect.info' 'cpc.trafiz.net' 't3.trafiz.net' 'track.trafiz.net' 'track-683.trafiz.net' 'track-711.trafiz.net' 'blogadvertising.me' 'ads1.blogadvertising.me' 'www.blogadvertising.me' 'adserver1.backbeatmedia.com' 'adserver1-images.backbeatmedia.com' 'bullseye.backbeatmedia.com' 'www.clickthruserver.com' 'advertising.bayoubuzz.com' 'adserve.cpmba.se' 'intadserver101.info' 'intadserver102.info' 'intadserver103.info' 'banners.popads.net' 'popadscdn.net' 'affiliates.date-connected.com' 'track.justcloud.com' 'www.liveadclicks.com' 'www.pixelpmm.info' 'www1.tudosearch.com' 'pix.impdesk.com' 'tally.upsideout.com' 'www.virtualsurfer.com' 'www.youho.com' 'a.gsmarena.com' 'tracksitetraffic1.com' 'www.universal-traffic.com' 'codice.shinystat.com' 'codicebusiness.shinystat.com' 'codicefl.shinystat.com' 'codiceisp.shinystat.com' 's1.shinystat.com' 's2.shinystat.com' 's3.shinystat.com' 's4.shinystat.com' 's9.shinystat.com' 'www.shinystat.com' 'codice.shinystat.it' 'codiceisp.shinystat.it' 's1.shinystat.it' 's2.shinystat.it' 's3.shinystat.it' 's4.shinystat.it' 'www.shinystat.it' 'worldsoftwaredownloads.com' 'yourfreesoftonline.com' 'youronlinesoft.com' 'yoursoftwareplace.com' 'didtheyreadit.com' 'www.didtheyreadit.com' 'www.readnotify.com' 'xpostmail.com' 'www.xtrafic.ro' 'sitemeter.com' 'ads.sitemeter.com' 'sm1.sitemeter.com' 'sm2.sitemeter.com' 'sm3.sitemeter.com' 'sm4.sitemeter.com' 'sm5.sitemeter.com' 'sm6.sitemeter.com' 'sm7.sitemeter.com' 'sm8.sitemeter.com' 'sm9.sitemeter.com' 's10.sitemeter.com' 's11.sitemeter.com' 's12.sitemeter.com' 's13.sitemeter.com' 's14.sitemeter.com' 's15.sitemeter.com' 's16.sitemeter.com' 's17.sitemeter.com' 's18.sitemeter.com' 's19.sitemeter.com' 's20.sitemeter.com' 's21.sitemeter.com' 's22.sitemeter.com' 's23.sitemeter.com' 's24.sitemeter.com' 's25.sitemeter.com' 's26.sitemeter.com' 's27.sitemeter.com' 's28.sitemeter.com' 's29.sitemeter.com' 's30.sitemeter.com' 's31.sitemeter.com' 's32.sitemeter.com' 's33.sitemeter.com' 's34.sitemeter.com' 's35.sitemeter.com' 's36.sitemeter.com' 's37.sitemeter.com' 's38.sitemeter.com' 's39.sitemeter.com' 's40.sitemeter.com' 's41.sitemeter.com' 's42.sitemeter.com' 's43.sitemeter.com' 's44.sitemeter.com' 's45.sitemeter.com' 's46.sitemeter.com' 's47.sitemeter.com' 's49.sitemeter.com' 's48.sitemeter.com' 's50.sitemeter.com' 's51.sitemeter.com' 'www.sitemeter.com' 'ads.net-ad-vantage.com' 'ia.spinbox.net' 'netcomm.spinbox.net' 'vsii.spinbox.net' 'www.spinbox.net' 'adtegrity.spinbox.net' 'ad.bannerhost.ru' 'ad2.bannerhost.ru' 'ads.photosight.ru' 'ad.yadro.ru' 'ads.yadro.ru' 'counter.yadro.ru' 'sticker.yadro.ru' 'upstats.yadro.ru' '100-100.ru' 'www.100-100.ru' 'business.lbn.ru' 'www.business.lbn.ru' 'fun.lbn.ru' 'www.fun.lbn.ru' '234.media.lbn.ru' 'adland.medialand.ru' 'adnet.medialand.ru' 'content.medialand.ru' 'flymedia-mladnet.medialand.ru' 'popunder-mladnet.medialand.ru' 'www.europerank.com' 'ads.glasove.com' 'delfin.bg' 'ads.delfin.bg' 'diff4.smartadserver.com' 'mobile.smartadserver.com' 'rtb-csync.smartadserver.com' 'www5.smartadserver.com' 'www6.smartadserver.com' 'ww38.smartadserver.com' 'ww62.smartadserver.com' 'ww147.smartadserver.com' 'ww150.smartadserver.com' 'ww206.smartadserver.com' 'ww400.smartadserver.com' 'ww690.smartadserver.com' 'ww691.smartadserver.com' 'ww797.smartadserver.com' 'ww965.smartadserver.com' 'ww1003.smartadserver.com' 'smart.styria-digital.com' 'ww881.smartadserver.com' 'www9.smartadserver.com' 'radar.network.coull.com' 'delivery.thebloggernetwork.com' 'logs.thebloggernetwork.com' 'www.adforgames.com' 'clkmon.com' 'clkrev.com' 'tag.navdmp.com' 'device.maxmind.com' 'rhtag.com' 'www.rightmedia.com' 'c.securepaths.com' 'www.securepaths.com' 'srvpub.com' 'dx.steelhousemedia.com' 'adr.adplus.co.id' 'd1.24counter.com' 'www.admixxer.com' 'affrh2019.com' 'analytics.bluekai.com' 'stags.bluekai.com' 'c.chango.com' 'd.chango.com' 'dnetshelter3.d.chango.com' 'clkfeed.com' 'clkoffers.com' 'creoads.com' 'realtime.services.disqus.com' 'tempest.services.disqus.com' 'eclkmpbn.com' 'eclkmpsa.com' 'eclkspbn.com' 'eclkspsa.com' 's4is.histats.com' 'ad5.netshelter.net' 'px.owneriq.net' 'session.owneriq.net' 'spx.owneriq.net' 'stats.snacktools.net' 'tags.t.tailtarget.com' 'h.verticalscope.com' 'w55c.net' 'tags.w55c.net' 'ads.wellsmedia.com' 'ad.looktraffic.com' 'www.1800banners.com' 'ads.ad4game.com' 'addjump.com' 'aff.adventory.com' 'www.besthitsnow.com' 'ad.blackystars.com' 'www.blog-hits.com' 'www.cashlayer.com' 'ads1.cricbuzz.com' 'juggler.services.disqus.com' 'www.e-googles.com' 'ads.imaging-resource.com' 'ad.leadbolt.net' 'optimum-hits.com' 'www.optimum-hits.com' 'ads.right-ads.com' 'ad.slashgear.com' 'www.supremehits.net' 'adserver.twitpic.com' 'bluebyt.com' 'ad.a-ads.com' 'convusmp.admailtiser.com' 'installm.net' 't4.liverail.com' 'navdmp.com' 'px.splittag.com' 's.weheartstats.com' 'analytics.bigcommerce.com' 'www.freenew.net' 'ping.qbaka.net' 'adultdatingtest.worlddatingforum.com' 'banners.adventory.com' 'as.autoforums.com' 'as2.autoforums.com' 'a.collective-media.net' 'b.collective-media.net' 'www.counters4u.com' 'odin.goo.mx' 'gostats.com' 'c1.gostats.com' 'c2.gostats.com' 'c3.gostats.com' 'c4.gostats.com' 'monster.gostats.com' 'gostats.ir' 'c3.gostats.ir' 'gostats.pl' 'gostats.ro' 'gostats.ru' 'c4.gostats.ru' 'monster.gostats.ru' 's4.histats.com' 's10.histats.com' 's11.histats.com' 's128.histats.com' 's129js.histats.com' 'sstatic1.histats.com' 'in-appadvertising.com' 'widget6.linkwithin.com' 'ad1.netshelter.net' 'ad2.netshelter.net' 'ad4.netshelter.net' 'peerfly.com' 'i.simpli.fi' 'ads.somd.com' 'webstats.thaindian.com' 'www.trafficpace.com' 'stats.vodpod.com' 'service.clicksvenue.com' 'eu-px.steelhousemedia.com' 'ww-eu.steelhousemedia.com' 'ads.eu.e-planning.net' 'ox-d.bannersbroker.com' 'probes.cedexis.com' 'files5.downloadnet1188.com' 'adplus.goo.mx' 'www.klixmedia.com' 'static.realmediadigital.com' 'files5.securedownload01.com' 'reseller.sexyads.com' 'www.sexyads.net' 'servedby.studads.com' 'a.thoughtleadr.com' 'wp-stats.com' 'ad01.advertise.com' 'adserver.bizhat.com' 'cn.clickable.net' 'clustrmaps.com' 'www2.clustrmaps.com' 'www3.clustrmaps.com' 'www4.clustrmaps.com' 'www.clustrmaps.com' 'referrer.disqus.com' 'www.easyspywarescanner.com' 'adv.elaana.com' 'hitstatus.com' 'hits.informer.com' 'rt.legolas-media.com' 'my.mobfox.com' 'banners.mynakedweb.com' 'pi.pardot.com' 'registrydefender.com' 'www.registrydefender.com' 'registrydefenderplatinum.com' 'www.registrydefenderplatinum.com' 'www.seekways.com' 'thesurfshield.com' 'www.thesurfshield.com' 'www.toplistim.com' 't.dtscout.com' 'r.bid4keywords.com' 'ads.abovetopsecret.com' 'adserverus.info' 'www.arcadebanners.com' 'www.autosurfpro.com' 'www.blogpatrol.com' 'tracking.fanbridge.com' 'www2.game-advertising-online.com' 'www3.game-advertising-online.com' 'ads.msn2go.com' 'mycounter.tinycounter.com' 'urlstats.com' 'ads.verticalscope.com' 'webcounter.com' 'www.webcounter.com' 'error.000webhost.com' 'arank.com' 'b3d.com' 'bde3d.com' 'www.b3d.com' 'track.blvdstatus.com' 'ads.us.e-planning.net' 'www.game-advertising-online.com' 'www.mypagerank.net' 'obeus.com' 'www.sacredphoenix.com' 'srv.sayyac.com' 'srv.sayyac.net' 'www.tangabilder.to' 'by.uservoice.com' 'www.vizury.com' 'window1.com' 'scripts.sophus3.com' 'gm.touchclarity.com' 'traffic.webtrafficagents.com' 'adv.aport.ru' 'stat.aport.ru' 'host1.list.ru' 'host3.list.ru' 'host7.list.ru' 'host11.list.ru' 'host13.list.ru' 'host14.list.ru' 'stat.stars.ru' 'engine.rbc.medialand.ru' 'click.readme.ru' 'img.readme.ru' 'adv.magna.ru' 'lstats.qip.ru' 'ads.fresh.bg' 'ads.standartnews.com' 'op.standartnews.com' 'openx.bmwpower-bg.net' 'vm3.parabol.object.bg' 'ads.tv7.bg' 'ads.tv7.sporta.bg' 'www.islamic-banners.com' 'js.adlink.net' 'tc.adlink.net' 'cdn.tracking.bannerflow.com' 'aka-cdn.adtech.de' 'adtag.asiaone.com' 'ads.casino.com' 'dws.reporting.dnitv.com' 'md.ournet-analytics.com' 'www.ournet-analytics.com' 'ads.dichtbij.adhese.com' 'pool.dichtbij.adhese.com' 'c.statcounter.com' 'c1.statcounter.com' 'c2.statcounter.com' 'c3.statcounter.com' 'c4.statcounter.com' 'c5.statcounter.com' 'c6.statcounter.com' 'c7.statcounter.com' 'c8.statcounter.com' 'c10.statcounter.com' 'c11.statcounter.com' 'c12.statcounter.com' 'c13.statcounter.com' 'c14.statcounter.com' 'c15.statcounter.com' 'c16.statcounter.com' 'c17.statcounter.com' 'c18.statcounter.com' 'c19.statcounter.com' 'c20.statcounter.com' 'c21.statcounter.com' 'c22.statcounter.com' 'c23.statcounter.com' 'c24.statcounter.com' 'c25.statcounter.com' 'c26.statcounter.com' 'c27.statcounter.com' 'c28.statcounter.com' 'c29.statcounter.com' 'c30.statcounter.com' 'c31.statcounter.com' 'c32.statcounter.com' 'c33.statcounter.com' 'c34.statcounter.com' 'c35.statcounter.com' 'c36.statcounter.com' 'c37.statcounter.com' 'c38.statcounter.com' 'c39.statcounter.com' 'c40.statcounter.com' 'c41.statcounter.com' 'c42.statcounter.com' 'c43.statcounter.com' 'c45.statcounter.com' 'c46.statcounter.com' 'my.statcounter.com' 'my8.statcounter.com' 's2.statcounter.com' 'secure.statcounter.com' 'www.statcounter.com' 'www.clixtrac.com' 'ic.tynt.com' 'freakads.com' 'poponclick.com' 'ads.kidssports.bg' 'hgads.silvercdn.com' 'cdn.adrotator.se' 'cdn.exactag.com' 'link.bannersystem.cz' 'counter.cnw.cz' 'counter.prohledat.cz' 'toplist.cz' 'www.toplist.cz' 'toplist.eu' 'toplist.sk' 'bannerlink.xxxtreams.com' 'monitoring.profi-webhosting.cz' 'reklama.vaseporno.eu' 'clicks2.traffictrader.net' 'clicks3.traffictrader.net' 'weownthetraffic.com' 'www.weownthetraffic.com' 'stats.xxxkey.com' 'clicks.traffictrader.net' 'clicks.eutopia.traffictrader.net' 'www.adultdvdhits.com' 'ads.contentabc.com' 'banners.dogfart.com' 'tour.brazzers.com' 'promo.twistyscash.com' 'syndication.cntrafficpro.com' 'ads.brazzers.com' 'ads2.brazzers.com' 'ads2.contentabc.com' 'ads.genericlink.com' 'ads.ghettotube.com' 'ads.iknowthatgirl.com' 'ads.ireel.com' 'ads.mofos.com' 'ads.trafficjunky.net' 'delivery.trafficjunky.net' 'tracking.trafficjunky.net' 'ads.videobash.com' 'ads.weownthetraffic.com' 'www.ypmadserver.com' 'an.tacoda.net' 'anad.tacoda.net' 'anat.tacoda.net' 'cashengines.com' 'click.cashengines.com' 'www.cashengines.com' 'qrcdownload.ibcustomerzone.com' 'click.interactivebrands.com' 'safepay2.interactivebrands.com' 'www.interactivebrands.com' 'helpdesk.marketbill.com' 'www.marketbill.com' 'download2.marketengines.com' 'secure.marketengines.com' 'secure3.marketengines.com' 'geotarget.info' 'www.geotarget.info' 'kt.tns-gallup.dk' 'ajakkirj.spring-tns.net' 'delfi.spring-tns.net' 'err.spring-tns.net' 'kainari.spring-tns.net' 'kotikokki.spring-tns.net' 'lehtimedia.spring-tns.net' 'is.spring-tns.net' 'mtv3.spring-tns.net' 'myyjaosta.spring-tns.net' 'ohtuleht.spring-tns.net' 'postimees.spring-tns.net' 'smf.spring-tns.net' 'talsa.spring-tns.net' 'telkku.spring-tns.net' 'valitutpal.spring-tns.net' 'vuokraovi.spring-tns.net' 'sdc.flysas.com' 'piwik.onlinemagasinet.no' 'dinsalgsvagt.adservinginternational.com' 'dr.adservinginternational.com' 'fynskemedieradmin.adservinginternational.com' 'media.adservinginternational.com' 'dk1.siteimprove.com' 'ssl.siteimprove.com' 'gaytrafficbroker.com' 'ads.lovercash.com' 'media.lovercash.com' 'ads.singlescash.com' 'www.cashthat.com' 'paime.com' 'www.adengage.com' 'au.effectivemeasure.net' 'id-cdn.effectivemeasure.net' 'me.effectivemeasure.net' 'my.effectivemeasure.net' 'sea.effectivemeasure.net' 'yahoo.effectivemeasure.net' 'www6.effectivemeasure.net' 'www8-ssl.effectivemeasure.net' 'www9.effectivemeasure.net' 'www.effectivemeasure.net' 'ads.netcommunities.com' 'adv2.expres.ua' 'ms.onscroll.com' 'www.cheekybanners.com' 'ping.onscroll.com' 'adgebra.co.in' 'marketing.888.com' 'platform.communicatorcorp.com' 'textads.sexmoney.com' 'www.cybilling.com' 'bannerrotation.sexmoney.com' 'click.sexmoney.com' 'imageads.sexmoney.com' 'pagepeels.sexmoney.com' 'www.sexmoney.com' 'counter.sexsuche.tv' 'de.hosting.adjug.com' 'com-cdiscount.netmng.com' 'adx.hendersonvillenews.com' 'adx.ocala.com' 'adx.starbanner.com' 'adx.starnewsonline.com' 'adx.telegram.com' 'adx.timesdaily.com' 'adx.theledger.com' 'nyads.ny.publicus.com' 'bbads.sv.publicus.com' 'beads.sx.atl.publicus.com' 'cmads.sv.publicus.com' 'crimg.sv.publicus.com' 'fdads.sv.publicus.com' 'nsads.sv.publicus.com' 'ptads.sv.publicus.com' 'rhads.sv.publicus.com' 'siads.sv.publicus.com' 'tpads.sv.publicus.com' 'wdads.sx.atl.publicus.com' 'lladinserts.us.publicus.com' 'ads.adhese.be' 'host2.adhese.be' 'host3.adhese.be' 'host4.adhese.be' 'adhese.standaard.be' 'eas1.emediate.eu' 'eas2.emediate.eu' 'eas3.emediate.eu' 'eas4.emediate.eu' 'ad2.emediate.se' 'e2.emediate.se' 'eas.hitta.se' 'rig.idg.no' 'a37.korrelate.net' 'a68.korrelate.net' 'anet.tradedoubler.com' 'anetch.tradedoubler.com' 'anetdk.tradedoubler.com' 'anetfi.tradedoubler.com' 'anetit.tradedoubler.com' 'anetlt.tradedoubler.com' 'anetse.tradedoubler.com' 'clk.tradedoubler.com' 'clkde.tradedoubler.com' 'clkuk.tradedoubler.com' 'hst.tradedoubler.com' 'hstde.tradedoubler.com' 'hstes.tradedoubler.com' 'hstfr.tradedoubler.com' 'hstgb.tradedoubler.com' 'hstit.tradedoubler.com' 'hstno.tradedoubler.com' 'hstpl.tradedoubler.com' 'hstus.tradedoubler.com' 'img.tradedoubler.com' 'imp.tradedoubler.com' 'impat.tradedoubler.com' 'impbe.tradedoubler.com' 'impch.tradedoubler.com' 'impcz.tradedoubler.com' 'impde.tradedoubler.com' 'impdk.tradedoubler.com' 'impes.tradedoubler.com' 'impfi.tradedoubler.com' 'impfr.tradedoubler.com' 'impgb.tradedoubler.com' 'impie.tradedoubler.com' 'impit.tradedoubler.com' 'implt.tradedoubler.com' 'impnl.tradedoubler.com' 'impno.tradedoubler.com' 'imppl.tradedoubler.com' 'impru.tradedoubler.com' 'impse.tradedoubler.com' 'pf.tradedoubler.com' 'tbl.tradedoubler.com' 'tbs.tradedoubler.com' 'tracker.tradedoubler.com' 'wrap.tradedoubler.com' 'active.cache.el-mundo.net' 'eas3.emediate.se' 'eas8.emediate.eu' 'adv.punto-informatico.it' 'anetno.tradedoubler.com' 'stardk.tradedoubler.com' 'tarno.tradedoubler.com' '24counter.com' 'clkads.com' 'flurry.com' 'data.flurry.com' 'dev.flurry.com' 'da.newstogram.com' 'redirectingat.com' 'aff.ringtonepartner.com' 'the-best-track.com' 'advertising.thediabetesnetwork.com' 'w-tres.info' 'adreactor.com' 'adserver.adreactor.com' 'adtactics.com' 'www.adtactics.com' 'adscampaign.net' 'www.adscampaign.net' 'adsvert.com' 'ads.betternetworker.com' 'xyz.freeweblogger.com' 'www.htmate2.com' 'secure.mymedcenter.net' 'www.pantanalvip.com.br' 'www.persianstat.com' 'ads.tritonmedia.com' 'mmaadnet.ad-control-panel.com' 'as.gostats.com' 'ded.gostats.com' 'www.searchmachine.com' 'advertisingnemesis.com' 'adportal.advertisingnemesis.com' 'ads.advertisingnemesis.com' 'adserver.hipertextual.com' 'adopt.specificclick.net' 'afe.specificclick.net' 'bp.specificclick.net' 'dg.specificclick.net' 'ads.freeonlinegames.com' 'stats.freeonlinegames.com' 'ads.desktopscans.com' 'hornytraffic.com' 'www.hornytraffic.com' 'stats.ircfast.com' '007.free-counter.co.uk' 'ads.adhostingsolutions.com' 'ads.asexstories.com' 'www.black-hole.co.uk' 'mm.chitika.net' 'freeonlineusers.com' 'ads.harpers.org' 'www.historykill.com' 'www.killercash.com' 'www.swanksoft.com' 'ads.thegauntlet.com' 'www.traffic4u.com' 'www.trustsoft.com' 'cm3.bnmq.com' 'images.bnmq.com' 'search.in' 'g.adspeed.net' 'tags.bluekai.com' 'www.dating-banners.com' 'ads.free-banners.com' 'www.free-hardcoresex.org' 'ad4.gueb.com' 'ad7.gueb.com' 'ext.host-tracker.com' 'ads.loveshack.org' 'www.megastats.com' 'meiluziai.info' 'search2007.info' 'banner.techarp.com' 'webads.tradeholding.com' 'www.worlds-best-online-casinos.com' 'www.adultdatingtraffic.com' 'counter.relmaxtop.com' 'www.relmaxtop.com' 'advertising.entensity.net' 'freemarketforever.com' 'www.1trac.com' 'www.adscampaign.com' 'www.adultdatelink.com' 'www.adultfriendsearch.com' 'www.atomictime.net' 'network.clickconversion.net' 'freelogs.com' 'bar.freelogs.com' 'goo.freelogs.com' 'htm.freelogs.com' 'ico.freelogs.com' 'joe.freelogs.com' 'mom.freelogs.com' 'xyz.freelogs.com' 'st1.freeonlineusers.com' 'affiliate.friendsearch.com' 'dating.friendsearch.com' 'www.friendsearch.com' 'www.herbalsmokeshops.com' 'service.persianstat.com' 'www.persianstat.ir' 'www.registrysweeper.com' 'russiantwinksecrets.com' 'ads.soft32.com' 'www.spywarecease.com' 'www.websitealive3.com' 'x2.xclicks.net' 'x3.xclicks.net' 'x4.xclicks.net' 'x5.xclicks.net' 'x6.xclicks.net' 'counter.yakcash.com' 'adsystem.adbull.com' 'www.adgroups.net' 'www.adszooks.com' 'www.adultblogtoplist.com' 'www.adultlinkexchange.com' 'www.blogtoplist.com' 'www.commissionempire.com' 'server.cpmstar.com' 'easyhitcounters.com' 'beta.easyhitcounters.com' 'fishclix.com' 'www.fishclix.com' 'affiliate.free-banners.com' 'home.free-banners.com' 'www.free-banners.com' 'partner.friendsearch.com' 'www.funklicks.com' 'www.gamertraffic.com' 'advertising.goldseek.com' 'ads.gravytrainproductions.com' 'ads.gusanito.com' 'tracking.hostgator.com' 'ads.infomediainc.com' 'kazaa.com' 'www.kazaa.com' 'www.knacads.com' 'ads.mindviz.com' 'traffic.mindviz.com' 'mvtracker.com' 'ft.mvtracker.com' 'www.mvtracker.com' 'sayac.onlinewebstat.com' 'ads2.radiocompanion.com' 'ads.retirementjobs.com' 'silveragesoftware.com' 'www.silveragesoftware.com' 'www.top1.ro' 'www.top90.ro' 'partners.visiads.com' 'adsrv.worldvillage.com' 'www.xclicks.net' 'counter.yakbucks.com' 'www.3bsoftware.com' 'www.blowadvertising.com' 'bunny-net.com' 'www.cbproads.com' 'www.downloadupload.com' 'www.filehog.com' 'www.handyarchive.com' 'www.pc-test.net' 'pulsix.com' 'www.pulsix.com' 'restore-pc.com' 'www.restore-pc.com' 'www.searchmagna.com' 'www.trackzapper.com' 'landing.trafficz.com' 'landings.trafficz.com' 'fcc.adjuggler.com' 'image.adjuggler.com' 'img1.adjuggler.com' 'rotator.adjuggler.com' 'www.adjuggler.com' 'adprudence.rotator.hadj7.adjuggler.net' 'amc.rotator.hadj1.adjuggler.net' 'bullzeye.rotator.hadj1.adjuggler.net' 'cdmedia.rotator.hadj7.adjuggler.net' 'csm.rotator.hadj7.adjuggler.net' 'fidelity.rotator.hadj7.adjuggler.net' 'forum.rotator.hadj7.adjuggler.net' 'ientry.rotator.hadj1.adjuggler.net' 'rebellionmedia.rotator.hadj7.adjuggler.net' 'ssprings.rotator.hadj7.adjuggler.net' 'traffiqexchange.rotator.hadj7.adjuggler.net' 'ads.bootcampmedia.com' 'aj.daniweb.com' 'ads.gamersmedia.com' 'ads.gamesbannernet.com' 'ads.greenerworldmedia.com' 'ads.heraldnet.com' '7.rotator.wigetmedia.com' 'ads.livenation.com' 'ads.as4x.tmcs.ticketmaster.com' 'ads.as4x.tmcs.net' 'api.bizographics.com' 'ak.sail-horizon.com' 'servedby.integraclick.com' 'fast.mtvn.demdex.net' 'ma211-r.analytics.edgesuite.net' 'sitestats.tiscali.co.uk' 'adsweb.tiscali.it' 'au-cdn.effectivemeasure.net' 'ma76-r.analytics.edgesuite.net' 'c.effectivemeasure.net' 'nz-cdn.effectivemeasure.net' 'ph-cdn.effectivemeasure.net' 'sg-cdn.effectivemeasure.net' 'fast.fairfax.demdex.net' '4qinvite.4q.iperceptions.com' 'tiads.timeinc.net' 'front.adproved.net' 'ads.msvp.net' 'piwik.iriscorp.co.uk' 'petsmovies.com' 'zoomovies.org' 'www.zoomovies.org' 'api.instantdollarz.com' 'dl.ezthemes.com' 'dl1.ezthemes.com' 'ezthemes.ezthemes.com' 'funskins.ezthemes.com' 'galtthemes.ezthemes.com' 'themexp.ezthemes.com' 'topdesktop.ezthemes.com' 'www.ezthemes.com' 'www.themexp.org' 'piwik.datawrapper.de' 'tags.expo9.exponential.com' 'tribalfusion.com' 'a.tribalfusion.com' 'cdn1.tribalfusion.com' 'cdn5.tribalfusion.com' 'ctxt.tribalfusion.com' 'm.tribalfusion.com' 's.tribalfusion.com' 'www.tribalfusion.com' 'a.websponsors.com' 'g.websponsors.com' 'cz4.clickzzs.nl' 'cz5.clickzzs.nl' 'cz7.clickzzs.nl' 'cz8.clickzzs.nl' 'cz11.clickzzs.nl' 'jsp.clickzzs.nl' 'jsp2.clickzzs.nl' 'js7.clickzzs.nl' 'js11.clickzzs.nl' 'vip.clickzzs.nl' 'vip2.clickzzs.nl' 'a3.adzs.nl' 'a4.adzs.nl' 'img.adzs.nl' 'www.cash4members.com' 'privatamateure.com' 'webmaster.privatamateure.com' 'www.privatamateure.com' 'servedby.ipromote.com' 'pureleads.com' 'boloz.com' 'feed3.hype-ads.com' 'testats.inuvo.com' 'tracking.inuvo.com' 'myap.liveperson.com' 'img1.ncsreporting.com' 'www.ncsreporting.com' 'aff.primaryads.com' 'images.primaryads.com' 'ads.proz.com' 'theaffiliateprogram.com' 'www.theaffiliateprogram.com' 'err.000webhost.com' 'error404.000webhost.com' 'www.pornobanner.com' 'ad.realist.gen.tr' 'www.adultvalleycash.com' 'www.leadxml.com' 'ehho.com' 'femeedia.com' 'gbscript.com' '403.hqhost.net' '404.hqhost.net' 'luckytds.ru' 'next-layers.com' 'petrenko.biz' 'www.petrenko.biz' 'tr-af.com' 'vug.in' 'xtds.info' 'zr0.net' 'adnet.pravda.com.ua' 'a.abnad.net' 'b.abnad.net' 'c.abnad.net' 'd.abnad.net' 'e.abnad.net' 't.abnad.net' 'z.abnad.net' 'advert.ru.redtram.com' 'img2.ru.redtram.com' 'js.redtram.com' 'js.en.redtram.com' 'js.ru.redtram.com' 'n4p.ru.redtram.com' 'relestar.com' 'clk.relestar.com' 'ban.xpays.com' 'exit.xpays.com' 'www.xpays.com' 'banner.50megs.com' 'aboutwebservices.com' 'ad.aboutwebservices.com' 'downloadz.us' 'free-counter.5u.com' 'free-stats.com' 'free-stats.i8.com' 'freestats.com' 'banner.freeservers.com' 'eegad.freeservers.com' 'abbyssh.freestats.com' 'insurancejournal.freestats.com' 'hit-counter.5u.com' 'barafranca.iwarp.com' 'site-stats.i8.com' 'statistics.s5.com' 'sitetracker.com' 'pomeranian99.sitetracker.com' 'www.sitetracker.com' 'www2a.sitetracker.com' 'cyclops.prod.untd.com' 'nztv.prod.untd.com' 'track.untd.com' 'web-counter.5u.com' 'adv.drtuber.com' 'links-and-traffic.com' 'www.links-and-traffic.com' 'vdhu.com' 'promo.hdvbucks.com' 'bn.premiumhdv.com' 'clicktracks.com' 'stats.clicktracks.com' 'stats1.clicktracks.com' 'stats2.clicktracks.com' 'stats3.clicktracks.com' 'stats4.clicktracks.com' 'www.clicktracks.com' 'webalize.net' 'www.webalize.net' 'group11.iperceptions.com' 'ca.ientry.net' 'www.moviedollars.com' 'webconnect.net' 'secure.webconnect.net' 'www.webconnect.net' 'www.worldata.com' 'ads.adagent.chacha.com' 'adecn-w.atdmt.com' 'srch.atdmt.com' 'atlasdmt.com' 'www.atlasdmt.com' 'www.avenuea.com' 'ads.bidclix.com' 'www.bidclix.com' 'serving.xxxwebtraffic.com' 'www.afcyhf.com' 'www.anrdoezrs.net' 'mp.apmebf.com' 'www.apmebf.com' 'www.awltovhc.com' 'www.commission-junction.com' 'www.dpbolvw.net' 'www.emjcd.com' 'www.ftjcfx.com' 'www.jdoqocy.com' 'www.kqzyfj.com' 'www.lduhtrp.net' 'qksrv.com' 'www.qksrv.net' 'www.qksz.net' 'www.tkqlhce.com' 'www.tqlkg.com' 'csp.fastclick.net' 'cdn.mplxtms.com' 'n.mplxtms.com' 't.mplxtms.com' 'krs.ymxpb.com' 'cj.dotomi.com' 'adfarm.mediaplex.com' 'imgserv.adbutler.com' 'servedbyadbutler.com' 'adrotator.com' 'www.adrotator.com' 'counter.sparklit.com' 'vote.sparklit.com' 'webpoll.sparklit.com' 'abtracker.adultbouncer.com' 'ads.xbiz.com' 'exchange.xbiz.com' 'www62.prevention.com' 'diet.rodale.com' 'data.cmcore.com' 'analytics.harpercollins.com' 'd1.playboy.com' 'www62.runningtimes.com' 'www9.swansonvitamins.com' 'www2.kiehls.com' 'www62.bicycling.com' 'log.aebn.net' 'cerberus.entertainment.com' 'c.maccosmetics.com' 'site.puritan.com' 'www3.bloomingdales.com' 'core.bluefly.com' 'www9.collectiblestoday.com' 'cmd.customink.com' 'rpt.footlocker.com' 'ww62.hsn.com' '1901.nordstrom.com' 'sd.play.com' 'www25.victoriassecret.com' 'webtrends1.britishgas.co.uk' 'secure-eu.imrworldwide.com' 'mv.treehousei.com' 'ap.lijit.com' 'beacon.lijit.com' 'www.lijit.com' 'www.hugedomains.com' 'server1.103092804.com' 'server2.103092804.com' 'server3.103092804.com' 'server4.103092804.com' 'www.103092804.com' 'www.dicarlotrack.com' 'tracking.gajmp.com' 'www.jmpads.com' 'www.leadtrackgo.com' 'www.rsptrack.com' 'www.sq2trk2.com' 'www.xy7track.com' 'affiliates.yourapprovaltracker.com' 'ssl.clickbank.net' 'www.liqwid.net' 'www.shopathome.com' 'intellitxt.com' 'de.intellitxt.com' 'images.intellitxt.com' 'pixel.intellitxt.com' 'uk.intellitxt.com' 'us.intellitxt.com' 'www.intellitxt.com' 'mamamia.au.intellitxt.com' 'zdnet.be.intellitxt.com' 'ad-hoc-news.de.intellitxt.com' 'atspace.de.intellitxt.com' 'audio.de.intellitxt.com' 'awardspace.de.intellitxt.com' 'bild.de.intellitxt.com' 'chip.de.intellitxt.com' 'castingshow-news.de.intellitxt.com' 'computerbase.de.intellitxt.com' 'computerbild.de.intellitxt.com' 'computerhilfen.de.intellitxt.com' 'computerwoche.de.intellitxt.com' 'digital-world.de.intellitxt.com' 'ghacks.de.intellitxt.com' 'golem.de.intellitxt.com' 'gulli.de.intellitxt.com' 'inquake.de.intellitxt.com' 'loady.de.intellitxt.com' 'macwelt.de.intellitxt.com' 'msmobiles.de.intellitxt.com' 'news.de.intellitxt.com' 'pcwelt.de.intellitxt.com' 'php-mag.de.intellitxt.com' 'php-magnet.de.intellitxt.com' 'softonic.de.intellitxt.com' 'supernature-forum.de.intellitxt.com' 'supportnet.de.intellitxt.com' 'tecchannel.de.intellitxt.com' 'winfuture.de.intellitxt.com' 'wg-gesucht.de.intellitxt.com' 'womenshealth.de.intellitxt.com' 'actualite-de-stars.fr.intellitxt.com' 'telefonica.es.intellitxt.com' 'cowcotland.fr.intellitxt.com' 'froggytest.fr.intellitxt.com' 'generation-nt.fr.intellitxt.com' 'hiphopgalaxy.fr.intellitxt.com' 'infos-du-net.fr.intellitxt.com' 'memoclic.fr.intellitxt.com' 'neteco.fr.intellitxt.com' 'pcinpact.fr.intellitxt.com' 'pc-infopratique.fr.intellitxt.com' 'presence-pc.fr.intellitxt.com' 'programme-tv.fr.intellitxt.com' 'reseaux-telecoms.fr.intellitxt.com' 'tomshardware.fr.intellitxt.com' 'zataz.fr.intellitxt.com' 'techgadgets.in.intellitxt.com' 'telefonino.it.intellitxt.com' 'computeridee.nl.intellitxt.com' 'computertotaal.nl.intellitxt.com' 'techworld.nl.intellitxt.com' 'techzine.nl.intellitxt.com' 'topdownloads.nl.intellitxt.com' 'webwereld.nl.intellitxt.com' 'compulenta.ru.intellitxt.com' 'rbmods.se.intellitxt.com' 'tomshardware.se.intellitxt.com' '4thegame.uk.intellitxt.com' 'amygrindhouse.uk.intellitxt.com' 'anorak.uk.intellitxt.com' 'bink.uk.intellitxt.com' 'bit-tech.uk.intellitxt.com' 'biosmagazine.uk.intellitxt.com' 'cbronline.uk.intellitxt.com' 'computeractive.uk.intellitxt.com' 'computing.uk.intellitxt.com' 'contactmusic.uk.intellitxt.com' 'digit-life.uk.intellitxt.com' 'efluxmedia.uk.intellitxt.com' 'express.uk.intellitxt.com' 'femalefirst.uk.intellitxt.com' 'ferrago.uk.intellitxt.com' 'fhm.uk.intellitxt.com' 'footymad.uk.intellitxt.com' 'freedownloadcenter.uk.intellitxt.com' 'freedownloadmanager.uk.intellitxt.com' 'freewarepalm.uk.intellitxt.com' 'futurepublications.uk.intellitxt.com' 'gamesindustry.uk.intellitxt.com' 'handbag.uk.intellitxt.com' 'hellomagazine.uk.intellitxt.com' 'hexus.uk.intellitxt.com' 'itpro.uk.intellitxt.com' 'itreviews.uk.intellitxt.com' 'knowyourmobile.uk.intellitxt.com' 'legitreviews-uk.intellitxt.com' 'letsgodigital.uk.intellitxt.com' 'lse.uk.intellitxt.com' 'mad.uk.intellitxt.com' 'mobilecomputermag.uk.intellitxt.com' 'monstersandcritics.uk.intellitxt.com' 'newlaunches.uk.intellitxt.com' 'nodevice.uk.intellitxt.com' 'ok.uk.intellitxt.com' 'pcadvisor.uk.intellitxt.com' 'pcgamer.uk.intellitxt.com' 'pcpro.uk.intellitxt.com' 'pcw.uk.intellitxt.com' 'physorg.uk.intellitxt.com' 'playfuls.uk.intellitxt.com' 'pocketlint.uk.intellitxt.com' 'product-reviews.uk.intellitxt.com' 'sharecast.uk.intellitxt.com' 'sofeminine.uk.intellitxt.com' 'softpedia.uk.intellitxt.com' 'squarefootball.uk.intellitxt.com' 'tcmagazine.uk.intellitxt.com' 'teamtalk.uk.intellitxt.com' 'techradar.uk.intellitxt.com' 'thehollywoodnews.uk.intellitxt.com' 'theinquirer.uk.intellitxt.com' 'theregister.uk.intellitxt.com' 'thetechherald.uk.intellitxt.com' 'videojug.uk.intellitxt.com' 'vitalfootball.uk.intellitxt.com' 'vnunet.uk.intellitxt.com' 'webuser.uk.intellitxt.com' 'wi-fitechnology.uk.intellitxt.com' 'windows7news.uk.intellitxt.com' 'worldtravelguide.uk.intellitxt.com' '1up.us.intellitxt.com' '247wallstreet.us.intellitxt.com' '2snaps.us.intellitxt.com' '2spyware.us.intellitxt.com' '24wrestling.us.intellitxt.com' '411mania.us.intellitxt.com' '4w-wrestling.us.intellitxt.com' '5starsupport.us.intellitxt.com' '9down.us.intellitxt.com' '10best.us.intellitxt.com' 'able2know.us.intellitxt.com' 'accuweather.us.intellitxt.com' 'aceshowbiz.us.intellitxt.com' 'aclasscelebs.us.intellitxt.com' 'activewin.us.intellitxt.com' 'actionscript.us.intellitxt.com' 'advancedmn.us.intellitxt.com' 'adwarereport.us.intellitxt.com' 'afterdawn.us.intellitxt.com' 'afraidtoask.us.intellitxt.com' 'ajc.us.intellitxt.com' 'akihabaranews.us.intellitxt.com' 'alive.us.intellitxt.com' 'allcarselectric.us.intellitxt.com' 'allgetaways.us.intellitxt.com' 'allhiphop.us.intellitxt.com' 'allrefer.us.intellitxt.com' 'allwomenstalk.us.intellitxt.com' 'amdzone.us.intellitxt.com' 'americanmedia.us.intellitxt.com' 'andpop.us.intellitxt.com' 'androidandme.us.intellitxt.com' 'androidcentral.us.intellitxt.com' 'androidcommunity.us.intellitxt.com' 'answerbag.us.intellitxt.com' 'answers.us.intellitxt.com' 'antimusic.us.intellitxt.com' 'anythinghollywood.us.intellitxt.com' 'appscout.us.intellitxt.com' 'artistdirect.us.intellitxt.com' 'askmen.us.intellitxt.com' 'askmen2.us.intellitxt.com' 'aquasoft.us.intellitxt.com' 'architecturaldesigns.us.intellitxt.com' 'autoforums.us.intellitxt.com' 'automobilemag.us.intellitxt.com' 'automotive.us.intellitxt.com' 'autospies.us.intellitxt.com' 'autoworldnews.us.intellitxt.com' 'away.us.intellitxt.com' 'aximsite.us.intellitxt.com' 'b5media.us.intellitxt.com' 'backseatcuddler.us.intellitxt.com' 'balleralert.us.intellitxt.com' 'baselinemag.us.intellitxt.com' 'bastardly.us.intellitxt.com' 'beautyden.us.intellitxt.com' 'becomegorgeous.us.intellitxt.com' 'beliefnet.us.intellitxt.com' 'betanews.us.intellitxt.com' 'beyondhollywood.us.intellitxt.com' 'bigbigforums.us.intellitxt.com' 'bittenandbound.us.intellitxt.com' 'blacksportsonline.us.intellitxt.com' 'blastro.us.intellitxt.com' 'bleepingcomputer.us.intellitxt.com' 'blisstree.us.intellitxt.com' 'boldride.us.intellitxt.com' 'bootdaily.us.intellitxt.com' 'boxingscene.us.intellitxt.com' 'bradpittnow.us.intellitxt.com' 'bricksandstonesgossip.us.intellitxt.com' 'brighthub.us.intellitxt.com' 'brothersoft.us.intellitxt.com' 'bukisa.us.intellitxt.com' 'bullz-eye.us.intellitxt.com' 'bumpshack.us.intellitxt.com' 'businessinsider.us.intellitxt.com' 'businessknowhow.us.intellitxt.com' 'bustedcoverage.us.intellitxt.com' 'buzzfoto.us.intellitxt.com' 'buzzhumor.us.intellitxt.com' 'bolt.us.intellitxt.com' 'cafemom.us.intellitxt.com' 'canmag.us.intellitxt.com' 'car-stuff.us.intellitxt.com' 'cavemancircus.us.intellitxt.com' 'cbstv.us.intellitxt.com' 'newyork.cbslocal.us.intellitxt.com' 'cdreviews.us.intellitxt.com' 'cdrinfo.us.intellitxt.com' 'cdrom-guide.us.intellitxt.com' 'celebitchy.us.intellitxt.com' 'celebridoodle.us.intellitxt.com' 'celebrity-babies.us.intellitxt.com' 'celebritytoob.us.intellitxt.com' 'celebridiot.us.intellitxt.com' 'celebrifi.us.intellitxt.com' 'celebritymound.us.intellitxt.com' 'celebritynation.us.intellitxt.com' 'celebrityodor.us.intellitxt.com' 'celebrity-rightpundits.us.intellitxt.com' 'celebritysmackblog.us.intellitxt.com' 'celebrityviplounge.us.intellitxt.com' 'celebslam.us.intellitxt.com' 'celebrity-gossip.us.intellitxt.com' 'celebritypwn.us.intellitxt.com' 'celebritywonder.us.intellitxt.com' 'celebuzz.us.intellitxt.com' 'channelinsider.us.intellitxt.com' 'cheatcc.us.intellitxt.com' 'cheatingdome.us.intellitxt.com' 'chevelles.us.intellitxt.com' 'cmp.us.intellitxt.com' 'cnet.us.intellitxt.com' 'coedmagazine.us.intellitxt.com' 'collegefootballnews.us.intellitxt.com' 'comicbookmovie.us.intellitxt.com' 'comicbookresources.us.intellitxt.com' 'comingsoon.us.intellitxt.com' 'complex.us.intellitxt.com' 'compnet.us.intellitxt.com' 'consumerreview.us.intellitxt.com' 'contactmusic.us.intellitxt.com' 'cooksrecipes.us.intellitxt.com' 'cooltechzone.us.intellitxt.com' 'counselheal.us.intellitxt.com' 'countryweekly.us.intellitxt.com' 'courierpostonline.us.intellitxt.com' 'coxtv.us.intellitxt.com' 'crmbuyer.us.intellitxt.com' 'csharpcorner.us.intellitxt.com' 'csnation.us.intellitxt.com' 'ctv.us.intellitxt.com' 'dabcc.us.intellitxt.com' 'dailycaller.us.intellitxt.com' 'dailygab.us.intellitxt.com' 'dailystab.us.intellitxt.com' 'dailytech.us.intellitxt.com' 'damnimcute.us.intellitxt.com' 'danasdirt.us.intellitxt.com' 'daniweb.us.intellitxt.com' 'darkhorizons.us.intellitxt.com' 'darlamack.us.intellitxt.com' 'dbtechno.us.intellitxt.com' 'delawareonline.us.intellitxt.com' 'delconewsnetwork.us.intellitxt.com' 'destructoid.us.intellitxt.com' 'demonews.us.intellitxt.com' 'denguru.us.intellitxt.com' 'derekhail.us.intellitxt.com' 'dietsinreview.us.intellitxt.com' 'digitalhome.us.intellitxt.com' 'digitalmediaonline.us.intellitxt.com' 'digitalmediawire.us.intellitxt.com' 'digitaltrends.us.intellitxt.com' 'diyfood.us.intellitxt.com' 'dlmag.us.intellitxt.com' 'dnps.us.intellitxt.com' 'doubleviking.us.intellitxt.com' 'download32.us.intellitxt.com' 'drdobbs.us.intellitxt.com' 'driverguide.us.intellitxt.com' 'drugscom.us.intellitxt.com' 'eastsideboxing.us.intellitxt.com' 'eatingwell.us.intellitxt.com' 'ebaumsworld.us.intellitxt.com' 'ecanadanow.us.intellitxt.com' 'ecommercetimes.us.intellitxt.com' 'eepn.us.intellitxt.com' 'efanguide.us.intellitxt.com' 'egotastic.us.intellitxt.com' 'eharmony.us.intellitxt.com' 'ehomeupgrade.us.intellitxt.com' 'ehow.us.intellitxt.com' 'electronista.us.intellitxt.com' 'emaxhealth.us.intellitxt.com' 'encyclocentral.us.intellitxt.com' 'entrepreneur.us.intellitxt.com' 'entertainmentwise.us.intellitxt.com' 'eontarionow.us.intellitxt.com' 'estelle.us.intellitxt.com' 'eten-users.us.intellitxt.com' 'everyjoe.us.intellitxt.com' 'evilbeetgossip.us.intellitxt.com' 'eweek.us.intellitxt.com' 'examnotes.us.intellitxt.com' 'excite.us.intellitxt.com' 'experts.us.intellitxt.com' 'extntechnologies.us.intellitxt.com' 'extremeoverclocking.us.intellitxt.com' 'extremetech.us.intellitxt.com' 'eztracks.us.intellitxt.com' 'fangoria.us.intellitxt.com' 'faqts.us.intellitxt.com' 'fatbackandcollards.us.intellitxt.com' 'fatbackmedia.us.intellitxt.com' 'fatfreekitchen.us.intellitxt.com' 'feedsweep.us.intellitxt.com' 'fhmonline.us.intellitxt.com' 'fightline.us.intellitxt.com' 'filmdrunk.us.intellitxt.com' 'filedudes.us.intellitxt.com' 'filmstew.us.intellitxt.com' 'filmthreat.us.intellitxt.com' 'firingsquad.us.intellitxt.com' 'fixya.us.intellitxt.com' 'flashmagazine.us.intellitxt.com' 'flyingmag.us.intellitxt.com' 'forbes.us.intellitxt.com' 'fortunecity.us.intellitxt.com' 'forumediainc.us.intellitxt.com' 'foxnews.us.intellitxt.com' 'foxsports.us.intellitxt.com' 'foxtv.us.intellitxt.com' 'freecodecs.us.intellitxt.com' 'freewarehome.us.intellitxt.com' 'friendtest.us.intellitxt.com' 'futurelooks.us.intellitxt.com' 'g2.us.intellitxt.com' 'g3.us.intellitxt.com' 'g4.us.intellitxt.com' 'g5.us.intellitxt.com' 'gabsmash.us.intellitxt.com' 'gamedev.us.intellitxt.com' 'gamesradar.us.intellitxt.com' 'gamerstemple.us.intellitxt.com' 'gannettbroadcast.us.intellitxt.com' 'gannettwisconsin.us.intellitxt.com' 'gardenweb.us.intellitxt.com' 'gather.us.intellitxt.com' 'geek.us.intellitxt.com' 'geekstogo.us.intellitxt.com' 'genmay.us.intellitxt.com' 'gigwise.us.intellitxt.com' 'girlsaskguys.us.intellitxt.com' 'givememyremote.us.intellitxt.com' 'goal.us.intellitxt.com' 'gonintendo.us.intellitxt.com' 'gossipcenter.us.intellitxt.com' 'gossiponthis.us.intellitxt.com' 'gossipteen.us.intellitxt.com' 'gottabemobile.us.intellitxt.com' 'govpro.us.intellitxt.com' 'graytv.us.intellitxt.com' 'gsmarena.us.intellitxt.com' 'gtmedia.us.intellitxt.com' 'guardianlv.us.intellitxt.com' 'guru3d.us.intellitxt.com' 'hackedgadgets.us.intellitxt.com' 'hairboutique.us.intellitxt.com' 'hardcoreware.us.intellitxt.com' 'hardforum.us.intellitxt.com' 'hardocp.us.intellitxt.com' 'hardwaregeeks.us.intellitxt.com' 'hardwarezone.us.intellitxt.com' 'harmony-central.us.intellitxt.com' 'haveuheard.us.intellitxt.com' 'helium.us.intellitxt.com' 'hiphoprx.us.intellitxt.com' 'hiphopdx.us.intellitxt.com' 'hiphoplead.us.intellitxt.com' 'hngn.com.us.intellitxt.com' 'hollyrude.us.intellitxt.com' 'hollywood.us.intellitxt.com' 'hollywooddame.us.intellitxt.com' 'hollywoodbackwash.us.intellitxt.com' 'hollywoodchicago.us.intellitxt.com' 'hollywoodstreetking.us.intellitxt.com' 'hollywoodtuna.us.intellitxt.com' 'hometheaterhifi.us.intellitxt.com' 'hongkiat.us.intellitxt.com' 'hoopsworld.us.intellitxt.com' 'hoovers.us.intellitxt.com' 'horoscope.us.intellitxt.com' 'hostboard.us.intellitxt.com' 'hothardware.us.intellitxt.com' 'hotmommagossip.us.intellitxt.com' 'howardchui.us.intellitxt.com' 'hq-celebrity.us.intellitxt.com' 'huliq.us.intellitxt.com' 'i4u.us.intellitxt.com' 'iamnotageek.us.intellitxt.com' 'icentric.us.intellitxt.com' 'ichef.us.intellitxt.com' 'icydk.us.intellitxt.com' 'idontlikeyouinthatway.us.intellitxt.com' 'iesb.us.intellitxt.com' 'ign.us.intellitxt.com' 'india-forums.us.intellitxt.com' 'babes.ign.us.intellitxt.com' 'cars.ign.us.intellitxt.com' 'comics.ign.us.intellitxt.com' 'cube.ign.us.intellitxt.com' 'ds.ign.us.intellitxt.com' 'filmforcedvd.ign.us.intellitxt.com' 'gameboy.ign.us.intellitxt.com' 'music.ign.us.intellitxt.com' 'psp.ign.us.intellitxt.com' 'ps2.ign.us.intellitxt.com' 'psx.ign.us.intellitxt.com' 'revolution.ign.us.intellitxt.com' 'sports.ign.us.intellitxt.com' 'wireless.ign.us.intellitxt.com' 'xbox.ign.us.intellitxt.com' 'xbox360.ign.us.intellitxt.com' 'idm.us.intellitxt.com' 'i-hacked.us.intellitxt.com' 'imnotobsessed.us.intellitxt.com' 'impactwrestling.us.intellitxt.com' 'imreportcard.us.intellitxt.com' 'infopackets.us.intellitxt.com' 'insidemacgames.us.intellitxt.com' 'intermix.us.intellitxt.com' 'internetautoguide.us.intellitxt.com' 'intogossip.us.intellitxt.com' 'intomobile.us.intellitxt.com' 'investingchannel.us.intellitxt.com' 'investopedia.us.intellitxt.com' 'ittoolbox.us.intellitxt.com' 'itxt2.us.intellitxt.com' 'itxt3.us.intellitxt.com' 'itworld.us.intellitxt.com' 'ivillage.us.intellitxt.com' 's.ivillage.us.intellitxt.com' 'iwon.us.intellitxt.com' 'jacksonsun.us.intellitxt.com' 'jakeludington.us.intellitxt.com' 'jkontherun.us.intellitxt.com' 'joblo.us.intellitxt.com' 'juicyceleb.us.intellitxt.com' 'juicy-news.blogspot.us.intellitxt.com' 'jupiter.us.intellitxt.com' 'justjared.us.intellitxt.com' 'justmovietrailers.us.intellitxt.com' 'jutiagroup.us.intellitxt.com' 'kaboose.us.intellitxt.com' 'killerstartups.us.intellitxt.com' 'kissingsuzykolber.us.intellitxt.com' 'knac.us.intellitxt.com' 'kpopstarz.us.intellitxt.com' 'laboroflove.us.intellitxt.com' 'laineygossip.us.intellitxt.com' 'laptoplogic.us.intellitxt.com' 'laptopmag.us.intellitxt.com' 'lat34.us.intellitxt.com' 'latinpost.us.intellitxt.com' 'letsrun.us.intellitxt.com' 'latinoreview.us.intellitxt.com' 'lifescript.us.intellitxt.com' 'linuxdevcenter.us.intellitxt.com' 'linuxjournal.us.intellitxt.com' 'livescience.us.intellitxt.com' 'livestrong.us.intellitxt.com' 'lmcd.us.intellitxt.com' 'lockergnome.us.intellitxt.com' 'lohud.us.intellitxt.com' 'longhornblogs.us.intellitxt.com' 'lxer.us.intellitxt.com' 'lyrics.us.intellitxt.com' 'macdailynews.us.intellitxt.com' 'macnewsworld.us.intellitxt.com' 'macnn.us.intellitxt.com' 'macgamefiles.us.intellitxt.com' 'macmegasite.us.intellitxt.com' 'macobserver.us.intellitxt.com' 'madamenoire.us.intellitxt.com' 'madpenguin.us.intellitxt.com' 'mainstreet.us.intellitxt.com' 'majorgeeks.us.intellitxt.com' 'makeherup.us.intellitxt.com' 'makemeheal.us.intellitxt.com' 'makeushot.us.intellitxt.com' 'masalatalk.us.intellitxt.com' 'mazdaworld.us.intellitxt.com' 'medicinenet.us.intellitxt.com' 'medindia.us.intellitxt.com' 'memphisrap.us.intellitxt.com' 'meredithtv.us.intellitxt.com' 'methodshop.us.intellitxt.com' 'military.us.intellitxt.com' 'missjia.us.intellitxt.com' 'mobile9.us.intellitxt.com' 'mobileburn.us.intellitxt.com' 'mobiletechreview.us.intellitxt.com' 'mobilewhack.us.intellitxt.com' 'mobilityguru.us.intellitxt.com' 'modifiedlife.us.intellitxt.com' 'mommyish.us.intellitxt.com' 'morningstar.us.intellitxt.com' 'motortrend.us.intellitxt.com' 'moviehole.us.intellitxt.com' 'movie-list.us.intellitxt.com' 'movies.us.intellitxt.com' 'movieweb.us.intellitxt.com' 'msfn.us.intellitxt.com' 'msnbc.us.intellitxt.com' 'autos.msnbc.us.intellitxt.com' 'business.msnbc.us.intellitxt.com' 'health.msnbc.us.intellitxt.com' 'nbcsports.us.intellitxt.com' 'news.msnbc.us.intellitxt.com' 'sports.msnbc.us.intellitxt.com' 'technology.msnbc.us.intellitxt.com' 'travel-and-weather.msnbc.us.intellitxt.com' 'mmafighting.us.intellitxt.com' 'entertainment.msn.us.intellitxt.com' 'muscleandfitnesshers.us.intellitxt.com' 'mydigitallife.us.intellitxt.com' 'myfavoritegames.us.intellitxt.com' 'mydailymoment.us.intellitxt.com' 'nasioc.us.intellitxt.com' 'nationalledger.us.intellitxt.com' 'nationalenquirer.us.intellitxt.com' 'naturalhealth.us.intellitxt.com' 'natureworldnews.us.intellitxt.com' 'nbcnewyork.us.intellitxt.com' 'nbcuniversaltv.us.intellitxt.com' 'neoseeker.us.intellitxt.com' 'neowin.us.intellitxt.com' 'nextround.us.intellitxt.com' 'newsoxy.us.intellitxt.com' 'newstoob.us.intellitxt.com' 'nihoncar.us.intellitxt.com' 'ninjadude.us.intellitxt.com' 'ntcompatible.us.intellitxt.com' 'oceanup.us.intellitxt.com' 'octools.us.intellitxt.com' 'ocworkbench.us.intellitxt.com' 'officer.us.intellitxt.com' 'okmagazine.us.intellitxt.com' 'onlamp.us.intellitxt.com' 'ontheflix.us.intellitxt.com' 'oocenter.us.intellitxt.com' 'osdir.us.intellitxt.com' 'ostg.us.intellitxt.com' 'outofsightmedia.us.intellitxt.com' 'overclockersonline.us.intellitxt.com' 'overthelimit.us.intellitxt.com' 'pal-item.us.intellitxt.com' 'pcmag.us.intellitxt.com' 'pcper.us.intellitxt.com' 'penton.us.intellitxt.com' 'perezhilton.us.intellitxt.com' 'philadelphia_cbslocal.us.intellitxt.com' 'phonearena.us.intellitxt.com' 'pickmeupnews.us.intellitxt.com' 'pinkisthenewblog.us.intellitxt.com' 'popdirt.us.intellitxt.com' 'popfill.us.intellitxt.com' 'popoholic.us.intellitxt.com' 'poponthepop.us.intellitxt.com' 'popularmechanics.us.intellitxt.com' 'prettyboring.us.intellitxt.com' 'priusonline.us.intellitxt.com' 'profootballweekly.us.intellitxt.com' 'programmerworld.us.intellitxt.com' 'pro-networks.us.intellitxt.com' 'ps3news.us.intellitxt.com' 'punchjump.us.intellitxt.com' 'puppytoob.us.intellitxt.com' 'pwinsider.us.intellitxt.com' 'quickpwn.us.intellitxt.com' 'quinstreet.us.intellitxt.com' 'rankmytattoos.us.intellitxt.com' 'rantsports.us.intellitxt.com' 'rcpmag.us.intellitxt.com' 'realitytea.us.intellitxt.com' 'realitytvmagazine.us.intellitxt.com' 'recipeland.us.intellitxt.com' 'redbalcony.us.intellitxt.com' 'reelmovienews.us.intellitxt.com' 'rickey.us.intellitxt.com' 'ringsurf.us.intellitxt.com' 'rnbdirt.us.intellitxt.com' 'rumorfix.us.intellitxt.com' 'sports.rightpundits.us.intellitxt.com' 'rojakpot.us.intellitxt.com' 'rpg.us.intellitxt.com' 'rx8club.us.intellitxt.com' 'rydium.us.intellitxt.com' 'scanwith.us.intellitxt.com' 'scienceworldreport.us.intellitxt.com' 'screensavers.us.intellitxt.com' 'sdcexecs.us.intellitxt.com' 'shallownation.us.intellitxt.com' 'shebudgets.us.intellitxt.com' 'sheknows.us.intellitxt.com' 'shoutwire.us.intellitxt.com' 'siliconera.us.intellitxt.com' 'slashfilm.us.intellitxt.com' 'smartabouthealth.us.intellitxt.com' 'smartcarfinder.us.intellitxt.com' 'smartdevicecentral.us.intellitxt.com' 'sportingnews.us.intellitxt.com' 'soccergaming.us.intellitxt.com' 'socialanxietysupport.us.intellitxt.com' 'socialitelife.us.intellitxt.com' 'soft32.us.intellitxt.com' 'softpedia.us.intellitxt.com' 'sohh.us.intellitxt.com' 'space.us.intellitxt.com' 'speedguide.us.intellitxt.com' 'speedtv.us.intellitxt.com' 'sportscarillustrated.us.intellitxt.com' 'sprintusers.us.intellitxt.com' 'sqlservercentral.us.intellitxt.com' 'starcasm.us.intellitxt.com' 'starpulse.us.intellitxt.com' 'steadyhealth.us.intellitxt.com' 'stockgroup.us.intellitxt.com' 'storknet.us.intellitxt.com' 'stupidcelebrities.us.intellitxt.com' 'styleblazer.us.intellitxt.com' 'supercars.us.intellitxt.com' 'superherohype.us.intellitxt.com' 'surebaby.us.intellitxt.com' 'symbianone.us.intellitxt.com' 'symbian-freak.us.intellitxt.com' 'taletela.us.intellitxt.com' 'tbohiphop.us.intellitxt.com' 'techeblog.us.intellitxt.com' 'tech-faq.us.intellitxt.com' 'techgage.us.intellitxt.com' 'techguy.us.intellitxt.com' 'techimo.us.intellitxt.com' 'technobuffalo.us.intellitxt.com' 'technologyguide.us.intellitxt.com' 'techpowerup.us.intellitxt.com' 'techspot.us.intellitxt.com' 'techsupportforum.us.intellitxt.com' 'tenmagazines.us.intellitxt.com' 'tgdaily.us.intellitxt.com' 'thathappened.us.intellitxt.com' 'theadvertiser.us.intellitxt.com' 'theblemish.us.intellitxt.com' 'thebosh.us.intellitxt.com' 'thecarconnection.us.intellitxt.com' 'thecelebritycafe.us.intellitxt.com' 'theeldergeek.us.intellitxt.com' 'thefinalfantasy.us.intellitxt.com' 'theforce.us.intellitxt.com' 'thefrisky.us.intellitxt.com' 'thefutoncritic.us.intellitxt.com' 'thegauntlet.us.intellitxt.com' 'theglobeandmail.us.intellitxt.com' 'thegloss.us.intellitxt.com' 'thehdroom.us.intellitxt.com' 'thehollywoodgossip.us.intellitxt.com' 'themanroom.us.intellitxt.com' 'theonenetwork.us.intellitxt.com' 'thepaparazzis.us.intellitxt.com' 'thestreet.us.intellitxt.com' 'thesuperficial.us.intellitxt.com' 'thetechlounge.us.intellitxt.com' 'thetechzone.us.intellitxt.com' 'theunwired.us.intellitxt.com' 'theybf.us.intellitxt.com' 'thinkcomputers.us.intellitxt.com' 'thoughtsmedia.us.intellitxt.com' 'threadwatch.us.intellitxt.com' 'tmz.us.intellitxt.com' 'todayshow.us.intellitxt.com' 'toofab.us.intellitxt.com' 'toms.us.intellitxt.com' 'tomsforumz.us.intellitxt.com' 'tomshardware.us.intellitxt.com' 'tomsnetworking.us.intellitxt.com' 'topsocialite.us.intellitxt.com' 'topnews.us.intellitxt.com' 'toptechreviews.us.intellitxt.com' 'toptenreviews.us.intellitxt.com' 'topspeed.us.intellitxt.com' 'torquenews.us.intellitxt.com' 'tothecenter.us.intellitxt.com' 'traileraddict.us.intellitxt.com' 'trekweb.us.intellitxt.com' 'tribal.us.intellitxt.com' 'triumphrat.us.intellitxt.com' 'tsxclub.us.intellitxt.com' 'tutorialoutpost.us.intellitxt.com' 'tvfanatic.us.intellitxt.com' 'tv-now.us.intellitxt.com' 'tv-rightcelebrity.us.intellitxt.com' 'tweaks.us.intellitxt.com' 'tweaktown.us.intellitxt.com' 'tweakvista.us.intellitxt.com' 'tweetsoup.us.intellitxt.com' 'twitchguru.us.intellitxt.com' 'ubergizmo.us.intellitxt.com' 'unathleticmag.us.intellitxt.com' 'universityherald.us.intellitxt.com' 'upi.us.intellitxt.com' 'vault9.us.intellitxt.com' 'viaarena.us.intellitxt.com' 'vibe.us.intellitxt.com' 'videocodezone.us.intellitxt.com' 'vidnet.us.intellitxt.com' 'voodoofiles.us.intellitxt.com' 'warcry.us.intellitxt.com' 'washingtontimes.us.intellitxt.com' 'weightlossforall.us.intellitxt.com' 'whatthetech.us.intellitxt.com' 'whoateallthepies.uk.intellitxt.com' 'wincert.us.intellitxt.com' 'windowsbbs.us.intellitxt.com' 'windowsitpro.us.intellitxt.com' 'winmatrix.us.intellitxt.com' 'winterrowd.us.intellitxt.com' 'wiregirl.us.intellitxt.com' 'withleather.us.intellitxt.com' 'wm5fixsite.us.intellitxt.com' 'womensforum.us.intellitxt.com' 'worldnetdaily.us.intellitxt.com' 'wowinterface.us.intellitxt.com' 'wrestling-edge.us.intellitxt.com' 'wwtdd.us.intellitxt.com' 'x17online.us.intellitxt.com' 'xmlpitstop.us.intellitxt.com' 'yeeeah.us.intellitxt.com' 'yourtango.us.intellitxt.com' 'zatznotfunny.us.intellitxt.com' 'zeldalily.us.intellitxt.com' 'zug.us.intellitxt.com' 'vibrantmedia.com' 'itxt.vibrantmedia.com' 'www.vibrantmedia.com' 'click.maxxandmore.com' 'link.maxxandmore.com' 'promo.passioncams.com' 'banners.payserve.com' 'secure.vxsbill.com' 'video.od.visiblemeasures.com' 'googlenews.xorg.pl' '1.googlenews.xorg.pl' '2.googlenews.xorg.pl' '3.googlenews.xorg.pl' '4.googlenews.xorg.pl' '5.googlenews.xorg.pl' 'optimize.innity.com' 'api.adrenalads.com' 'cache.blogads.com' 'f.blogads.com' 'g.blogads.com' 'st.blogads.com' 'weblog.blogads.com' 't.blogreaderproject.com' 'ads.exactseek.com' 'tracer.perezhilton.com' 'ads.pressflex.com' 'adserver.pressflex.com' 'fishadz.pressflex.net' 'www.projectwonderful.com' 'mydmp.exelator.com' 'banners.absolpublisher.com' 'tracking.absolstats.com' 'img.blogads.com' 'stat.blogads.com' 'www.blogads.com' 'adms.physorg.com' 'loadeu.exelator.com' 'loadm.exelator.com' 'ads.imgur.com' 'tracking.m6r.eu' 'network.adsmarket.com' 'z.blogads.com' 'p.raasnet.com' 'ads.sfomedia.com' 'stats.twistage.com' 'stat.delo.ua' 'c.mystat-in.net' '___id___.c.mystat-in.net' '011707160008.c.mystat-in.net' '121807150325.c.mystat-in.net' '122907224924.c.mystat-in.net' '061606084448.c.mystat-in.net' '070806142521.c.mystat-in.net' '090906042103.c.mystat-in.net' '092706152958.c.mystat-in.net' '102106151057.c.mystat-in.net' '112006133326.c.mystat-in.net' '14713804a.l2m.net' '30280827a.l2m.net' 'jmm.livestat.com' 'www.livestat.com' 'analytics.clickpathmedia.com' 'trafficads.com' 'www.trafficads.com' 'click.zipcodez.com' 'ads-aa.wunderground.com' 'ads3.wunderground.com' 'ads.wunderground.com' 'server.as5000.com' 'server2.as5000.com' 'xml.ecpvads.com' 'cpanel.nativeads.com' 'xml.plusfind.net' 'cpv.popxml.com' 'app.super-links.net' 'cpm.super-links.net' 'cpm.tz4.com' 'adx.adosx.com' 'cdn.adosx.com' 'filter.adsparkmedia.net' 'xml.adsparkmedia.net' 'affiliates.hookup.com' 'xml.mxsads.com' 'ads.sexforums.com' 'pl3087.puhtml.com' 'pl5102.puhtml.com' 'pl106067.puhtml.com' 'pl107977.puhtml.com' 'pl108062.puhtml.com' 'pl109504.puhtml.com' 'pl137937.puhtml.com' 'exits.adultcash.com' 'popfree.adultcash.com' 'www.adultcash.com' 'www.bnhtml.com' 'www.crazyprotocol.com' 'cdn.dabhit.com' 'feedbackexplorer.com' 'www.lonelycheatingwives.com' 'www.spookylinks.com' 'dn.adzerver.com' 'temp.adzerver.com' 'www.clickterra.net' 'admanage.com' 'xml.admanage.com' 'www.professionalcash.com' 'pl136883.puhtml.com' 'www.terraclicks.com' 'www.terrapops.com' 'affiliate.adgtracker.com' 'go.ad2up.com' 'adsvids.com' 'adsvidsdouble.com' 'padsdel.cdnads.com' 'go.padsdel.com' 'go.padsdelivery.com' 'go.padstm.com' 'a2pub.com' 'cdn.adtrace.org' 'wateristian.com' 'rmbn.net' 'clickadu.com' '1phads.com' 'www2.acint.net' 'serve.adhance.com' 'jsc.adskeeper.co.uk' 'adsyst.biz' 'adultcomix.biz' 'free.adultcomix.biz' 'artcomix.com' 'top.artcomix.com' 'www.artcomix.com' 'cartoonpornguide.com' 'free.cartoonpornguide.com' 'www.cartoonpornguide.com' 'ads.depositfiles.com' 'jsn.dt00.net' 'dvdhentai.net' '9.ecounter.org' 'www.fhserve.com' 'secure.fhserve.com' 'www.ilovecheating.com' 'imgn.marketgid.com' 'jsn.marketgid.com' 'go.mobisla.com' 'go.mobtrks.com' 'go.mobytrks.com' 'go.oclasrv.com' 'go.oclaserver.com' 'go.onclasrv.com' 'onclickads.net' 'otherprofit.com' 't.otherprofit.com' 'popander.mobi' 'popunder.net' 'www.postads24.com' 'propellerpops.com' 'go.pub2srv.com' 'www.reduxmediia.com' 'xml.seekandsee.com' 'www.scoreadate.com' 'c1.smartclick.net' 'www.stamplive.com' 'toon-families.com' 'www.toon-families.com' 'toonfamilies.net' 'www.toonfamilies.net' 'traffic.ru' 'pu.trafficshop.com' 'webmasters.tubealliance.com' 'affiliates.upforitnetworks.com' 'stat.upforitnetworks.com' 'www.yourlustmedia.com' 'rotator.7x3.net' 'adultimate.net' 'ads.alphaporno.com' 'bestadbid.com' 'www.bravospots.com' 'www.crocoads.com' 'ad.depositfiles.com' 'ad3.depositfiles.com' 'jsc.dt07.net' 'www.feyads.com' 'helltraffic.com' 'www.helltraffic.com' 'jsu.mgid.com' 'mg.mgid.com' 'echo.teasernet.ru' 'tmserver-1.com' 'www.tubedspots.com' 'xxxreactor.com' 'webclients.net' 'www.webclients.net' 'websponsors.com' 'ocs.websponsors.com' 'www.websponsors.com' 'bi.medscape.com' 'adv.medscape.com' 'as.medscape.com' 'adv.webmd.com' 'as.webmd.com' 'www.gameplaylabs.com' 'img.jizzads.com' 'ads4pubs.com' 'fttcj.com' 'ads.socialreach.com' 'cc.webpower.com' 'clickcash.webpower.com' 'orders.webpower.com' 'apps.clickcash.com' 'promo.clickcash.com' 'www.clickcash.com' 'getclicky.com' 'in.getclicky.com' 'pmetrics.getclicky.com' 'static.getclicky.com' 'pmetrics.performancing.com' 'stats.webleads-tracker.com' 'verivox01.webtrekk.net' 'www.webtrends.net' 'hm.webtrends.com' 'scs.webtrends.com' 'webtrendslive.com' 'ctix8.cheaptickets.com' 'rd.clickshift.com' 'wt.o.nytimes.com' 'wt.ticketmaster.com' 'dc.webtrends.com' 'm.webtrends.com' 'statse.webtrendslive.com' 'dcs.wtlive.com' 'dcstest.wtlive.com' 'wtrs.101com.com' 'sdc.acc.org' 'sdc.caranddriver.com' 'dcs.mattel.com' 'sdc.brightcove.com' 'sdc.ca.com' 'sdc.dishnetwork.com' 'sdc.dn.no' 'sdc.dtag.com' 'sdc.entertainment.com' 'sdc.flyingmag.com' 'sdc.francetelecom.com' 'ssdc.icelandair.com' 'sdc.jumptheshark.com' 'sdc.lef.org' 'sdc.livingchoices.com' 'sdc.mcafee.com' 'sdc.netiq.com' 'sdc.plannedparenthood.org' 'sdc.radio-canada.ca' 'sdc.rbistats.com' 'sdc.roadandtrack.com' 'sdc.sanofi-aventis.us' 'sdc.traderonline.com' 'sdc.tvguide.com' 'sdc.usps.com' 'sdc.vml.com' 'sdc.windowsmarketplace.com' 'wdcs.trendmicro.com' 'webtrends.telegraph.co.uk' 'www.1sexsex.com' 'teenboobstube.com' 'tubeanalporn.com' 'adsystem.simplemachines.org' 'aidu.ivwbox.de' 'chip.ivwbox.de' 'ciao.ivwbox.de' 'daserste.ivwbox.de' 'faz.ivwbox.de' 'freecast.ivwbox.de' 'finatime.ivwbox.de' 'gsea.ivwbox.de' 'handbl.ivwbox.de' 'heise.ivwbox.de' 'heute.ivwbox.de' 'mclient.ivwbox.de' 'mdr.ivwbox.de' 'mobile.ivwbox.de' 'morgpost.ivwbox.de' 'netzeitu.ivwbox.de' 'newsclic.ivwbox.de' 'ntv.ivwbox.de' 'qs.ivwbox.de' 'reuterde.ivwbox.de' 'rtl.ivwbox.de' 'schuelvz.ivwbox.de' 'spoxcom.ivwbox.de' 'studivz.ivwbox.de' 'sueddeut.ivwbox.de' 'swr.ivwbox.de' 'rbb.ivwbox.de' 'tagessch.ivwbox.de' 'vanity.ivwbox.de' 'welten.ivwbox.de' 'wetteronl.ivwbox.de' 'wirtwoch.ivwbox.de' 'www.ivwbox.de' 'yahoo.ivwbox.de' 'zdf.ivwbox.de' 'zeitonl.ivwbox.de' 'superxmassavers.ru' 'www.yourxmasgifts.ru' 'www.yournewluxurywatch.ru' 'event.ohmyad.co' 'core.videoegg.com' 'content.dl-rms.com' 'imagenen1.247realmedia.com' 'imagec05.247realmedia.com' 'imagec07.247realmedia.com' 'imagec08.247realmedia.com' 'imagec09.247realmedia.com' 'imagec10.247realmedia.com' 'imagec11.247realmedia.com' 'imagec12.247realmedia.com' 'imagec14.247realmedia.com' 'imagec16.247realmedia.com' 'imagec17.247realmedia.com' 'imagec18.247realmedia.com' 'imageceu1.247realmedia.com' 'oasc05.247realmedia.com' 'oasc06.247realmedia.com' 'oasc08.247realmedia.com' 'oasc09.247realmedia.com' 'oasc10.247realmedia.com' 'oasc11.247realmedia.com' 'oasc12.247realmedia.com' 'oasc17.247realmedia.com' 'oasc02023.247realmedia.com' 'oasc03012.247realmedia.com' 'oasc03049.247realmedia.com' 'oasc04052.247realmedia.com' 'oasc05024.247realmedia.com' 'oasc05134.247realmedia.com' 'oasc05135.247realmedia.com' 'oasc05139.247realmedia.com' 'oasc06006.247realmedia.com' 'oasc08006.247realmedia.com' 'oasc08008.247realmedia.com' 'oasc08011.247realmedia.com' 'oasc08024.247realmedia.com' 'oasc10015.247realmedia.com' 'oasc11009.247realmedia.com' 'oasc12001.247realmedia.com' 'oasc12016.247realmedia.com' 'oasc12056.247realmedia.com' 'oasc14008.247realmedia.com' 'oasc18005.247realmedia.com' 'openadstream-eu1.247realmedia.com' 'ads.realmedia.com.br' 'ad.realmedia.co.kr' 'tech.realmedia.co.kr' 'tracking.247search.com' 'realmedia-a592.d4p.net' 'rusads.toysrus.com' 'oascentral.aeroplan.com' 'sifomedia.aftonbladet.se' 'oascentral.arkansasonline.com' 'as.bankrate.com' 'oascentral.beliefnet.com' 'ads.benefitspro.com' 'ads.bhmedianetwork.com' 'ads.bloomberg.com' 'ad.directrev.com' 'a.diximedia.es' 'oascentral.dominionenterprises.com' 'ads.epi.es' 'oascentral.fiercemarkets.com' 'ads.fora.tv' 'sifomedia.idg.se' 'ads.itzdigital.com' 'ads.lifehealthpro.com' 'oas.monster.com' 'b3.mookie1.com' 'premium.mookie1.com' 't.mookie1.com' 'ads.mrtones.com' 'mig.nexac.com' 'ads.nwsource.com' 'ads.propertycasualty360.com' 'oas.providencejournal.com' 'ads.seattletimes.com' 'a3.suntimes.com' 'ads.telecinco.es' 'ads.timesunion.com' 'adsrv.dispatch.com' 'mjx.ads.nwsource.com' 'oascentral.123greetings.com' 'oas.247sports.com' 'oascentral.abclocal.go.com' 'oascentral.adage.com' 'oas.ad-vice.biz' 'oascentral.alladultchannel.com' 'oascentral.hosted.ap.org' 'oascentral.artistdirect.com' 'oascentral.autoweek.com' 'oascentral.blackenterprise.com' 'oascentral.blogher.org' 'oascentral.bigfishgames.com' 'oascentral.bristolpress.com' 'oascentral.broadway.com' 'oascentral.browardpalmbeach.com' 'oascentral.businessinsurance.com' 'oascentral.businessweek.com' 'oascentral.buy.com' 'oascentral.buysell.com' 'oascentral.capecodonline.com' 'oascentral.careerbuilder.com' 'oascentral.citypages.com' 'oascentral.citypaper.com' 'realmedia.channel4.com' 'oascentral.charleston.net' 'oascentral.chicagobusiness.com' 'oascentral.chron.com' 'oascentral.comcast.net' 'oascentral.comics.com' 'oascentral.consumerreports.org' 'oascentral.courttv.com' 'oascentral.crainsdetroit.com' 'oascentral.crainsnewyork.com' 'oascentral.crimelibrary.com' 'oascentral.cygnusb2b.com' 'oascentral.dailybreeze.com' 'oascentral.dailyherald.com' 'oascentral.dailylocal.com' 'oas.dallasnews.com' 'oascentral.datasphere.com' 'oas.deejay.it' 'oascentral.discovery.com' 'oascentral.dollargeneral.com' 'oascentral.emarketer.com' 'oascentral.emedicine.com' 'oascentral.escapistmagazine.com' 'oascentral.feedroom.com' 'oas.five.tv' 'oascentral.fosters.com' 'oascentral.freedom.com' 'oascentral.goerie.com' 'oascentral.gotriad.com' 'oascentral.grandparents.com' 'oascentral.greenevillesun.com' 'oascentral.hamptonroads.com' 'oascentral.herald-dispatch.com' 'oascentral.hispanicbusiness.com' 'oascentral.hitfix.com' 'oascentral.hollywood.com' 'oascentral.houstonpress.com' 'oascentral.ibtimes.com' 'oascentral.internetretailer.com' 'oascentral.investingmediasolutions.com' 'oascentral.investmentnews.com' 'oascentral.katv.com' 'oascentral.laptopmag.com' 'oascentral.law.com' 'oascentral.laweekly.com' 'oascentral.lifetimetv.com' 'oascentral.lycos.com' 'oascentral.mailtribune.com' 'oas.maktoobblog.com' 'oascentral.mayoclinic.com' 'oascentral.metrotimes.com' 'oascentral.metrowestdailynews.com' 'oascentral.miaminewtimes.com' 'oascentral.minnpost.com' 'oascentral.mochila.com' 'oascentral.modernhealthcare.com' 'oascentral.movietickets.com' 'oascentral.nationalunderwriter.com' 'oascentral.necn.com' 'oascentral.nephrologynews.com' 'oascentral.nerve.com' 'oascentral.netnewscheck.com' 'oascentral.newsmax.com' 'oascentral.news-record.com' 'oascentral.newstimeslive.com' 'oas-fr.video.on.nytimes.com' 'oascentral.ocweekly.com' 'oascentral.onthesnow.com' 'oascentral.onwisconsin.com' 'oascentral.oprah.com' 'oascentral.phoenixnewtimes.com' 'oascentral.planetatv.com' 'oascentral.poconorecord.com' 'oascentral.post-gazette.com' 'oascentral.pressdemocrat.com' 'oascentral.prodivnet.com' 'oascentral.publicradio.org' 'oascentral.rcrnews.com' 'oascentral.recordnet.com' 'oascentral.recordonline.com' 'oascentral.record-eagle.com' 'oascentral.recroom.com' 'oascentral.recyclebank.com' 'oascentral.red7media.com' 'oascentral.redstate.com' 'oascentral.register.com' 'oascentral.registerguard.com' 'oas.repubblica.it' 'oas.rivals.com' 'oascentral.salemweb.net' 'oascentral.samsclub.com' 'oascentral.sfgate.com' 'oascentral.sfweekly.com' 'oascentral.sina.com' 'oascentral.spineuniverse.com' 'oascentral.southjerseylocalnews.com' 'oascentral.sportsfanlive.com' 'oascentral.s-t.com' 'oascentral.stackmag.com' 'oascentral.stansberryresearch.com' 'oascentral.stripes.com' 'oascentral.suntimes.com' 'oascentral.superpages.com' 'oascentral.surfline.com' 'ads.tdbank.com' 'oascentral.timesfreepress.com' 'oascentral.thechronicleherald.ca' 'oascentral.thedailymeal.com' 'oascentral.thepostgame.com' 'oascentral.theweek.com' 'oascentral.tmcnet.com' 'oascentral.tnr.com' 'oascentral.tophosts.com' 'oascentral.tourismvancouver.com' 'oascentral.tradingmarkets.com' 'oascentral.traffic.com' 'oascentral.travelzoo.com' 'oascentral.trentonian.com' 'oascentral.tripit.com' 'oas.trustnet.com' 'oascentral.tvnewscheck.com' 'oascentral.upi.com' 'oascentral.urbanspoon.com' 'oascentral.villagevoice.com' 'oascentral.virtualtourist.com' 'oascentral.walmartwom.com' 'oascentral.warcry.com' 'oascentral.washtimes.com' 'oascentral.wciv.com' 'oascentral.westword.com' 'oascentral.wickedlocal.com' 'oascentral.yakimaherald.com' 'oascentral.yellowpages.com' 'coriolis.accuweather.com' 'sifomedia.thelocal.se' 'panel.research-int.se' 'ads.augusta.com' 'oas.autotrader.co.uk' 'ads.ctvdigital.net' 'oas.guardian.co.uk' 'kantarmedia.guardian.co.uk' 'oas.guardiannews.com' 'oas.ilsecoloxix.it' 'ads.jacksonville.com' 'ads.juneauempire.com' 'deliv.lexpress.fr' 'b3-uk.mookie1.com' 'oas.northernandshell.co.uk' 'oas.offremedia.com' 'ads.onlineathens.com' 'ads.pennnet.com' 'oas.populisengage.com' 'oas.rcsadv.it' 'panel2.research-int.se' 'oascentral.riverfronttimes.com' 'oas.theguardian.com' 'ads.savannahnow.com' 'oas.stv.tv' 'jsn.dt07.net' 'jsc.mgid.com' 'jsn.mgid.com' 'www.adshost1.com' 'track.ad4mmo.com' 'n149adserv.com' 'n44adshostnet.com' 'cdn.trafficstars.com' 'toroadvertisingmedia.com' 'aka-root.com' 'ads.h2porn.com' 'adv.h2porn.com' 'hits.twittweb.com' 'www.xvika.net' 'www.xvika.org' 'adv.freepornvs.com' 'a.mgid.com' 'aa-gb.mgid.com' 'ab-gb.mgid.com' 'aa-nb.mgid.com' 'ab-nb.mgid.com' 'ac-gb.mgid.com' 'counter.mgid.com' 'i3.putags.com' 'http.edge.ru4.com' 'smartad.mercadolibre.com.ar' 'smartad.mercadolivre.com.br' '33universal.adprimemedia.com' 'video1.adprimemedia.com' 'www.balook.com' 'advert.funimation.com' 'webiq005.webiqonline.com' 'advertising.finditt.com' 'https.edge.ru4.com' 's.xp1.ru4.com' 'www.mediahighway.net' 'www.netpoll.nl' 'realtracker.com' 'adserver1.realtracker.com' 'adserver2.realtracker.com' 'business.realtracker.com' 'free.realtracker.com' 'layout1.realtracker.com' 'project2.realtracker.com' 'talkcity.realtracker.com' 'tpl1.realtracker.com' 'tpl2.realtracker.com' 'web1.realtracker.com' 'web2.realtracker.com' 'web4.realtracker.com' 'free1.usa.realtracker.com' 'www.realtracker.com' 'ntkrnlpa.info' 'banners.delivery.addynamo.com' 's01.delivery.addynamo.com' 's01-delivery.addynamo.net' 'static.addynamo.net' 'static-uk.addynamo.net' 'ad.wretch.cc' 'nz.adserver.yahoo.com' 'sg.adserver.yahoo.com' 'br.adserver.yahoo.com' 'cn.adserver.yahoo.com' 'tw.adserver.yahoo.com' 'mi.adinterax.com' 'e.yieldmanager.net' 'l.yieldmanager.net' 'ads.yimg.com' 'my.adtegrity.net' 'my.aim4media.com' 'ym.bannerconnect.net' 'reporting.cpxinteractive.com' 'api.yieldmanager.com' 'my.yieldmanager.com' 'be.adserver.yahoo.com' 'dk.adserver.yahoo.com' 'eu-pn4.adserver.yahoo.com' 'fr.adserver.yahoo.com' 'nl.adserver.yahoo.com' 'se.adserver.yahoo.com' 'uk.adserver.yahoo.com' 'de.adserver.yahoo.com' 'es.adserver.yahoo.com' 'gr.adserver.yahoo.com' 'it.adserver.yahoo.com' 'no.adserver.yahoo.com' 'gambling911.adrevolver.com' 'aps.media.adrevolver.com' 'media.adrevolver.com' 'track.adrevolver.com' 'hostingprod.com' 'geo.yahoo.com' 'nol.yahoo.com' 'advision.webevents.yahoo.com' 'partnerads.ysm.yahoo.com' 'ts.richmedia.yahoo.com' 'visit.webhosting.yahoo.com' 'syndication.streamads.yahoo.com' 'srv1.wa.marketingsolutions.yahoo.com' 'srv2.wa.marketingsolutions.yahoo.com' 'srv3.wa.marketingsolutions.yahoo.com' 'ad.creafi.com' 'ad.foxnetworks.com' 'ad.hi5.com' 'adserver.yahoo.com' 'ae.adserver.yahoo.com' 'ar.adserver.yahoo.com' 'au.adserver.yahoo.com' 'ca.adserver.yahoo.com' 'cn2.adserver.yahoo.com' 'hk.adserver.yahoo.com' 'in.adserver.yahoo.com' 'us.adserver.yahoo.com' 'pn1.adserver.yahoo.com' 'pn2.adserver.yahoo.com' 'tw2.adserver.yahoo.com' 'csc.beap.bc.yahoo.com' 'launch.adserver.yahoo.com' 'mx.adserver.yahoo.com' 'clicks.beap.ad.yieldmanager.net' 'csc.beap.ad.yieldmanager.net' 'open.ad.yieldmanager.net' 's.analytics.yahoo.com' 's201.indexstats.com' 'secure.indexstats.com' 'stats.indexstats.com' 'stats.indextools.com' 'adinterax.com' 'str.adinterax.com' 'tr.adinterax.com' 'www.adinterax.com' 'ads.bluelithium.com' 'np.lexity.com' 'beap.adx.yahoo.com' 'a.analytics.yahoo.com' 'o.analytics.yahoo.com' 'sp.analytics.yahoo.com' 'y.analytics.yahoo.com' 'y3.analytics.yahoo.com' 'z.analytics.yahoo.com' 'analytics.query.yahoo.com' 'gd.ads.vip.gq1.yahoo.com' 'geo.query.yahoo.com' 'ci.beap.ad.yieldmanager.net' 'ac.ybinst0.ec.yimg.com' 'ac.ybinst1.ec.yimg.com' 'ac.ybinst2.ec.yimg.com' 'ac.ybinst3.ec.yimg.com' 'ac.ybinst4.ec.yimg.com' 'ac.ybinst5.ec.yimg.com' 'ac.ybinst6.ec.yimg.com' 'ac.ybinst7.ec.yimg.com' 'ac.ybinst8.ec.yimg.com' 'ac.ybinst9.ec.yimg.com' 'ybinst0.ec.yimg.com' 'ybinst1.ec.yimg.com' 'ybinst2.ec.yimg.com' 'ybinst3.ec.yimg.com' 'ybinst4.ec.yimg.com' 'ybinst5.ec.yimg.com' 'ybinst6.ec.yimg.com' 'ybinst7.ec.yimg.com' 'ybinst8.ec.yimg.com' 'ybinst9.ec.yimg.com' 'advertising.yandex.ru' 'bs.yandex.ru' 'bs-meta.yandex.ru' 'grade.market.yandex.ru' 'yandexadexchange.net' 'serw.myroitracking.com' 'tr1.myroitracking.com' 'track.visitorpath.com' 'banner.adsrevenue.net' 'popunder.adsrevenue.net' 'clicksor.com' 'ads.clicksor.com' 'main.clicksor.com' 'mci12.clicksor.com' 'search.clicksor.com' 'serw.clicksor.com' 'track.clicksor.com' 'www.clicksor.com' 'mp.clicksor.net' 'myad.clicksor.net' 'pub.clicksor.net' 'www.infinityads.com' 'multipops.com' 'service.multi-pops.com' 'www1.multipops.com' 'www2.multipops.com' 'www.multipops.com' 'www.xxxwebtraffic.com' 'ads.adonion.com' 'serving.adsrevenue.clicksor.net' 'www.myroitracking.com' 'yourstats.net' 'www.yourstats.net' 'l7.zedo.com' 'click.zxxds.net' 'zedo.com' 'ads.zedo.com' 'c1.zedo.com' 'c2.zedo.com' 'c3.zedo.com' 'c4.zedo.com' 'c5.zedo.com' 'c6.zedo.com' 'c7.zedo.com' 'c8.zedo.com' 'd2.zedo.com' 'd3.zedo.com' 'd7.zedo.com' 'd8.zedo.com' 'g.zedo.com' 'gw.zedo.com' 'h.zedo.com' 'l1.zedo.com' 'l2.zedo.com' 'l3.zedo.com' 'l4.zedo.com' 'l5.zedo.com' 'l6.zedo.com' 'l8.zedo.com' 'r1.zedo.com' 'simg.zedo.com' 'ss1.zedo.com' 'ss2.zedo.com' 'ss7.zedo.com' 'xads.zedo.com' 'yads.zedo.com' 'www.zedo.com' 'c1.zxxds.net' 'c7.zxxds.net' 'ads.namiflow.com' 'adunit.namiflow.com' 'rt.udmserve.net' 'www.stickylogic.com' 'www.winadiscount.com' 'www.winaproduct.com' 'goatse.cx' 'www.goatse.cx' 'oralse.cx' 'www.oralse.cx' 'goatse.ca' 'www.goatse.ca' 'oralse.ca' 'www.oralse.ca' 'goat.cx' 'www.goat.cx' '1girl1pitcher.com' '1girl1pitcher.org' '1guy1cock.com' '1man1jar.org' '1man2needles.com' '1priest1nun.com' '1priest1nun.net' '2girls1cup.cc' '2girls1cup.com' '2girls1cup-free.com' '2girls1cup.nl' '2girls1cup.ws' '2girls1finger.com' '2girls1finger.org' '2guys1stump.org' '3guys1hammer.ws' '4girlsfingerpaint.com' '4girlsfingerpaint.org' 'bagslap.com' 'ballsack.org' 'bestshockers.com' 'bluewaffle.biz' 'bottleguy.com' 'bowlgirl.com' 'cadaver.org' 'clownsong.com' 'copyright-reform.info' 'cshacks.partycat.us' 'cyberscat.com' 'dadparty.com' 'detroithardcore.com' 'donotwatch.org' 'dontwatch.us' 'eelsoup.net' 'fruitlauncher.com' 'fuck.org' 'funnelchair.com' 'goatse.bz' 'goatsegirl.org' 'goatse.ru' 'hai2u.com' 'homewares.org' 'howtotroll.org' 'japscat.org' 'jarsquatter.com' 'jiztini.com' 'junecleeland.com' 'kids-in-sandbox.com' 'kidsinsandbox.info' 'lemonparty.biz' 'lemonparty.org' 'lolhello.com' 'lolshock.com' 'loltrain.com' 'meatspin.biz' 'meatspin.com' 'merryholidays.org' 'milkfountain.com' 'mudfall.com' 'mudmonster.org' 'nimp.org' 'nobrain.dk' 'nutabuse.com' 'octopusgirl.com' 'on.nimp.org' 'painolympics.info' 'painolympics.org' 'phonejapan.com' 'pressurespot.com' 'prolapseman.com' 'scrollbelow.com' 'selfpwn.org' 'sexitnow.com' 'sourmath.com' 'strawpoii.me' 'suckdude.com' 'thatsjustgay.com' 'thatsphucked.com' 'thehomo.org' 'themacuser.org' 'thepounder.com' 'tubgirl.me' 'tubgirl.org' 'turdgasm.com' 'vomitgirl.org' 'walkthedinosaur.com' 'whipcrack.org' 'wormgush.com' 'www.1girl1pitcher.org' 'www.1guy1cock.com' 'www.1man1jar.org' 'www.1man2needles.com' 'www.1priest1nun.com' 'www.1priest1nun.net' 'www.2girls1cup.cc' 'www.2girls1cup-free.com' 'www.2girls1cup.nl' 'www.2girls1cup.ws' 'www.2girls1finger.org' 'www.2guys1stump.org' 'www.3guys1hammer.ws' 'www.4girlsfingerpaint.org' 'www.bagslap.com' 'www.ballsack.org' 'www.bestshockers.com' 'www.bluewaffle.biz' 'www.bottleguy.com' 'www.bowlgirl.com' 'www.cadaver.org' 'www.clownsong.com' 'www.copyright-reform.info' 'www.cshacks.partycat.us' 'www.cyberscat.com' 'www.dadparty.com' 'www.detroithardcore.com' 'www.donotwatch.org' 'www.dontwatch.us' 'www.eelsoup.net' 'www.fruitlauncher.com' 'www.fuck.org' 'www.funnelchair.com' 'www.goatse.bz' 'www.goatsegirl.org' 'www.goatse.ru' 'www.hai2u.com' 'www.homewares.org' 'www.howtotroll.org' 'www.japscat.org' 'www.jiztini.com' 'www.junecleeland.com' 'www.kids-in-sandbox.com' 'www.kidsinsandbox.info' 'www.lemonparty.biz' 'www.lemonparty.org' 'www.lolhello.com' 'www.lolshock.com' 'www.loltrain.com' 'www.meatspin.biz' 'www.meatspin.com' 'www.merryholidays.org' 'www.milkfountain.com' 'www.mudfall.com' 'www.mudmonster.org' 'www.nimp.org' 'www.nobrain.dk' 'www.nutabuse.com' 'www.octopusgirl.com' 'www.on.nimp.org' 'www.painolympics.info' 'www.painolympics.org' 'www.phonejapan.com' 'www.pressurespot.com' 'www.prolapseman.com' 'www.punishtube.com' 'www.scrollbelow.com' 'www.selfpwn.org' 'www.sourmath.com' 'www.strawpoii.me' 'www.suckdude.com' 'www.thatsjustgay.com' 'www.thatsphucked.com' 'www.theexgirlfriends.com' 'www.thehomo.org' 'www.themacuser.org' 'www.thepounder.com' 'www.tubgirl.me' 'www.tubgirl.org' 'www.turdgasm.com' 'www.vomitgirl.org' 'www.walkthedinosaur.com' 'www.whipcrack.org' 'www.wormgush.com' 'www.xvideoslive.com' 'www.y8.com' 'www.youaresogay.com' 'www.ypmate.com' 'www.zentastic.com' 'youaresogay.com' 'zentastic.com' 'ads234.com' 'ads345.com' 'www.ads234.com' 'www.ads345.com' 'media.fastclick.net' '006.freecounters.co.uk' '06272002-dbase.hitcountz.net' '0stats.com' '123counter.mycomputer.com' '123counter.superstats.com' '2001-007.com' '20585485p.rfihub.com' '3bc3fd26-91cf-46b2-8ec6-b1559ada0079.statcamp.net' '3ps.go.com' '4-counter.com' 'a796faee-7163-4757-a34f-e5b48cada4cb.statcamp.net' 'abscbn.spinbox.net' 'adapi.ragapa.com' 'adclient.rottentomatoes.com' 'adcodes.aim4media.com' 'adcounter.globeandmail.com' 'adelogs.adobe.com' 'ademails.com' 'adlog.com.com' 'ad-logics.com' 'admanmail.com' 'ads.tiscali.com' 'ads.tiscali.it' 'adult.foxcounter.com' 'affiliate.ab1trk.com' 'affiliate.irotracker.com' 'ai062.insightexpress.com' 'ai078.insightexpressai.com' 'ai087.insightexpress.com' 'ai113.insightexpressai.com' 'ai125.insightexpressai.com' 'alert.mac-notification.com' 'alpha.easy-hit-counters.com' 'amateur.xxxcounter.com' 'amer.hops.glbdns.microsoft.com' 'amer.rel.msn.com' 'analytics.prx.org' 'ant.conversive.nl' 'antivirus-message.com' 'apac.rel.msn.com' 'api.gameanalytics.com' 'api.infinario.com' 'api.tumra.com' 'apprep.smartscreen.microsoft.com' 'app.yesware.com' 'au052.insightexpress.com' 'auspice.augur.io' 'au.track.decideinteractive.com' 'banners.webcounter.com' 'beacons.hottraffic.nl' 'best-search.cc' 'beta.easy-hit-counter.com' 'beta.easy-hit-counters.com' 'bilbo.counted.com' 'bin.clearspring.com' 'birta.stats.is' 'bkrtx.com' 'bluekai.com' 'bluestreak.com' 'bookproplus.com' 'brightroll.com' 'broadcastpc.tv' 'report.broadcastpc.tv' 'www.broadcastpc.tv' 'browser-message.com' 'bserver.blick.com' 'bstats.adbrite.com' 'b.stats.paypal.com' 'c1.thecounter.com' 'c1.thecounter.de' 'c2.thecounter.com' 'c2.thecounter.de' 'c3.thecounter.com' 'c4.myway.com' 'c9.statcounter.com' 'ca.cqcounter.com' 'cashcounter.com' 'cb1.counterbot.com' 'cdn.oggifinogi.com' 'cdxbin.vulnerap.com' 'cf.addthis.com' 'cgicounter.onlinehome.de' 'cgi.hotstat.nl' 'ci-mpsnare.iovation.com' 'citrix.tradedoubler.com' 'cjt1.net' 'click.fivemtn.com' 'click.investopedia.com' 'click.jve.net' 'clickmeter.com' 'click.payserve.com' 'clicks.emarketmakers.com' 'clicks.m4n.nl' 'clicks.natwest.com' 'clickspring.net' 'clicks.rbs.co.uk' 'clicktrack.onlineemailmarketing.com' 'clicktracks.webmetro.com' 'clk.aboxdeal.com' 'cnn.entertainment.printthis.clickability.com' 'cnt.xcounter.com' 'connectionlead.com' 'convertro.com' 'counter10.sextracker.be' 'counter11.sextracker.be' 'counter.123counts.com' 'counter12.sextracker.be' 'counter13.sextracker.be' 'counter14.sextracker.be' 'counter15.sextracker.be' 'counter16.sextracker.be' 'counter1.sextracker.be' 'counter.1stblaze.com' 'counter2.freeware.de' 'counter2.sextracker.be' 'counter3.sextracker.be' 'counter4all.dk' 'counter4.sextracker.be' 'counter4u.de' 'counter5.sextracker.be' 'counter6.sextracker.be' 'counter7.sextracker.be' 'counter8.sextracker.be' 'counter9.sextracker.be' 'counter.aaddzz.com' 'counterad.de' 'counter.adultcheck.com' 'counter.adultrevenueservice.com' 'counter.advancewebhosting.com' 'counteraport.spylog.com' 'counter.asexhound.com' 'counter.avp2000.com' 'counter.bloke.com' 'counterbot.com' 'counter.clubnet.ro' 'countercrazy.com' 'counter.credo.ru' 'counter.cz' 'counter.digits.com' 'counter.e-audit.it' 'counter.execpc.com' 'counter.gamespy.com' 'counter.hitslinks.com' 'counter.htmlvalidator.com' 'counter.impressur.com' 'counter.inetusa.com' 'counter.inti.fr' 'counter.kaspersky.com' 'counter.letssingit.com' 'counter.mycomputer.com' 'counter.netmore.net' 'counter.nowlinux.com' 'counter.pcgames.de' 'counters.auctionhelper.com' 'counters.auctionwatch.com' 'counters.auctiva.com' 'counter.sexhound.nl' 'counters.gigya.com' 'counter.surfcounters.com' 'counters.xaraonline.com' 'counter.times.lv' 'counter.topping.com.ua' 'counter.tripod.com' 'counter.uq.edu.au' 'counter.webcom.com' 'counter.webmedia.pl' 'counter.webtrends.com' 'counter.webtrends.net' 'counter.xxxcool.com' 'count.paycounter.com' 'c.thecounter.de' 'cw.nu' 'cyseal.cyveillance.com' 'da.ce.bd.a9.top.list.ru' 'data2.perf.overture.com' 'dclk.themarketer.com' 'delivery.loopingclick.com' 'detectorcarecenter.in' 'dgit.com' 'digistats.westjet.com' 'dimeprice.com' 'dkb01.webtrekk.net' 'dotcomsecrets.com' 'dpbolvw.net' 'ds.247realmedia.com' 'ds.amateurmatch.com' 'dwclick.com' 'e-2dj6wfk4ehd5afq.stats.esomniture.com' 'e-2dj6wfk4ggdzkbo.stats.esomniture.com' 'e-2dj6wfk4gkcpiep.stats.esomniture.com' 'e-2dj6wfk4skdpogo.stats.esomniture.com' 'e-2dj6wfkiakdjgcp.stats.esomniture.com' 'e-2dj6wfkiepczoeo.stats.esomniture.com' 'e-2dj6wfkikjd5glq.stats.esomniture.com' 'e-2dj6wfkiokc5odp.stats.esomniture.com' 'e-2dj6wfkiqjcpifp.stats.esomniture.com' 'e-2dj6wfkocjczedo.stats.esomniture.com' 'e-2dj6wfkokjajseq.stats.esomniture.com' 'e-2dj6wfkowkdjokp.stats.esomniture.com' 'e-2dj6wfkykpazskq.stats.esomniture.com' 'e-2dj6wflicocjklo.stats.esomniture.com' 'e-2dj6wfligpd5iap.stats.esomniture.com' 'e-2dj6wflikgdpodo.stats.esomniture.com' 'e-2dj6wflikiajslo.stats.esomniture.com' 'e-2dj6wflioldzoco.stats.esomniture.com' 'e-2dj6wfliwpczolp.stats.esomniture.com' 'e-2dj6wfloenczmkq.stats.esomniture.com' 'e-2dj6wflokmajedo.stats.esomniture.com' 'e-2dj6wfloqgc5mho.stats.esomniture.com' 'e-2dj6wfmysgdzobo.stats.esomniture.com' 'e-2dj6wgkigpcjedo.stats.esomniture.com' 'e-2dj6wgkisnd5abo.stats.esomniture.com' 'e-2dj6wgkoandzieq.stats.esomniture.com' 'e-2dj6wgkycpcpsgq.stats.esomniture.com' 'e-2dj6wgkyepajmeo.stats.esomniture.com' 'e-2dj6wgkyknd5sko.stats.esomniture.com' 'e-2dj6wgkyomdpalp.stats.esomniture.com' 'e-2dj6whkiandzkko.stats.esomniture.com' 'e-2dj6whkiepd5iho.stats.esomniture.com' 'e-2dj6whkiwjdjwhq.stats.esomniture.com' 'e-2dj6wjk4amd5mfp.stats.esomniture.com' 'e-2dj6wjk4kkcjalp.stats.esomniture.com' 'e-2dj6wjk4ukazebo.stats.esomniture.com' 'e-2dj6wjkosodpmaq.stats.esomniture.com' 'e-2dj6wjkouhd5eao.stats.esomniture.com' 'e-2dj6wjkowhd5ggo.stats.esomniture.com' 'e-2dj6wjkowjajcbo.stats.esomniture.com' 'e-2dj6wjkyandpogq.stats.esomniture.com' 'e-2dj6wjkycpdzckp.stats.esomniture.com' 'e-2dj6wjkyqmdzcgo.stats.esomniture.com' 'e-2dj6wjkysndzigp.stats.esomniture.com' 'e-2dj6wjl4qhd5kdo.stats.esomniture.com' 'e-2dj6wjlichdjoep.stats.esomniture.com' 'e-2dj6wjliehcjglp.stats.esomniture.com' 'e-2dj6wjlignajgaq.stats.esomniture.com' 'e-2dj6wjloagc5oco.stats.esomniture.com' 'e-2dj6wjlougazmao.stats.esomniture.com' 'e-2dj6wjlyamdpogo.stats.esomniture.com' 'e-2dj6wjlyckcpelq.stats.esomniture.com' 'e-2dj6wjlyeodjkcq.stats.esomniture.com' 'e-2dj6wjlygkd5ecq.stats.esomniture.com' 'e-2dj6wjmiekc5olo.stats.esomniture.com' 'e-2dj6wjmyehd5mfo.stats.esomniture.com' 'e-2dj6wjmyooczoeo.stats.esomniture.com' 'e-2dj6wjny-1idzkh.stats.esomniture.com' 'e-2dj6wjnyagcpkko.stats.esomniture.com' 'e-2dj6wjnyeocpcdo.stats.esomniture.com' 'e-2dj6wjnygidjskq.stats.esomniture.com' 'e-2dj6wjnyqkajabp.stats.esomniture.com' 'easy-web-stats.com' 'economisttestcollect.insightfirst.com' 'ehg.fedex.com' 'eitbglobal.ojdinteractiva.com' 'email.positionly.com' 'emea.rel.msn.com' 'engine.cmmeglobal.com' 'entry-stats.huffingtonpost.com' 'environmentalgraffiti.uk.intellitxt.com' 'e-n.y-1shz2prbmdj6wvny-1sez2pra2dj6wjmyepdzadpwudj6x9ny-1seq-2-2.stats.esomniture.com' 'e-ny.a-1shz2prbmdj6wvny-1sez2pra2dj6wjny-1jcpgbowsdj6x9ny-1seq-2-2.stats.esomniture.com' 'extremereach.com' 'fastcounter.bcentral.com' 'fastcounter.com' 'fastcounter.linkexchange.com' 'fastcounter.linkexchange.net' 'fastcounter.linkexchange.nl' 'fastcounter.onlinehoster.net' 'fcstats.bcentral.com' 'fdbdo.com' 'flycast.com' 'forbescollect.247realmedia.com' 'formalyzer.com' 'foxcounter.com' 'freeinvisiblecounters.com' 'freewebcounter.com' 'fs10.fusestats.com' 'ft2.autonomycloud.com' 'gator.com' 'gcounter.hosting4u.net' 'gd.mlb.com' 'geocounter.net' 'gkkzngresullts.com' 'go-in-search.net' 'goldstats.com' 'googfle.com' 'googletagservices.com' 'g-wizzads.net' 'highscanprotect.com' 'hit37.chark.dk' 'hit37.chart.dk' 'hit39.chart.dk' 'hit.clickaider.com' 'hit-counter.udub.com' 'hits.gureport.co.uk' 'http300.edge.ru4.com' 'iccee.com' 'ieplugin.com' 'iesnare.com' 'ig.insightgrit.com' 'ih.constantcontacts.com' 'image.masterstats.com' 'images1.paycounter.com' 'images.dailydiscounts.com' 'images.itchydawg.com' 'impacts.alliancehub.com' 'impit.tradedouble.com' 'in.paycounter.com' 'insightfirst.com' 'insightxe.looksmart.com' 'in.webcounter.cc' 'iprocollect.realmedia.com' 'izitracking.izimailing.com' 'jgoyk.cjt1.net' 'jkearns.freestats.com' 'journalism.uk.smarttargetting.com' 'jsonlinecollect.247realmedia.com' 'kissmetrics.com' 'kqzyfj.com' 'kt4.kliptracker.com' 'leadpub.com' 'liapentruromania.ro' 'lin31.metriweb.be' 'linkcounter.com' 'linkcounter.pornosite.com' 'link.masterstats.com' 'livestats.atlanta-airport.com' 'log1.countomat.com' 'log4.quintelligence.com' 'log999.goo.ne.jp' 'log.btopenworld.com' 'logc146.xiti.com' 'logc25.xiti.com' 'log.clickstream.co.za' 'logs.comics.com' 'logs.eresmas.com' 'logs.eresmas.net' 'log.statistici.ro' 'logv.xiti.com' 'lpcloudsvr302.com' 'luycos.com' 'lycoscollect.247realmedia.com' 'lycoscollect.realmedia.com' 'm1.nedstatbasic.net' 'mailcheckisp.biz' 'mailtrack.me' 'mama128.valuehost.ru' 'marketscore.com' 'mature.xxxcounter.com' 'media101.sitebrand.com' 'media.superstats.com' 'mediatrack.revenue.net' 'members2.hookup.com' 'metric.10best.com' 'metric.infoworld.com' 'metric.nationalgeographic.com' 'metric.nwsource.com' 'metric.olivegarden.com' 'metrics2.pricegrabber.com' 'metrics.al.com' 'metrics.att.com' 'metrics.elle.com' 'metrics.experts-exchange.com' 'metrics.fandome.com' 'metrics.gap.com' 'metrics.health.com' 'metrics.ioffer.com' 'metrics.ireport.com' 'metrics.kgw.com' 'metrics.ksl.com' 'metrics.ktvb.com' 'metrics.landolakes.com' 'metrics.maxim.com' 'metrics.mms.mavenapps.net' 'metrics.mpora.com' 'metrics.nextgov.com' 'metrics.npr.org' 'metrics.oclc.org' 'metrics.olivegarden.com' 'metrics.parallels.com' 'metrics.performancing.com' 'metrics.post-gazette.com' 'metrics.premiere.com' 'metrics.rottentomatoes.com' 'metrics.sephora.com' 'metrics.soundandvision.com' 'metrics.soundandvisionmag.com' 'metric.starz.com' 'metrics.technologyreview.com' 'metrics.theatlantic.com' 'metrics.thedailybeast.com' 'metrics.thefa.com' 'metrics.thefrisky.com' 'metrics.thenation.com' 'metrics.theweathernetwork.com' 'metrics.tmz.com' 'metrics.washingtonpost.com' 'metrics.whitepages.com' 'metrics.womansday.com' 'metrics.yellowpages.com' 'metrics.yousendit.com' 'metric.thenation.com' 'mktg.actonsoftware.com' 'mng1.clickalyzer.com' 'mpsnare.iesnare.com' 'msn1.com' 'msnm.com' 'mt122.mtree.com' 'mtcount.channeladvisor.com' 'mtrcs.popcap.com' 'mtv.247realmedia.com' 'multi1.rmuk.co.uk' 'mvs.mediavantage.de' 'mystats.com' 'nedstat.s0.nl' 'nethit-free.nl' 'net-radar.com' 'network.leadpub.com' 'nextgenstats.com' 'nl.nedstatbasic.net' 'o.addthis.com' 'okcounter.com' 'omniture.theglobeandmail.com' 'omtrdc.net' 'one.123counters.com' 'oss-crules.marketscore.com' 'oss-survey.marketscore.com' 'ostats.mozilla.com' 'other.xxxcounter.com' 'ourtoolbar.com' 'out.true-counter.com' 'partner.alerts.aol.com' 'partners.pantheranetwork.com' 'passpport.com' 'paxito.sitetracker.com' 'paycounter.com' 'pings.blip.tv' 'pix02.revsci.net' 'pixel-geo.prfct.co' 'pmg.ad-logics.com' 'pointclicktrack.com' 'postclick.adcentriconline.com' 'postgazettecollect.247realmedia.com' 'precisioncounter.com' 'p.reuters.com' 'printmail.biz' 'proxycfg.marketscore.com' 'proxy.ia2.marketscore.com' 'proxy.ia3.marketscore.com' 'proxy.ia4.marketscore.com' 'proxy.or3.marketscore.com' 'proxy.or4.marketscore.com' 'proxy.sj3.marketscore.com' 'proxy.sj4.marketscore.com' 'p.twitter.com' 'quareclk.com' 'raw.oggifinogi.com' 'remotrk.com' 'rightmedia.net' 'rightstats.com' 'roskatrack.roskadirect.com' 'rr2.xxxcounter.com' 'rr3.xxxcounter.com' 'rr4.xxxcounter.com' 'rr5.xxxcounter.com' 'rr7.xxxcounter.com' 's1.thecounter.com' 's2.youtube.com' 'sa.jumptap.com' 'scorecardresearch.com' 'scribe.twitter.com' 'scrooge.channelcincinnati.com' 'scrooge.channeloklahoma.com' 'scrooge.click10.com' 'scrooge.clickondetroit.com' 'scrooge.nbc11.com' 'scrooge.nbc4columbus.com' 'scrooge.nbc4.com' 'scrooge.nbcsandiego.com' 'scrooge.newsnet5.com' 'scrooge.thebostonchannel.com' 'scrooge.thedenverchannel.com' 'scrooge.theindychannel.com' 'scrooge.thekansascitychannel.com' 'scrooge.themilwaukeechannel.com' 'scrooge.theomahachannel.com' 'scrooge.wesh.com' 'scrooge.wftv.com' 'scrooge.wnbc.com' 'scrooge.wsoctv.com' 'scrooge.wtov9.com' 'sdogiu.bestamazontips.com' 'searchadv.com' 'sekel.ch' 'servedby.valuead.com' 'server11.opentracker.net' 'server12.opentracker.net' 'server13.opentracker.net' 'server14.opentracker.net' 'server15.opentracker.net' 'server16.opentracker.net' 'server17.opentracker.net' 'server18.opentracker.net' 'server2.opentracker.net' 'server3.opentracker.net' 'server4.opentracker.net' 'server5.opentracker.net' 'server6.opentracker.net' 'server7.opentracker.net' 'server8.opentracker.net' 'server9.opentracker.net' 'service.bfast.com' 'sexcounter.com' 'showcount.honest.com' 'smartstats.com' 'smetrics.att.com' 'socialize.eu1.gigya.com' 'softcore.xxxcounter.com' 'softonic.com' 'softonic.it' 'sostats.mozilla.com' 'sovereign.sitetracker.com' 'spinbox.maccentral.com' 'spklds.com' 's.statistici.ro' 'ss.tiscali.com' 'ss.tiscali.it' 'stast2.gq.com' 'stat1.z-stat.com' 'stat3.cybermonitor.com' 'stat.alibaba.com' 'statcounter.com' 'stat-counter.tass-online.ru' 'stat.discogs.com' 'static.kibboko.com' 'static.smni.com' 'statik.topica.com' 'statique.secureguards.eu' 'statistics.dynamicsitestats.com' 'statistics.elsevier.nl' 'statistics.reedbusiness.nl' 'statistics.theonion.com' 'stat.netmonitor.fi' 'stats1.corusradio.com' 'stats1.in' 'stats.24ways.org' 'stats2.gourmet.com' 'stats2.newyorker.com' 'stats2.rte.ie' 'stats2.unrulymedia.com' 'stats4all.com' 'stats5.lightningcast.com' 'stats6.lightningcast.net' 'stats.absol.co.za' 'stats.adbrite.com' 'stats.adotube.com' 'stats.airfarewatchdog.com' 'stats.allliquid.com' 'stats.becu.org' 'stats.big-boards.com' 'stats.blogoscoop.net' 'stats.bonzaii.no' 'stats.brides.com' 'stats.cts-bv.nl' 'stats.darkbluesea.com' 'stats.datahjaelp.net' 'stats.dziennik.pl' 'stats.fairmont.com' 'stats.fastcompany.com' 'stats.foxcounter.com' 'stats.free-rein.net' 'stats.f-secure.com' 'stats.gamestop.com' 'stats.globesports.com' 'stats.groupninetyfour.com' 'stats.idsoft.com' 'stats.independent.co.uk' 'stats.iwebtrack.com' 'stats.jippii.com' 'stats.klsoft.com' 'stats.ladotstats.nl' 'stats.macworld.com' 'stats.millanusa.com' 'stats.nowpublic.com' 'stats.paycounter.com' 'stats.platinumbucks.com' 'stats.popscreen.com' 'stats.reinvigorate.net' 'stats.resellerratings.com' 'stats.revenue.net' 'stats.searchles.com' 'stats.space-es.com' 'stats.sponsorafuture.org.uk' 'stats.srvasnet.info' 'stats.ssa.gov' 'stats.street-jeni.us' 'stats.styletechnology.me' 'stats.telegraph.co.uk' 'stats.ultimate-webservices.com' 'stats.unionleader.com' 'stats.video.search.yahoo.com' 'stats.www.ibm.com' 'stats.yourminis.com' 'stat.www.fi' 'stat.yellowtracker.com' 'stat.youku.com' 'stl.p.a1.traceworks.com' 'straighttangerine.cz.cc' 'st.sageanalyst.net' 'sugoicounter.com' 'superstats.com' 'systweak.com' 'tagging.outrider.com' 'targetnet.com' 'tates.freestats.com' 'tcookie.usatoday.com' 'tgpcounter.freethumbnailgalleries.com' 'thecounter.com' 'the-counter.net' 'themecounter.com' 'tipsurf.com' 'toolbarpartner.com' 'top.mail.ru' 'topstats.com' 'topstats.net' 'torstarcollect.247realmedia.com' 'tour.sweetdiscreet.com' 'tour.xxxblackbook.com' 'track2.mybloglog.com' 'track.adform.com' 'track.directleads.com' 'track.domainsponsor.com' 'tracker.bonnint.net' 'tracker.clicktrade.com' 'tracker.idg.co.uk' 'tracker.mattel.com' 'track.exclusivecpa.com' 'tracking.10e20.com' 'tracking.allposters.com' 'tracking.iol.co.za' 'tracking.msadcenter.msn.com' 'tracking.oggifinogi.com' 'tracking.rangeonlinemedia.com' 'tracking.summitmedia.co.uk' 'tracking.trutv.com' 'tracking.vindicosuite.com' 'track.lfstmedia.com' 'track.mybloglog.com' 'track.omg2.com' 'track.roiservice.com' 'track.searchignite.com' 'tracksurf.daooda.com' 'tradedoubler.com' 'tradedoubler.sonvideopro.com' 'traffic-stats.streamsolutions.co.uk' 'trax.gamespot.com' 'trc.taboolasyndication.com' 'trk.tidaltv.com' 'true-counter.com' 't.senaldos.com' 't.senaluno.com' 't.signaletre.com' 't.signauxdeux.com' 'tu.connect.wunderloop.net' 't.yesware.com' 'tynt.com' 'u1817.16.spylog.com' 'u3102.47.spylog.com' 'u3305.71.spylog.com' 'u3608.20.spylog.com' 'u4056.56.spylog.com' 'u432.77.spylog.com' 'u4396.79.spylog.com' 'u4443.84.spylog.com' 'u4556.11.spylog.com' 'u5234.87.spylog.com' 'u5234.98.spylog.com' 'u5687.48.spylog.com' 'u574.07.spylog.com' 'u604.41.spylog.com' 'u6762.46.spylog.com' 'u6905.71.spylog.com' 'u7748.16.spylog.com' 'u810.15.spylog.com' 'u920.31.spylog.com' 'u977.40.spylog.com' 'uip.semasio.net' 'uk.cqcounter.com' 'ultimatecounter.com' 'v1.nedstatbasic.net' 'v7.stats.load.com' 'valueclick.com' 'valueclick.net' 'virtualbartendertrack.beer.com' 'vsii.spindox.net' 'w1.tcr112.tynt.com' 'warlog.info' 'warning-message.com' 'wau.tynt.com' 'web3.realtracker.com' 'webanalytics.globalthoughtz.com' 'webbug.seatreport.com' 'webcounter.together.net' 'webhit.afterposten.no' 'webmasterkai.sitetracker.com' 'webpdp.gator.com' 'webtrends.telenet.be' 'webtrends.thisis.co.uk' 'webtrends.townhall.com' 'windows-tech-help.com' 'wtnj.worldnow.com' 'www.0stats.com' 'www101.coolsavings.com' 'www.123counter.superstats.com' 'www1.counter.bloke.com' 'www.1quickclickrx.com' 'www1.tynt.com' 'www.2001-007.com' 'www2.counter.bloke.com' 'www2.pagecount.com' 'www3.counter.bloke.com' 'www4.counter.bloke.com' 'www5.counter.bloke.com' 'www60.valueclick.com' 'www6.click-fr.com' 'www6.counter.bloke.com' 'www7.counter.bloke.com' 'www8.counter.bloke.com' 'www9.counter.bloke.com' 'www.addfreecounter.com' 'www.addtoany.com' 'www.ademails.com' 'www.affiliatesuccess.net' 'www.bar.ry2002.02-ry014.snpr.hotmx.hair.zaam.net' 'www.betcounter.com' 'www.bigbadted.com' 'www.bluestreak.com' 'www.c1.thecounter.de' 'www.c2.thecounter.de' 'www.clickclick.com' 'www.clickspring.net' 'www.connectionlead.com' 'www.counter10.sextracker.be' 'www.counter11.sextracker.be' 'www.counter12.sextracker.be' 'www.counter13.sextracker.be' 'www.counter14.sextracker.be' 'www.counter15.sextracker.be' 'www.counter16.sextracker.be' 'www.counter1.sextracker.be' 'www.counter2.sextracker.be' 'www.counter3.sextracker.be' 'www.counter4all.com' 'www.counter4.sextracker.be' 'www.counter5.sextracker.be' 'www.counter6.sextracker.be' 'www.counter7.sextracker.be' 'www.counter8.sextracker.be' 'www.counter9.sextracker.be' 'www.counter.bloke.com' 'www.counterguide.com' 'www.counter.sexhound.nl' 'www.counter.superstats.com' 'www.c.thecounter.de' 'www.cw.nu' 'www.directgrowthhormone.com' 'www.dwclick.com' 'www.emaildeals.biz' 'www.estats4all.com' 'www.fastcounter.linkexchange.nl' 'www.formalyzer.com' 'www.foxcounter.com' 'www.freestats.com' 'www.fxcounters.com' 'www.gator.com' 'www.googkle.com' 'www.iccee.com' 'www.iesnare.com' 'www.jellycounter.com' 'www.leadpub.com' 'www.marketscore.com' 'www.megacounter.de' 'www.metareward.com' 'www.naturalgrowthstore.biz' 'www.nextgenstats.com' 'www.ntsearch.com' 'www.originalicons.com' 'www.paycounter.com' 'www.pointclicktrack.com' 'www.popuptrafic.com' 'www.precisioncounter.com' 'www.premiumsmail.net' 'www.printmail.biz' 'www.quantserve.com' 'www.quareclk.com' 'www.remotrk.com' 'www.rightmedia.net' 'www.rightstats.com' 'www.searchadv.com' 'www.sekel.ch' 'www.shockcounter.com' 'www.simplecounter.net' 'www.specificclick.com' 'www.spklds.com' 'www.statcount.com' 'www.statsession.com' 'www.stattrax.com' 'www.stiffnetwork.com' 'www.testracking.com' 'www.thecounter.com' 'www.the-counter.net' 'www.toolbarcounter.com' 'www.tradedoubler.com' 'www.tradedoubler.com.ar' 'www.trafficmagnet.net' 'www.true-counter.com' 'www.tynt.com' 'www.ultimatecounter.com' 'www.v61.com' 'www.webstat.com' 'www.whereugetxxx.com' 'www.xxxcounter.com' 'x.cb.kount.com' 'xcnn.com' 'xxxcounter.com' '05tz2e9.com' '09killspyware.com' '11398.onceedge.ru' '2006mindfreaklike.blogspot.com' '20-yrs-1.info' '59-106-20-39.r-bl100.sakura.ne.jp' '662bd114b7c9.onceedge.ru' 'a15172379.alturo-server.de' 'aaukqiooaseseuke.org' 'abetterinternet.com' 'abruzzoinitaly.co.uk' 'acglgoa.com' 'acim.moqhixoz.cn' 'adshufffle.com' 'adwitty.com' 'adwords.google.lloymlincs.com' 'afantispy.com' 'afdbande.cn' 'a.kaytri.com' 'alegratka.eu' 'ale-gratka.pl' 'allhqpics.com' 'alltereg0.ru' 'alphabirdnetwork.com' 'ams1.ib.adnxs.com' 'antispywareexpert.com' 'antivirus-online-scan5.com' 'antivirus-scanner8.com' 'antivirus-scanner.com' 'a.oix.com' 'a.oix.net' 'a.openinternetexchange.com' 'a.phormlabs.com' 'apple.com-safetyalert.com' 'apple-protection.info' 'applestore.com-mobile.gift' 'armsart.com' 'articlefuns.cn' 'articleidea.cn' 'asianread.com' 'autohipnose.com' 'a.webwise.com' 'a.webwise.net' 'a.webwise.org' 'beloysoff.ru' 'binsservicesonline.info' 'blackhat.be' 'blenz-me.net' 'bluescreenalert.com' 'bluescreenerrors.net' 'bnvxcfhdgf.blogspot.com.es' 'b.oix.com' 'b.oix.net' 'bonuscashh.com' 'br.phorm.com' 'brunga.at' 'bt.phorm.com' 'bt.webwise.com' 'bt.webwise.net' 'bt.webwise.org' 'b.webwise.com' 'b.webwise.net' 'b.webwise.org' 'callawaypos.com' 'callbling.com' 'cambonanza.com' 'ccudl.com' 'changduk26.com' 'chelick.net' 'cioco-froll.com' 'cira.login.cqr.ssl.igotmyloverback.com' 'cleanchain.net' 'click.get-answers-fast.com' 'clien.net' 'cnbc.com-article906773.us' 'co8vd.cn' 'c.oix.com' 'c.oix.net' 'conduit.com' 'cra-arc.gc.ca.bioder.com.tr' 'cra-arc-gc-ca.noads.biz' 'custom3hurricanedigitalmedia.com' 'c.webwise.com' 'c.webwise.net' 'c.webwise.org' 'dbios.org' 'dhauzja511.co.cc' 'dietpharmacyrx.net' 'documents-signature.com' 'd.oix.com' 'download.abetterinternet.com' 'd.phormlabs.com' 'drc-group.net' 'dubstep.onedumb.com' 'east.05tz2e9.com' 'e-kasa.w8w.pl' 'en.likefever.org' 'enteryouremail.net' 'err1.9939118.info' 'err2.9939118.info' 'err3.9939118.info' 'eviboli576.o-f.com' 'facebook-repto1040s2.ahlamountada.com' 'faceboook-replyei0ki.montadalitihad.com' 'facemail.com' 'faggotry.com' 'familyupport1.com' 'feaecebook.com' 'fengyixin.com' 'filosvybfimpsv.ru.gg' 'fr.apple.com-services-assistance-recuperations-des-comptes.com' 'freedailydownload.com' 'froling.bee.pl' 'fromru.su' 'ftdownload.com' 'fu.golikeus.net' 'gamelights.ru' 'gasasthe.freehostia.com' 'get-answers-fast.com' 'gglcash4u.info' 'girlownedbypolicelike.blogspot.com' 'goggle.com' 'greatarcadehits.com' 'gyros.es' 'h1317070.stratoserver.net' 'hackerz.ir' 'hakerzy.net' 'hatrecord.ru' 'hellwert.biz' 'hieruu.apicultoresweb.com' 'hotchix.servepics.com' 'hsb-canada.com' 'hsbconline.ca' 'icecars.com' 'idea21.org' 'iframecash.biz' 'ig.fp.oix.net' 'infopaypal.com' 'installmac.com' 'invite.gezinti.com' 'ipadzu.net' 'ircleaner.com' 'istartsurf.com' 'itwititer.com' 'ity.elusmedic.ru' 'jajajaj-thats-you-really.com' 'janezk.50webs.co' 'jujitsu-ostrava.info' 'jump.ewoss.net' 'juste.ru' 'kaytri.com' 'kczambians.com' 'kentsucks.youcanoptout.com' 'keybinary.com' 'kirgo.at' 'klowns4phun.com' 'konflow.com' 'kplusd.far.ru' 'kpremium.com' 'kr.phorm.com' 'lank.ru' 'lighthouse2k.com' 'like.likewut.net' 'likeportal.com' 'likespike.com' 'likethislist.biz' 'likethis.mbosoft.com' 'loseweight.asdjiiw.com' 'lucibad.home.ro' 'luxcart.ro' 'm01.oix.com' 'm01.oix.net' 'm01.webwise.com' 'm01.webwise.net' 'm01.webwise.org' 'm02.oix.com' 'm02.oix.net' 'm02.webwise.com' 'm02.webwise.net' 'm02.webwise.org' 'mac-protection.info' 'mail.cyberh.fr' 'mail.youcanoptout.com' 'mail.youcanoptout.net' 'mail.youcanoptout.org' 'malware-live-pro-scanv1.com' 'maxi4.firstvds.ru' 'megasurfin.com' 'miercuri.gq' 'monitor.phorm.com' 'monkeyball.osa.pl' 'movies.701pages.com' 'mplayerdownloader.com' 'mshelp247.weebly.com' 'murcia-ban.es' 'mx01.openinternetexchange.com' 'mx01.openinternetexchange.net' 'mx01.webwise.com' 'mx03.phorm.com' 'mylike.co.uk' 'myprivateemails.com' 'my-uq.com' 'nactx.com' 'natashyabaydesign.com' 'navegador.oi.com.br' 'navegador.telefonica.com.br' 'new-dating-2012.info' 'new-vid-zone-1.blogspot.com.au' 'newwayscanner.info' 'nextbestgame.org' 'novemberrainx.com' 'ns1.oix.com' 'ns1.oix.net' 'ns1.openinternetexchange.com' 'ns1.phorm.com' 'ns1.webwise.com' 'ns1.webwise.net' 'ns1.webwise.org' 'ns2.oix.com' 'ns2.oix.net' 'ns2.openinternetexchange.com' 'ns2.phorm.com' 'ns2.webwise.com' 'ns2.webwise.net' 'ns2.webwise.org' 'ns2.youcanoptout.com' 'ns3.openinternetexchange.com' 'nufindings.info' 'oferty-online.com' 'office.officenet.co.kr' 'oi.webnavegador.com.br' 'oix.com' 'oixcrv-lab.net' 'oixcrv.net' 'oixcrv-stage.net' 'oix.net' 'oix.phorm.com' 'oixpre.net' 'oixpre-stage.net' 'oixssp-lab.net' 'oixssp.net' 'oix-stage.net' 'oj.likewut.net' 'online-antispym4.com' 'onlinewebfind.com' 'oo-na-na-pics.com' 'openinternetexchange.com' 'openinternetexchange.net' 'ordersildenafil.com' 'otsserver.com' 'outerinfo.com' 'outlets-online.pl' 'paincake.yoll.net' 'pchealthcheckup.net' 'pc-scanner16.com' 'personalantispy.com' 'phatthalung.go.th' 'phorm.biz.tr' 'phorm.ch' 'phormchina.com' 'phorm.cl' 'phorm.co.in' 'phorm.com' 'phorm.com.br' 'phorm.com.es' 'phorm.com.mx' 'phorm.com.tr' 'phorm.co.uk' 'phormdev.com' 'phormdiscover.com' 'phorm.dk' 'phorm.es' 'phorm.hk' 'phorm.in' 'phorm.info.tr' 'phorm.jp' 'phormkorea.com' 'phorm.kr' 'phormlabs.com' 'phorm.nom.es' 'phorm.org.es' 'phormprivacy.com' 'phorm.ro' 'phormservice.com' 'phormsolution.com' 'phorm.tv.tr' 'phorm.web.tr' 'picture-uploads.com' 'pilltabletsrxbargain.net' 'powabcyfqe.com' 'premium-live-scan.com' 'premiumvideoupdates.com' 'prm-ext.phorm.com' 'products-gold.net' 'proflashdata.com' 'protectionupdatecenter.com' 'puush.in' 'pv.wantsfly.com' 'qip.ru' 'qy.corrmedic.ru' 'rd.alphabirdnetwork.com' 'rickrolling.com' 'roifmd.info' 'romdiscover.com' 'rtc.romdiscover.com' 'russian-sex.com' 's4d.in' 'safedownloadsrus166.com' 'scan.antispyware-free-scanner.com' 'scanner.best-click-av1.info' 'scanner.best-protect.info' 'scottishstuff-online.com' 'sc-spyware.com' 'search.buzzdock.com' 'search.conduit.com' 'search.privitize.com' 'securedliveuploads.com' 'securitas232maximus.xyz' 'securitas25maximus.xyz' 'securitas493maximus.xyz' 'securitas611maximus.xyz' 'securityandroidupdate.dinamikaprinting.com' 'securityscan.us' 'sexymarissa.net' 'shell.xhhow4.com' 'shoppstop.comood.opsource.net' 'shop.skin-safety.com' 'signin-ebay-com-ws-ebayisapi-dll-signin-webscr.ocom.pl' 'simplyfwd.com' 'sinera.org' 'sjguild.com' 'smarturl.it' 'smile-angel.com' 'software-updates.co' 'software-wenc.co.cc' 'someonewhocares.com' 'sousay.info' 'speedtestbeta.com' 'standardsandpraiserepurpose.com' 'start.qip.ru' 'stats.oix.com' 'stopphoulplay.com' 'stopphoulplay.net' 'suddenplot.com' 'superegler.net' 'supernaturalart.com' 'superprotection10.com' 'sverd.net' 'sweet55ium55.com' 'system-kernel-disk-errorx001dsxx-microsoft-windows.55errors5353.net' 'tahoesup.com' 'tanieaukcje.com' 'taniezakupy.pl' 'tattooshaha.info' 'tech9638514.ru' 'technicalconsumerreports.com' 'technology-revealed.com' 'telefonica.webnavegador.com.br' 'terra.fp.oix.net' 'test.ishvara-yoga.com' 'thebizmeet.com' 'thedatesafe.com' 'themoneyclippodcast.com' 'themusicnetwork.co.uk' 'thinstall.abetterinternet.com' 'tivvitter.com' 'tomorrownewstoday.com' 'toolbarbest.biz' 'toolbarbucks.biz' 'toolbarcool.biz' 'toolbardollars.biz' 'toolbarmoney.biz' 'toolbarnew.biz' 'toolbarsale.biz' 'toolbarweb.biz' 'traffic.adwitty.com' 'trialreg.com' 'trovi.com' 'tvshowslist.com' 'twitter.login.kevanshome.org' 'twitter.secure.bzpharma.net' 'uawj.moqhixoz.cn' 'ughmvqf.spitt.ru' 'ui.oix.net' 'uqz.com' 'users16.jabry.com' 'utenti.lycos.it' 'vcipo.info' 'videos.dskjkiuw.com' 'videos.twitter.secure-logins01.com' 'virus-notice.com' 'vxiframe.biz' 'waldenfarms.com' 'weblover.info' 'webnavegador.com.br' 'webpaypal.com' 'webwise.com' 'webwise.net' 'webwise.org' 'west.05tz2e9.com' 'wewillrocknow.com' 'willysy.com' 'wm.maxysearch.info' 'w.oix.net' 'womo.corrmedic.ru' 'www1.bmo.com.hotfrio.com.br' 'www1.firesavez5.com' 'www1.firesavez6.com' 'www1.realsoft34.com' 'www4.gy7k.net' 'www.abetterinternet.com' 'www.adshufffle.com' 'www.adwords.google.lloymlincs.com' 'www.afantispy.com' 'www.akoneplatit.sk' 'www.allhqpics.com' 'www.alrpost69.com' 'www.anatol.com' 'www.articlefuns.cn' 'www.articleidea.cn' 'www.asianread.com' 'www.backsim.ru' 'www.bankofamerica.com.ok.am' 'www.be4life.ru' 'www.blenz-me.net' 'www.bumerang.cc' 'www.cambonanza.com' 'www.chelick.net' 'www.didata.bw' 'www.dietsecret.ru' 'www.eroyear.ru' 'www.exbays.com' 'www.faggotry.com' 'www.feaecebook.com' 'www.fictioncinema.com' 'www.fischereszter.hu' 'www.freedailydownload.com' 'www.froling.bee.pl' 'www.gezinti.com' 'www.gns-consola.com' 'www.goggle.com' 'www.gozatar.com' 'www.grouphappy.com' 'www.hakerzy.net' 'www.haoyunlaid.com' 'www.icecars.com' 'www.indesignstudioinfo.com' 'www.infopaypal.com' 'www.keybinary.com' 'www.kinomarathon.ru' 'www.kpremium.com' 'www.likeportal.com' 'www.likespike.com' 'www.likethislist.biz' 'www.likethis.mbosoft.com' 'www.lomalindasda.org' 'www.lovecouple.ru' 'www.lovetrust.ru' 'www.mikras.nl' 'www.monkeyball.osa.pl' 'www.monsonis.net' 'www.movie-port.ru' 'www.mplayerdownloader.com' 'www.mshelp247.weebly.com' 'www.mylike.co.uk' 'www.mylovecards.com' 'www.nine2rack.in' 'www.novemberrainx.com' 'www.nu26.com' 'www.oix.com' 'www.oix.net' 'www.onlyfreeoffersonline.com' 'www.openinternetexchange.com' 'www.oreidofitilho.com.br' 'www.otsserver.com' 'www.pay-pal.com-cgibin-canada.4mcmeta4v.cn' 'www.phormlabs.com' 'www.picture-uploads.com' 'www.portaldimensional.com' 'www.poxudeli.ru' 'www.proflashdata.com' 'www.puush.in' 'www.rickrolling.com' 'www.russian-sex.com' 'www.scotiaonline.scotiabank.salferreras.com' 'www.sdlpgift.com' 'www.securityscan.us' 'www.servertasarimbu.com' 'www.sexytiger.ru' 'www.shinilchurch.net' 'www.sinera.org' 'www.someonewhocares.com' 'www.speedtestbeta.com' 'www.stopphoulplay.com' 'www.tanger.com.br' 'www.tattooshaha.info' 'www.te81.net' 'www.thedatesafe.com' 'www.trucktirehotline.com' 'www.tvshowslist.com' 'www.upi6.pillsstore-c.com' 'www.uqz.com' 'www.venturead.com' 'www.via99.org' 'www.videolove.clanteam.com' 'www.videostan.ru' 'www.vippotexa.ru' 'www.wantsfly.com' 'www.webpaypal.com' 'www.webwise.com' 'www.webwise.net' 'www.webwise.org' 'www.wewillrocknow.com' 'www.willysy.com' 'www.youcanoptout.com' 'www.youcanoptout.net' 'www.youcanoptout.org' 'www.youfiletor.com' 'xfotosx01.fromru.su' 'xponlinescanner.com' 'xvrxyzba253.hotmail.ru' 'xxyyzz.youcanoptout.com' 'ymail-activate1.bugs3.com' 'youcanoptout.com' 'youcanoptout.net' 'youcanoptout.org' 'yrwap.cn' 'zarozinski.info' 'zb1.zeroredirect1.com' 'zenigameblinger.org' 'zettapetta.com' 'zfotos.fromru.su' 'zip.er.cz' 'ztrf.net' 'zviframe.biz' '3ad.doubleclick.net' 'ad.3au.doubleclick.net' 'ad.ve.doubleclick.net' 'ad-yt-bfp.doubleclick.net' 'amn.doubleclick.net' 'doubleclick.de' 'ebaycn.doubleclick.net' 'ebaytw.doubleclick.net' 'exnjadgda1.doubleclick.net' 'exnjadgda2.doubleclick.net' 'exnjadgds1.doubleclick.net' 'exnjmdgda1.doubleclick.net' 'exnjmdgds1.doubleclick.net' 'gd10.doubleclick.net' 'gd11.doubleclick.net' 'gd12.doubleclick.net' 'gd13.doubleclick.net' 'gd14.doubleclick.net' 'gd15.doubleclick.net' 'gd16.doubleclick.net' 'gd17.doubleclick.net' 'gd18.doubleclick.net' 'gd19.doubleclick.net' 'gd1.doubleclick.net' 'gd20.doubleclick.net' 'gd21.doubleclick.net' 'gd22.doubleclick.net' 'gd23.doubleclick.net' 'gd24.doubleclick.net' 'gd25.doubleclick.net' 'gd26.doubleclick.net' 'gd27.doubleclick.net' 'gd28.doubleclick.net' 'gd29.doubleclick.net' 'gd2.doubleclick.net' 'gd30.doubleclick.net' 'gd31.doubleclick.net' 'gd3.doubleclick.net' 'gd4.doubleclick.net' 'gd5.doubleclick.net' 'gd7.doubleclick.net' 'gd8.doubleclick.net' 'gd9.doubleclick.net' 'ln.doubleclick.net' 'm1.ae.2mdn.net' 'm1.au.2mdn.net' 'm1.be.2mdn.net' 'm1.br.2mdn.net' 'm1.ca.2mdn.net' 'm1.cn.2mdn.net' 'm1.de.2mdn.net' 'm1.dk.2mdn.net' 'm1.doubleclick.net' 'm1.es.2mdn.net' 'm1.fi.2mdn.net' 'm1.fr.2mdn.net' 'm1.it.2mdn.net' 'm1.jp.2mdn.net' 'm1.nl.2mdn.net' 'm1.no.2mdn.net' 'm1.nz.2mdn.net' 'm1.pl.2mdn.net' 'm1.se.2mdn.net' 'm1.sg.2mdn.net' 'm1.uk.2mdn.net' 'm1.ve.2mdn.net' 'm1.za.2mdn.net' 'm2.ae.2mdn.net' 'm2.au.2mdn.net' 'm2.be.2mdn.net' 'm2.br.2mdn.net' 'm2.ca.2mdn.net' 'm2.cn.2mdn.net' 'm2.cn.doubleclick.net' 'm2.de.2mdn.net' 'm2.dk.2mdn.net' 'm2.doubleclick.net' 'm2.es.2mdn.net' 'm2.fi.2mdn.net' 'm2.fr.2mdn.net' 'm2.it.2mdn.net' 'm2.jp.2mdn.net' 'm.2mdn.net' 'm2.nl.2mdn.net' 'm2.no.2mdn.net' 'm2.nz.2mdn.net' 'm2.pl.2mdn.net' 'm2.se.2mdn.net' 'm2.sg.2mdn.net' 'm2.uk.2mdn.net' 'm2.ve.2mdn.net' 'm2.za.2mdn.net' 'm3.ae.2mdn.net' 'm3.au.2mdn.net' 'm3.be.2mdn.net' 'm3.br.2mdn.net' 'm3.ca.2mdn.net' 'm3.cn.2mdn.net' 'm3.de.2mdn.net' 'm3.dk.2mdn.net' 'm3.doubleclick.net' 'm3.es.2mdn.net' 'm3.fi.2mdn.net' 'm3.fr.2mdn.net' 'm3.it.2mdn.net' 'm3.jp.2mdn.net' 'm3.nl.2mdn.net' 'm3.no.2mdn.net' 'm3.nz.2mdn.net' 'm3.pl.2mdn.net' 'm3.se.2mdn.net' 'm3.sg.2mdn.net' 'm3.uk.2mdn.net' 'm3.ve.2mdn.net' 'm3.za.2mdn.net' 'm4.ae.2mdn.net' 'm4.au.2mdn.net' 'm4.be.2mdn.net' 'm4.br.2mdn.net' 'm4.ca.2mdn.net' 'm4.cn.2mdn.net' 'm4.de.2mdn.net' 'm4.dk.2mdn.net' 'm4.doubleclick.net' 'm4.es.2mdn.net' 'm4.fi.2mdn.net' 'm4.fr.2mdn.net' 'm4.it.2mdn.net' 'm4.jp.2mdn.net' 'm4.nl.2mdn.net' 'm4.no.2mdn.net' 'm4.nz.2mdn.net' 'm4.pl.2mdn.net' 'm4.se.2mdn.net' 'm4.sg.2mdn.net' 'm4.uk.2mdn.net' 'm4.ve.2mdn.net' 'm4.za.2mdn.net' 'm5.ae.2mdn.net' 'm5.au.2mdn.net' 'm5.be.2mdn.net' 'm5.br.2mdn.net' 'm5.ca.2mdn.net' 'm5.cn.2mdn.net' 'm5.de.2mdn.net' 'm5.dk.2mdn.net' 'm5.doubleclick.net' 'm5.es.2mdn.net' 'm5.fi.2mdn.net' 'm5.fr.2mdn.net' 'm5.it.2mdn.net' 'm5.jp.2mdn.net' 'm5.nl.2mdn.net' 'm5.no.2mdn.net' 'm5.nz.2mdn.net' 'm5.pl.2mdn.net' 'm5.se.2mdn.net' 'm5.sg.2mdn.net' 'm5.uk.2mdn.net' 'm5.ve.2mdn.net' 'm5.za.2mdn.net' 'm6.ae.2mdn.net' 'm6.au.2mdn.net' 'm6.be.2mdn.net' 'm6.br.2mdn.net' 'm6.ca.2mdn.net' 'm6.cn.2mdn.net' 'm6.de.2mdn.net' 'm6.dk.2mdn.net' 'm6.doubleclick.net' 'm6.es.2mdn.net' 'm6.fi.2mdn.net' 'm6.fr.2mdn.net' 'm6.it.2mdn.net' 'm6.jp.2mdn.net' 'm6.nl.2mdn.net' 'm6.no.2mdn.net' 'm6.nz.2mdn.net' 'm6.pl.2mdn.net' 'm6.se.2mdn.net' 'm6.sg.2mdn.net' 'm6.uk.2mdn.net' 'm6.ve.2mdn.net' 'm6.za.2mdn.net' 'm7.ae.2mdn.net' 'm7.au.2mdn.net' 'm7.be.2mdn.net' 'm7.br.2mdn.net' 'm7.ca.2mdn.net' 'm7.cn.2mdn.net' 'm7.de.2mdn.net' 'm7.dk.2mdn.net' 'm7.doubleclick.net' 'm7.es.2mdn.net' 'm7.fi.2mdn.net' 'm7.fr.2mdn.net' 'm7.it.2mdn.net' 'm7.jp.2mdn.net' 'm7.nl.2mdn.net' 'm7.no.2mdn.net' 'm7.nz.2mdn.net' 'm7.pl.2mdn.net' 'm7.se.2mdn.net' 'm7.sg.2mdn.net' 'm7.uk.2mdn.net' 'm7.ve.2mdn.net' 'm7.za.2mdn.net' 'm8.ae.2mdn.net' 'm8.au.2mdn.net' 'm8.be.2mdn.net' 'm8.br.2mdn.net' 'm8.ca.2mdn.net' 'm8.cn.2mdn.net' 'm8.de.2mdn.net' 'm8.dk.2mdn.net' 'm8.doubleclick.net' 'm8.es.2mdn.net' 'm8.fi.2mdn.net' 'm8.fr.2mdn.net' 'm8.it.2mdn.net' 'm8.jp.2mdn.net' 'm8.nl.2mdn.net' 'm8.no.2mdn.net' 'm8.nz.2mdn.net' 'm8.pl.2mdn.net' 'm8.se.2mdn.net' 'm8.sg.2mdn.net' 'm8.uk.2mdn.net' 'm8.ve.2mdn.net' 'm8.za.2mdn.net' 'm9.ae.2mdn.net' 'm9.au.2mdn.net' 'm9.be.2mdn.net' 'm9.br.2mdn.net' 'm9.ca.2mdn.net' 'm9.cn.2mdn.net' 'm9.de.2mdn.net' 'm9.dk.2mdn.net' 'm9.doubleclick.net' 'm9.es.2mdn.net' 'm9.fi.2mdn.net' 'm9.fr.2mdn.net' 'm9.it.2mdn.net' 'm9.jp.2mdn.net' 'm9.nl.2mdn.net' 'm9.no.2mdn.net' 'm9.nz.2mdn.net' 'm9.pl.2mdn.net' 'm9.se.2mdn.net' 'm9.sg.2mdn.net' 'm9.uk.2mdn.net' 'm9.ve.2mdn.net' 'm9.za.2mdn.net' 'm.de.2mdn.net' 'n3302ad.doubleclick.net' 'n3349ad.doubleclick.net' 'n4061ad.doubleclick.net' 'optimize.doubleclick.net' 'pagead.l.doubleclick.net' 'rd.intl.doubleclick.net' 'twx.2mdn.net' 'twx.doubleclick.net' 'ukrpts.net' 'uunyadgda1.doubleclick.net' 'uunyadgds1.doubleclick.net' 'www.ukrpts.net' '5starhiphop.us.intellitxt.com' 'bargainpda.us.intellitxt.com' 'businesspundit.us.intellitxt.com' 'canadafreepress.us.intellitxt.com' 'designtechnica.us.intellitxt.com' 'devshed.us.intellitxt.com' 'drizzydrake.us.intellitxt.com' 'entertainment.msnbc.us.intellitxt.com' 'filmschoolrejects.us.intellitxt.com' 'filmwad.us.intellitxt.com' 'firstshowing.us.intellitxt.com' 'gadgets.fosfor.se.intellitxt.com' 'gorillanation.us.intellitxt.com' 'hotonlinenews.us.intellitxt.com' 'johnchow.us.intellitxt.com' 'linuxforums.us.intellitxt.com' 'maccity.it.intellitxt.com' 'macuser.uk.intellitxt.com' 'macworld.uk.intellitxt.com' 'metro.uk.intellitxt.com' 'moviesonline.ca.intellitxt.com' 'mustangevolution.us.intellitxt.com' 'newcarnet.uk.intellitxt.com' 'nexys404.us.intellitxt.com' 'ohgizmo.us.intellitxt.com' 'pcgameshardware.de.intellitxt.com' 'physorg.us.intellitxt.com' 'postchronicle.us.intellitxt.com' 'projectorreviews.us.intellitxt.com' 'psp3d.us.intellitxt.com' 'pspcave.uk.intellitxt.com' 'qj.us.intellitxt.com' 'rasmussenreports.us.intellitxt.com' 'rawstory.us.intellitxt.com' 'savemanny.us.intellitxt.com' 'sc.intellitxt.com' 'slashphone.us.intellitxt.com' 'somethingawful.us.intellitxt.com' 'splashnews.uk.intellitxt.com' 'spymac.us.intellitxt.com' 'technewsworld.us.intellitxt.com' 'technologyreview.us.intellitxt.com' 'the-gadgeteer.us.intellitxt.com' 'thelastboss.us.intellitxt.com' 'tmcnet.us.intellitxt.com' 'universetoday.us.intellitxt.com' 'warp2search.us.intellitxt.com' 'devfw.imrworldwide.com' 'fe1-au.imrworldwide.com' 'fe1-fi.imrworldwide.com' 'fe1-it.imrworldwide.com' 'fe2-au.imrworldwide.com' 'fe3-au.imrworldwide.com' 'fe3-gc.imrworldwide.com' 'fe3-uk.imrworldwide.com' 'fe4-uk.imrworldwide.com' 'fe-au.imrworldwide.com' 'imrworldwide.com' 'rc-au.imrworldwide.com' 'redsheriff.com' 'server-ca.imrworldwide.com' 'server-fr.imrworldwide.com' 'server-hk.imrworldwide.com' 'server-ru.imrworldwide.com' 'server-ua.imrworldwide.com' 'server-za.imrworldwide.com' 'survey1-au.imrworldwide.com' 'www.imrworldwide.com' 'www.imrworldwide.com.au' 'www.redsheriff.com' 'cydoor.com' 'j.2004cms.com' 'jbaventures.cjt1.net' 'jbeet.cjt1.net' 'jbit.cjt1.net' 'jcollegehumor.cjt1.net' 'jcontent.bns1.net' 'jdownloadacc.cjt1.net' 'jgen10.cjt1.net' 'jgen11.cjt1.net' 'jgen12.cjt1.net' 'jgen13.cjt1.net' 'jgen14.cjt1.net' 'jgen15.cjt1.net' 'jgen16.cjt1.net' 'jgen17.cjt1.net' 'jgen18.cjt1.net' 'jgen19.cjt1.net' 'jgen1.cjt1.net' 'jgen20.cjt1.net' 'jgen21.cjt1.net' 'jgen22.cjt1.net' 'jgen23.cjt1.net' 'jgen24.cjt1.net' 'jgen25.cjt1.net' 'jgen26.cjt1.net' 'jgen27.cjt1.net' 'jgen28.cjt1.net' 'jgen29.cjt1.net' 'jgen2.cjt1.net' 'jgen30.cjt1.net' 'jgen31.cjt1.net' 'jgen32.cjt1.net' 'jgen33.cjt1.net' 'jgen34.cjt1.net' 'jgen35.cjt1.net' 'jgen36.cjt1.net' 'jgen37.cjt1.net' 'jgen38.cjt1.net' 'jgen39.cjt1.net' 'jgen3.cjt1.net' 'jgen40.cjt1.net' 'jgen41.cjt1.net' 'jgen42.cjt1.net' 'jgen43.cjt1.net' 'jgen44.cjt1.net' 'jgen45.cjt1.net' 'jgen46.cjt1.net' 'jgen47.cjt1.net' 'jgen48.cjt1.net' 'jgen49.cjt1.net' 'jgen4.cjt1.net' 'jgen5.cjt1.net' 'jgen6.cjt1.net' 'jgen7.cjt1.net' 'jgen8.cjt1.net' 'jgen9.cjt1.net' 'jhumour.cjt1.net' 'jmbi58.cjt1.net' 'jnova.cjt1.net' 'jpirate.cjt1.net' 'jsandboxer.cjt1.net' 'jumcna.cjt1.net' 'jwebbsense.cjt1.net' 'www.cydoor.com' '112.2o7.net' '122.2o7.net' 'actforvictory.112.2o7.net' 'adbrite.112.2o7.net' 'americanbaby.112.2o7.net' 'ancestrymsn.112.2o7.net' 'ancestryuki.112.2o7.net' 'angtr.112.2o7.net' 'angts.112.2o7.net' 'angvac.112.2o7.net' 'anm.112.2o7.net' 'aolcareers.122.2o7.net' 'aolnsnews.122.2o7.net' 'aolpolls.112.2o7.net' 'aolturnercnnmoney.112.2o7.net' 'aolukglobal.122.2o7.net' 'aolwpaim.112.2o7.net' 'aolwpicq.122.2o7.net' 'aolwpmq.112.2o7.net' 'aolwpmqnoban.112.2o7.net' 'atlassian.122.2o7.net' 'bbcnewscouk.112.2o7.net' 'bellca.112.2o7.net' 'bellglovemediapublishing.122.2o7.net' 'bellserviceeng.112.2o7.net' 'bhgmarketing.112.2o7.net' 'bidentonrccom.122.2o7.net' 'biwwltvcom.112.2o7.net' 'biwwltvcom.122.2o7.net' 'blackpress.122.2o7.net' 'bntbcstglobal.112.2o7.net' 'bosecom.112.2o7.net' 'bulldog.122.2o7.net' 'bzresults.122.2o7.net' 'cablevision.112.2o7.net' 'canwestcom.112.2o7.net' 'capcityadvcom.122.2o7.net' 'careers.112.2o7.net' 'cbaol.112.2o7.net' 'cbcca.112.2o7.net' 'cbcca.122.2o7.net' 'cbcincinnatienquirer.112.2o7.net' 'cbsncaasports.112.2o7.net' 'ccrbudgetca.112.2o7.net' 'cfrfa.112.2o7.net' 'classifiedscanada.112.2o7.net' 'cnhimcalesternews.122.2o7.net' 'cnhipicayuneitemv.112.2o7.net' 'cnhitribunestar.122.2o7.net' 'cnhitribunestara.122.2o7.net' 'cnhregisterherald.122.2o7.net' 'coxpalmbeachpost.112.2o7.net' 'denverpost.112.2o7.net' 'diginet.112.2o7.net' 'digitalhomediscountptyltd.122.2o7.net' 'disccglobal.112.2o7.net' 'disccstats.112.2o7.net' 'dischannel.112.2o7.net' 'dixonslnkcouk.112.2o7.net' 'dogpile.112.2o7.net' 'donval.112.2o7.net' 'dowjones.122.2o7.net' 'dreammates.112.2o7.net' 'ebay1.112.2o7.net' 'ebaynonreg.112.2o7.net' 'ebayreg.112.2o7.net' 'ebayus.112.2o7.net' 'ebcom.112.2o7.net' 'ectestlampsplus1.112.2o7.net' 'edmundsinsideline.112.2o7.net' 'edsa.112.2o7.net' 'ehg-moma.hitbox.com.112.2o7.net' 'employ22.112.2o7.net' 'employ26.112.2o7.net' 'employment.112.2o7.net' 'enterprisenewsmedia.122.2o7.net' 'epost.122.2o7.net' 'ewstcpalm.112.2o7.net' 'execulink.112.2o7.net' 'expedia4.112.2o7.net' 'expedia.ca.112.2o7.net' 'f2ncracker.112.2o7.net' 'faceoff.112.2o7.net' 'fbkmnr.112.2o7.net' 'forbesattache.112.2o7.net' 'forbesauto.112.2o7.net' 'forbesautos.112.2o7.net' 'forbescom.112.2o7.net' 'foxsimpsons.112.2o7.net' 'georgewbush.112.2o7.net' 'georgewbushcom.112.2o7.net' 'gettyimages.122.2o7.net' 'gmchevyapprentice.112.2o7.net' 'gmhummer.112.2o7.net' 'gpaper104.112.2o7.net' 'gpaper105.112.2o7.net' 'gpaper107.112.2o7.net' 'gpaper108.112.2o7.net' 'gpaper109.112.2o7.net' 'gpaper110.112.2o7.net' 'gpaper111.112.2o7.net' 'gpaper112.112.2o7.net' 'gpaper113.112.2o7.net' 'gpaper114.112.2o7.net' 'gpaper115.112.2o7.net' 'gpaper116.112.2o7.net' 'gpaper117.112.2o7.net' 'gpaper118.112.2o7.net' 'gpaper119.112.2o7.net' 'gpaper120.112.2o7.net' 'gpaper121.112.2o7.net' 'gpaper122.112.2o7.net' 'gpaper123.112.2o7.net' 'gpaper124.112.2o7.net' 'gpaper125.112.2o7.net' 'gpaper126.112.2o7.net' 'gpaper127.112.2o7.net' 'gpaper128.112.2o7.net' 'gpaper129.112.2o7.net' 'gpaper131.112.2o7.net' 'gpaper132.112.2o7.net' 'gpaper133.112.2o7.net' 'gpaper138.112.2o7.net' 'gpaper139.112.2o7.net' 'gpaper140.112.2o7.net' 'gpaper141.112.2o7.net' 'gpaper142.112.2o7.net' 'gpaper144.112.2o7.net' 'gpaper145.112.2o7.net' 'gpaper147.112.2o7.net' 'gpaper149.112.2o7.net' 'gpaper151.112.2o7.net' 'gpaper154.112.2o7.net' 'gpaper156.112.2o7.net' 'gpaper157.112.2o7.net' 'gpaper158.112.2o7.net' 'gpaper162.112.2o7.net' 'gpaper164.112.2o7.net' 'gpaper166.112.2o7.net' 'gpaper167.112.2o7.net' 'gpaper169.112.2o7.net' 'gpaper170.112.2o7.net' 'gpaper171.112.2o7.net' 'gpaper172.112.2o7.net' 'gpaper173.112.2o7.net' 'gpaper174.112.2o7.net' 'gpaper176.112.2o7.net' 'gpaper177.112.2o7.net' 'gpaper180.112.2o7.net' 'gpaper183.112.2o7.net' 'gpaper184.112.2o7.net' 'gpaper191.112.2o7.net' 'gpaper192.112.2o7.net' 'gpaper193.112.2o7.net' 'gpaper194.112.2o7.net' 'gpaper195.112.2o7.net' 'gpaper196.112.2o7.net' 'gpaper197.112.2o7.net' 'gpaper198.112.2o7.net' 'gpaper202.112.2o7.net' 'gpaper204.112.2o7.net' 'gpaper205.112.2o7.net' 'gpaper212.112.2o7.net' 'gpaper214.112.2o7.net' 'gpaper219.112.2o7.net' 'gpaper223.112.2o7.net' 'heavycom.112.2o7.net' 'homesclick.112.2o7.net' 'hostdomainpeople.112.2o7.net' 'hostdomainpeopleca.112.2o7.net' 'hostpowermedium.112.2o7.net' 'hpglobal.112.2o7.net' 'hphqsearch.112.2o7.net' 'infomart.ca.112.2o7.net' 'infospace.com.112.2o7.net' 'intelcorpcim.112.2o7.net' 'intelglobal.112.2o7.net' 'jitmj4.122.2o7.net' 'kddi.122.2o7.net' 'krafteurope.112.2o7.net' 'ktva.112.2o7.net' 'ladieshj.112.2o7.net' 'lenovo.112.2o7.net' 'logoworksdev.112.2o7.net' 'losu.112.2o7.net' 'mailtribune.112.2o7.net' 'maxvr.112.2o7.net' 'mdamarillo.112.2o7.net' 'mdtopeka.112.2o7.net' 'mdwardmore.112.2o7.net' 'medbroadcast.112.2o7.net' 'meetupcom.112.2o7.net' 'mgwspa.112.2o7.net' 'microsoftconsumermarketing.112.2o7.net' 'mlbastros.112.2o7.net' 'mlbcolorado.112.2o7.net' 'mlbhouston.112.2o7.net' 'mlbstlouis.112.2o7.net' 'mlbtoronto.112.2o7.net' 'mmsshopcom.112.2o7.net' 'mnfidnahub.112.2o7.net' 'mngiyrkdr.112.2o7.net' 'mseuppremain.112.2o7.net' 'mtvu.112.2o7.net' 'natgeoeditco.112.2o7.net' 'nationalpost.112.2o7.net' 'nba.112.2o7.net' 'netrp.112.2o7.net' 'netsdartboards.122.2o7.net' 'nike.112.2o7.net' 'nikeplus.112.2o7.net' 'nmbrampton.112.2o7.net' 'nmcommancomedia.112.2o7.net' 'nmkawartha.112.2o7.net' 'nmmississauga.112.2o7.net' 'nmnandomedia.112.2o7.net' 'nmtoronto.112.2o7.net' 'nmtricity.112.2o7.net' 'nmyork.112.2o7.net' 'nytglobe.112.2o7.net' 'nythglobe.112.2o7.net' 'nytimesglobal.112.2o7.net' 'nytimesnonsampled.112.2o7.net' 'nytimesnoonsampled.112.2o7.net' 'nytmembercenter.112.2o7.net' 'nytrgadsden.112.2o7.net' 'nytrgainseville.112.2o7.net' 'nytrhouma.112.2o7.net' 'omnitureglobal.112.2o7.net' 'onlineindigoca.112.2o7.net' 'oracle.112.2o7.net' 'overstock.com.112.2o7.net' 'projectorpeople.112.2o7.net' 'publicationsunbound.112.2o7.net' 'pulharktheherald.112.2o7.net' 'pulpantagraph.112.2o7.net' 'rckymtnnws.112.2o7.net' 'rey3935.112.2o7.net' 'rezrezwhistler.112.2o7.net' 'rncgopcom.122.2o7.net' 'roxio.112.2o7.net' 'salesforce.122.2o7.net' 'santacruzsentinel.112.2o7.net' 'sciamglobal.112.2o7.net' 'scrippsbathvert.112.2o7.net' 'scrippswfts.112.2o7.net' 'scrippswxyz.112.2o7.net' 'sonycorporate.122.2o7.net' 'sonyglobal.112.2o7.net' 'southcoasttoday.112.2o7.net' 'spiketv.112.2o7.net' 'suncom.112.2o7.net' 'sunonesearch.112.2o7.net' 'survey.112.2o7.net' 'sympmsnsports.112.2o7.net' 'timebus2.112.2o7.net' 'timehealth.112.2o7.net' 'timeofficepirates.122.2o7.net' 'timepopsci.122.2o7.net' 'timerealsimple.112.2o7.net' 'timewarner.122.2o7.net' 'tmsscion.112.2o7.net' 'travidiathebrick.112.2o7.net' 'usun.112.2o7.net' 'vanns.112.2o7.net' 'verisonwildcard.112.2o7.net' 'vh1com.112.2o7.net' 'viaatomvideo.112.2o7.net' 'viasyndimedia.112.2o7.net' 'viralvideo.112.2o7.net' 'walmartcom.112.2o7.net' 'westjet.112.2o7.net' 'wileydumcom.112.2o7.net' 'wmg.112.2o7.net' 'wmgmulti.112.2o7.net' 'workopolis.122.2o7.net' 'xhealthmobiletools.112.2o7.net' 'youtube.112.2o7.net' 'yrkeve.112.2o7.net' 'afinder.oewabox.at' 'alphalux.oewabox.at' 'apodir.oewabox.at' 'arboe.oewabox.at' 'aschreib.oewabox.at' 'ascout24.oewabox.at' 'audi4e.oewabox.at' 'austria.oewabox.at' 'automobi.oewabox.at' 'automoto.oewabox.at' 'babyf.oewabox.at' 'bazar.oewabox.at' 'bdb.oewabox.at' 'bliga.oewabox.at' 'buschen.oewabox.at' 'car4you.oewabox.at' 'cinplex.oewabox.at' 'derstand.oewabox.at' 'dispatcher.oewabox.at' 'docfind.oewabox.at' 'doodle.oewabox.at' 'drei.oewabox.at' 'dropkick.oewabox.at' 'enerweb.oewabox.at' 'falstaff.oewabox.at' 'fanrep.oewabox.at' 'fflotte.oewabox.at' 'fitges.oewabox.at' 'fondprof.oewabox.at' 'fratz.oewabox.at' 'fscout24.oewabox.at' 'gamesw.oewabox.at' 'geizhals.oewabox.at' 'gillout.oewabox.at' 'gkueche.oewabox.at' 'gmx.oewabox.at' 'gofem.oewabox.at' 'heute.oewabox.at' 'immobili.oewabox.at' 'immosuch.oewabox.at' 'indumag.oewabox.at' 'induweb.oewabox.at' 'issges.oewabox.at' 'jobwohn.oewabox.at' 'karriere.oewabox.at' 'kinder.oewabox.at' 'kinowelt.oewabox.at' 'kronehit.oewabox.at' 'krone.oewabox.at' 'landwirt.oewabox.at' 'liportal.oewabox.at' 'mamilade.oewabox.at' 'manntv.oewabox.at' 'medpop.oewabox.at' 'megaplex.oewabox.at' 'metropol.oewabox.at' 'mmarkt.oewabox.at' 'monitor.oewabox.at' 'motorl.oewabox.at' 'msn.oewabox.at' 'nickde.oewabox.at' 'noen.oewabox.at' 'notori.oewabox.at' 'oeamtc.oewabox.at' 'oewa.oewabox.at' 'parent.oewabox.at' 'radioat.oewabox.at' 'rtl.oewabox.at' 'schlager.oewabox.at' 'seibli.oewabox.at' 'servustv.oewabox.at' 'skip.oewabox.at' 'skysport.oewabox.at' 'smedizin.oewabox.at' 'sms.oewabox.at' 'solidbau.oewabox.at' 'speising.oewabox.at' 'ssl-compass.oewabox.at' 'ssl-geizhals.oewabox.at' 'ssl-helpgvat.oewabox.at' 'ssl-karriere.oewabox.at' 'ssl-msn.oewabox.at' 'ssl-top.oewabox.at' 'ssl-uspgvat.oewabox.at' 'ssl-willhab.oewabox.at' 'ssl-wko.oewabox.at' 'starchat.oewabox.at' 'sunny.oewabox.at' 'supermed.oewabox.at' 'super.oewabox.at' 'svpro7.oewabox.at' 'szene1.oewabox.at' 'tagpress.oewabox.at' 'tele.oewabox.at' 'tennis.oewabox.at' 'tips.oewabox.at' 'tramarkt.oewabox.at' 'tripwolf.oewabox.at' 'uncut.oewabox.at' 'unimed.oewabox.at' 'uwz.oewabox.at' 'vcm.oewabox.at' 'viacom.oewabox.at' 'via.oewabox.at' 'warda.oewabox.at' 'webprog.oewabox.at' 'wfussb.oewabox.at' 'wienerz.oewabox.at' 'wiengvat.oewabox.at' 'wirtvlg.oewabox.at' 'woche.oewabox.at' 'wohnnet.oewabox.at' 'zfm.oewabox.at' '0101011.com' '0d79ed.r.axf8.net' '0pn.ru' '0qizz.super-promo.hoxo.info' '104231.dtiblog.com' '10fbb07a4b0.se' '10.im.cz' '121media.com' '123specialgifts.com' '1.adbrite.com' '1.allyes.com.cn' '1.forgetstore.com' '1.httpads.com' '1.primaryads.com' '207-87-18-203.wsmg.digex.net' '247adbiz.net' '247support.adtech.fr' '247support.adtech.us' '24ratownik.hit.gemius.pl' '24trk.com' '25184.hittail.com' '2754.btrll.com' '2.adbrite.com' '2-art-coliseum.com' '2leep.com' '2.marketbanker.com' '312.1d27c9b8fb.com' '321cba.com' '32red.it' '360ads.com' '3.adbrite.com' '3fns.com' '4.adbrite.com' '4c28d6.r.axf8.net' '59nmk4u.tech' '6159.genieessp.com' '7500.com' '76.a.boom.ro' '7adpower.com' '7bpeople.com' '7bpeople.data.7bpeople.com' '7cnbcnews.com' '829331534d183e7d1f6a-8d91cc88b27b979d0ea53a10ce8855ec.r96.cf5.rackcdn.com' '85103.hittail.com' '8574dnj3yzjace8c8io6zr9u3n.hop.clickbank.net' '86file.megajoy.com' '86get.joy.cn' '86log.joy.cn' '888casino.com' '961.com' 'a01.gestionpub.com' 'a.0day.kiev.ua' 'a1.greenadworks.net' 'a1.interclick.com' 'a200.yieldoptimizer.com' 'a2.websponsors.com' 'a3.websponsors.com' 'a4.websponsors.com' 'a5.websponsors.com' 'a.ad.playstation.net' 'a-ads.com' 'a.adstome.com' 'aads.treehugger.com' 'aams1.aim4media.com' 'aan.amazon.com' 'aa-nb.marketgid.com' 'aa.newsblock.marketgid.com' 'a.as-eu.falkag.net' 'a.as-us.falkag.net' 'aax-us-pdx.amazon-adsystem.com' 'a.baidu.com' 'abcnews.footprint.net' 'a.boom.ro' 'abrogatesdv.info' 'abseckw.adtlgc.com' 'ac.atpanel.com' 'a.cctv.com' 'achetezfacile.com' 'a.cntv.cn' 'ac.rnm.ca' 'acs.56.com' 'acs.agent.56.com' 'acs.agent.v-56.com' 'actiondesk.com' 'actionflash.com' 'action.ientry.net' 'actionsplash.com' 'ac.tynt.com' 'acvs.mediaonenetwork.net' 'acvsrv.mediaonenetwork.net' 'ad001.ru' 'ad01.focalink.com' 'ad01.mediacorpsingapore.com' 'ad02.focalink.com' 'ad03.focalink.com' 'ad04.focalink.com' 'ad05.focalink.com' 'ad06.focalink.com' 'ad07.focalink.com' 'ad08.focalink.com' 'ad09.focalink.com' 'ad101com.adbureau.net' 'ad.103092804.com' 'ad10.bannerbank.ru' 'ad10.checkm8.com' 'ad10digital.checkm8.com' 'ad10.focalink.com' 'ad11.bannerbank.ru' 'ad11.checkm8.com' 'ad11digital.checkm8.com' 'ad11.focalink.com' 'ad12.bannerbank.ru' 'ad12.checkm8.com' 'ad12digital.checkm8.com' 'ad12.focalink.com' 'ad13.checkm8.com' 'ad13digital.checkm8.com' 'ad13.focalink.com' 'ad14.checkm8.com' 'ad14digital.checkm8.com' 'ad14.focalink.com' 'ad15.checkm8.com' 'ad15digital.checkm8.com' 'ad15.focalink.com' 'ad16.checkm8.com' 'ad16digital.checkm8.com' 'ad16.focalink.com' 'ad17.checkm8.com' 'ad17digital.checkm8.com' 'ad17.focalink.com' 'ad18.checkm8.com' 'ad18digital.checkm8.com' 'ad18.focalink.com' 'ad19.checkm8.com' 'ad19digital.checkm8.com' 'ad19.focalink.com' 'ad1.bannerbank.ru' 'ad1.checkm8.com' 'ad1.clickhype.com' 'ad1digital.checkm8.com' 'ad1.gamezone.com' 'ad1.hotel.com' 'ad1.lbn.ru' 'ad1.peel.com' 'ad1.popcap.com' 'ad1.yomiuri.co.jp' 'ad20.checkm8.com' 'ad20digital.checkm8.com' 'ad20.net' 'ad21.checkm8.com' 'ad21digital.checkm8.com' 'ad22.checkm8.com' 'ad22digital.checkm8.com' 'ad234.prbn.ru' 'ad.23blogs.com' 'ad23.checkm8.com' 'ad23digital.checkm8.com' 'ad24.checkm8.com' 'ad24digital.checkm8.com' 'ad25.checkm8.com' 'ad25digital.checkm8.com' 'ad26.checkm8.com' 'ad26digital.checkm8.com' 'ad27.checkm8.com' 'ad27digital.checkm8.com' 'ad28.checkm8.com' 'ad28digital.checkm8.com' 'ad29.checkm8.com' 'ad29digital.checkm8.com' 'ad2.adecn.com' 'ad2.bannerbank.ru' 'ad2.bbmedia.cz' 'ad2.checkm8.com' 'ad2digital.checkm8.com' 'ad2.hotel.com' 'ad2.lbn.ru' 'ad2.nationalreview.com' 'ad2.pamedia.com' 'ad2.parom.hu' 'ad2.peel.com' 'ad2.pl' 'ad2.sbisec.co.jp' 'ad2.smni.com' 'ad2.tr.mediainter.net' 'ad2.zapmedya.com' 'ad2.zophar.net' 'ad30.checkm8.com' 'ad30digital.checkm8.com' 'ad31.checkm8.com' 'ad31digital.checkm8.com' 'ad32.checkm8.com' 'ad32digital.checkm8.com' 'ad33.checkm8.com' 'ad33digital.checkm8.com' 'ad34.checkm8.com' 'ad34digital.checkm8.com' 'ad35.checkm8.com' 'ad35digital.checkm8.com' 'ad36.checkm8.com' 'ad36digital.checkm8.com' 'ad37.checkm8.com' 'ad37digital.checkm8.com' 'ad38.checkm8.com' 'ad38digital.checkm8.com' 'ad39.checkm8.com' 'ad39digital.checkm8.com' 'ad3.bannerbank.ru' 'ad3.bb.ru' 'ad3.checkm8.com' 'ad3digital.checkm8.com' 'ad.3dnews.ru' 'ad3.eu' 'ad3.l3go.com' 'ad3.lbn.ru' 'ad3.nationalreview.com' 'ad40.checkm8.com' 'ad40digital.checkm8.com' 'ad-411.com' 'ad41.atlas.cz' 'ad41.checkm8.com' 'ad41digital.checkm8.com' 'ad42.checkm8.com' 'ad42digital.checkm8.com' 'ad43.checkm8.com' 'ad43digital.checkm8.com' 'ad44.checkm8.com' 'ad44digital.checkm8.com' 'ad45.checkm8.com' 'ad45digital.checkm8.com' 'ad46.checkm8.com' 'ad46digital.checkm8.com' 'ad47.checkm8.com' 'ad47digital.checkm8.com' 'ad48.checkm8.com' 'ad48digital.checkm8.com' 'ad49.checkm8.com' 'ad49digital.checkm8.com' 'ad4.bannerbank.ru' 'ad4.checkm8.com' 'ad4digital.checkm8.com' 'ad4game.com' 'ad4.lbn.ru' 'ad4partners.com' 'ad50.checkm8.com' 'ad50digital.checkm8.com' 'ad5.bannerbank.ru' 'ad5.checkm8.com' 'ad5digital.checkm8.com' 'ad5.lbn.ru' 'ad6.bannerbank.ru' 'ad6.checkm8.com' 'ad6digital.checkm8.com' 'ad6.horvitznewspapers.net' 'ad6.liverail.com' 'ad6media.fr' 'ad7.bannerbank.ru' 'ad7.checkm8.com' 'ad7digital.checkm8.com' 'ad8.adfarm1.adition.com' 'ad8.bannerbank.ru' 'ad8.checkm8.com' 'ad8digital.checkm8.com' 'ad9.bannerbank.ru' 'ad9.checkm8.com' 'ad9digital.checkm8.com' 'ad.abcnews.com' 'ad.accessmediaproductions.com' 'ad.adfunky.com' 'ad.adition.de' 'ad.adlantis.jp' 'ad.admarketplace.net' 'ad.adnetwork.com.br' 'ad.adnetwork.net' 'ad.adorika.com' 'ad.adperium.com' 'ad.adserve.com' 'ad.adserverplus.com' 'ad.adsmart.net' 'ad.adtegrity.net' 'ad.aftenposten.no' 'ad.aftonbladet.se' 'ad.agilemedia.jp' 'adagiobanner.s3.amazonaws.com' 'ad.agkn.com' 'ad.airad.com' 'ad.ajanshaber.com' 'ad.allyes.cn' 'adaos-ads.net' 'adapd.com' 'adap.tv' 'ad.asv.de' 'ad-audit.tubemogul.com' 'ad.axyzconductor.jp' 'ad-balancer.net' 'ad.bannerbank.ru' 'ad.bannerconnect.net' 'adbit.co' 'adblade.com' 'adblockanalytics.com' 'adbnr.ru' 'adbot.theonion.com' 'ad.brainer.jp' 'adbrite.com' 'adc2.adcentriconline.com' 'adcanadian.com' 'adcash.com' 'ad.cctv.com' 'adcentriconline.com' 'adcentric.randomseed.com' 'ad.cibleclick.com' 'ad.clickdistrict.com' 'ad.clickotmedia.com' 'ad-clicks.com' 'adcode.adengage.com' 'adcontent.reedbusiness.com' 'adcontent.videoegg.com' 'adcontroller.unicast.com' 'adcontrol.tudou.com' 'adcount.ohmynews.com' 'adcreative.tribuneinteractive.com' 'adcycle.footymad.net' 'adcycle.icpeurope.net' 'ad-delivery.net' 'ad.designtaxi.com' 'ad.deviantart.com' 'add.f5haber.com' 'ad.dic.nicovideo.jp' 'ad.directmirror.com' 'ad.doganburda.com' 'ad.download.net' 'addserver.mtv.com.tr' 'addthiscdn.com' 'addthis.com' 'ad.duga.jp' 'adecn.com' 'ad.egloos.com' 'ad.ekonomikticaret.com' 'adengine.rt.ru' 'ad.eporner.com' 'ad.espn.starwave.com' 'ade.wooboo.com.cn' 'adexpansion.com' 'adexprt.com' 'adexprt.me' 'adexprts.com' 'adextensioncontrol.tudou.com' 'adext.inkclub.com' 'adfactor.nl' 'adfarm.mserve.ca' 'ad.favod.net' 'ad-feeds.com' 'adfiles.pitchforkmedia.com' 'ad.filmweb.pl' 'ad.firstadsolution.com' 'ad.floq.jp' 'ad-flow.com' 'ad.fnnews.com' 'ad.fo.net' 'adforce.ads.imgis.com' 'adforce.adtech.de' 'adforce.adtech.fr' 'adforce.adtech.us' 'adforce.imgis.com' 'adform.com' 'ad.fout.jp' 'adfu.blockstackers.com' 'ad.funpic.de' 'adfusion.com' 'ad.garantiarkadas.com' 'adgardener.com' 'ad-gb.mgid.com' 'ad-gbn.com' 'ad.ghfusion.com' 'ad.goo.ne.jp' 'adgraphics.theonion.com' 'ad.gra.pl' 'ad.greenmarquee.com' 'adgroup.naver.com' 'ad.groupon.be' 'ad.groupon.com' 'ad.groupon.co.uk' 'ad.groupon.de' 'ad.groupon.fr' 'ad.groupon.net' 'ad.groupon.nl' 'ad.groupon.pl' 'adguanggao.eee114.com' 'ad.harrenmedianetwork.com' 'adhearus.com' 'adhese.be' 'adhese.com' 'adhese.nieuwsblad.be' 'ad.horvitznewspapers.net' 'ad.host.bannerflow.com' 'ad.howstuffworks.com' 'adhref.pl' 'ad.icasthq.com' 'ad.iconadserver.com' 'adidm.supermedia.pl' 'ad.imad.co.kr' 'adimage.asia1.com.sg' 'adimage.asiaone.com' 'adimage.asiaone.com.sg' 'adimage.blm.net' 'adimages.earthweb.com' 'adimages.mp3.com' 'adimages.omroepzeeland.nl' 'adimages.watchmygf.net' 'adi.mainichi.co.jp' 'adimg.activeadv.net' 'adimg.com.com' 'ad.impressbm.co.jp' 'adincl.gopher.com' 'ad-indicator.com' 'ad.indomp3z.us' 'ad.investopedia.com' 'adipics.com' 'ad.ir.ru' 'ad.isohunt.com' 'adition.com' 'ad.iwin.com' 'adj10.thruport.com' 'adj11.thruport.com' 'adj12.thruport.com' 'adj13.thruport.com' 'adj14.thruport.com' 'adj15.thruport.com' 'adj16r1.thruport.com' 'adj16.thruport.com' 'adj17.thruport.com' 'adj18.thruport.com' 'adj19.thruport.com' 'adj1.thruport.com' 'adj22.thruport.com' 'adj23.thruport.com' 'adj24.thruport.com' 'adj25.thruport.com' 'adj26.thruport.com' 'adj27.thruport.com' 'adj28.thruport.com' 'adj29.thruport.com' 'adj2.thruport.com' 'adj30.thruport.com' 'adj31.thruport.com' 'adj32.thruport.com' 'adj33.thruport.com' 'adj34.thruport.com' 'adj35.thruport.com' 'adj36.thruport.com' 'adj37.thruport.com' 'adj38.thruport.com' 'adj39.thruport.com' 'adj3.thruport.com' 'adj40.thruport.com' 'adj41.thruport.com' 'adj43.thruport.com' 'adj44.thruport.com' 'adj45.thruport.com' 'adj46.thruport.com' 'adj47.thruport.com' 'adj48.thruport.com' 'adj49.thruport.com' 'adj4.thruport.com' 'adj50.thruport.com' 'adj51.thruport.com' 'adj52.thruport.com' 'adj53.thruport.com' 'adj54.thruport.com' 'adj55.thruport.com' 'adj56.thruport.com' 'adj5.thruport.com' 'adj6.thruport.com' 'adj7.thruport.com' 'adj8.thruport.com' 'adj9.thruport.com' 'ad.jamba.net' 'ad.jamster.ca' 'adjmps.com' 'ad.jokeroo.com' 'ad.jp.ap.valu.com' 'adjuggler.net' 'adjuggler.yourdictionary.com' 'ad.kataweb.it' 'ad.kat.ph' 'ad.kau.li' 'adkontekst.pl' 'ad.krutilka.ru' 'ad.land.to' 'ad.leadcrunch.com' 'ad.lgappstv.com' 'ad.lijit.com' 'ad.linkexchange.com' 'ad.linksynergy.com' 'ad.livere.co.kr' 'ad.lyricswire.com' 'adm.265g.com' 'ad.mainichi.jp' 'ad.maist.jp' 'admanager1.collegepublisher.com' 'admanager2.broadbandpublisher.com' 'admanager3.collegepublisher.com' 'admanager.adam4adam.com' 'admanager.beweb.com' 'admanager.btopenworld.com' 'admanager.collegepublisher.com' 'adman.freeze.com' 'ad.mangareader.net' 'adman.gr' 'adman.se' 'admarkt.marktplaats.nl' 'ad.mastermedia.ru' 'admatcher.videostrip.com' 'admatch-syndication.mochila.com' 'admax.quisma.com' 'adm.baidu.com' 'admd.yam.com' 'admedia.com' 'ad.media-servers.net' 'admedias.net' 'admedia.xoom.com' 'admeld.com' 'admerize.be' 'admeta.vo.llnwd.net' 'adm.funshion.com' 'adm.fwmrm.net' 'admin.digitalacre.com' 'admin.hotkeys.com' 'admin.inq.com' 'ad.moscowtimes.ru' 'adm.shacknews.com' 'adm.shinobi.jp' 'adm.xmfish.com' 'ad.my.doubleclick.net' 'ad.mygamesol.com' 'ad.nate.com' 'adn.ebay.com' 'ad.ne.com' 'ad.net' 'adnet.biz' 'adnet.chicago.tribune.com' 'adnet.com' 'adnet.de' 'ad.network60.com' 'adnetwork.nextgen.net' 'adnetwork.rovicorp.com' 'adnetxchange.com' 'adng.ascii24.com' 'ad.nicovideo.jp' 'adn.kinkydollars.com' 'ad-noise.net' 'adnxs.com' 'adnxs.revsci.net' 'adobee.com' 'adobe.tt.omtrdc.net' 'adobur.com' 'adoburcrv.com' 'adobur.net' 'adocean.pl' 'ad.ohmynews.com' 'adopt.euroclick.com' 'adopt.precisead.com' 'ad.oret.jp' 'adotube.com' 'ad.ourgame.com' 'ad.pandora.tv' 'ad.parom.hu' 'ad.partis.si' 'adpepper.dk' 'ad.pgwticketshop.nl' 'ad.ph-prt.tbn.ru' 'ad.pickple.net' 'adpick.switchboard.com' 'adplay.tudou.com' 'ad-plus.cn' 'ad.pravda.ru' 'ad.preferences.com' 'ad.premiumonlinemedia.com' 'ad.pro-advertising.com' 'ad.proxy.sh' 'adpulse.ads.targetnet.com' 'adpush.dreamscape.com' 'ad.qq.com' 'ad.qwapi.com' 'ad.qyer.com' 'ad.realmcdn.net' 'ad.reduxmediia.com' 'adremote.pathfinder.com' 'adremote.timeinc.aol.com' 'adremote.timeinc.net' 'ad.repubblica.it' 'ad.response.jp' 'adriver.ru' 'ads01.com' 'ads01.focalink.com' 'ads01.hyperbanner.net' 'ads02.focalink.com' 'ads02.hyperbanner.net' 'ads03.focalink.com' 'ads03.hyperbanner.net' 'ads04.focalink.com' 'ads04.hyperbanner.net' 'ads05.focalink.com' 'ads05.hyperbanner.net' 'ads06.focalink.com' 'ads06.hyperbanner.net' 'ads07.focalink.com' 'ads07.hyperbanner.net' 'ads08.focalink.com' 'ads08.hyperbanner.net' 'ads09.focalink.com' 'ads09.hyperbanner.net' 'ads0.okcupid.com' 'ads10.focalink.com' 'ads10.hyperbanner.net' 'ads10.udc.advance.net' 'ads11.focalink.com' 'ads11.hyperbanner.net' 'ads11.udc.advance.net' 'ads12.focalink.com' 'ads12.hyperbanner.net' 'ads12.udc.advance.net' 'ads13.focalink.com' 'ads13.hyperbanner.net' 'ads13.udc.advance.net' 'ads14.bpath.com' 'ads14.focalink.com' 'ads14.hyperbanner.net' 'ads14.udc.advance.net' 'ads15.bpath.com' 'ads15.focalink.com' 'ads15.hyperbanner.net' 'ads15.udc.advance.net' 'ads16.advance.net' 'ads16.focalink.com' 'ads16.hyperbanner.net' 'ads16.udc.advance.net' 'ads17.focalink.com' 'ads17.hyperbanner.net' 'ads18.focalink.com' 'ads18.hyperbanner.net' 'ads19.focalink.com' 'ads1.activeagent.at' 'ads1.ad-flow.com' 'ads1.admedia.ro' 'ads1.advance.net' 'ads1.advertwizard.com' 'ads1.canoe.ca' 'ads1.destructoid.com' 'ads1.empiretheatres.com' 'ads1.erotism.com' 'ads1.eudora.com' 'ads1.globeandmail.com' 'ads1.itadnetwork.co.uk' 'ads1.jev.co.za' 'ads1.perfadbrite.com.akadns.net' 'ads1.performancingads.com' 'ads1.realcities.com' 'ads1.revenue.net' 'ads1.sptimes.com' 'ads1.ucomics.com' 'ads1.udc.advance.net' 'ads1.updated.com' 'ads1.virtumundo.com' 'ads1.zdnet.com' 'ads20.focalink.com' 'ads21.focalink.com' 'ads22.focalink.com' 'ads23.focalink.com' 'ads24.focalink.com' 'ads25.focalink.com' 'ads2.adbrite.com' 'ads2.ad-flow.com' 'ads2ads.net' 'ads2.advance.net' 'ads2.advertwizard.com' 'ads2.canoe.ca' 'ads2.clearchannel.com' 'ads2.clickad.com' 'ads2.collegclub.com' 'ads2.collegeclub.com' 'ads2.drivelinemedia.com' 'ads2.emeraldcoast.com' 'ads2.exhedra.com' 'ads2.firingsquad.com' 'ads2.gamecity.net' 'ads2.haber3.com' 'ads2.ihaberadserver.com' 'ads2.ljworld.com' 'ads2.newtimes.com' 'ads2.osdn.com' 'ads2.pittsburghlive.com' 'ads2.realcities.com' 'ads2.revenue.net' 'ads2.rp.pl' 'ads2srv.com' 'ads2.theglobeandmail.com' 'ads2.udc.advance.net' 'ads2.virtumundo.com' 'ads2.zdnet.com' 'ads2.zeusclicks.com' 'ads360.com' 'ads36.hyperbanner.net' 'ads3.ad-flow.com' 'ads3.advance.net' 'ads3.advertwizard.com' 'ads3.canoe.ca' 'ads3.freebannertrade.com' 'ads3.gamecity.net' 'ads3.haber3.com' 'ads3.ihaberadserver.com' 'ads3.jubii.dk' 'ads3.realcities.com' 'ads3.udc.advance.net' 'ads3.virtumundo.com' 'ads3.zdnet.com' 'ads4.ad-flow.com' 'ads4.advance.net' 'ads4.advertwizard.com' 'ads4.canoe.ca' 'ads4cheap.com' 'ads4.gamecity.net' 'ads4homes.com' 'ads4.realcities.com' 'ads4.udc.advance.net' 'ads4.virtumundo.com' 'ads5.ad-flow.com' 'ads5.advance.net' 'ads5.advertwizard.com' 'ads.5ci.lt' 'ads5.mconetwork.com' 'ads5.sabah.com.tr' 'ads5.udc.advance.net' 'ads5.virtumundo.com' 'ads6.ad-flow.com' 'ads6.advance.net' 'ads6.advertwizard.com' 'ads6.gamecity.net' 'ads6.udc.advance.net' 'ads7.ad-flow.com' 'ads7.advance.net' 'ads7.advertwizard.com' 'ads.7days.ae' 'ads7.gamecity.net' 'ads7.udc.advance.net' 'ads80.com' 'ads.8833.com' 'ads8.ad-flow.com' 'ads8.advertwizard.com' 'ads8.com' 'ads8.udc.advance.net' 'ads9.ad-flow.com' 'ads9.advertwizard.com' 'ads9.udc.advance.net' 'ads.abs-cbn.com' 'ads.accelerator-media.com' 'ads.aceweb.net' 'ads.activeagent.at' 'ads.active.com' 'ads.adbrite.com' 'ads.adcorps.com' 'ads.addesktop.com' 'ads.addynamix.com' 'ads.adengage.com' 'ads.ad-flow.com' 'ads.adhearus.com' 'ads.admaximize.com' 'adsadmin.aspentimes.com' 'adsadmin.corusradionetwork.com' 'adsadmin.vaildaily.com' 'ads.admonitor.net' 'ads.adn.com' 'ads.adroar.com' 'ads.adsag.com' 'ads.adshareware.net' 'ads.adsinimages.com' 'ads.adsrvmedia.com' 'ads.adsrvmedia.net' 'ads.adsrvr.org' 'ads.adtegrity.net' 'ads.adultswim.com' 'ads.adverline.com' 'ads.advolume.com' 'ads.adworldnetwork.com' 'ads.adx.nu' 'ads.adxpose.com' 'ads.adxpose.mpire.akadns.net' 'ads.ahds.ac.uk' 'ads.ah-ha.com' 'ads.aintitcool.com' 'ads.airamericaradio.com' 'ads.ak.facebook.com' 'ads.allsites.com' 'ads.allvertical.com' 'ads.amarillo.com' 'ads.amazingmedia.com' 'ads.amgdgt.com' 'ads.ami-admin.com' 'ads.anm.co.uk' 'ads.anvato.com' 'ads.aol.com' 'ads.apartmenttherapy.com' 'ads.apn.co.nz' 'ads.apn.co.za' 'ads.appleinsider.com' 'ads.araba.com' 'ads.arcadechain.com' 'ads.arkitera.net' 'ads.aroundtherings.com' 'ads.as4x.tmcs.ticketmaster.ca' 'ads.asia1.com' 'ads.aspentimes.com' 'ads.asp.net' 'ads.associatedcontent.com' 'ads.astalavista.us' 'ads.atlantamotorspeedway.com' 'ads.auctions.yahoo.com' 'ads.avazu.net' 'ads.aversion2.com' 'ads.aws.sitepoint.com' 'ads.azjmp.com' 'ads.b10f.jp' 'ads.baazee.com' 'ads.banner.t-online.de' 'ads.barnonedrinks.com' 'ads.battle.net' 'ads.bauerpublishing.com' 'ads.baventures.com' 'ads.bbcworld.com' 'ads.beeb.com' 'ads.beliefnet.com' 'ads.beta.itravel2000.com' 'ads.bfast.com' 'ads.bfm.valueclick.net' 'ads.bianca.com' 'ads.bigcitytools.com' 'ads.biggerboat.com' 'ads.bitsonthewire.com' 'ads.bizhut.com' 'adsbizsimple.com' 'ads.bizx.info' 'ads.blixem.nl' 'ads.blp.calueclick.net' 'ads.blp.valueclick.net' 'ads.bluemountain.com' 'ads.bonnint.net' 'ads.box.sk' 'ads.brabys.com' 'ads.britishexpats.com' 'ads.buscape.com.br' 'ads.calgarysun.com' 'ads.callofdutyblackopsforum.net' 'ads.camrecord.com' 'ads.canoe.ca' 'ads.cardea.se' 'ads.cardplayer.com' 'ads.carltononline.com' 'ads.carocean.co.uk' 'ads.catholic.org' 'ads.cavello.com' 'ads.cbc.ca' 'ads.cdfreaks.com' 'ads.cdnow.com' 'ads.centraliprom.com' 'ads.cgchannel.com' 'ads.chalomumbai.com' 'ads.champs-elysees.com' 'ads.checkm8.co.za' 'ads.chipcenter.com' 'adscholar.com' 'ads.chumcity.com' 'ads.cineville.nl' 'ads.cjonline.com' 'ads.clamav.net' 'ads.clara.net' 'ads.clearchannel.com' 'ads.clickability.com' 'ads.clickad.com.pl' 'ads.clickagents.com' 'ads.clickhouse.com' 'adsclick.qq.com' 'ads.clickthru.net' 'ads.clubzone.com' 'ads.cluster01.oasis.zmh.zope.net' 'ads.cmediaworld.com' 'ads.cmg.valueclick.net' 'ads.cnn.com' 'ads.cnngo.com' 'ads.cobrad.com' 'ads.collegclub.com' 'ads.collegehumor.com' 'ads.collegemix.com' 'ads.com.com' 'ads.comediagroup.hu' 'ads.comicbookresources.com' 'ads.coopson.com' 'ads.corusradionetwork.com' 'ads.courierpostonline.com' 'ads.cpsgsoftware.com' 'ads.crapville.com' 'ads.crosscut.com' 'ads.currantbun.com' 'ads.cvut.cz' 'ads.cyberfight.ru' 'ads.cybersales.cz' 'ads.cybertrader.com' 'ads.danworld.net' 'adsdaq.com' 'ads.darkhardware.com' 'ads.dbforums.com' 'ads.ddj.com' 'ads.democratandchronicle.com' 'ads.desmoinesregister.com' 'ads-de.spray.net' 'ads.detelefoongids.nl' 'ads.developershed.com' 'ads-dev.youporn.com' 'ads.digitalacre.com' 'ads.digital-digest.com' 'ads.digitalhealthcare.com' 'ads.dimcab.com' 'ads.directionsmag.com' 'ads-direct.prodigy.net' 'ads.discovery.com' 'ads.dk' 'ads.doclix.com' 'ads.domeus.com' 'ads.dontpanicmedia.com' 'ads.dothads.com' 'ads.doubleviking.com' 'ads.drf.com' 'ads.drivelinemedia.com' 'ads.dumpalink.com' 'ad.search.ch' 'ad.searchina.ne.jp' 'adsearch.pl' 'ads.ecircles.com' 'ads.economist.com' 'ads.ecosalon.com' 'ads.edirectme.com' 'ads.einmedia.com' 'ads.eircom.net' 'ads.emeraldcoast.com' 'ads.enliven.com' 'ads.enrd.co' 'ad.sensismediasmart.com' 'adsentnetwork.com' 'adserer.ihigh.com' 'ads.erotism.com' 'adserv001.adtech.de' 'adserv001.adtech.fr' 'adserv001.adtech.us' 'adserv002.adtech.de' 'adserv002.adtech.fr' 'adserv002.adtech.us' 'adserv003.adtech.de' 'adserv003.adtech.fr' 'adserv003.adtech.us' 'adserv004.adtech.de' 'adserv004.adtech.fr' 'adserv004.adtech.us' 'adserv005.adtech.de' 'adserv005.adtech.fr' 'adserv005.adtech.us' 'adserv006.adtech.de' 'adserv006.adtech.fr' 'adserv006.adtech.us' 'adserv007.adtech.de' 'adserv007.adtech.fr' 'adserv007.adtech.us' 'adserv008.adtech.de' 'adserv008.adtech.fr' 'adserv008.adtech.us' 'adserv2.bravenet.com' 'adserv.aip.org' 'adservant.guj.de' 'adserve.adtoll.com' 'adserve.city-ad.com' 'adserve.ehpub.com' 'adserve.gossipgirls.com' 'adserve.mizzenmedia.com' 'adserv.entriq.net' 'adserve.profit-smart.com' 'adserver01.ancestry.com' 'adserver.100free.com' 'adserver.163.com' 'adserver1.adserver.com.pl' 'adserver1.adtech.com.tr' 'adserver1.economist.com' 'adserver1.eudora.com' 'adserver1.harvestadsdepot.com' 'adserver1.hookyouup.com' 'adserver1.isohunt.com' 'adserver1.lokitorrent.com' 'adserver1.mediainsight.de' 'adserver1.ogilvy-interactive.de' 'adserver1.sonymusiceurope.com' 'adserver1.teracent.net' 'adserver1.wmads.com' 'adserver.2618.com' 'adserver2.adserver.com.pl' 'adserver2.atman.pl' 'adserver2.christianitytoday.com' 'adserver2.condenast.co.uk' 'adserver2.creative.com' 'adserver2.eudora.com' 'adserver-2.ig.com.br' 'adserver2.mediainsight.de' 'adserver2.news-journalonline.com' 'adserver2.popdata.de' 'adserver2.teracent.net' 'adserver.3digit.de' 'adserver3.eudora.com' 'adserver-3.ig.com.br' 'adserver4.eudora.com' 'adserver-4.ig.com.br' 'adserver-5.ig.com.br' 'adserver9.contextad.com' 'adserver.ad-it.dk' 'adserver.adremedy.com' 'adserver.ads360.com' 'adserver.adserver.com.pl' 'adserver.adsimsar.net' 'adserver.adsincontext.com' 'adserver.adtech.fr' 'adserver.adtech.us' 'adserver.advertist.com' 'adserver.affiliatemg.com' 'adserver.affiliation.com' 'adserver.aim4media.com' 'adserver.a.in.monster.com' 'adserver.airmiles.ca' 'adserver.akqa.net' 'adserver.allheadlinenews.com' 'adserver.amnews.com' 'adserver.ancestry.com' 'adserver.anemo.com' 'adserver.anm.co.uk' 'adserver.archant.co.uk' 'adserver.artempireindustries.com' 'adserver.arttoday.com' 'adserver.atari.net' 'adserverb.conjelco.com' 'adserver.betandwin.de' 'adserver.billiger-surfen.de' 'adserver.billiger-telefonieren.de' 'adserver.bizland-inc.net' 'adserver.bluereactor.com' 'adserver.bluereactor.net' 'adserver.buttonware.com' 'adserver.buttonware.net' 'adserver.cantv.net' 'adserver.cebu-online.com' 'adserver.cheatplanet.com' 'adserver.chickclick.com' 'adserver.click4cash.de' 'adserver.clubic.com' 'adserver.clundressed.com' 'adserver.co.il' 'adserver.colleges.com' 'adserver.com' 'adserver.comparatel.fr' 'adserver.com-solutions.com' 'adserver.conjelco.com' 'adserver.corusradionetwork.com' 'ad-server.co.za' 'adserver.creative-asia.com' 'adserver.creativeinspire.com' 'adserver.dayrates.com' 'adserver.dbusiness.com' 'adserver.developersnetwork.com' 'adserver.devx.com' 'adserver.digitalpartners.com' 'adserver.digitoday.com' 'adserver.directforce.com' 'adserver.directforce.net' 'adserver.dnps.com' 'adserver.dotcommedia.de' 'adserver.dotmusic.com' 'adserver.eham.net' 'adserver.emapadserver.com' 'adserver.emporis.com' 'adserver.emulation64.com' 'adserver-espnet.sportszone.net' 'adserver.eudora.com' 'adserver.eva2000.com' 'adserver.expatica.nxs.nl' 'adserver.ezzhosting.com' 'adserver.filefront.com' 'adserver.fmpub.net' 'adserver.fr.adtech.de' 'adserver.freecity.de' 'adserver.gameparty.net' 'adserver.gamesquad.net' 'adserver.garden.com' 'adserver.gecce.com' 'adserver.gorillanation.com' 'adserver.gr' 'adserver.harktheherald.com' 'adserver.harvestadsdepot.com' 'adserver.hellasnet.gr' 'adserver.hg-computer.de' 'adserver.hi-m.de' 'adserver.hispavista.com' 'adserver.hk.outblaze.com' 'adserver.home.pl' 'adserver.hostinteractive.com' 'adserver.humanux.com' 'adserver.hwupgrade.it' 'adserver.ifmagazine.com' 'adserver.ig.com.br' 'adserver.ign.com' 'adserver-images.adikteev.com' 'adserver.infinit.net' 'adserver.infotiger.com' 'adserver.interfree.it' 'adserver.inwind.it' 'adserver.ision.de' 'adserver.isonews.com' 'adserver.ixm.co.uk' 'adserver.jacotei.com.br' 'adserver.janes.com' 'adserver.janes.net' 'adserver.janes.org' 'adserver.jolt.co.uk' 'adserver.journalinteractive.com' 'adserver.kcilink.com' 'adserver.killeraces.com' 'adserver.kimia.es' 'adserver.kylemedia.com' 'adserver.lanacion.com.ar' 'adserver.lanepress.com' 'adserver.latimes.com' 'adserver.legacy-network.com' 'adserver.linktrader.co.uk' 'adserver.livejournal.com' 'adserver.lostreality.com' 'adserver.lunarpages.com' 'adserver.lycos.co.jp' 'adserver.m2kcore.com' 'adserver.merc.com' 'adserver.mindshare.de' 'adserver.mobsmith.com' 'adserver.monster.com' 'adserver.monstersandcritics.com' 'adserver.motonews.pl' 'adserver.myownemail.com' 'adserver.netcreators.nl' 'adserver.netshelter.net' 'adserver.newdigitalgroup.com' 'adserver.newmassmedia.net' 'adserver.news.com' 'adserver.news-journalonline.com' 'adserver.newtimes.com' 'adserver.ngz-network.de' 'adserver.nzoom.com' 'adserver.omroepzeeland.nl' 'adserver.onwisconsin.com' 'ad-serverparc.nl' 'adserver.phatmax.net' 'adserver.phillyburbs.com' 'adserver.pl' 'adserver.planet-multiplayer.de' 'adserver.plhb.com' 'adserver.pollstar.com' 'adserver.portalofevil.com' 'adserver.portal.pl' 'adserver.portugalmail.pt' 'adserver.prodigy.net' 'adserver.proteinos.com' 'adserver.radio-canada.ca' 'adserver.ratestar.net' 'adserver.revver.com' 'adserver.ro' 'adserver.sabc.co.za' 'adserver.sabcnews.co.za' 'adserver.sandbox.cxad.cxense.com' 'adserver.sanomawsoy.fi' 'adserver.scmp.com' 'adserver.securityfocus.com' 'adserver.singnet.com' 'adserver.sl.kharkov.ua' 'adserver.smashtv.com' 'adserver.softonic.com' 'adserver.soloserver.com' 'adserversolutions.com' 'adserver.swiatobrazu.pl' 'adserver.synergetic.de' 'adserver.telalink.net' 'adserver.te.pt' 'adserver.teracent.net' 'adserver.terra.com.br' 'adserver.terra.es' 'adserver.theknot.com' 'adserver.theonering.net' 'adserver.thirty4.com' 'adserver.thisislondon.co.uk' 'adserver.tilted.net' 'adserver.tqs.ca' 'adserver.track-star.com' 'adserver.trader.ca' 'adserver.trafficsyndicate.com' 'adserver.trb.com' 'adserver.tribuneinteractive.com' 'adserver.tsgadv.com' 'adserver.tulsaworld.com' 'adserver.tweakers.net' 'adserver.ugo.com' 'adserver.ugo.nl' 'adserver.ukplus.co.uk' 'adserver.uproxx.com' 'adserver.usermagnet.com' 'adserver.van.net' 'adserver.virtualminds.nl' 'adserver.virtuous.co.uk' 'adserver.voir.ca' 'adserver.wemnet.nl' 'adserver.wietforum.nl' 'adserver.x3.hu' 'adserver.ya.com' 'adserver.zaz.com.br' 'adserver.zeads.com' 'adserve.splicetoday.com' 'adserve.viaarena.com' 'adserv.free6.com' 'adserv.geocomm.com' 'adserv.iafrica.com' 'adservices.google.com' 'adservicestats.com' 'ad-servicestats.net' 'adservingcentral.com' 'adserving.cpxinteractive.com' 'adserv.internetfuel.com' 'adserv.jupiter.com' 'adserv.lwmn.net' 'adserv.maineguide.com' 'adserv.muchosucko.com' 'adserv.pitchforkmedia.com' 'adserv.qconline.com' 'adserv.usps.com' 'adserwer.o2.pl' 'ads.espn.adsonar.com' 'ads.eudora.com' 'ads.euniverseads.com' 'ads.examiner.net' 'ads.exhedra.com' 'ads.fark.com' 'ads.fayettevillenc.com' 'ads.filecloud.com' 'ads.fileindexer.com' 'adsfile.qq.com' 'ads.filmup.com' 'ads.first-response.be' 'ads.flabber.nl' 'ads.flashgames247.com' 'ads.fling.com' 'ads.floridatoday.com' 'ads.fool.com' 'ads.forbes.net' 'ads.fortunecity.com' 'ads.fox.com' 'ads.fredericksburg.com' 'ads.freebannertrade.com' 'ads.freeskreen.com' 'ads.freshmeat.net' 'ads.fresnobee.com' 'ads.gamblinghit.com' 'ads.gamecity.net' 'ads.gamecopyworld.no' 'ads.gameinformer.com' 'ads.gamelink.com' 'ads.game.net' 'ads.gamershell.com' 'ads.gamespy.com' 'ads.gateway.com' 'ads.gawker.com' 'ads.gettools.com' 'ads.gigaom.com.php5-12.websitetestlink.com' 'ads.gmg.valueclick.net' 'ads.gmodules.com' 'ads.god.co.uk' 'ads.golfweek.com' 'ads.gorillanation.com' 'ads.gplusmedia.com' 'ads.granadamedia.com' 'ads.greenbaypressgazette.com' 'ads.greenvilleonline.com' 'adsgroup.qq.com' 'ads.guardianunlimited.co.uk' 'ads.gunaxin.com' 'ads.haber3.com' 'ads.haber7.net' 'ads.haberler.com' 'ads.halogennetwork.com' 'ads.hamptonroads.com' 'ads.hamtonroads.com' 'ads.hardwarezone.com' 'ads.hbv.de' 'ads.heartlight.org' 'ads.herald-mail.com' 'ads.heraldonline.com' 'ads.heraldsun.com' 'ads.heroldonline.com' 'ads.he.valueclick.net' 'ads.hitcents.com' 'ads-hl.noktamedya.com.tr' 'ads.hlwd.valueclick.net' 'adshmct.qq.com' 'adshmmsg.qq.com' 'ads.hollandsentinel.com' 'ads.hollywood.com' 'ads.hooqy.com' 'ads.hosting.vcmedia.vn' 'ads.hothardware.com' 'ad.showbizz.net' 'ads.hulu.com.edgesuite.net' 'ads.humorbua.no' 'ads.i12.de' 'ads.i33.com' 'ads.iboost.com' 'ads.icq.com' 'ads.id-t.com' 'ads.iforex.com' 'ads.ihaberadserver.com' 'ads.illuminatednation.com' 'ads.imdb.com' 'ads.imposibil.ro' 'adsim.sabah.com.tr' 'ads.indeed.com' 'ads.indya.com' 'ads.indystar.com' 'ads.inedomedia.com' 'ads.inetdirectories.com' 'ads.inetinteractive.com' 'ads.infi.net' 'ads.infospace.com' 'adsinimages.com' 'ads.injersey.com' 'ads.insidehighered.com' 'ads.intellicast.com' 'ads.internic.co.il' 'ads.inthesidebar.com' 'adsintl.starwave.com' 'ads.iol.co.il' 'ads.ireport.com' 'ads.isat-tech.com' 'ads.isum.de' 'ads.itv.com' 'ads.jeneauempire.com' 'ads.jetphotos.net' 'ads.jimworld.com' 'ads.jlisting.jp' 'ads.joetec.net' 'ads.jokaroo.com' 'ads.jornadavirtual.com.mx' 'ads.jossip.com' 'ads.jubii.dk' 'ads.jwtt3.com' 'ads.kazaa.com' 'ads.keywordblocks.com' 'ads.kixer.com' 'ads.kleinman.com' 'ads.kmpads.com' 'ads.kokteyl.com' 'ads.koreanfriendfinder.com' 'ads.ksl.com' 'ads.kure.tv' 'ads.leo.org' 'ads.lilengine.com' 'ads.link4ads.com' 'ads.linksponsor.com' 'ads.linktracking.net' 'ads.linuxsecurity.com' 'ads.list-universe.com' 'ads.live365.com' 'ads.ljworld.com' 'ads.lmmob.com' 'ads.lnkworld.com' 'ads.localnow.com' 'ads-local.sixapart.com' 'ads.lubbockonline.com' 'ads.lucidmedia.com.gslb.com' 'adslvfile.qq.com' 'adslvseed.qq.com' 'ads.lycos.com' 'ads.lycos-europe.com' 'ads.macnews.de' 'ads.macupdate.com' 'ads.madisonavenue.com' 'ads.madison.com' 'ads.magnetic.is' 'ads.mail.com' 'ads.maksimum.net' 'ads.mambocommunities.com' 'ads.mariuana.it' 'ad.smartclip.net' 'adsmart.com' 'adsmart.co.uk' 'adsmart.net' 'ads.mdchoice.com' 'ads.mediamayhemcorp.com' 'ads.mediaturf.net' 'ads.mefeedia.com' 'ads.megaproxy.com' 'ads.meropar.jp' 'ads.metblogs.com' 'ads.metropolis.co.jp' 'ads.mindsetnetwork.com' 'ads.miniclip.com' 'ads.mininova.org' 'ads.mircx.com' 'ads.mixi.jp' 'ads.mixtraffic.com' 'ads.mndaily.com' 'ad.smni.com' 'ads.mobiledia.com' 'ads.mobygames.com' 'ads.modbee.com' 'ads.monster.com' 'ads.morningstar.com' 'ads.mouseplanet.com' 'ads.mp3searchy.com' 'adsm.soush.com' 'ads.mt.valueclick.net' 'ads.multimania.lycos.fr' 'ads.musiccity.com' 'ads.mustangworks.com' 'ads.mycricket.com' 'ads.mysimon.com' 'ads.mytelus.com' 'ads.nandomedia.com' 'ads.nationalreview.com' 'ads.nativeinstruments.de' 'ads.neoseeker.com' 'ads.neowin.net' 'ads.nerve.com' 'ads.netbul.com' 'ads.nethaber.com' 'ads.netmechanic.com' 'ads.networkwcs.net' 'ads.networldmedia.net' 'ads.newcity.com' 'ads.newcitynet.com' 'adsnew.internethaber.com' 'ads.newsbtc.com' 'ads.newsminerextra.com' 'ads.newsobserver.com' 'ads.newsquest.co.uk' 'ads.newtimes.com' 'adsnew.userfriendly.org' 'ads.ngenuity.com' 'ads.nicovideo.jp' 'adsniper.ru' 'ads.novem.pl' 'ads.nowrunning.com' 'ads.npr.valueclick.net' 'ads.ntadvice.com' 'ads.nudecards.com' 'ads.nwsource.com.edgesuite.net' 'ads.nyjournalnews.com' 'ads.nyootv.com' 'ads.nypost.com' 'adsoftware.com' 'adsoldier.com' 'ads.ole.com' 'ads.omaha.com' 'adsomenoise.cdn01.rambla.be' 'adsonar.com' 'ads.onvertise.com' 'ads.open.pl' 'ads.orsm.net' 'ads.osdn.com' 'ad-souk.com' 'adspace.zaman.com.tr' 'ads.pandora.tv.net' 'ads.panoramtech.net' 'ads.paper.li' 'ads.parrysound.com' 'ads.partner2profit.com' 'ads.pastemagazine.com' 'ads.paxnet.co.kr' 'adsp.ciner.com.tr' 'ads.pcper.com' 'ads.pdxguide.com' 'ads.peel.com' 'ads.peninsulaclarion.com' 'ads.penny-arcade.com' 'ads.pennyweb.com' 'ads.people.com.cn' 'ads.persgroep.net' 'ads.peteava.ro' 'ads.pg.valueclick.net' 'adsp.haberturk.com' 'ads.phillyburbs.com' 'ads.phpclasses.org' 'ad.spielothek.so' 'ads.pilotonline.com' 'adspirit.net' 'adspiro.pl' 'ads.pitchforkmedia.com' 'ads.pittsburghlive.com' 'ads.pixiq.com' 'ads.place1.com' 'ads.planet-f1.com' 'ads.plantyours.com' 'ads.pni.com' 'ads.pno.net' 'ads.poconorecord.com' 'ads.pof.com' 'ad-sponsor.com' 'ad.sponsoreo.com' 'ads.portlandmercury.com' 'ads.premiumnetwork.com' 'ads.premiumnetwork.net' 'ads.pressdemo.com' 'adspr.haber7.net' 'ads.pricescan.com' 'ads.primaryclick.com' 'ads.primeinteractive.net' 'ads.profootballtalk.com' 'ads.pro-market.net.edgesuite.net' 'ads.pruc.org' 'adsqqclick.qq.com' 'ads.quicken.com' 'adsr3pg.com.br' 'ads.rackshack.net' 'ads.rasmussenreports.com' 'ads.ratemyprofessors.com' 'adsrc.bankrate.com' 'ads.rdstore.com' 'ads.realcastmedia.com' 'ads.realcities.com' 'ads.realmedia.de' 'ads.realtechnetwork.net' 'ads.reason.com' 'ads.redorbit.com' 'ads.reklamatik.com' 'ads.reklamlar.net' 'adsremote.scripps.com' 'adsremote.scrippsnetwork.com' 'ads.revenews.com' 'ads.revenue.net' 'adsrevenue.net' 'ads.rim.co.uk' 'ads-rm.looksmart.com' 'ads.roanoke.com' 'ads.rockstargames.com' 'ads.rodale.com' 'ads.roiserver.com' 'ads-rolandgarros.com' 'ads.rondomondo.com' 'ads.rootzoo.com' 'ads.rottentomatoes.com' 'ads-rouge.haber7.com' 'ads-roularta.adhese.com' 'ads.rp-online.de' 'adsrv2.wilmingtonstar.com' 'adsrv.bankrate.com' 'adsrv.emporis.com' 'adsrv.heraldtribune.com' 'adsrv.hpg.com.br' 'adsrv.lua.pl' 'ad-srv.net' 'adsrv.news.com.au' 'adsrvr.com' 'adsrvr.org' 'adsrv.tuscaloosanews.com' 'adsrv.wilmingtonstar.com' 'ads.sacbee.com' 'ads.satyamonline.com' 'ads.scabee.com' 'ads.schwabtrader.com' 'ads.scifi.com' 'ads.scott-sports.com' 'ads.scottusa.com' 'ads.seriouswheels.com' 'ads.sfusion.com' 'ads.shiftdelete.net' 'ads.shizmoo.com' 'ads.shoppingads.com' 'ads.shoutfile.com' 'ads.shovtvnet.com' 'ads.showtvnet.com' 'ads.sify.com' 'ads.simpli.fi' 'ads.simtel.com' 'ads.simtel.net' 'ads.sixapart.com' 'adssl01.adtech.de' 'adssl01.adtech.fr' 'adssl01.adtech.us' 'adssl02.adtech.de' 'adssl02.adtech.fr' 'adssl02.adtech.us' 'ads.sl.interpals.net' 'ads.smartclick.com' 'ads.smartclicks.com' 'ads.smartclicks.net' 'ads.snowball.com' 'ads.socialmedia.com' 'ads.socialtheater.com' 'ads.sohh.com' 'ads.somethingawful.com' 'ads.songs.pk' 'adsspace.net' 'ads.specificclick.com' 'ads.specificmedia.com' 'ads.specificpop.com' 'ads.spilgames.com' 'ads.spintrade.com' 'ads.sptimes.com' 'ads.spymac.net' 'ads.starbanner.com' 'ads-stats.com' 'ads.stileproject.com' 'ads.stoiximan.gr' 'ads.stupid.com' 'ads.sumotorrent.com' 'ads.sunjournal.com' 'ads.superonline.com' 'ads.switchboard.com' 'ads.tbs.com' 'ads.teamyehey.com' 'ads.technoratimedia.com' 'ads.techtv.com' 'ads.techvibes.com' 'ads.telegraaf.nl' 'adstextview.qq.com' 'ads.the15thinternet.com' 'ads.theawl.com' 'ads.thebugs.ws' 'ads.thecoolhunter.net' 'ads.thefrisky.com' 'ads.theglobeandmail.com' 'ads.theindependent.com' 'ads.theolympian.com' 'ads.thesmokinggun.com' 'ads.thestranger.com' 'ads.thewebfreaks.com' 'ads.tiscali.fr' 'ads.tmcs.net' 'ads.tnt.tv' 'adstogo.com' 'adstome.com' 'ads.top500.org' 'ads.top-banners.com' 'ads.toronto.com' 'ads.tracfonewireless.com' 'ads.trackitdown.net' 'ads.track.net' 'ads.traffikings.com' 'adstream.cardboardfish.com' 'adstreams.org' 'ads.treehugger.com' 'ads.tricityherald.com' 'ads.trinitymirror.co.uk' 'ads.tripod.lycos.co.uk' 'ads.tripod.lycos.de' 'ads.tripod.lycos.es' 'ads.tromaville.com' 'ads-t.ru' 'ads.trutv.com' 'ads.tucows.com' 'ads.turkticaret.net' 'ads.ucomics.com' 'ads.uigc.net' 'ads.ukclimbing.com' 'ads.unixathome.org' 'ads.update.com' 'ad.suprnova.org' 'ads.uproar.com' 'ads.urbandictionary.com' 'ads.us.e-planning.ne' 'ads.userfriendly.org' 'ads.v3.com' 'ads.v3exchange.com' 'ads.vaildaily.com' 'ads.veloxia.com' 'ads.veoh.com' 'ads.verkata.com' 'ads.vesperexchange.com' 'ads.vg.basefarm.net' 'ads.viddler.com' 'ads.videoadvertising.com' 'ads.viewlondon.co.uk' 'ads.virginislandsdailynews.com' 'ads.virtualcountries.com' 'ads.vnuemedia.com' 'ads.vs.co' 'ads.vs.com' 'ads.waframedia1.com' 'ads.wanadooregie.com' 'ads.waps.cn' 'ads.wapx.cn' 'ads.warcry.com' 'ads.watershed-publishing.com' 'ads.weather.com' 'ads.web21.com' 'ads.web.alwayson-network.com' 'ads.webattack.com' 'ads.web.compuserve.com' 'ads.webcoretech.com' 'ads.web.cs.com' 'ads.web.de' 'ads.webfeat.com' 'ads.webheat.com' 'ads.webindia123.com' 'ads.webisleri.com' 'ads-web.mail.com' 'ads.webmd.com' 'ads.webnet.advance.net' 'ads.websponsors.com' 'adsweb.tiscali.cz' 'ads.weissinc.com' 'ads.whi.co.nz' 'ads.winsite.com' 'ads.x10.com' 'ads.x10.net' 'ads.x17online.com' 'ads.xboxic.com' 'ads.xbox-scene.com' 'ads.xposed.com' 'ads.xtra.ca' 'ads.xtramsn.co.nz' 'ads.yahoo.com' 'ads.yieldmedia.net' 'ads.yimg.com.edgesuite.net' 'adsyndication.yelldirect.com' 'adsynergy.com' 'ads.youporn.com' 'ads.youtube.com' 'ads.zamunda.se' 'ads.zap2it.com' 'ads.zynga.com' 'adtag.msn.ca' 'adtaily.com' 'adtaily.pl' 'adtcp.ru' 'adtech.com' 'ad.technoramedia.com' 'adtech.panthercustomer.com' 'adtech.sabitreklam.com' 'adtechus.com' 'adtext.pl' 'ad.tgdaily.com' 'ad.thetyee.ca' 'ad.thisav.com' 'adthru.com' 'adtigerpl.adspirit.net' 'ad.tiscali.com' 'adtlgc.com' 'adtology3.com' 'ad.tomshardware.com' 'adtotal.pl' 'adtracking.vinden.nl' 'adtrader.com' 'ad.trafficmp.com' 'ad.traffmonster.info' 'adtrak.net' 'ad.twitchguru.com' 'ad.ubnm.co.kr' 'ad-u.com' 'ad.uk.tangozebra.com' 'ad-uk.tiscali.com' 'adultadworld.com' 'ad.userporn.com' 'adv0005.247realmedia.com' 'adv0035.247realmedia.com' 'adv.440net.com' 'adv.adgates.com' 'adv.adview.pl' 'ad.valuecalling.com' 'advancing-technology.com' 'adv.bannercity.ru' 'adv.bbanner.it' 'adv.bookclubservices.ca' 'adveng.hiasys.com' 'adveraction.pl' 'adver.pengyou.com' 'advert.bayarea.com' 'adverterenbijnh.nl' 'adverterenbijsbs.nl' 'adverteren.vakmedianet.nl' 'advertere.zamunda.net' 'advert.gittigidiyor.com' 'advertise.com' 'advertisers.federatedmedia.net' 'advertising.aol.com' 'advertisingbay.com' 'advertising.bbcworldwide.com' 'advertising.gfxartist.com' 'advertising.hiasys.com' 'advertising.online-media24.de' 'advertising.paltalk.com' 'advertising.wellpack.fr' 'advertising.zenit.org' 'advert.istanbul.net' 'advertlets.com' 'advertpro.investorvillage.com' 'adverts.digitalspy.co.uk' 'adverts.ecn.co.uk' 'adverts.freeloader.com' 'adverts.im4ges.com' 'advertstream.com' 'advert.uzmantv.com' 'adv.federalpost.ru' 'advice-ads-cdn.vice.com' 'ad-vice.biz' 'advicepl.adocean.pl' 'ad.vidaroo.com' 'adview.pl' 'ad.vippers.jp' 'adviva.net' 'adv.lampsplus.com' 'advmaker.ru' 'adv.merlin.co.il' 'adv.netshelter.net' 'ad-void.com' 'adv-op2.joygames.me' 'advplace.com' 'advplace.nuggad.net' 'adv.publy.net' 'advstat.xunlei.com' 'adv.strategy.it' 'adv.surinter.net' 'advt.webindia123.com' 'ad.vurts.com' 'adv.virgilio.it' 'adv.zapal.ru' 'advzilla.com' 'adware.kogaryu.com' 'ad.watch.impress.co.jp' 'ad.webisleri.com' 'ad.webprovider.com' 'ad.wiredvision.jp' 'adw.sapo.pt' 'adx.adrenalinesk.sk' 'adx.gainesvillesun.com' 'adx.gainesvillsun.com' 'adx.groupstate.com' 'adx.heraldtribune.com' 'adxpose.com' 'ad.xtendmedia.com' 'ad.yemeksepeti.com' 'ad.yieldmanager.com' 'adz.afterdawn.net' 'ad.zaman.com' 'ad.zaman.com.tr' 'adzerk.net' 'ad.zodera.hu' 'adzone.ro' 'adzservice.theday.com' 'ae-gb.mgid.com' 'ae.goodsblock.marketgid.com' 'aff1.gittigidiyor.com' 'aff2.gittigidiyor.com' 'aff3.gittigidiyor.com' 'aff4.gittigidiyor.com' 'aff.foxtab.com' 'aff.gittigidiyor.com' 'affiliate.a4dtracker.com' 'affiliate.baazee.com' 'affiliate.cfdebt.com' 'affiliate.exabytes.com.my' 'affiliate-fr.com' 'affiliate.fr.espotting.com' 'affiliate.googleusercontent.com' 'affiliate.hbytracker.com' 'affiliate.kitapyurdu.com' 'affiliate.mlntracker.com' 'affiliates.arvixe.com' 'affiliates.eblastengine.com' 'affiliates.genealogybank.com' 'affiliates.globat.com' 'affiliation-france.com' 'affimg.pop6.com' 'afform.co.uk' 'affpartners.com' 'aff.promodeals.nl' 'afftracking.justanswer.com' 'afi.adocean.pl' 'afilo.pl' 'afkarehroshan.com' 'afp.qiyi.com' 'afunnygames.com' 'agkn.com' 'aimg.haber3.com' 'ajcclassifieds.com' 'akaads-espn.starwave.com' 'akamai.invitemedia.com' 'a.karmatrail.club' 'ak.buyservices.com' 'a.kerg.net' 'ak.maxserving.com' 'ako.cc' 'ak.p.openx.net' 'aksdk-images.adikteev.com' 'aktif.haberx.com' 'al1.sharethis.com' 'alert.police-patrol-agent.com' 'a.ligatus.de' 'alliance.adbureau.net' 'altfarm.mediaplex.com' 'amazinggreentechshop.com' 'americansingles.click-url.com' 'a.mktw.net' 'amplifypixel.outbrain.com' 'amscdn.btrll.com' 'analysis.fc2.com' 'analytics.ku6.com' 'analytics.kwebsoft.com' 'analytics.onesearch.id' 'analytics.percentmobile.com' 'analytics.services.kirra.nl' 'analytics.spotta.nl' 'analytics.verizonenterprise.com' 'analyzer51.fc2.com' 'andpolice.com' 'ankieta-online.pl' 'annuaire-autosurf.com' 'anonymousstats.keefox.org' 'anrtx.tacoda.net' 'aos.gw.youmi.net' 'api.adcalls.nl' 'api.addthis.com' 'api.admob.com' 'api.affinesystems.com' 'api.linkgist.com' 'api.linkz.net' 'api.optnmnstr.com' 'api-public.addthis.com' 'api.sagent.io' 'api.shoppingminds.net' 'apopt.hbmediapro.com' 'apparelncs.com' 'apparel-offer.com' 'app.datafastguru.info' 'appdev.addthis.com' 'appnexus.com' 'apps5.oingo.com' 'appsrv1.madserving.cn' 'a.prisacom.com' 'apx.moatads.com' 'arabtechmessenger.net' 'a.rad.live.com' 'arbomedia.pl' 'arbopl.bbelements.com' 'arm2pie.com' 'art-music-rewardpath.com' 'art-offer.com' 'art-offer.net' 'art-photo-music-premiumblvd.com' 'art-photo-music-rewardempire.com' 'art-photo-music-savingblvd.com' 'as1.falkag.de' 'as1image1.adshuffle.com' 'as1image2.adshuffle.com' 'as1.inoventiv.com' 'as2.falkag.de' 'as3.falkag.de' 'as4.falkag.de' 'as.5to1.com' 'asa.tynt.com' 'asb.tynt.com' 'asg01.casalemedia.com' 'asg02.casalemedia.com' 'asg03.casalemedia.com' 'asg04.casalemedia.com' 'asg05.casalemedia.com' 'asg06.casalemedia.com' 'asg07.casalemedia.com' 'asg08.casalemedia.com' 'asg09.casalemedia.com' 'asg10.casalemedia.com' 'asg11.casalemedia.com' 'asg12.casalemedia.com' 'asg13.casalemedia.com' 'ashow.pcpop.com' 'ask-gps.ru' 'asklots.com' 'askmen.thruport.com' 'asm2.z1.adserver.com' 'asm3.z1.adserver.com' 'asn.advolution.de' 'asn.cunda.advolution.biz' 'a.ss34.on9mail.com' 'assets.igapi.com' 'assets.percentmobile.com' 'as.vs4entertainment.com' 'a.tadd.react2media.com' 'at-adserver.alltop.com' 'at.campaigns.f2.com.au' 'at.ceofreehost.com' 'atdmt.com' 'athena-ads.wikia.com' 'at-img1.tdimg.com' 'at-img2.tdimg.com' 'at-img3.tdimg.com' 'at.m1.nedstatbasic.net' 'atm.youku.com' 'a.total-media.net' 'a.twiago.com' 'au.ads.link4ads.com' 'aud.pubmatic.com' 'aureate.com' 'auslieferung.commindo-media-ressourcen.de' 'auspolice.com' 'aussiemethod.com' 'aussieroadtosuccess.com' 'automotive-offer.com' 'automotive-rewardpath.com' 'avcounter10.com' 'avidnewssource.com' 'avpa.dzone.com' 'avpa.javalobby.org' 'awesomevipoffers.com' 'awrz.net' 'axbetb2.com' 'aynachatsrv.com' 'azcentra.app.ur.gcion.com' 'azoogleads.com' 'b1.adbrite.com' 'b1.azjmp.com' 'b2b.filecloud.me' 'babycenter.tt.omtrdc.net' 'b.admob.com' 'b.ads2.msn.com' 'badservant.guj.de' 'badults.se' 'baidutv.baidu.com' 'b.am15.net' 'bananacashback.com' 'banery.acr.pl' 'banery.netart.pl' 'banery.onet.pl' 'banki.onet.pl' 'bankofamerica.tt.omtrdc.net' 'banlv.baidu.com' 'banman.nepsecure.co.uk' 'banner.1and1.co.uk' 'banner2.inet-traffic.com' 'banner2.isobarturkiye.net' 'bannerads.anytimenews.com' 'bannerads.de' 'bannerads.zwire.com' 'banner.affactive.com' 'banner.betroyalaffiliates.com' 'banner.betwwts.com' 'bannerconnect.net' 'banner.diamondclubcasino.com' 'bannerdriven.ru' 'banner.easyspace.com' 'banner.free6.com' 'bannerhost.egamingonline.com' 'banner.joylandcasino.com' 'banner.media-system.de' 'banner.monacogoldcasino.com' 'banner.newyorkcasino.com' 'banner.northsky.com' 'banner.orb.net' 'banner.piratos.de' 'banner.playgatecasino.com' 'bannerpower.com' 'banner.prestigecasino.com' 'banner.publisher.to' 'banner.rbc.ru' 'banners1.linkbuddies.com' 'banners2.castles.org' 'banners3.spacash.com' 'banners.blogads.com' 'banners.bol.se' 'banners.broadwayworld.com' 'banners.celebritybling.com' 'banners.crisscross.com' 'banners.dnastudio.com' 'banners.easysolutions.be' 'banners.ebay.com' 'banners.expressindia.com' 'banners.flair.be' 'banners.free6.com' 'banners.fuifbeest.be' 'banners.globovision.com' 'banners.img.uol.com.br' 'banners.ims.nl' 'banners.iop.org' 'banners.ipotd.com' 'banners.japantoday.com' 'banners.kfmb.com' 'banners.ksl.com' 'banners.looksmart.com' 'banners.nbcupromotes.com' 'banners.netcraft.com' 'banners.newsru.com' 'banners.nextcard.com' 'banners.pennyweb.com' 'banners.primaryclick.com' 'banners.rspworldwide.com' 'banners.spiceworks.com' 'banners.thegridwebmaster.com' 'banners.thestranger.com' 'banners.thgimages.co.uk' 'banners.tribute.ca' 'banners.tucson.com' 'banners.unibet.com' 'bannersurvey.biz' 'banners.wunderground.com' 'banner.tattomedia.com' 'bannert.ru' 'bannerus1.axelsfun.com' 'bannerus3.axelsfun.com' 'banner.usacasino.com' 'banniere.reussissonsensemble.fr' 'banstex.com' 'bansys.onzin.com' 'bar.baidu.com' 'bargainbeautybuys.com' 'barnesandnoble.bfast.com' 'b.as-us.falkag.net' 'bayoubuzz.advertserve.com' 'bazandegan.com' 'bbcdn.delivery.reklamz.com' 'bbcdn.go.adlt.bbelements.com' 'bbcdn.go.adnet.bbelements.com' 'bbcdn.go.arbo.bbelements.com' 'bbcdn.go.eu.bbelements.com' 'bbcdn.go.ihned.bbelements.com' 'bbelements.com' 'bbnaut.bbelements.com' 'bc685d37-266c-488e-824e-dd95d1c0e98b.statcamp.net' 'bdnad1.bangornews.com' 'beacons.helium.com' 'beacon-us-west.rubiconproject.com' 'be.ads.justpremium.com' 'bell.adcentriconline.com' 'benimreklam.com' 'beseenad.looksmart.com' 'bestgift4you.cn' 'bestorican.com' 'bestshopperrewards.com' 'beta.hotkeys.com' 'bet-at-home.com' 'betterperformance.goldenopps.info' 'bfast.com' 'bhclicks.com' 'bidsystem.com' 'bidtraffic.com' 'bidvertiser.com' 'bigads.guj.de' 'bigbrandpromotions.com' 'bigbrandrewards.com' 'biggestgiftrewards.com' 'bill.agent.56.com' 'bill.agent.v-56.com' 'billing.speedboink.com' 'bitburg.adtech.de' 'bitburg.adtech.fr' 'bitburg.adtech.us' 'bitcast-d.bitgravity.com' 'biz5.sandai.net' 'biz-offer.com' 'bizographics.com' 'bizopprewards.com' 'blabla4u.adserver.co.il' 'blasphemysfhs.info' 'blatant8jh.info' 'b.liquidustv.com' 'blog.addthis.com' 'blogads.com' 'blogads.ebanner.nl' 'blogvertising.pl' 'bluediamondoffers.com' 'bl.wavecdn.de' 'bm.alimama.cn' 'bmvip.alimama.cn' 'b.myspace.com' 'bn.bfast.com' 'bnmgr.adinjector.net' 'bnrs.ilm.ee' 'boksy.dir.onet.pl' 'boksy.onet.pl' 'bookclub-offer.com' 'books-media-edu-premiumblvd.com' 'books-media-edu-rewardempire.com' 'books-media-rewardpath.com' 'bostonsubwayoffer.com' 'b.rad.live.com' 'brandrewardcentral.com' 'brandsurveypanel.com' 'brapolice.com' 'bravo.israelinfo.ru' 'bravospots.com' 'brittlefilet.com' 'broadcast.piximedia.fr' 'broadent.vo.llnwd.net' 'brokertraffic.com' 'bsads.looksmart.com' 'bs.israelinfo.ru' 'bt.linkpulse.com' 'bumerangshowsites.hurriyet.com.tr' 'burns.adtech.de' 'burns.adtech.fr' 'burns.adtech.us' 'businessdealsblog.com' 'businessdirectnessource.com' 'businessedgeadvance.com' 'business-made-fun.com' 'business-rewardpath.com' 'bus-offer.com' 'buttcandy.com' 'buttons.googlesyndication.com' 'buzzbox.buzzfeed.com' 'bwp.lastfm.com.com' 'bwp.news.com' 'c1.teaser-goods.ru' 'c2.l.qq.com' 'c4.maxserving.com' 'cache.addthiscdn.com' 'cache.addthis.com' 'cache.adm.cnzz.net' 'cache-dev.addthis.com' 'cacheserve.eurogrand.com' 'cacheserve.prestigecasino.com' 'cache.unicast.com' 'c.actiondesk.com' 'c.adroll.com' 'califia.imaginemedia.com' 'c.am10.ru' 'camgeil.com' 'campaign.iitech.dk' 'campaign.indieclick.com' 'campaigns.interclick.com' 'canadaalltax.com' 'canuckmethod.com' 'capath.com' 'cardgamespidersolitaire.com' 'cards.virtuagirlhd.com' 'careers.canwestad.net' 'careers-rewardpath.com' 'c.ar.msn.com' 'carrier.bz' 'car-truck-boat-bonuspath.com' 'car-truck-boat-premiumblvd.com' 'cashback.co.uk' 'cashbackwow.co.uk' 'cashflowmarketing.com' 'casino770.com' 'caslemedia.com' 'casting.openv.com' 'c.as-us.falkag.net' 'catalinkcashback.com' 'catchvid.info' 'c.at.msn.com' 'c.baidu.com' 'cb.alimama.cn' 'cb.baidu.com' 'c.be.msn.com' 'c.blogads.com' 'c.br.msn.com' 'c.ca.msn.com' 'ccas.clearchannel.com' 'cc-dt.com' 'c.cl.msn.com' 'cctv.adsunion.com' 'c.de.msn.com' 'c.dk.msn.com' 'cdn1.adexprt.com' 'cdn1.ads.contentabc.com' 'cdn1.ads.mofos.com' 'cdn1.rmgserving.com' 'cdn1.xlightmedia.com' 'cdn2.amateurmatch.com' 'cdn2.emediate.eu' 'cdn3.adexprts.com' 'cdn3.telemetryverification.net' 'cdn454.telemetryverification.net' 'cdn.8digits.com' 'cdn.adigniter.org' 'cdn.adikteev.com' 'cdn.adservingsolutionsinc.com' 'cdn.amateurmatch.com' 'cdn.assets.craveonline.com' 'cdn.augur.io' 'cdn.crowdignite.com' 'cdn.eyewonder.com' 'cdn.freefaits.com' 'cdn.go.arbo.bbelements.com' 'cdn.go.arbopl.bbelements.com' 'cdn.go.cz.bbelements.com' 'cdn.go.idmnet.bbelements.com' 'cdn.go.pol.bbelements.com' 'cdn.hadj7.adjuggler.net' 'cdn.innovid.com' 'cdn.mediative.ca' 'cdn.merchenta.com' 'cdn.mobicow.com' 'cdn.onescreen.net' 'cdn.sagent.io' 'cdn.shoppingminds.net' 'cdns.mydirtyhobby.com' 'cdns.privatamateure.com' 'cdn.stat.easydate.biz' 'cdn.stickyadstv.com' 'cdn.syn.verticalacuity.com' 'cdn.tabnak.ir' 'cdnt.yottos.com' 'cdn.usabilitytracker.com' 'cdn.wg.uproxx.com' 'cdnw.ringtonepartner.com' 'cdn.yieldmedia.net' 'cdn.yottos.com' 'cds.adecn.com' 'c.eblastengine.com' 'ced.sascdn.com' 'cell-phone-giveaways.com' 'cellphoneincentives.com' 'cent.adbureau.net' 'c.es.msn.com' 'cfg.adsmogo.com' 'cfg.datafastguru.info' 'c.fi.msn.com' 'cf.kampyle.com' 'c.fr.msn.com' 'cgirm.greatfallstribune.com' 'cgm.adbureau.ne' 'cgm.adbureau.net' 'c.gr.msn.com' 'chainsawoffer.com' 'charging-technology.com' 'charmedno1.com' 'chartbeat.com' 'checkintocash.data.7bpeople.com' 'cherryhi.app.ur.gcion.com' 'chip.popmarker.com' 'c.hk.msn.com' 'chkpt.zdnet.com' 'choicedealz.com' 'choicesurveypanel.com' 'christianbusinessadvertising.com' 'c.id.msn.com' 'c.ie.msn.com' 'cigape.net' 'c.il.msn.com' 'c.imedia.cz' 'c.in.msn.com' 'cithingy.info' 'c.it.msn.com' 'citrix.market2lead.com' 'cityads.telus.net' 'citycash2.blogspot.com' 'cjhq.baidu.com' 'c.jp.msn.com' 'cl21.v4.adaction.se' 'cl320.v4.adaction.se' 'claimfreerewards.com' 'clashmediausa.com' 'classicjack.com' 'c.latam.msn.com' 'click1.mainadv.com' 'click1.rbc.magna.ru' 'click2.rbc.magna.ru' 'click3.rbc.magna.ru' 'click4.rbc.magna.ru' 'clickad.eo.pl' 'click.am1.adm.cnzz.net' 'clickarrows.com' 'click.avenuea.com' 'clickbangpop.com' 'click-find-save.com' 'click.go2net.com' 'click.israelinfo.ru' 'clickit.go2net.com' 'clickmedia.ro' 'click.pulse360.com' 'clicks2.virtuagirl.com' 'clicks.adultplex.com' 'clicks.deskbabes.com' 'click-see-save.com' 'clicks.hurriyet.com.tr' 'clicksotrk.com' 'clicks.roularta.adhese.com' 'clicks.totemcash.com' 'clicks.toteme.com' 'clicks.virtuagirl.com' 'clicks.virtuagirlhd.com' 'clicks.virtuaguyhd.com' 'clicks.walla.co.il' 'clickthrunet.net' 'clickthruserver.com' 'clickthrutraffic.com' 'clicktorrent.info' 'clien.info' 'clipserv.adclip.com' 'clk.addmt.com' 'clk.atdmt.com' 'clk.cloudyisland.com' 'c.lomadee.com' 'closeoutproductsreview.com' 'cloudcrown.com' 'c.l.qq.com' 'cm1359.com' 'cmads.us.publicus.com' 'cmap.am.ace.advertising.com' 'cmap.an.ace.advertising.com' 'cmap.at.ace.advertising.com' 'cmap.dc.ace.advertising.com' 'cmap.ox.ace.advertising.com' 'cmap.pub.ace.advertising.com' 'cmap.rm.ace.advertising.com' 'cmap.rub.ace.advertising.com' 'c.mgid.com' 'cmhtml.overture.com' 'cmn1lsm2.beliefnet.com' 'cm.npc-hearst.overture.com' 'cmps.mt50ad.com' 'cmrpolice.com' 'cm.the-n.overture.com' 'cmweb.ilike.alibaba.com' 'c.my.msn.com' 'cnad1.economicoutlook.net' 'cnad2.economicoutlook.net' 'cnad3.economicoutlook.net' 'cnad4.economicoutlook.net' 'cnad5.economicoutlook.net' 'cnad6.economicoutlook.net' 'cnad7.economicoutlook.net' 'cnad8.economicoutlook.net' 'cnad9.economicoutlook.net' 'cn.ad.adon.vpon.com' 'cnad.economicoutlook.net' 'cnf.adshuffle.com' 'cn.img.adon.vpon.com' 'c.nl.msn.com' 'c.novostimira.biz' 'cnt1.xhamster.com' 'cnt.trafficstars.com' 'coffeehausblog.com' 'coinurl.com' 'comadverts.bcmpweb.co.nz' 'com.cool-premiums-now.com' 'come-see-it-all.com' 'com.htmlwww.youfck.com' 'commerce-offer.com' 'commerce-rewardpath.com' 'commerce.www.ibm.com' 'common.ziffdavisinternet.com' 'companion.adap.tv' 'compolice.com' 'compolice.net' 'computer-offer.com' 'computer-offer.net' 'computers-electronics-rewardpath.com' 'computersncs.com' 'computertechanalysis.com' 'com.shc-rebates.com' 'config.getmyip.com' 'config.sensic.net' 'connect.247media.ads.link4ads.com' 'consumergiftcenter.com' 'consumerincentivenetwork.com' 'consumerinfo.tt.omtrdc.net' 'consumer-org.com' 'contaxe.com' 'content.ad-flow.com' 'content.clipster.ws' 'content.codelnet.com' 'content.promoisland.net' 'contentsearch.de.espotting.com' 'context3.kanoodle.com' 'context5.kanoodle.com' 'contextad.pl' 'context.adshadow.net' 'contextweb.com' 'conv.adengage.com' 'conversantmedia.com' 'cookiecontainer.blox.pl' 'cookie.pebblemedia.be' 'cookingtiprewards.com' 'cookonsea.com' 'cool-premiums.com' 'cool-premiums-now.com' 'coolpremiumsnow.com' 'coolsavings.com' 'corba.adtech.de' 'corba.adtech.fr' 'corba.adtech.us' 'core0.node12.top.mail.ru' 'core2.adtlgc.com' 'core.adprotected.com' 'coreg.flashtrack.net' 'coreglead.co.uk' 'cornflakes.pathfinder.com' 'corusads.dserv.ca' 'cosmeticscentre.uk.com' 'count6.51yes.com' 'count.casino-trade.com' 'cover.m2y.siemens.ch' 'c.ph.msn.com' 'cpm2.admob.com' 'cpm.admob.com' 'cpmadvisors.com' 'cp.promoisland.net' 'cpro.baidu.com' 'c.prodigy.msn.com' 'c.pt.msn.com' 'cpu.firingsquad.com' 'creatiby1.unicast.com' 'creative.ad121m.com' 'creative.ad131m.com' 'creative.adshuffle.com' 'creatives.rgadvert.com' 'creatrixads.com' 'crediblegfj.info' 'creditsoffer.blogspot.com' 'creview.adbureau.net' 'cribdare2no.com' 'crisptic01.net' 'crosspixel.demdex.net' 'crowdgravity.com' 'crowdignite.com' 'c.ru.msn.com' 'crux.songline.com' 'crwdcntrl.net' 'c.se.msn.com' 'cserver.mii.instacontent.net' 'c.sg.msn.com' 'cs.prd.msys.playstation.net' 'csr.onet.pl' 'ctbdev.net' 'c.th.msn.com' 'ctnsnet.com' 'c.tr.msn.com' 'c.tw.msn.com' 'ctxtad.tribalfusion.com' 'c.uk.msn.com' 'customerscreensavers.com' 'cxoadfarm.dyndns.info' 'cxtad.specificmedia.com' 'cyber-incentives.com' 'cyppolice.com' 'c.za.msn.com' 'cz.bbelements.com' 'd.101m3.com' 'd10.zedo.com' 'd11.zedo.com' 'd12.zedo.com' 'd14.zedo.com' 'd1.openx.org' 'd1qqddufal4d58.cloudfront.net' 'd1ros97qkrwjf5.cloudfront.net' 'd1.zedo.com' 'd4.zedo.com' 'd5phz18u4wuww.cloudfront.net' 'd5.zedo.com' 'd6.c5.b0.a2.top.mail.ru' 'd6.zedo.com' 'd9.zedo.com' 'da.2000888.com' 'd.admob.com' 'd.adnetxchange.com' 'd.adserve.com' 'dads.new.digg.com' 'd.ads.readwriteweb.com' 'daily-saver.com' 'damamaty.tk' 'damavandkuh.com' 'darakht.com' 'darmowe-liczniki.info' 'dashboard.adcalls.nl' 'dashboardnew.adcalls.nl' 'data0.bell.ca' 'datingadvertising.com' 'dawnnationaladvertiser.com' 'dbbsrv.com' 'dcads.sina.com.cn' 'd.cntv.cn' 'dc.sabela.com.pl' 'dctracking.com' 'dead-pixel.tweakblogs.net' 'de.ads.justpremium.com' 'del1.phillyburbs.com' 'delb.mspaceads.com' 'delivery.adyea.com' 'delivery.reklamz.com' 'demr.mspaceads.com' 'demr.opt.fimserve.com' 'depo.realist.gen.tr' 'derkeiler.com' 'desb.mspaceads.com' 'descargas2.tuvideogratis.com' 'designbloxlive.com' 'desk.mspaceads.com' 'desk.opt.fimserve.com' 'dev.adforum.com' 'devart.adbureau.net' 'devlp1.linkpulse.com' 'dev.sfbg.com' 'dgm2.com' 'dgmaustralia.com' 'dietoftoday.ca.pn' 'diff1.smartadserver.com' 'diff5.smartadserver.com' 'dinoadserver1.roka.net' 'dinoadserver2.roka.net' 'directpowerrewards.com' 'directrev.cloudapp.net' 'dirtyrhino.com' 'discount-savings-more.com' 'discoverdemo.com' 'discoverecommerce.tt.omtrdc.net' 'display.gestionpub.com' 'dist.belnk.com' 'divx.adbureau.net' 'djbanners.deadjournal.com' 'djugoogs.com' 'dl.ncbuy.com' 'dl-plugin.com' 'dlvr.readserver.net' 'dnps.com' 'dnse.linkpulse.com' 'dock.inmobi.com' 'dosugcz.biz' 'dowelsobject.com' 'downloadcdn.com' 'do-wn-lo-ad.com' 'downloadmpplayer.com' 'downloads.larivieracasino.com' 'downloads.mytvandmovies.com' 'download.yesmessenger.com' 'dqs001.adtech.de' 'dqs001.adtech.fr' 'dqs001.adtech.us' 'dra.amazon-adsystem.com' 'drmcmm.baidu.com' 'drowle.com' 'dr.soso.com' 'd.serve-sys.com' 'ds.onet.pl' 'd.sspcash.adxcore.com' 'dt.linkpulse.com' 'dtm.advertising.com' 'dub.mobileads.msn.com' 'd.wiyun.com' 'dy.admerize.be' 'dzl.baidu.com' 'e1.addthis.com' 'e2.cdn.qnsr.com' 'e.admob.com' 'eads-adserving.com' 'ead.sharethis.com' 'earnmygift.com' 'earnpointsandgifts.com' 'e.as-eu.falkag.net' 'easyadvertonline.com' 'easyweb.tdcanadatrust.secureserver.host1.customer-identification-process.b88600d8.com' 'eatps.web.aol.com' 'eb.adbureau.net' 'e.baidu.com' 'ebayadvertising.com' 'ebayadvertising.triadretail.net' 'ebiads.ebiuniverse.com' 'eblastengine.upickem.net' 'ecomadserver.com' 'ecs1.engageya.com' 'eddamedia.linkpulse.com' 'edge.bnmla.com' 'edirect.hotkeys.com' 'education-rewardpath.com' 'edu-offer.com' 'egypolice.com' 'egypolice.net' 'eiv.baidu.com' 'electronics-bonuspath.com' 'electronics-offer.net' 'electronicspresent.com' 'electronics-rewardpath.com' 'e-ltvp.inmobi.com' 'emailadvantagegroup.com' 'emailproductreview.com' 'emapadserver.com' 'emea-bidder.mathtag.com' 'emisja.adsearch.pl' 'engage.everyone.net' 'engager.tmg.nl' 'engage.speedera.net' 'engine.adland.ru' 'engine.espace.netavenir.com' 'engine.influads.com' 'engine.rorer.ru' 'enirocode.adtlgc.com' 'enirodk.adtlgc.com' 'enn.advertserve.com' 'enquete-annuelle.info' 'entertainment-rewardpath.com' 'entertainment-specials.com' 'erie.smartage.com' 'ero-advertising.com' 'escape.insites.eu' 'espn.footprint.net' 'etad.telegraph.co.uk' 'etahub.com' 'eternal.reklamlab.com' 'ethpolice.com' 'etrk.asus.com' 'etype.adbureau.net' 'euniverseads.com' 'europe.adserver.yahoo.com' 'eu.xtms.net' 'eventtracker.videostrip.com' 'exclusivegiftcards.com' 'exits1.webquest.net' 'exits2.webquest.net' 'exity.info' 'exponential.com' 'eyewonder.com' 'ezboard.bigbangmedia.com' 'f1.p0y.com' 'f2.p0y.com' 'f3.p0y.com' 'f4.p0y.com' 'f.admob.com' 'falkag.net' 'family-offer.com' 'f.as-eu.falkag.net' 'fatcatrewards.com' 'fbcdn-creative-a.akamaihd.net' 'fbfreegifts.com' 'fbi.gov.id402037057-8235504608.d9680.com' 'fcg.casino770.com' 'fdimages.fairfax.com.au' 'feedads.googleadservices.com' 'fei.pro-market.net' 'fe.lea.lycos.es' 'fengfengtie.com.cn' 'fengfengtiecrv.com.cn' 'fengfengtiessp.com.cn' 'fhm.valueclick.net' 'fif49.info' 'file.ipinyou.com.cn' 'files.adbrite.com' 'fin.adbureau.net' 'finance-offer.com' 'finanzmeldungen.com' 'finder.cox.net' 'fixbonus.com' 'fliteilex.com' 'float.2693.bm-impbus.prod.ams1.adnexus.net' 'floatingads.madisonavenue.com' 'floridat.app.ur.gcion.com' 'flower.bg' 'flowers-offer.com' 'fls-na.amazon.com' 'flu23.com' 'fmads.osdn.com' 'fnlpic.com' 'focusbaiduafp.allyes.com' 'focusin.ads.targetnet.com' 'fodder.qq.com' 'fodder.tc.qq.com' 'following-technology.com' 'folloyu.com' 'food-drink-bonuspath.com' 'food-drink-rewardpath.com' 'foodmixeroffer.com' 'food-offer.com' 'foreignpolicy.advertserve.com' 'forgotten-deals.com' 'foroushi.net' 'fp.uclo.net' 'fp.valueclick.com' 'f.qstatic.com' 'freebiegb.co.uk' 'freecameraonus.com' 'freecameraprovider.com' 'freecamerasource.com' 'freecamerauk.co.uk' 'freecamsexposed.com' 'freecoolgift.com' 'freedesignerhandbagreviews.com' 'freedinnersource.com' 'freedvddept.com' 'freeelectronicscenter.com' 'freeelectronicsdepot.com' 'freeelectronicsonus.com' 'freeelectronicssource.com' 'freeentertainmentsource.com' 'freefoodprovider.com' 'freefoodsource.com' 'freefuelcard.com' 'freefuelcoupon.com' 'freegasonus.com' 'freegasprovider.com' 'free-gift-cards-now.com' 'freegiftcardsource.com' 'freegiftreward.com' 'free-gifts-comp.com' 'free.hotsocialz.com' 'freeipodnanouk.co.uk' 'freeipoduk.com' 'freeipoduk.co.uk' 'freelaptopgift.com' 'freelaptopnation.com' 'free-laptop-reward.com' 'freelaptopreward.com' 'freelaptopwebsites.com' 'freenation.com' 'freeoffers-toys.com' 'freepayasyougotopupuk.co.uk' 'freeplasmanation.com' 'freerestaurantprovider.com' 'freerestaurantsource.com' 'free-rewards.com-s.tv' 'freeshoppingprovider.com' 'freeshoppingsource.com' 'freevideodownloadforpc.com' 'frontend-loadbalancer.meteorsolutions.com' 'functional-business.com' 'fvid.atm.youku.com' 'fwdservice.com' 'fw.qq.com' 'g1.idg.pl' 'g3t4d5.madison.com' 'g4p.grt02.com' 'gadgeteer.pdamart.com' 'g.admob.com' 'g.adnxs.com' 'gameconsolerewards.com' 'games-toys-bonuspath.com' 'games-toys-free.com' 'games-toys-rewardpath.com' 'gar-tech.com' 'gate.hyperpaysys.com' 'gavzad.keenspot.com' 'gazetteextra.advertserve.com' 'gbp.ebayadvertising.triadretail.net' 'gcads.osdn.com' 'gcdn.2mdn.net' 'gc.gcl.ru' 'gcir.gannett-tv.com' 'gcirm2.indystar.com' 'gcirm.argusleader.com' 'gcirm.argusleader.gcion.com' 'gcirm.battlecreekenquirer.com' 'gcirm.burlingtonfreepress.com' 'gcirm.centralohio.com' 'gcirm.centralohio.gcion.com' 'gcirm.cincinnati.com' 'gcirm.citizen-times.com' 'gcirm.clarionledger.com' 'gcirm.coloradoan.com' 'gcirm.courier-journal.com' 'gcirm.courierpostonline.com' 'gcirm.customcoupon.com' 'gcirm.dailyrecord.com' 'gcirm.delawareonline.com' 'gcirm.democratandchronicle.com' 'gcirm.desmoinesregister.com' 'gcirm.detnews.com' 'gcirm.dmp.gcion.com' 'gcirm.dmregister.com' 'gcirm.dnj.com' 'gcirm.flatoday.com' 'gcirm.gannettnetwork.com' 'gcirm.gannett-tv.com' 'gcirm.greatfallstribune.com' 'gcirm.greenvilleonline.com' 'gcirm.greenvilleonline.gcion.com' 'gcirm.honoluluadvertiser.gcion.com' 'gcirm.idahostatesman.com' 'gcirm.idehostatesman.com' 'gcirm.indystar.com' 'gcirm.injersey.com' 'gcirm.jacksonsun.com' 'gcirm.laregionalonline.com' 'gcirm.lsj.com' 'gcirm.montgomeryadvertiser.com' 'gcirm.muskogeephoenix.com' 'gcirm.newsleader.com' 'gcirm.news-press.com' 'gcirm.ozarksnow.com' 'gcirm.pensacolanewsjournal.com' 'gcirm.press-citizen.com' 'gcirm.pressconnects.com' 'gcirm.rgj.com' 'gcirm.sctimes.com' 'gcirm.stargazette.com' 'gcirm.statesmanjournal.com' 'gcirm.tallahassee.com' 'gcirm.tennessean.com' 'gcirm.thedailyjournal.com' 'gcirm.thedesertsun.com' 'gcirm.theithacajournal.com' 'gcirm.thejournalnews.com' 'gcirm.theolympian.com' 'gcirm.thespectrum.com' 'gcirm.tucson.com' 'gcirm.wisinfo.com' 'gde.adocean.pl' 'gdeee.hit.gemius.pl' 'gdelt.hit.gemius.pl' 'gdyn.cnngo.com' 'gdyn.trutv.com' 'ge-0-0-1-edge1.sc9.admob.com' 'ge-0-0-43-crs1.sc9.admob.com' 'gemius.pl' 'gem.pl' 'geoads.osdn.com' 'geoloc11.geovisite.com' 'geopolice.com' 'geo.precisionclick.com' 'geoweb.e-kolay.net' 'getacool100.com' 'getacool500.com' 'getacoollaptop.com' 'getacooltv.com' 'getafreeiphone.org' 'getagiftonline.com' 'getmyfreebabystuff.com' 'getmyfreegear.com' 'getmyfreegiftcard.com' 'getmyfreelaptop.com' 'getmyfreelaptophere.com' 'getmyfreeplasma.com' 'getmylaptopfree.com' 'getmynumber.net' 'getmyplasmatv.com' 'getspecialgifts.com' 'getyour5kcredits0.blogspot.com' 'getyourfreecomputer.com' 'getyourfreetv.com' 'getyourgiftnow2.blogspot.com' 'getyourgiftnow3.blogspot.com' 'gezinti.com' 'gg.adocean.pl' 'ghalibaft.com' 'ghmtr.hit.gemius.pl' 'giftcardchallenge.com' 'giftcardsurveys.us.com' 'giftrewardzone.com' 'gifts-flowers-rewardpath.com' 'gimg.baidu.com' 'gimmethatreward.com' 'gingert.net' 'global.msmtrakk03a.com' 'globalnetworkanalys.com' 'global-promotions.internationalredirects.com' 'globalwebads.com' 'gm.preferences.com' 'go2.hit.gemius.pl' 'go.adee.bbelements.com' 'go.adlv.bbelements.com' 'go.adnet.bbelements.com' 'go.arbo.bbelements.com' 'go.arboru.bbelements.com' 'goautofinance.com' 'go.bb007.bbelements.com' 'go-free-gifts.com' 'gofreegifts.com' 'go.ihned.bbelements.com' 'go.intact.bbelements.com' 'goldadpremium.com' 'go.lfstmedia.com' 'go.lotech.bbelements.com' 'goodbizez.com' 'goodbookbook.com' 'goodsblock.marketgid.com' 'goody-garage.com' 'go.pl.bbelements.com' 'go.spaceshipads.com' 'got2goshop.com' 'goto.trafficmultiplier.com' 'gozatar.com' 'grabbit-rabbit.com' 'graphics.adultfriendfinder.com' 'gratkapl.adocean.pl' 'gravitron.chron.com' 'greasypalm.com' 'grfx.mp3.com' 'groupm.com' 'groupon.pl' 'grz67.com' 'gs1.idsales.co.uk' 'gserv.cneteu.net' 'guanjia.baidu.com' 'gug.ku6cdn.com' 'guiaconsumidor.com' 'guide2poker.com' 'gumpolice.com' 'guptamedianetwork.com' 'guru.sitescout.netdna-cdn.com' 'gwallet.com' 'gx-in-f109.1e100.net' 'hadik.info' 'h.admob.com' 'h-afnetwww.adshuffle.com' 'halfords.ukrpts.net' 'haouzy.info' 'happydiscountspecials.com' 'harvest176.adgardener.com' 'harvest284.adgardener.com' 'harvest285.adgardener.com' 'harvest.adgardener.com' 'hathor.eztonez.com' 'havakhosh.com' 'haynet.adbureau.net' 'hbads.eboz.com' 'hbadz.eboz.com' 'hc.baidu.com' 'healthbeautyncs.com' 'health-beauty-rewardpath.com' 'health-beauty-savingblvd.com' 'healthclicks.co.uk' 'hebdotop.com' 'help.adtech.de' 'help.adtech.fr' 'help.adtech.us' 'helpint.mywebsearch.com' 'hermes.airad.com' 'hightrafficads.com' 'himediads.com' 'histats.com' 'hit.8digits.com' 'hlcc.ca' 'hm.baidu.com' 'hm.l.qq.com' 'holiday-gift-offers.com' 'holidayproductpromo.com' 'holidayshoppingrewards.com' 'home4bizstart.ru' 'homeelectronicproducts.com' 'home-garden-premiumblvd.com' 'home-garden-rewardempire.com' 'home-garden-rewardpath.com' 'homeimprovementonus.com' 'honarkhabar.com' 'honarkhaneh.net' 'honolulu.app.ur.gcion.com' 'hooqy.com' 'host207.ewtn.com' 'hostedaje14.thruport.com' 'hotbar.dgndesign.com' 'hot-daily-deal.com' 'hotgiftzone.com' 'hot-product-hangout.com' 'housedman.com' 'hpad.www.infoseek.co.jp' 'htmlads.ru' 'html.atm.youku.com' 'html.centralmediaserver.com' 'htmlwww.youfck.com' 'httpads.com' 'httpring.qq.com' 'httpwwwadserver.com' 'huis.istats.nl' 'huiwiw.hit.gemius.pl' 'huntingtonbank.tt.omtrdc.net' 'huomdgde.adocean.pl' 'hyperion.adtech.de' 'hyperion.adtech.fr' 'hyperion.adtech.us' 'i1.teaser-goods.ru' 'iacas.adbureau.net' 'iad.anm.co.uk' 'iadc.qwapi.com' 'i.admob.com' 'ialaddin.genieesspv.jp' 'ibis.lgappstv.com' 'icanoptout.com' 'icon.clickthru.net' 'id11938.luxup.ru' 'id5576.al21.luxup.ru' 'idearc.tt.omtrdc.net' 'iebar.baidu.com' 'ieee.adbureau.net' 'if.bbanner.it' 'iftarvakitleri.net' 'ih2.gamecopyworld.com' 'i.hotkeys.com' 'i.interia.pl' 'ikcode.baidu.com' 'i.laih.com' 'ilovemobi.com' 'imageads.canoe.ca' 'image.click.livedoor.com' 'image.linkexchange.com' 'images2.laih.com' 'images3.linkwithin.com' 'images.blogads.com' 'images.bluetime.com' 'images-cdn.azoogleads.com' 'images.clickfinders.com' 'images.conduit-banners.com' 'images.emapadserver.com' 'imageserv.adtech.fr' 'imageserv.adtech.us' 'imageserver1.thruport.com' 'images.jambocast.com' 'images.linkwithin.com' 'images.mbuyu.nl' 'images.netcomvad.com' 'images.newsx.cc' 'images.people2people.com' 'images.persgroepadvertising.be' 'images.sohu.com' 'images.steamray.com' 'images.trafficmp.com' 'imarker.com' 'imarker.ru' 'imc.l.qq.com' 'i.media.cz' 'img0.ru.redtram.com' 'img1.ru.redtram.com' 'img4.cdn.adjuggler.com' 'img-a2.ak.imagevz.net' 'img-cdn.mediaplex.com' 'imgg.dt00.net' 'imgg.mgid.com' 'img.layer-ads.de' 'img.marketgid.com' 'imgn.dt07.com' 'img.sn00.net' 'img.soulmate.com' 'img.xnxx.com' 'im.of.pl' 'impact.cossette-webpact.com' 'imp.adsmogo.com' 'imp.partner2profit.com' 'impressionaffiliate.com' 'impressionaffiliate.mobi' 'impressionlead.com' 'impressionperformance.biz' 'imrkcrv.net' 'imrk.net' 'imserv001.adtech.de' 'imserv001.adtech.fr' 'imserv001.adtech.us' 'imserv002.adtech.de' 'imserv002.adtech.fr' 'imserv002.adtech.us' 'imserv003.adtech.de' 'imserv003.adtech.fr' 'imserv003.adtech.us' 'imserv004.adtech.de' 'imserv004.adtech.fr' 'imserv004.adtech.us' 'imserv005.adtech.de' 'imserv005.adtech.fr' 'imserv005.adtech.us' 'imserv006.adtech.de' 'imserv006.adtech.fr' 'imserv006.adtech.us' 'imserv00x.adtech.de' 'imserv00x.adtech.fr' 'imserv00x.adtech.us' 'imssl01.adtech.de' 'imssl01.adtech.fr' 'imssl01.adtech.us' 'im.xo.pl' 'incentivegateway.com' 'incentiverewardcenter.com' 'incentive-scene.com' 'indpolice.com' 'industry-deals.com' 'infinite-ads.com' 'infos-bourses.com' 'inklineglobal.com' 'inl.adbureau.net' 'inpagevideo.nl' 'input.insights.gravity.com' 'insightexpressai.com' 'insightxe.pittsburghlive.com' 'insightxe.vtsgonline.com' 'ins-offer.com' 'installer.zutrack.com' 'insurance-rewardpath.com' 'intela.com' 'intelliads.com' 'intensedigital.adk2x.com' 'interia.adsearch.adkontekst.pl' 'internet.billboard.cz' 'intnet-offer.com' 'intrack.pl' 'invitefashion.com' 'inv-nets.admixer.net' 'ipacc1.adtech.de' 'ipacc1.adtech.fr' 'ipacc1.adtech.us' 'ipad2free4u.com' 'i.pcp001.com' 'ipdata.adtech.de' 'ipdata.adtech.fr' 'ipdata.adtech.us' 'iq001.adtech.de' 'iq001.adtech.fr' 'iq001.adtech.us' 'i.qitrck.com' 'i.radzolo.com' 'is.casalemedia.com' 'i.securecontactinfo.com' 'isg01.casalemedia.com' 'isg02.casalemedia.com' 'isg03.casalemedia.com' 'isg04.casalemedia.com' 'isg05.casalemedia.com' 'isg06.casalemedia.com' 'isg07.casalemedia.com' 'isg08.casalemedia.com' 'isg09.casalemedia.com' 'islamicmarketing.net' 'i.static.zaplata.bg' 'istockbargains.com' 'itemagic.net' 'itrackerpro.com' 'itsfree123.com' 'iwantmyfreecash.com' 'iwantmy-freelaptop.com' 'iwantmyfree-laptop.com' 'iwantmyfreelaptop.com' 'iwantmygiftcard.com' 'iwstat.tudou.com' 'j.admob.com' 'jambocast.com' 'jb9clfifs6.s.ad6media.fr' 'jcarter.spinbox.net' 'jcrew.tt.omtrdc.net' 'jersey-offer.com' 'jgedads.cjt.net' 'jingjia.qq.com' 'jivox.com' 'jl29jd25sm24mc29.com' 'jmn.jangonetwork.com' 'jobs.nuwerk.monsterboard.nl' 'journal-des-bourses.com' 'js1.bloggerads.net' 'js77.neodatagroup.com' 'js.admngr.com' 'js.betburdaaffiliates.com' 'js.goods.redtram.com' 'js.hotkeys.com' 'js.selectornews.com' 'js.softreklam.com' 'js.zevents.com' 'juggler.inetinteractive.com' 'justwebads.com' 'jxliu.com' 'jzclick.soso.com' 'k5ads.osdn.com' 'kaartenhuis.nl.site-id.nl' 'k.admob.com' 'kansas.valueclick.com' 'katu.adbureau.net' 'kazaa.adserver.co.il' 'kermit.macnn.com' 'kestrel.ospreymedialp.com' 'keys.dmtracker.com' 'keywordblocks.com' 'keywords.adtlgc.com' 'khalto.info' 'kitaramarketplace.com' 'kitaramedia.com' 'kitaratrk.com' 'kithrup.matchlogic.com' 'kixer.com' 'klikk.linkpulse.com' 'klikmoney.net' 'kliks.affiliate4you.nl' 'kliksaya.com' 'klipads.dvlabs.com' 'klipmart.dvlabs.com' 'kmdl101.com' 'knc.lv' 'knight.economist.com' 'kona2.kontera.com' 'kona3.kontera.com' 'kona4.kontera.com' 'kona5.kontera.com' 'kona6.kontera.com' 'kona7.kontera.com' 'kona8.kontera.com' 'kontera.com' 'kos.interseek.si' 'kreaffiliation.com' 'ku6afp.allyes.com' 'ku6.allyes.com' 'kuhdi.com' 'l2.l.qq.com' 'l.5min.com' 'l.admob.com' 'ladyclicks.ru' 'land.purifier.cc' 'lanzar.publicidadweb.com' 'laptopreportcard.com' 'laptoprewards.com' 'laptoprewardsgroup.com' 'laptoprewardszone.com' 'larivieracasino.com' 'lasthr.info' 'lastmeasure.zoy.org' 'latestsearch.website' 'latribune.electronicpromotions2015.com' 'layer-ads.de' 'lb-adserver.ig.com.br' 'ld1.criteo.com' 'ldglob01.adtech.de' 'ldglob01.adtech.fr' 'ldglob01.adtech.us' 'ldglob02.adtech.de' 'ldglob02.adtech.fr' 'ldglob02.adtech.us' 'ldimage01.adtech.de' 'ldimage01.adtech.fr' 'ldimage01.adtech.us' 'ldimage02.adtech.de' 'ldimage02.adtech.fr' 'ldimage02.adtech.us' 'ldserv01.adtech.de' 'ldserv01.adtech.fr' 'ldserv01.adtech.us' 'ldserv02.adtech.de' 'ldserv02.adtech.fr' 'ldserv02.adtech.us' 'le1er.net' 'lead-analytics.nl' 'leader.linkexchange.com' 'leadsynaptic.go2jump.org' 'learning-offer.com' 'legal-rewardpath.com' 'leisure-offer.com' 'letsfinder.com' 'letssearch.com' 'lg.brandreachsys.com' 'liberty.gedads.com' 'ligtv.kokteyl.com' 'link2me.ru' 'link4ads.com' 'linktracker.angelfire.com' 'linuxpark.adtech.de' 'linuxpark.adtech.fr' 'linuxpark.adtech.us' 'liones.nl' 'liquidad.narrowcastmedia.com' 'listennewsnetwork.com' 'livingnet.adtech.de' 'lnads.osdn.com' 'load.focalex.com' 'loading321.com' 'local.promoisland.net' 'logc252.xiti.com' 'logger.virgul.com' 'login.linkpulse.com' 'logs.spilgames.com' 'looksmartcollect.247realmedia.com' 'louisvil.app.ur.gcion.com' 'louisvil.ur.gcion.com' 'lp1.linkpulse.com' 'lp4.linkpulse.com' 'lpcloudsvr405.com' 'lp.empire.goodgamestudios.com' 'lp.jeux-lk.com' 'l.qq.com' 'lsassoc.com' 'l-sspcash.adxcore.com' 'lstat.youku.com' 'lt.andomedia.com' 'lt.angelfire.com' 'lucky-day-uk.com' 'luxpolice.com' 'luxpolice.net' 'lw1.gamecopyworld.com' 'lw2.gamecopyworld.com' 'lycos.247realmedia.com' 'm1.emea.2mdn.net' 'm1.emea.2mdn.net.edgesuite.net' 'm2.media-box.co' 'm2.sexgarantie.nl' 'm3.2mdn.net' 'm4.afs.googleadservices.com' 'm4ymh0220.tech' 'ma.baidu.com' 'macaddictads.snv.futurenet.com' 'macads.net' 'mackeeperapp1.zeobit.com' 'mackeeperapp2.mackeeper.com' 'mackeeperapp3.mackeeper.com' 'mackeeperapp.mackeeper.com' 'mac.system-alert1.com' 'madadsmedia.com' 'm.adbridge.de' 'm.admob.com' 'mads.aol.com' 'mail.radar.imgsmail.ru' 'main.vodonet.net' 'manage001.adtech.de' 'manage001.adtech.fr' 'manage001.adtech.us' 'manager.rovion.com' 'mangler10.generals.ea.com' 'mangler1.generals.ea.com' 'mangler2.generals.ea.com' 'mangler3.generals.ea.com' 'mangler4.generals.ea.com' 'mangler5.generals.ea.com' 'mangler6.generals.ea.com' 'mangler7.generals.ea.com' 'mangler8.generals.ea.com' 'mangler9.generals.ea.com' 'manuel.theonion.com' 'marketing.hearstmagazines.nl' 'marketing-rewardpath.com' 'marketwatch.com.edgesuite.net' 'marriottinternationa.tt.omtrdc.net' 'mashinkhabar.com' 'mastertracks.be' 'matrix.mediavantage.de' 'maxadserver.corusradionetwork.com' 'maxbounty.com' 'maximumpcads.imaginemedia.com' 'maxmedia.sgaonline.com' 'maxserving.com' 'mb01.com' 'mbox2.offermatica.com' 'mcfg.sandai.net' 'mcopolice.com' 'mds.centrport.net' 'media10.popmarker.com' 'media1.popmarker.com' 'media2021.videostrip.com' 'media2.adshuffle.com' 'media2.legacy.com' 'media2.popmarker.com' 'media3.popmarker.com' 'media4021.videostrip.com' 'media4.popmarker.com' 'media5021.videostrip.com' 'media5.popmarker.com' 'media6021.videostrip.com' 'media6.popmarker.com' 'media6.sitebrand.com' 'media7.popmarker.com' 'media.888.com' 'media8.popmarker.com' 'media9.popmarker.com' 'media.adcentriconline.com' 'media.adrcdn.com' 'media.adrime.com' 'media.adshadow.net' 'media.betburdaaffiliates.com' 'media.bonnint.net' 'media.boomads.com' 'mediacharger.com' 'media.charter.com' 'media.elb-kind.de' 'media.espace-plus.net' 'media.fairlink.ru' 'media-fire.org' 'mediafr.247realmedia.com' 'media.funpic.de' 'medialand.relax.ru' 'media.naked.com' 'media.nk-net.pl' 'media.ontarionorth.com' 'media.popmarker.com' 'media.popuptraffic.com' 'mediapst.adbureau.net' 'mediapst-images.adbureau.net' 'mediative.ca' 'mediative.com' 'mediauk.247realmedia.com' 'mediaupdate41.com' 'media.viwii.net' 'media.xxxnavy.com' 'medical-offer.com' 'medical-rewardpath.com' 'medusa.reklamlab.com' 'medya.e-kolay.net' 'meevehdar.com' 'megapanel.gem.pl' 'melding-technology.com' 'mercury.bravenet.com' 'messagent.duvalguillaume.com' 'messagent.sanomadigital.nl' 'messagia.adcentric.proximi-t.com' 'metaapi.bulletproofserving.com' 'metrics.ikea.com' 'metrics.natmags.co.uk' 'metrics.sfr.fr' 'metrics.target.com' 'mexico-mmm.net' 'm.fr.2mdn.net' 'mgid.com' 'mhlnk.com' 'micraamber.net' 'microsof.wemfbox.ch' 'mightymagoo.com' 'mii-image.adjuggler.com' 'milyondolar.com' 'mimageads1.googleadservices.com' 'mimageads2.googleadservices.com' 'mimageads3.googleadservices.com' 'mimageads4.googleadservices.com' 'mimageads5.googleadservices.com' 'mimageads6.googleadservices.com' 'mimageads7.googleadservices.com' 'mimageads8.googleadservices.com' 'mimageads9.googleadservices.com' 'mimageads.googleadservices.com' 'mimicrice.com' 'mini.videostrip.com' 'mirror.pointroll.com' 'mjxads.internet.com' 'mklik.gazeta.pl' 'mktg-offer.com' 'mlntracker.com' 'mm1.vip.sc1.admob.com' 'mm.admob.com' 'mmv.admob.com' 'mobileanalytics.us-east-1.amazonaws.com' 'mobileanalytics.us-east-2.amazonaws.com' 'mobileanalytics.us-west-1.amazonaws.com' 'mobileanalytics.us-west-2.amazonaws.com' 'mobscan.info' 'mobularity.com' 'mochibot.com' 'mojofarm.mediaplex.com' 'moneybot.net' 'moneyraid.com' 'monster-ads.net' 'monstersandcritics.advertserve.com' 'moodoo.com.cn' 'moodoocrv.com.cn' 'm.openv.tv' 'morefreecamsecrets.com' 'morevisits.info' 'movieads.imgs.sapo.pt' 'mp3playersource.com' 'mpartner.googleadservices.com' 'm.pl.pornzone.tv' 'mp.tscapeplay.com' 'mpv.sandai.net' 'mr4evmd0r1.s.ad6media.fr' 'msn.allyes.com' 'msnbe-hp.metriweb.be' 'msn-cdn.effectivemeasure.net' 'msnsearch.srv.girafa.com' 'msn.tns-cs.net' 'msn.uvwbox.de' 'msn.wrating.com' 'ms.yandex.ru' 'mu-in-f167.1e100.net' 'm.uk.2mdn.net' 'multi.xnxx.com' 'mvonline.com' 'my2.hizliizlefilm.net' 'my2.teknoter.com' 'myasiantv.gsspcln.jp' 'mycashback.co.uk' 'my-cash-bot.co' 'mycelloffer.com' 'mychoicerewards.com' 'myclicknet.ro' 'myclicknet.romtelecom.ro' 'myexclusiverewards.com' 'myfreedinner.com' 'myfreegifts.co.uk' 'myfreemp3player.com' 'mygiftcardcenter.com' 'mygiftresource.com' 'mygreatrewards.com' 'myhousetechnews.com' 'myoffertracking.com' 'my-reward-channel.com' 'my-rewardsvault.com' 'myseostats.com' 'my.trgino.com' 'myusersonline.com' 'myyearbookdigital.checkm8.com' 'n01d05.cumulus-cloud.com' 'n4g.us.intellitxt.com' 'n.admob.com' 'nanocluster.reklamz.com' 'nationalissuepanel.com' 'nationalpost.adperfect.com' 'nationalsurveypanel.com' 'nbads.com' 'nbc.adbureau.net' 'nb.netbreak.com.au' 'nc.ru.redtram.com' 'nctracking.com' 'nd1.gamecopyworld.com' 'nearbyad.com' 'needadvertising.com' 'neirong.baidu.com' 'netads.hotwired.com' 'netadsrv.iworld.com' 'netads.sohu.com' 'netpalnow.com' 'netshelter.adtrix.com' 'netsponsors.com' 'networkads.net' 'network-ca.247realmedia.com' 'network.realmedia.com' 'network.realtechnetwork.net' 'newads.cmpnet.com' 'new-ads.eurogamer.net' 'newbs.hutz.co.il' 'newclk.com' 'newip427.changeip.net' 'newjunk4u.com' 'news6health.com' 'newsblock.marketgid.com' 'news-finances.com' 'new.smartcontext.pl' 'newssourceoftoday.com' 'newsterminalvelocity.com' 'newt1.adultworld.com' 'ngads.smartage.com' 'ng.virgul.com' 'nickleplatedads.com' 'nitrous.exitfuel.com' 'nitrous.internetfuel.com' 'nivendas.net' 'nkcache.brandreachsys.com' 'nospartenaires.com' 'nothing-but-value.com' 'noticiasftpsrv.com' 'novafinanza.com' 'novem.onet.pl' 'nowruzbakher.com' 'nrads.1host.co.il' 'nrkno.linkpulse.com' 'ns1.lalibco.com' 'ns1.primeinteractive.net' 'ns2.hitbox.com' 'ns2.lalibco.com' 'ns2.primeinteractive.net' 'nsads4.us.publicus.com' 'nsads.hotwired.com' 'nsads.us.publicus.com' 'nsclick.baidu.com' 'nspmotion.com' 'nstat.tudou.com' 'ns-vip1.hitbox.com' 'ns-vip2.hitbox.com' 'ns-vip3.hitbox.com' 'ntbanner.digitalriver.com' 'nuwerk.monsterboard.nl' 'nx-adv0005.247realmedia.com' 'nxs.kidcolez.cn' 'nxtscrn.adbureau.net' 'nysubwayoffer.com' 'nytadvertising.nytimes.com' 'o0.winfuture.de' 'o1.qnsr.com' 'o.admob.com' 'oads.cracked.com' 'oamsrhads.us.publicus.com' 'oas-1.rmuk.co.uk' 'oasads.whitepages.com' 'oasc02.247realmedia.com' 'oasc03.247realmedia.com' 'oasc04.247.realmedia.com' 'oasc05050.247realmedia.com' 'oasc16.247realmedia.com' 'oascenral.phoenixnewtimes.com' 'oascentral.videodome.com' 'oas.dn.se' 'oas-eu.247realmedia.com' 'oas.heise.de' 'oasis2.advfn.com' 'oasis.nysun.com' 'oasis.promon.cz' 'oasis.zmh.zope.com' 'oasis.zmh.zope.net' 'oasn03.247realmedia.com' 'oassis.zmh.zope.com' 'objects.abcvisiteurs.com' 'objects.designbloxlive.com' 'obozua.adocean.pl' 'observer.advertserve.com' 'obs.nnm2.ru' 'ocdn.adsterra.com' 'ocslab.com' 'offer.alibaba.com' 'offerfactory.click' 'offers.bycontext.com' 'offers.impower.com' 'offertrakking.info' 'offertunity.click' 'offerx.co.uk' 'oidiscover.com' 'oimsgad.qq.com' 'oinadserve.com' 'oix0.net' 'oix1.net' 'oix2.net' 'oix3.net' 'oix4.net' 'oix5.net' 'oix6.net' 'oix7.net' 'oix8.net' 'oix9.net' 'oixchina.com' 'oixcrv-rubyem.net' 'oixcrv-rubytest.net' 'oix-rubyem.net' 'oix-rubytest.net' 'oixssp-rubyem.net' 'old-darkroast.adknowledge.com' 'ometrics.warnerbros.com' 'online1.webcams.com' 'onlineads.magicvalley.com' 'onlinebestoffers.net' 'onocollect.247realmedia.com' 'open.4info.net' 'openad.infobel.com' 'openads.dimcab.com' 'openads.nightlifemagazine.ca' 'openads.smithmag.net' 'openads.zeads.com' 'openad.travelnow.com' 'opencandy.com' 'openload.info' 'opentable.tt.omtrdc.net' 'openx2.fotoflexer.com' 'openx.adfactor.nl' 'openx.coolconcepts.nl' 'openx.shinyads.com' 'openx.xenium.pl' 'openxxx.viragemedia.com' 'optimizedby.openx.com' 'optimzedby.rmxads.com' 'orange.fr-enqueteannuelle.xyz' 'orange.fr-enqueteofficielle2015.xyz' 'orange.fr-enqueteofficielle.online' 'orange.fr-felicitations.xyz' 'orange.fr-votre-opinion.xyz' 'orange.fr-votreopinion.xyz' 'orange.weborama.fr' 'ordie.adbureau.net' 'orientaltrading.com' 'origin.chron.com' 'ortaklik.mynet.com' 'outils.yesmessenger.com' 'overflow.adsoftware.com' 'overstock.tt.omtrdc.net' 'ox-d.hbr.org' 'ox-d.hulkshare.com' 'ox-d.zenoviagroup.com' 'ox-i.zenoviagroup.com' 'ozonemedia.adbureau.net' 'oz.valueclick.com' 'oz.valueclick.ne.jp' 'p0rnuha.com' 'p1.adhitzads.com' 'p2.l.qq.com' 'p3p.alibaba.com' 'p3p.mmstat.com' 'p4psearch.china.alibaba.com' 'pagead3.googlesyndication.com' 'pagesense.com' 'pages.etology.com' 'pagespeed.report.qq.com' 'paid.outbrain.com' 'paix1.sc1.admob.com' 'pakpolice.com' 'panel.adtify.pl' 'paperg.com' 'parskabab.com' 'partner01.oingo.com' 'partner02.oingo.com' 'partner03.oingo.com' 'partner.ah-ha.com' 'partner.ceneo.pl' 'partner.join.com.ua' 'partner.magna.ru' 'partner.pobieraczek.pl' 'partnerprogramma.bol.com' 'partners1.stacksocial.com' 'partners2.stacksocial.com' 'partners3.stacksocial.com' 'partners4.stacksocial.com' 'partners5.stacksocial.com' 'partners.salesforce.com' 'partners.sprintrade.com' 'partner-ts.groupon.be' 'partner-ts.groupon.com' 'partner-ts.groupon.co.uk' 'partner-ts.groupon.de' 'partner-ts.groupon.fr' 'partner-ts.groupon.net' 'partner-ts.groupon.nl' 'partner-ts.groupon.pl' 'partner.wapacz.pl' 'partner.wapster.pl' 'partnerwebsites.mistermedia.nl' 'pathforpoints.com' 'pb.tynt.com' 'pcads.ru' 'pc-gizmos-ssl.com' 'people-choice-sites.com' 'persgroepadvertising.nl' 'personalcare-offer.com' 'personalcashbailout.com' 'pg2.solution.weborama.fr' 'ph-ad01.focalink.com' 'ph-ad02.focalink.com' 'ph-ad03.focalink.com' 'ph-ad04.focalink.com' 'ph-ad05.focalink.com' 'ph-ad06.focalink.com' 'ph-ad07.focalink.com' 'ph-ad08.focalink.com' 'ph-ad09.focalink.com' 'ph-ad10.focalink.com' 'ph-ad11.focalink.com' 'ph-ad12.focalink.com' 'ph-ad13.focalink.com' 'ph-ad14.focalink.com' 'ph-ad15.focalink.com' 'ph-ad16.focalink.com' 'ph-ad17.focalink.com' 'ph-ad18.focalink.com' 'ph-ad19.focalink.com' 'ph-ad20.focalink.com' 'ph-ad21.focalink.com' 'phlpolice.com' 'phoenixads.co.in' 'phoneysoap.com' 'phormstandards.com' 'photos0.pop6.com' 'photos1.pop6.com' 'photos2.pop6.com' 'photos3.pop6.com' 'photos4.pop6.com' 'photos5.pop6.com' 'photos6.pop6.com' 'photos7.pop6.com' 'photos8.pop6.com' 'photos.daily-deals.analoganalytics.com' 'photos.pop6.com' 'phpads.astalavista.us' 'phpads.cnpapers.com' 'phpads.flipcorp.com' 'phpads.foundrymusic.com' 'phpads.i-merge.net' 'phpads.macbidouille.com' 'phpadsnew.gamefolk.de' 'php.fark.com' 'pic.casee.cn' 'pick-savings.com' 'p.ic.tynt.com' 'pingfore.qq.com' 'pingfore.soso.com' 'pink.habralab.ru' 'pix521.adtech.de' 'pix521.adtech.fr' 'pix521.adtech.us' 'pix522.adtech.de' 'pix522.adtech.fr' 'pix522.adtech.us' 'pix.revsci.net' 'pl.ads.justpremium.com' 'plasmatv4free.com' 'plasmatvreward.com' 'platads.com' 'playinvaders.com' 'playlink.pl' 'playtime.tubemogul.com' 'play.traffpartners.com' 'pl.bbelements.com' 'p.l.qq.com' 'pl.spanel.gem.pl' 'pmelon.com' 'pmstrk.mercadolivre.com.br' 'pm.w55c.net' 'pntm.adbureau.net' 'pntm-images.adbureau.net' 'pol.bbelements.com' 'pole.6rooms.com' 'politicalopinionsurvey.com' 'pool.admedo.com' 'pool-roularta.adhese.com' 'popclick.net' 'popunder.loading-delivery1.com' 'popunder.paypopup.com' 'popupclick.ru' 'popupdomination.com' 'popup.matchmaker.com' 'popups.ad-logics.com' 'popups.infostart.com' 'popup.softreklam.com' 'popup.taboola.com' 'pos.baidu.com' 'posed2shade.com' 'poster-op2joygames.me' 'postmasterdirect.com' 'post.rmbn.ru' 'pp2.pptv.com' 'pp.free.fr' 'p.profistats.net' 'p.publico.es' 'pq.stat.ku6.com' 'premium.ascensionweb.com' 'premiumholidayoffers.com' 'premiumproductsonline.com' 'premium-reward-club.com' 'prexyone.appspot.com' 'primetime.ad.primetime.net' 'privitize.com' 'prizes.co.uk' 'productopinionpanel.com' 'productresearchpanel.com' 'producttestpanel.com' 'profile.uproxx.com' 'pro.letv.com' 'promo.easy-dating.org' 'promo.mes-meilleurs-films.fr' 'promo.mobile.de' 'promo.streaming-illimite.net' 'promote-bz.net' 'promotion.partnercash.com' 'protection.alpolice.com' 'protection.aspolice.com' 'protection.aupolice.com' 'protection.azpolice.com' 'protection.bspolice.com' 'protection.btpolice.com' 'protection.bypolice.com' 'protection.capolice.com' 'protection.ccpolice.com' 'protection.dkpolice.com' 'protection.espolice.com' 'protection.frpolice.com' 'protection.fxpolice.com' 'protection.gapolice.com' 'protection.grpolice.com' 'protection.hkpolice.com' 'protection.hnpolice.com' 'protection.idpolice.com' 'protection.ilpolice.com' 'protection.iqpolice.com' 'protection.itpolice.com' 'protection.itpolice.net' 'protection.jmpolice.com' 'protection.kppolice.com' 'protection.kypolice.com' 'protection.lapolice.com' 'protection.lapolice.net' 'protection.lbpolice.com' 'protection.lcpolice.com' 'protection.lipolice.com' 'protection.lrpolice.com' 'protection.lspolice.com' 'protection.lvpolice.com' 'protection.mapolice.com' 'protection.mcpolice.com' 'protection.mdpolice.com' 'protection.mepolice.com' 'protection.mnpolice.com' 'protection.mopolice.com' 'protection.mspolice.net' 'protection.napolice.com' 'protection.napolice.net' 'protection.ncpolice.com' 'protection.nzpolice.com' 'protection.papolice.com' 'protection.pfpolice.com' 'protection.pgpolice.com' 'protection.phpolice.com' 'protection.pkpolice.com' 'protection.prpolice.com' 'protection.ptpolice.com' 'protection.sbpolice.com' 'protection.scpolice.com' 'protection.sdpolice.com' 'protection.sipolice.com' 'protection.skpolice.com' 'protection.stpolice.com' 'protection.tkpolice.com' 'protection.tnpolice.com' 'protection.topolice.com' 'protection.vapolice.com' 'protection.vipolice.com' 'proximityads.flipcorp.com' 'proxy.blogads.com' 'pr.ydp.yahoo.com' 'pstatic.datafastguru.info' 'pt21na.com' 'ptrads.mp3.com' 'ptreklam.com' 'ptreklam.com.tr' 'ptreklamcrv.com' 'ptreklamcrv.com.tr' 'ptreklamcrv.net' 'ptreklam.net' 'ptreklamssp.com' 'ptreklamssp.com.tr' 'ptreklamssp.net' 'pt.trafficjunky.net' 'pubdirecte.com' 'pubimgs.sapo.pt' 'publiads.com' 'publicidades.redtotalonline.com' 'publicis.adcentriconline.com' 'publish.bonzaii.no' 'publishers.adscholar.com' 'publishers.bidtraffic.com' 'publishers.brokertraffic.com' 'publishing.kalooga.com' 'pubshop.img.uol.com.br' 'pub.web.sapo.io' 'purgecolon.net' 'purryowl.com' 'px10.net' 'q.admob.com' 'q.b.h.cltomedia.info' 'qip.magna.ru' 'qqlogo.qq.com' 'qring-tms.qq.com' 'qss-client.qq.com' 'quickbrowsersearch.com' 'quickupdateserv.com' 'quik-serv.com' 'r1-ads.ace.advertising.com' 'r2.adwo.com' 'r.ace.advertising.com' 'radaronline.advertserve.com' 'rad.live.com' 'r.admob.com' 'rad.msn.com' 'rads.stackoverflow.com' 'rampagegramar.com' 'randevumads.com' 'rapidlyserv.com' 'ravel-rewardpath.com' 'rb.burstway.com' 'rb.newsru.com' 'rbqip.pochta.ru' 'rc.asci.freenet.de' 'rccl.bridgetrack.com' 'rcdna.gwallet.com' 'r.chitika.net' 'rc.hotkeys.com' 'rcm-it.amazon.it' 'rc.wl.webads.nl' 'r.domob.cn' 'rdsa2012.com' 'realads.realmedia.com' 'realgfsbucks.com' 'realmedia-a800.d4p.net' 'realmedia.advance.net' 'record.commissionlounge.com' 'recreation-leisure-rewardpath.com' 'red01.as-eu.falkag.net' 'red01.as-us.falkag.net' 'red02.as-eu.falkag.net' 'red02.as-us.falkag.net' 'red03.as-eu.falkag.net' 'red03.as-us.falkag.net' 'red04.as-eu.falkag.net' 'red04.as-us.falkag.net' 'red.as-eu.falkag.net' 'red.as-us.falkag.net' 'redherring.ngadcenter.net' 'redirect.click2net.com' 'redirect.hotkeys.com' 're.directrev.com' 'redirect.xmlheads.com' 'reg.coolsavings.com' 'regflow.com' 'regie.espace-plus.net' 'register.cinematrix.net' 'rehabretie.com' 'rek2.tascatlasa.com' 'reklam-1.com' 'reklam.arabul.com' 'reklam.ebiuniverse.com' 'reklam.memurlar.net' 'reklam.milliyet.com.tr' 'reklam.misli.com' 'reklam.mynet.com' 'reklam-one.com' 'reklam.softreklam.com' 'reklam.star.com.tr' 'reklam.vogel.com.tr' 'reklam.yonlendir.com' 'reklamy.sfd.pl' 're.kontera.com' 'report02.adtech.de' 'report02.adtech.fr' 'report02.adtech.us' 'reporter001.adtech.de' 'reporter001.adtech.fr' 'reporter001.adtech.us' 'reporter.adtech.de' 'reporter.adtech.fr' 'reporter.adtech.us' 'reportimage.adtech.de' 'reportimage.adtech.fr' 'reportimage.adtech.us' 'req.adsmogo.com' 'resolvingserver.com' 'restaurantcom.tt.omtrdc.net' 'reverso.refr.adgtw.orangeads.fr' 'revsci.net' 'rewardblvd.com' 'rewardhotspot.com' 'rewardsflow.com' 'rh.qq.com' 'rich.qq.com' 'ridepush.com' 'ringtonepartner.com' 'r.ligatus.com' 'rmbn.ru' 'rmm1u.checkm8.com' 'rms.admeta.com' 'ro.bbelements.com' 'romepartners.com' 'roosevelt.gjbig.com' 'rosettastone.tt.omtrdc.net' 'roshanavar.com' 'rotate.infowars.com' 'rotator.juggler.inetinteractive.com' 'rotobanner468.utro.ru' 'rovion.com' 'row-advil.waze.com' 'rpc.trafficfactory.biz' 'r.reklama.biz' 'rs1.qq.com' 'rs2.qq.com' 'rscounter10.com' 'rsense-ad.realclick.co.kr' 'rss.buysellads.com' 'rt2.infolinks.com' 'rtb10.adscience.nl' 'rtb11.adscience.nl' 'rtb12.adscience.nl' 'rtb13.adscience.nl' 'rtb14.adscience.nl' 'rtb15.adscience.nl' 'rtb16.adscience.nl' 'rtb17.adscience.nl' 'rtb18.adscience.nl' 'rtb19.adscience.nl' 'rtb1.adscience.nl' 'rtb20.adscience.nl' 'rtb21.adscience.nl' 'rtb22.adscience.nl' 'rtb23.adscience.nl' 'rtb24.adscience.nl' 'rtb25.adscience.nl' 'rtb26.adscience.nl' 'rtb27.adscience.nl' 'rtb28.adscience.nl' 'rtb29.adscience.nl' 'rtb2.adscience.nl' 'rtb30.adscience.nl' 'rtb3.adscience.nl' 'rtb4.adscience.nl' 'rtb5.adscience.nl' 'rtb6.adscience.nl' 'rtb7.adscience.nl' 'rtb8.adscience.nl' 'rtb9.adscience.nl' 'rtb-lb-event-sjc.tubemogul.com' 'rtb.pclick.yahoo.com' 'rts.sparkstudios.com' 'rt.visilabs.com' 'ru4.com' 'ru.bbelements.com' 'rubi4edit.com' 'rubiccrum.com' 'rubriccrumb.com' 'rubyfortune.com' 'rubylan.net' 'rubytag.net' 'ru.redtram.com' 'ruspolice.com' 'ruspolice.net' 'russ-shalavy.ru' 'rv.adcpx.v1.de.eusem.adaos-ads.net' 'rya.rockyou.com' 's0b.bluestreak.com' 's1.2mdn.net' 's1.buysellads.com' 's1.gratkapl.adocean.pl' 's1.symcb.com' 's2.buysellads.com' 's2.symcb.com' 's3.symcb.com' 's4.symcb.com' 's5.addthis.com' 's5.symcb.com' 's7.orientaltrading.com' 's.ad121m.com' 's.ad131m.com' 's.admob.com' 's-adserver.sandbox.cxad.cxense.com' 'sad.sharethis.com' 'safari-critical-alert.com' 'safe.hyperpaysys.com' 'safenyplanet.in' 'sagent.io' 'salesforcecom.tt.omtrdc.net' 'samsung3.solution.weborama.fr' 'sanalreklam.com' 'sas.decisionnews.com' 's.as-us.falkag.net' 'sat-city-ads.com' 'saturn.tiser.com.au' 'save-plan.com' 'savings-specials.com' 'savings-time.com' 'sayac.hurriyet.com.tr' 'sayfabulunamadi.com' 's.baidu.com' 'sb.freeskreen.com' 's.boom.ro' 'sc1.admob.com' 'sc9.admob.com' 'scdown.qq.com' 'schumacher.adtech.de' 'schumacher.adtech.fr' 'schumacher.adtech.us' 'schwab.tt.omtrdc.net' 'scoremygift.com' 'screen-mates.com' 'script.banstex.com' 'scripts.linkz.net' 'scripts.verticalacuity.com' 'scr.kliksaya.com' 's.di.com.pl' 's.domob.cn' 'search.addthis.com' 'search.freeonline.com' 'search.netseer.com' 'searchportal.information.com' 'searchstats.usa.gov' 'searchwe.com' 'seasonalsamplerspecials.com' 'sebar.thand.info' 'sec.hit.gemius.pl' 'secimage.adtech.de' 'secimage.adtech.fr' 'secimage.adtech.us' 'secserv.adtech.fr' 'secserv.adtech.us' 'secure.addthis.com' 'secureads.ft.com' 'secure.bidvertiser.com' 'secure.bidvertiserr.com' 'securecontactinfo.com' 'securerunner.com' 'seduction-zone.com' 'seks-partner.com' 'sel.as-eu.falkag.net' 'sel.as-us.falkag.net' 'select001.adtech.de' 'select001.adtech.fr' 'select001.adtech.us' 'select002.adtech.de' 'select002.adtech.fr' 'select002.adtech.us' 'select003.adtech.de' 'select003.adtech.fr' 'select003.adtech.us' 'select004.adtech.de' 'select004.adtech.fr' 'select004.adtech.us' 'selective-business.com' 'sergarius.popunder.ru' 'serv2.ad-rotator.com' 'serv.ad-rotator.com' 'servads.aip.org' 'serve.adplxmd.com' 'servedby.dm3adserver.com' 'servedby.netshelter.net' 'servedby.precisionclick.com' 'serve.freegaypix.com' 'serve.mediayan.com' 'serve.prestigecasino.com' 'server01.popupmoney.com' 'server1.adpolestar.net' 'server2.mediajmp.com' 'server3.yieldmanaged.com' 'server821.com' 'server.popads.net' 'server-ssl.yieldmanaged.com' 'server.zoiets.be' 'service001.adtech.de' 'service001.adtech.fr' 'service001.adtech.us' 'service002.adtech.de' 'service002.adtech.fr' 'service002.adtech.us' 'service003.adtech.de' 'service003.adtech.fr' 'service003.adtech.us' 'service004.adtech.fr' 'service004.adtech.us' 'service00x.adtech.de' 'service00x.adtech.fr' 'service00x.adtech.us' 'service.adtech.de' 'service.adtech.fr' 'service.adtech.us' 'services1.adtech.de' 'services1.adtech.fr' 'services1.adtech.us' 'services.adtech.de' 'services.adtech.fr' 'services.adtech.us' 'serving.plexop.net' 'serving-sys.com' 'serv-load.com' 'servserv.generals.ea.com' 'serv.tooplay.com' 'sexpartnerx.com' 'sexsponsors.com' 'sexzavod.com' 'sfads.osdn.com' 's.flite.com' 'sgs001.adtech.de' 'sgs001.adtech.fr' 'sgs001.adtech.us' 'sh4sure-images.adbureau.net' 'shareasale.com' 'sharebar.addthiscdn.com' 'share-server.com' 'shc-rebates.com' 'sherkatkonandeh.com' 'sherkhundi.com' 'shinystat.shiny.it' 'shopperpromotions.com' 'shoppingbox.partner.leguide.com' 'shoppingminds.net' 'shopping-offer.com' 'shoppingsiterewards.com' 'shops-malls-rewardpath.com' 'shoptosaveenergy.com' 'showads1000.pubmatic.com' 'showadsak.pubmatic.com' 'show-msgch.qq.com' 'shrek.6.cn' 'sifomedia.citypaketet.se' 'signup.advance.net' 'simba.6.cn' 'simpleads.net' 'simpli.fi' 'site.adform.com' 'siteimproveanalytics.com' 'sixapart.adbureau.net' 'sizzle-savings.com' 'skgde.adocean.pl' 'skill.skilljam.com' 'slayinglance.com' 'slimspots.com' 'smartadserver' 'smartadserver.com' 'smart.besonders.ru' 'smartclip.com' 'smartclip.net' 'smartcontext.pl' 'smart-scripts.com' 'smartshare.lgtvsdp.com' 's.media-imdb.com' 's.megaclick.com' 'smile.modchipstore.com' 'smm.sitescout.com' 'smokersopinionpoll.com' 'smsmovies.net' 'snaps.vidiemi.com' 'sn.baventures.com' 'snip.answers.com' 'snipjs.answcdn.com' 'sobar.baidu.com' 'sobartop.baidu.com' 'sochr.com' 'social.bidsystem.com' 'softlinkers.popunder.ru' 'sokrates.adtech.de' 'sokrates.adtech.fr' 'sokrates.adtech.us' 'sol.adbureau.net' 'sol-images.adbureau.net' 'solitairetime.com' 'solution.weborama.fr' 'somethingawful.crwdcntrl.net' 'sonycomputerentertai.tt.omtrdc.net' 'soongu.info' 's.oroll.com' 'spaces.slimspots.com' 'spanel.gem.pl' 'spanids.dictionary.com' 'spanids.thesaurus.com' 'spc.cekfmeoejdbfcfichgbfcgjf.vast2as3.glammedia-pubnet.northamerica.telemetryverification.net' 'spcode.baidu.com' 'specialgiftrewards.com' 'specialoffers.aol.com' 'specialonlinegifts.com' 'specials-rewardpath.com' 'speedboink.com' 'speed.lstat.youku.com' 'speedynewsclips.com' 'spinbox.com' 'spinbox.consumerreview.com' 'spinbox.freedom.com' 'spinbox.macworld.com' 'spinbox.techtracker.com' 'sponsor1.com' 'sponsors.behance.com' 'sponsors.ezgreen.com' 'sponsorships.net' 'sports-bonuspath.com' 'sports-fitness-rewardpath.com' 'sports-offer.com' 'sports-offer.net' 'sports-premiumblvd.com' 'spotxchange.com' 'sq2trk2.com' 's.rev2pub.com' 'ssads.osdn.com' 'ssl-nl.persgroep.edgekey.neto' 'sso.canada.com' 'ssp.adplus.co.id' 'sspcash.adxcore.com' 'staging.snip.answers.com' 'stampen.adtlgc.com' 'stampen.linkpulse.com' 'stampscom.tt.omtrdc.net' 'stanzapub.advertserve.com' 'star-advertising.com' 'start.badults.se' 'stat0.888.ku6.com' 'stat1.888.ku6.com' 'stat2.888.ku6.com' 'stat2.corp.56.com' 'stat3.888.ku6.com' 'stat.56.com' 'stat.dealtime.com' 'stat.detelefoongids.nl' 'stat.ebuzzing.com' 'stat.gw.youmi.net' 'static1.influads.com' 'static.2mdn.net' 'static.admaximize.com' 'staticads.btopenworld.com' 'static.adsonar.com' 'static.adwo.com' 'static.affiliation-france.com' 'static.aff-landing-tmp.foxtab.com' 'staticb.mydirtyhobby.com' 'static.carbonads.com' 'static.chartbeat.com' 'static.clicktorrent.info' 'staticd.cdn.adblade.com' 'static.everyone.net' 'static.exoclick.com' 'static.fastpic.ru' 'static.firehunt.com' 'static.fmpub.net' 'static.freenet.de' 'static.freeskreen.com' 'static.groupy.co.nz' 'static.hitfarm.com' 'static.ku6.com' 'static.l3.cdn.adbucks.com' 'static.l3.cdn.adsucks.com' 'static.linkz.net' 'static.lstat.youku.com' 'static.mediav.com' 'static.nrelate.com' 'static.oroll.com' 'static.plista.com' 'static.plugrush.com' 'static.pulse360.com' 'static.regiojobs.be' 'static.trackuity.com' 'static.trafficstars.com' 'static.virgul.com' 'static.way2traffic.com' 'static.wooboo.com.cn' 'static.youmi.net' 'statistik-gallup.dk' 'stat.rolledwil.biz' 'stats2.dooyoo.com' 'stats.askmoses.com' 'stats.buzzparadise.com' 'stats.defense.gov' 'stats.fd.nl' 'statsie.com' 'stats.ipinyou.com' 'stats.shopify.com' 'stats.tubemogul.com' 'stats.tudou.com' 'stats.x14.eu' 'stat.tudou.com' 'status.addthis.com' 's.tcimg.com' 'st.marketgid.com' 'stocker.bonnint.net' 'storage.bulletproofserving.com' 'storage.softure.com' 'stts.rbc.ru' 'st.valueclick.com' 'st.vq.ku6.cn' 'su.addthis.com' 'subad-server.com' 'subtracts.userplane.com' 'successful-marketing-now.com' 'sudokuwhiz.com' 'sunmaker.com' 'superbrewards.com' 'support.sweepstakes.com' 'supremeadsonline.com' 'suresafe1.adsovo.com' 'surplus-suppliers.com' 'surveycentral.directinsure.info' 'survey.china.alibaba.com' 'surveymonkeycom.tt.omtrdc.net' 'surveypass.com' 'susi.adtech.fr' 'susi.adtech.us' 'svd2.adtlgc.com' 'svd.adtlgc.com' 'sview.avenuea.com' 's.visilabs.com' 's.visilabs.net' 'sweetsforfree.com' 'symbiosting.com' 'synad2.nuffnang.com.cn' 'synad.nuffnang.com.sg' 'syncaccess.net' 'syndicated.mondominishows.com' 'syn.verticalacuity.com' 'sysadmin.map24.com' 'sysip.net' 't1.adserver.com' 't8t7frium3.s.ad6media.fr' 't.admob.com' 'tag1.webabacus.com' 'tag.admeld.com' 'tag.regieci.com' 'tags.toroadvertising.com' 'tag.webcompteur.com' 'taking-technology.com' 'taloussanomat.linkpulse.com' 't.atpanel.com' 'tbtrack.zutrack.com' 'tcadops.ca' 'tcimg.com' 't.cpmadvisors.com' 'tcss.qq.com' 'tdameritrade.tt.omtrdc.net' 'tdc.advertorials.dk' 'tdkads.ads.dk' 'team4heat.net' 'teatac4bath.com' 'techasiamusicsvr.com' 'technicads.com' 'technicaldigitalreporting.com' 'technicserv.com' 'technicupdate.com' 'techreview.adbureau.net' 'techreview-images.adbureau.net' 'techsupportpwr.com' 'tech.weeklytribune.net' 'teeser.ru' 'tel.geenstijl.nl' 'testapp.adhood.com' 'testpc24.profitableads.online' 'textads.madisonavenue.com' 'textad.traficdublu.ro' 'text-link-ads.com' 'text-link-ads-inventory.com' 'textsrv.com' 'tf.nexac.com' 'tgpmanager.com' 'the-binary-trader.biz' 'themaplemethod.com' 'the-path-gateway.com' 'thepiratetrader.com' 'the-smart-stop.com' 'thesuperdeliciousnews.com' 'theuploadbusiness.com' 'theuseful.com' 'theuseful.net' 'thinknyc.eu-adcenter.net' 'thinktarget.com' 'thinlaptoprewards.com' 'thirtydaychange.com' 'this.content.served.by.addshuffle.com' 'this.content.served.by.adshuffle.com' 'thoughtfully-free.com' 'thruport.com' 'timelywebsitehostesses.com' 'tk.baidu.com' 'tkweb.baidu.com' 'tmp3.nexac.com' 'tmsads.tribune.com' 'tmx.technoratimedia.com' 'tn.adserve.com' 'toads.osdn.com' 'tommysbookmarks.com' 'tommysbookmarks.net' 'tongji.baidu.com' 'tons-to-see.com' 'toofanshadid.com' 'toolbar.adperium.com' 'toolbar.baidu.com' 'toolbar.soso.com' 'top1site.3host.com' 'top5.mail.ru' 'topbrandrewards.com' 'topconsumergifts.com' 'topdemaroc.com' 'topica.advertserve.com' 'toplist.throughput.de' 'topmarketcenter.com' 'topsurvey-offers.com' 'touche.adcentric.proximi-t.com' 'tower.adexpedia.com' 'toy-offer.com' 'toy-offer.net' 'tpads.ovguide.com' 'tps30.doubleverify.com' 'tps31.doubleverify.com' 'trace.qq.com' 'track.adjal.com' 'trackadvertising.net' 'track-apmebf.cj.akadns.net' 'track.bigbrandpromotions.com' 'track.e7r.com.br' 'tracker.baidu.com' 'trackers.1st-affiliation.fr' 'tracker.twenga.nl' 'tracking.edvisors.com' 'tracking.eurowebaffiliates.com' 'tracking.internetstores.de' 'tracking.joker.com' 'tracking.keywordmax.com' 'tracking.veoxa.com' 'track.omgpl.com' 'track.roularta.adhese.com' 'track.the-members-section.com' 'track.tooplay.com' 'track.vscash.com' 'tradem.com' 'trafficbee.com' 'trafficrevenue.net' 'traffictraders.com' 'traffprofit.com' 'trafmag.com' 'trafsearchonline.com' 'travel-leisure-bonuspath.com' 'travel-leisure-premiumblvd.com' 'traveller-offer.com' 'traveller-offer.net' 'travelncs.com' 'tr.bigpoint.com' 'trekmedia.net' 'trendnews.com' 'trgde.adocean.pl' 'triangle.dealsaver.com' 'trk.alskeip.com' 'trk.etrigue.com' 'trk.yadomedia.com' 'tropiccritics.com' 'tr.tu.connect.wunderloop.net' 'trustsitesite.com' 'trvlnet.adbureau.net' 'trvlnet-images.adbureau.net' 'tr.wl.webads.nl' 'tsms-ad.tsms.com' 'tste.ivillage.com' 'tste.mcclatchyinteractive.com' 'tste.startribune.com' 'ttarget.adbureau.net' 'ttnet.yandex.com.tr' 'ttuk.offers4u.mobi' 'turn.com' 'turnerapac.d1.sc.omtrdc.net' 'tv2no.linkpulse.com' 'tvshowsnow.tvmax.hop.clickbank.net' 'twnads.weather.ca' 'ua2.admixer.net' 'u.admob.com' 'uav.tidaltv.com' 'ubmcmm.baidustatic.com' 'uc.csc.adserver.yahoo.com' 'ucstat.baidu.com' 'uedata.amazon.com' 'uelbdc74fn.s.ad6media.fr' 'uf2.svrni.ca' 'ugo.eu-adcenter.net' 'ui.ppjol.com' 'uleadstrk.com' 'ulic.baidu.com' 'ultimatefashiongifts.com' 'ultrabestportal.com' 'ultrasponsor.com' 'um.simpli.fi' 'uniclick.openv.com' 'union.56.com' 'union.6.cn' 'union.baidu.com' 'unite3tubes.com' 'unstat.baidu.com' 'unwashedsound.com' 'uole.ad.uol.com.br' 'upload.adtech.de' 'upload.adtech.fr' 'upload.adtech.us' 'uproar.com' 'uproar.fortunecity.com' 'upsellit.com' 'usads.vibrantmedia.com' 'usapolice.com' 'usatoday.app.ur.gcion.com' 'usatravel-specials.com' 'usatravel-specials.net' 'us-choicevalue.com' 'usemax.de' 'usr.marketgid.com' 'us-topsites.com' 'ut.addthis.com' 'utarget.ru' 'utility.baidu.com' 'utils.mediageneral.com' 'utk.baidu.com' 'uvimage.56.com' 'v0.stat.ku6.com' 'v16.56.com' 'v1.stat.ku6.com' 'v2.stat.ku6.com' 'v3.stat.ku6.com' 'v3.toolbar.soso.com' 'vad.adbasket.net' 'v.admob.com' 'vads.adbrite.com' 'valb.atm.youku.com' 'valc.atm.youku.com' 'valf.atm.youku.com' 'valo.atm.youku.com' 'valp.atm.youku.com' 'van.ads.link4ads.com' 'vast.bp3845260.btrll.com' 'vast.bp3846806.btrll.com' 'vast.bp3846885.btrll.com' 'vast.tubemogul.com' 'vclick.adbrite.com' 'venus.goclick.com' 've.tscapeplay.com' 'viamichelin.cdn11.contentabc.com' 'viamichelin.media.trafficjunky.net' 'vice-ads-cdn.vice.com' 'vid.atm.youku.com' 'videobox.com' 'videocop.com' 'videoegg.adbureau.net' 'video-game-rewards-central.com' 'videogamerewardscentral.com' 'videomediagroep.nl' 'videos.fleshlight.com' 'videoslots.888.com' 'videos.video-loader.com' 'view.atdmt.com' 'view.avenuea.com' 'view.iballs.a1.avenuea.com' 'view.jamba.de' 'view.netrams.com' 'views.m4n.nl' 'viglink.com' 'viglink.pgpartner.com' 'villagevoicecollect.247realmedia.com' 'vip1.tw.adserver.yahoo.com' 'vipfastmoney.com' 'vk.18sexporn.ru' 'vmcsatellite.com' 'vmix.adbureau.net' 'vms.boldchat.com' 'vnu.eu-adcenter.net' 'vnumedia02.webtrekk.net' 'vnumedia03.webtrekk.net' 'vnumedia04.webtrekk.net' 'vocal-mess.com' 'vodafoneit.solution.weborama.fr' 'voordeel.ad.nl' 'vp.tscapeplay.com' 'v.vomedia.tv' 'vzarabotke.ru' 'w100.am15.net' 'w101.am15.net' 'w102.am15.net' 'w103.am15.net' 'w104.am15.net' 'w105.am15.net' 'w106.am15.net' 'w107.am15.net' 'w108.am15.net' 'w109.am15.net' 'w10.am15.net' 'w110.am15.net' 'w111.am15.net' 'w112.am15.net' 'w113.am15.net' 'w114.am15.net' 'w115.am15.net' 'w116.am15.net' 'w117.am15.net' 'w118.am15.net' 'w119.am15.net' 'w11.am15.net' 'w11.centralmediaserver.com' 'w12.am15.net' 'w13.am15.net' 'w14.am15.net' 'w15.am15.net' 'w16.am15.net' 'w17.am15.net' 'w18.am15.net' 'w19.am15.net' 'w1.am15.net' 'w1.iyi.net' 'w1.webcompteur.com' 'w20.am15.net' 'w21.am15.net' 'w22.am15.net' 'w23.am15.net' 'w24.am15.net' 'w25.am15.net' 'w26.am15.net' 'w27.am15.net' 'w28.am15.net' 'w29.am15.net' 'w2.am15.net' 'w30.am15.net' 'w31.am15.net' 'w32.am15.net' 'w33.am15.net' 'w34.am15.net' 'w35.am15.net' 'w36.am15.net' 'w37.am15.net' 'w38.am15.net' 'w39.am15.net' 'w3.am15.net' 'w40.am15.net' 'w41.am15.net' 'w42.am15.net' 'w43.am15.net' 'w44.am15.net' 'w45.am15.net' 'w46.am15.net' 'w47.am15.net' 'w48.am15.net' 'w49.am15.net' 'w4.am15.net' 'w50.am15.net' 'w51.am15.net' 'w52.am15.net' 'w53.am15.net' 'w54.am15.net' 'w55.am15.net' 'w56.am15.net' 'w57.am15.net' 'w58.am15.net' 'w59.am15.net' 'w5.am15.net' 'w60.am15.net' 'w61.am15.net' 'w62.am15.net' 'w63.am15.net' 'w64.am15.net' 'w65.am15.net' 'w66.am15.net' 'w67.am15.net' 'w68.am15.net' 'w69.am15.net' 'w6.am15.net' 'w70.am15.net' 'w71.am15.net' 'w72.am15.net' 'w73.am15.net' 'w74.am15.net' 'w75.am15.net' 'w76.am15.net' 'w77.am15.net' 'w78.am15.net' 'w79.am15.net' 'w7.am15.net' 'w80.am15.net' 'w81.am15.net' 'w82.am15.net' 'w83.am15.net' 'w84.am15.net' 'w85.am15.net' 'w86.am15.net' 'w87.am15.net' 'w88.am15.net' 'w89.am15.net' 'w8.am15.net' 'w90.am15.net' 'w91.am15.net' 'w92.am15.net' 'w93.am15.net' 'w94.am15.net' 'w95.am15.net' 'w96.am15.net' 'w97.am15.net' 'w98.am15.net' 'w99.am15.net' 'w9.am15.net' 'w.admob.com' 'wafmedia3.com' 'wahoha.com' 'walp.atm.youku.com' 'wangluoruanjian.com' 'wangmeng.baidu.com' 'wap.casee.cn' 'warp.crystalad.com' 'wdm29.com' 'web1b.netreflector.com' 'webads.bizservers.com' 'webads.nl' 'webbizwild.com' 'webcamsex.nl' 'webcompteur.com' 'webhosting-ads.home.pl' 'weblogger.visilabs.com' 'webmdcom.tt.omtrdc.net' 'webnavegador.com' 'web.nyc.ads.juno.co' 'webservices-rewardpath.com' 'websurvey.spa-mr.com' 'webtrekk.net' 'webuysupplystore.mooo.com' 'webwise.bt.com' 'wegetpaid.net' 'werkenbijliones.nl' 'w.ic.tynt.com' 'widespace.com' 'widget3.linkwithin.com' 'widget5.linkwithin.com' 'widget.achetezfacile.com' 'widgets.tcimg.com' 'wigetmedia.com' 'wikiforosh.ir' 'williamhill.es' 'wineeniphone6.com-gen.online' 'w.l.qq.com' 'wm.baidu.com' 'wmedia.rotator.hadj7.adjuggler.net' 'worden.samenresultaat.nl' 'wordplaywhiz.com' 'work-offer.com' 'worry-free-savings.com' 'wppluginspro.com' 'w.prize44.com' 'ws.addthis.com' 'wtp101.com' 'wwbtads.com' 'www10.ad.tomshardware.com' 'www10.glam.com' 'www10.indiads.com' 'www10.paypopup.com' 'www11.ad.tomshardware.com' 'www123.glam.com' 'www.123specialgifts.com' 'www12.ad.tomshardware.com' 'www12.glam.com' 'www13.ad.tomshardware.com' 'www13.glam.com' 'www14.ad.tomshardware.com' 'www15.ad.tomshardware.com' 'www17.glam.com' 'www18.glam.com' 'www1.adireland.com' 'www1.ad.tomshardware.com' 'www1.bannerspace.com' 'www1.belboon.de' 'www1.clicktorrent.info' 'www1.popinads.com' 'www1.safenyplanet.in' 'www1.vip.sc9.admob.com' 'www1.xmediaserve.com' 'www1.zapadserver1.com' 'www.2015rewardopportunities.com' 'www210.paypopup.com' 'www211.paypopup.com' 'www212.paypopup.com' 'www213.paypopup.com' 'www.247realmedia.com' 'www24a.glam.com' 'www24.glam.com' 'www25a.glam.com' 'www25.glam.com' 'www2.adireland.com' 'www2.ad.tomshardware.com' 'www.2-art-coliseum.com' 'www2.bannerspace.com' 'www2.glam.com' 'www2.kampanyatakip.net' 'www2.pubdirecte.com' 'www2.zapadserver1.com' 'www30a1-orig.glam.com' 'www30a2-orig.glam.com' 'www30a3.glam.com' 'www30a3-orig.glam.com' 'www30a7.glam.com' 'www30.glam.com' 'www30l2.glam.com' 'www30t1-orig.glam.com' 'www.321cba.com' 'www35f.glam.com' 'www35jm.glam.com' 'www35t.glam.com' 'www.360ads.com' 'www3.addthis.com' 'www3.ad.tomshardware.com' 'www3.bannerspace.com' 'www3.haberturk.com' 'www3.ihaberadserver.com' 'www3.kampanyatakip.net' 'www3.oyunstar.com' 'www.3qqq.net' 'www.3turtles.com' 'www3.zapadserver.com' 'www.404errorpage.com' 'www4.ad.tomshardware.com' 'www4.bannerspace.com' 'www4.glam.com' 'www4.kampanyatakip.net' 'www5.ad.tomshardware.com' 'www5.bannerspace.com' 'www5.kampanyatakip.net' 'www5.mackolik1.com' 'www.5thavenue.com' 'www6.ad.tomshardware.com' 'www6.bannerspace.com' 'www6.kampanyatakip.net' 'www74.valueclick.com' 'www.7500.com' 'www7.ad.tomshardware.com' 'www7.bannerspace.com' 'www.7bpeople.com' 'www.7cnbcnews.com' 'www7.kampanyatakip.net' 'www.805m.com' 'www81.valueclick.com' 'www.888casino.com' 'www.888poker.com' 'www8.ad.tomshardware.com' 'www8.bannerspace.com' 'www.961.com' 'www9.ad.tomshardware.com' 'www9.paypopup.com' 'www.abrogatesdv.info' 'www.actiondesk.com' 'www.action.ientry.net' 'www.ad6media.fr' 'www.adbanner.gr' 'www.adblockanalytics.com' 'www.adbrite.com' 'www.adcanadian.com' 'www.addthiscdn.com' 'www.addthis.com' 'www.adfactor.nl' 'www.adfunkyserver.com' 'www.adimages.beeb.com' 'www.adipics.com' 'www.adjmps.com' 'www.adjug.com' 'www.adlogix.com' 'www.admex.com' 'www.adnet.biz' 'www.adnet.com' 'www.adnet.de' 'www.adnxs.com' 'www.adobee.com' 'www.adobur.com' 'www.adocean.pl' 'www.adpepper.dk' 'www.adpowerzone.com' 'www.adquest3d.com' 'www.adreporting.com' 'www.ads2srv.com' 'www.adscience.nl' 'www.adsentnetwork.com' 'www.adserver.co.il' 'www.adserver.com' 'www.adserver.com.my' 'www.adserver.com.pl' 'www.adserver-espnet.sportszone.net' 'www.adserver.janes.net' 'www.adserver.janes.org' 'www.adserver.jolt.co.uk' 'www.adserver.net' 'www.adserver.ugo.nl' 'www.adservtech.com' 'www.adsinimages.com' 'www.ads.joetec.net' 'www.adsoftware.com' 'www.adspics.com' 'www.ads.revenue.net' 'www.adsrvr.org' 'www.adstogo.com' 'www.adstreams.org' 'www.adsupplyads.com' 'www.adtaily.pl' 'www.adtechus.com' 'www.ad.tgdaily.com' 'www.adtlgc.com' 'www.ad.tomshardware.com' 'www.adtrix.com' 'www.ad-up.com' 'www.advaliant.com' 'www.adverterenbijrtl.nl' 'www.adverterenbijsbs.nl' 'www.adverterenzeeland.nl' 'www.advertising-department.com' 'www.advertpro.com' 'www.adverts.dcthomson.co.uk' 'www.advertyz.com' 'www.adview.cn' 'www.ad-words.ru' 'www.adzerk.net' 'www.affiliateclick.com' 'www.affiliate-fr.com' 'www.affiliation-france.com' 'www.afform.co.uk' 'www.affpartners.com' 'www.afterdownload.com' 'www.agkn.com' 'www.alexxe.com' 'www.algocashmaster.com' 'www.allosponsor.com' 'www.amazing-opportunities.info' 'www.annuaire-autosurf.com' 'www.apparelncs.com' 'www.apparel-offer.com' 'www.applelounge.com' 'www.applicationwiki.com' 'www.appliedsemantics.com' 'www.appnexus.com' 'www.art-music-rewardpath.com' 'www.art-offer.com' 'www.art-offer.net' 'www.art-photo-music-premiumblvd.com' 'www.art-photo-music-rewardempire.com' 'www.art-photo-music-savingblvd.com' 'www.atpanel.com' 'www.auctionshare.net' 'www.aureate.com' 'www.autohipnose.com' 'www.automotive-offer.com' 'www.automotive-rewardpath.com' 'www.avcounter10.com' 'www.avsads.com' 'www.a.websponsors.com' 'www.awesomevipoffers.com' 'www.bananacashback.com' 'www.banner4all.dk' 'www.bannerads.de' 'www.bannerbackup.com' 'www.bannerconnect.net' 'www.banners.paramountzone.com' 'www.bannersurvey.biz' 'www.banstex.com' 'www.bargainbeautybuys.com' 'www.bbelements.com' 'www.best-iphone6s.com' 'www.bestshopperrewards.com' 'www.bet365.com' 'www.bhclicks.com' 'www.bidtraffic.com' 'www.bigbangempire.com' 'www.bigbrandpromotions.com' 'www.bigbrandrewards.com' 'www.biggestgiftrewards.com' 'www.binarysystem4u.com' 'www.biz-offer.com' 'www.bizopprewards.com' 'www.blasphemysfhs.info' 'www.blatant8jh.info' 'www.bluediamondoffers.com' 'www.bnnr.nl' 'www.bonzi.com' 'www.bookclub-offer.com' 'www.books-media-edu-premiumblvd.com' 'www.books-media-edu-rewardempire.com' 'www.books-media-rewardpath.com' 'www.boonsolutions.com' 'www.bostonsubwayoffer.com' 'www.brandrewardcentral.com' 'www.brandsurveypanel.com' 'www.brightonclick.com' 'www.brokertraffic.com' 'www.budsinc.com' 'www.bugsbanner.it' 'www.bulkclicks.com' 'www.bulletads.com' 'www.business-rewardpath.com' 'www.bus-offer.com' 'www.buttcandy.com' 'www.buwobarun.cn' 'www.buyhitscheap.com' 'www.capath.com' 'www.careers-rewardpath.com' 'www.car-truck-boat-bonuspath.com' 'www.car-truck-boat-premiumblvd.com' 'www.cashback.co.uk' 'www.cashbackwow.co.uk' 'www.casino770.com' 'www.catalinkcashback.com' 'www.cell-phone-giveaways.com' 'www.cellphoneincentives.com' 'www.chainsawoffer.com' 'www.chartbeat.com' 'www.choicedealz.com' 'www.choicesurveypanel.com' 'www.christianbusinessadvertising.com' 'www.ciqugasox.cn' 'www.claimfreerewards.com' 'www.clashmediausa.com' 'www.click10.com' 'www.click4click.com' 'www.clickbank.com' 'www.clickdensity.com' 'www.click-find-save.com' 'www.click-see-save.com' 'www.clicksotrk.com' 'www.clicktale.com' 'www.clicktale.net' 'www.clickthrutraffic.com' 'www.clicktilluwin.com' 'www.clicktorrent.info' 'www.clickxchange.com' 'www.closeoutproductsreview.com' 'www.cm1359.com' 'www.come-see-it-all.com' 'www.commerce-offer.com' 'www.commerce-rewardpath.com' 'www.computer-offer.com' 'www.computer-offer.net' 'www.computers-electronics-rewardpath.com' 'www.computersncs.com' 'www.consumergiftcenter.com' 'www.consumerincentivenetwork.com' 'www.consumer-org.com' 'www.contextweb.com' 'www.conversantmedia.com' 'www.cookingtiprewards.com' 'www.coolconcepts.nl' 'www.cool-premiums.com' 'www.cool-premiums-now.com' 'www.coolpremiumsnow.com' 'www.coolsavings.com' 'www.coreglead.co.uk' 'www.cosmeticscentre.uk.com' 'www.cpabank.com' 'www.cpmadvisors.com' 'www.crazypopups.com' 'www.crazywinnings.com' 'www.crediblegfj.info' 'www.crispads.com' 'www.crowdgravity.com' 'www.crowdignite.com' 'www.ctbdev.net' 'www.cyber-incentives.com' 'www.d03x2011.com' 'www.daily-saver.com' 'www.datatech.es' 'www.datingadvertising.com' 'www.dctracking.com' 'www.depravedwhores.com' 'www.designbloxlive.com' 'www.destinationurl.com' 'www.dgmaustralia.com' 'www.dietoftoday.ca.pn' 'www.digimedia.com' 'www.directpowerrewards.com' 'www.dirtyrhino.com' 'www.discount-savings-more.com' 'www.djugoogs.com' 'www.dl-plugin.com' 'www.drowle.com' 'www.dt1blog.com' 'www.dutchsales.org' 'www.earnmygift.com' 'www.earnpointsandgifts.com' 'www.easyadservice.com' 'www.e-bannerx.com' 'www.ebayadvertising.com' 'www.ebaybanner.com' 'www.education-rewardpath.com' 'www.edu-offer.com' 'www.electronics-bonuspath.com' 'www.electronics-offer.net' 'www.electronicspresent.com' 'www.electronics-rewardpath.com' 'www.emailadvantagegroup.com' 'www.emailproductreview.com' 'www.emarketmakers.com' 'www.entertainment-rewardpath.com' 'www.entertainment-specials.com' 'www.eshopads2.com' 'www.exasharetab.com' 'www.exclusivegiftcards.com' 'www.eyeblaster-bs.com' 'www.eyewonder.com' 'www.falkag.de' 'www.family-offer.com' 'www.fast-adv.it' 'www.fastcash-ad.biz' 'www.fatcatrewards.com' 'www.feedjit.com' 'www.feedstermedia.com' 'www.fif49.info' 'www.finance-offer.com' 'www.finder.cox.net' 'www.fineclicks.com' 'www.flagcounter.com' 'www.flowers-offer.com' 'www.flu23.com' 'www.focalex.com' 'www.folloyu.com' 'www.food-drink-bonuspath.com' 'www.food-drink-rewardpath.com' 'www.foodmixeroffer.com' 'www.food-offer.com' 'www.forboringbusinesses.com' 'www.freeadguru.com' 'www.freebiegb.co.uk' 'www.freecameraonus.com' 'www.freecameraprovider.com' 'www.freecamerasource.com' 'www.freecamerauk.co.uk' 'www.freecamsecrets.com' 'www.freecamsexposed.com' 'www.freecoolgift.com' 'www.freedesignerhandbagreviews.com' 'www.freedinnersource.com' 'www.freedvddept.com' 'www.freeelectronicscenter.com' 'www.freeelectronicsdepot.com' 'www.freeelectronicsonus.com' 'www.freeelectronicssource.com' 'www.freeentertainmentsource.com' 'www.freefoodprovider.com' 'www.freefoodsource.com' 'www.freefuelcard.com' 'www.freefuelcoupon.com' 'www.freegasonus.com' 'www.freegasprovider.com' 'www.free-gift-cards-now.com' 'www.freegiftcardsource.com' 'www.freegiftreward.com' 'www.free-gifts-comp.com' 'www.freeipodnanouk.co.uk' 'www.freeipoduk.com' 'www.freeipoduk.co.uk' 'www.freelaptopgift.com' 'www.freelaptopnation.com' 'www.free-laptop-reward.com' 'www.freelaptopreward.com' 'www.freelaptopwebsites.com' 'www.freenation.com' 'www.freeoffers-toys.com' 'www.freepayasyougotopupuk.co.uk' 'www.freeplasmanation.com' 'www.freerestaurantprovider.com' 'www.freerestaurantsource.com' 'www.freeshoppingprovider.com' 'www.freeshoppingsource.com' 'www.freo-stats.nl' 'www.fusionbanners.com' 'www.gameconsolerewards.com' 'www.games-toys-bonuspath.com' 'www.games-toys-free.com' 'www.games-toys-rewardpath.com' 'www.gatoradvertisinginformationnetwork.com' 'www.getacool100.com' 'www.getacool500.com' 'www.getacoollaptop.com' 'www.getacooltv.com' 'www.getagiftonline.com' 'www.getloan.com' 'www.getmyfreebabystuff.com' 'www.getmyfreegear.com' 'www.getmyfreegiftcard.com' 'www.getmyfreelaptop.com' 'www.getmyfreelaptophere.com' 'www.getmyfreeplasma.com' 'www.getmylaptopfree.com' 'www.getmyplasmatv.com' 'www.getspecialgifts.com' 'www.getyourfreecomputer.com' 'www.getyourfreetv.com' 'www.giftcardchallenge.com' 'www.giftcardsurveys.us.com' 'www.giftrewardzone.com' 'www.gifts-flowers-rewardpath.com' 'www.gimmethatreward.com' 'www.gmads.net' 'www.go-free-gifts.com' 'www.gofreegifts.com' 'www.goody-garage.com' 'www.gopopup.com' 'www.grabbit-rabbit.com' 'www.greasypalm.com' 'www.groupm.com' 'www.grz67.com' 'www.guesstheview.com' 'www.guptamedianetwork.com' 'www.happydiscountspecials.com' 'www.healthbeautyncs.com' 'www.health-beauty-rewardpath.com' 'www.health-beauty-savingblvd.com' 'www.healthclicks.co.uk' 'www.hebdotop.com' 'www.heusmarketing.nl' 'www.hightrafficads.com' 'www.histats.com' 'www.holiday-gift-offers.com' 'www.holidayproductpromo.com' 'www.holidayshoppingrewards.com' 'www.home4bizstart.ru' 'www.homeelectronicproducts.com' 'www.home-garden-premiumblvd.com' 'www.home-garden-rewardempire.com' 'www.home-garden-rewardpath.com' 'www.hooqy.com' 'www.hotchatdate.com' 'www.hot-daily-deal.com' 'www.hotgiftzone.com' 'www.hotkeys.com' 'www.hot-product-hangout.com' 'www.idealcasino.net' 'www.idirect.com' 'www.ihaberadserver.com' 'www.iicdn.com' 'www.ijacko.net' 'www.ilovemobi.com' 'www.impressionaffiliate.com' 'www.impressionaffiliate.mobi' 'www.impressionlead.com' 'www.impressionperformance.biz' 'www.incentivegateway.com' 'www.incentiverewardcenter.com' 'www.incentive-scene.com' 'www.inckamedia.com' 'www.infinite-ads.com' 'www.inpagevideo.nl' 'www.ins-offer.com' 'www.insurance-rewardpath.com' 'www.intela.com' 'www.interstitialzone.com' 'www.intnet-offer.com' 'www.invitefashion.com' 'www.istats.nl' 'www.itrackerpro.com' 'www.itsfree123.com' 'www.iwantmyfreecash.com' 'www.iwantmy-freelaptop.com' 'www.iwantmyfree-laptop.com' 'www.iwantmyfreelaptop.com' 'www.iwantmygiftcard.com' 'www.jersey-offer.com' 'www.jetseeker.com' 'www.jivox.com' 'www.jl29jd25sm24mc29.com' 'www.joinfree.ro' 'www.jxliu.com' 'www.kampanyatakip.net' 'www.keywordblocks.com' 'www.kitaramarketplace.com' 'www.kitaramedia.com' 'www.kitaratrk.com' 'www.kixer.com' 'www.kliksaya.com' 'www.kmdl101.com' 'www.konversation.com' 'www.kreaffiliation.com' 'www.kuhdi.com' 'www.ladyclicks.ru' 'www.laptopreportcard.com' 'www.laptoprewards.com' 'www.laptoprewardsgroup.com' 'www.laptoprewardszone.com' 'www.larivieracasino.com' 'www.lasthr.info' 'www.le1er.net' 'www.leadgreed.com' 'www.learning-offer.com' 'www.legal-rewardpath.com' 'www.leisure-offer.com' 'www.linkhut.com' 'www.linkpulse.com' 'www.linkwithin.com' 'www.liones.nl' 'www.liveinternet.ru' 'www.lldiettracker.com' 'www.lottoforever.com' 'www.lpcloudsvr302.com' 'www.lpmxp2014.com' 'www.lpmxp2015.com' 'www.lpmxp2016.com' 'www.lpmxp2017.com' 'www.lpmxp2018.com' 'www.lpmxp2019.com' 'www.lpmxp2020.com' 'www.lpmxp2021.com' 'www.lpmxp2022.com' 'www.lpmxp2023.com' 'www.lpmxp2024.com' 'www.lpmxp2025.com' 'www.lpmxp2026.com' 'www.lpmxp2027.com' 'www.lucky-day-uk.com' 'www.mac.com-w.net' 'www.macombdisplayads.com' 'www.market-buster.com' 'www.marketing-rewardpath.com' 'www.marketwatch.com.edgesuite.net' 'www.mastertracks.be' 'www.media2.travelzoo.com' 'www.media-motor.com' 'www.medical-offer.com' 'www.medical-rewardpath.com' 'www.merchantapp.com' 'www.merlin.co.il' 'www.methodcasino2015.com' 'www.mgid.com' 'www.mightymagoo.com' 'www.mijnbladopdemat.nl' 'www.mktg-offer.com' 'www.mlntracker.com' 'www.mochibot.com' 'www.morefreecamsecrets.com' 'www.morevisits.info' 'www.mp3playersource.com' 'www.mpression.net' 'www.myadsl.co.za' 'www.myairbridge.com' 'www.mycashback.co.uk' 'www.mycelloffer.com' 'www.mychoicerewards.com' 'www.myexclusiverewards.com' 'www.myfreedinner.com' 'www.myfreegifts.co.uk' 'www.myfreemp3player.com' 'www.mygiftcardcenter.com' 'www.mygreatrewards.com' 'www.myoffertracking.com' 'www.my-reward-channel.com' 'www.my-rewardsvault.com' 'www.myseostats.com' 'www.my-stats.com' 'www.myuitm.com' 'www.myusersonline.com' 'www.na47.com' 'www.nakhit.com' 'www.nationalissuepanel.com' 'www.nationalsurveypanel.com' 'www.nctracking.com' 'www.nearbyad.com' 'www.needadvertising.com' 'www.neptuneads.com' 'www.netpalnow.com' 'www.netpaloffers.net' 'www.news6health.com' 'www.newssourceoftoday.com' 'www.nospartenaires.com' 'www.nothing-but-value.com' 'www.nubijlage.nl' 'www.nysubwayoffer.com' 'www.offerx.co.uk' 'www.oinadserve.com' 'www.onclicktop.com' 'www.onlinebestoffers.net' 'www.ontheweb.com' 'www.opendownload.de' 'www.openload.de' 'www.optiad.net' 'www.paperg.com' 'www.parsads.com' 'www.partner.googleadservices.com' 'www.partycasino.com' 'www.pathforpoints.com' 'www.paypopup.com' 'www.peachy18.com' 'www.people-choice-sites.com' 'www.persgroepadvertising.nl' 'www.personalcare-offer.com' 'www.personalcashbailout.com' 'www.phoenixads.co.in' 'www.phorm.com' 'www.pick-savings.com' 'www.plasmatv4free.com' 'www.plasmatvreward.com' 'www.politicalopinionsurvey.com' 'www.poponclick.com' 'www.popupad.net' 'www.popupdomination.com' 'www.popuptraffic.com' 'www.postmasterbannernet.com' 'www.postmasterdirect.com' 'www.postnewsads.com' 'www.predictivadnetwork.com' 'www.premiumholidayoffers.com' 'www.premiumproductsonline.com' 'www.premium-reward-club.com' 'www.prizes.co.uk' 'www.probabilidades.net' 'www.productopinionpanel.com' 'www.productresearchpanel.com' 'www.producttestpanel.com' 'www.pro-partners.nl' 'www.psclicks.com' 'www.qitrck.com' 'www.quickbrowsersearch.com' 'www.quickcash-system.com' 'www.radiate.com' 'www.rankyou.com' 'www.ravel-rewardpath.com' 'www.recreation-leisure-rewardpath.com' 'www.redactiepartners.nl' 'www.regflow.com' 'www.registrarads.com' 'www.reklam3.net' 'www.reklamzadserver.com' 'www.resolvingserver.com' 'www.rewardblvd.com' 'www.rewardhotspot.com' 'www.rewardsflow.com' 'www.ringtonepartner.com' 'www.romepartners.com' 'www.roulettebotplus.com' 'www.rovion.com' 'www.rscounter10.com' 'www.rtcode.com' 'www.rubyfortune.com' 'www.rwpads.net' 'www.sa44.net' 'www.safesoftware182.com' 'www.sagent.io' 'www.salesonline.ie' 'www.sanoma-adverteren.nl' 'www.save-plan.com' 'www.savings-specials.com' 'www.savings-time.com' 'www.sayfabulunamadi.com' 'www.scoremygift.com' 'www.screen-mates.com' 'www.searchwe.com' 'www.seasonalsamplerspecials.com' 'www.securecontactinfo.com' 'www.securerunner.com' 'www.servedby.advertising.com' 'www.sexadvertentiesite.nl' 'www.sexpartnerx.com' 'www.sexsponsors.com' 'www.share-server.com' 'www.shc-rebates.com' 'www.shopperpromotions.com' 'www.shoppingjobshere.com' 'www.shoppingminds.net' 'www.shopping-offer.com' 'www.shoppingsiterewards.com' 'www.shops-malls-rewardpath.com' 'www.shoptosaveenergy.com' 'www.simpli.fi' 'www.sizzle-savings.com' 'www.smart-scripts.com' 'www.smarttargetting.com' 'www.smokersopinionpoll.com' 'www.smspop.com' 'www.sochr.com' 'www.sociallypublish.com' 'www.soongu.info' 'www.specialgiftrewards.com' 'www.specialonlinegifts.com' 'www.specials-rewardpath.com' 'www.speedboink.com' 'www.speedyclick.com' 'www.spinbox.com' 'www.sponsoradulto.com' 'www.sports-bonuspath.com' 'www.sports-fitness-rewardpath.com' 'www.sports-offer.com' 'www.sports-offer.net' 'www.sports-premiumblvd.com' 'www.star-advertising.com' 'www.startnewtab.com' 'www.subsitesadserver.co.uk' 'www.sudokuwhiz.com' 'www.superbrewards.com' 'www.supremeadsonline.com' 'www.surplus-suppliers.com' 'www.sweetsforfree.com' 'www.symbiosting.com' 'www.syncaccess.net' 'www.system-live-media.cz' 'www.tao123.com' 'www.tcimg.com' 'www.textbanners.net' 'www.textsrv.com' 'www.tgpmanager.com' 'www.thatrendsystem.com' 'www.the-binary-options-guide.com' 'www.the-binary-theorem.com' 'www.the-path-gateway.com' 'www.the-smart-stop.com' 'www.thetraderinpajamas.com' 'www.theuseful.com' 'www.theuseful.net' 'www.thinktarget.com' 'www.thinlaptoprewards.com' 'www.thoughtfully-free.com' 'www.thruport.com' 'www.tons-to-see.com' 'www.top20free.com' 'www.topbrandrewards.com' 'www.topconsumergifts.com' 'www.topdemaroc.com' 'www.toy-offer.com' 'www.toy-offer.net' 'www.trackadvertising.net' 'www.tracklead.net' 'www.tradem.com' 'www.trafficrevenue.net' 'www.traffictrader.net' 'www.traffictraders.com' 'www.trafsearchonline.com' 'www.traktum.com' 'www.travel-leisure-bonuspath.com' 'www.travel-leisure-premiumblvd.com' 'www.traveller-offer.com' 'www.traveller-offer.net' 'www.travelncs.com' 'www.treeloot.com' 'www.trendnews.com' 'www.trendsonline.biz' 'www.trendsonline.me' 'www.trendsonline.mobi' 'www.trkfl.com' 'www.trndsys.mobi' 'www.ttnet.yandex.com.tr' 'www.turn.com' 'www.tutop.com' 'www.tuttosessogratis.org' 'www.uleadstrk.com' 'www.ultimatefashiongifts.com' 'www.uproar.com' 'www.usatravel-specials.com' 'www.usatravel-specials.net' 'www.us-choicevalue.com' 'www.usemax.de' 'www.us-topsites.com' 'www.valueclick.com' 'www.via22.net' 'www.video-game-rewards-central.com' 'www.videogamerewardscentral.com' 'www.videohube.eu' 'www.videomediagroep.nl' 'www.view4cash.de' 'www.virtumundo.com' 'www.vmcsatellite.com' 'www.wdm29.com' 'www.webcashvideos.com' 'www.webcompteur.com' 'www.webservices-rewardpath.com' 'www.websitepromoten.be' 'www.webtrekk.net' 'www.wegetpaid.net' 'www.werkenbijliones.nl' 'www.westreclameadvies.nl' 'www.whatuwhatuwhatuwant.com' 'www.widespace.com' 'www.widgetbucks.com' 'www.wigetmedia.com' 'www.williamhill.es' 'www.windaily.com' 'www.winnerschoiceservices.com' 'www.w.nolimit-video.com' 'www.wordplaywhiz.com' 'www.work-offer.com' 'www.worry-free-savings.com' 'www.wppluginspro.com' 'www.xaxis.com' 'www.xbn.ru' 'www.yceml.net' 'www.yibaruxet.cn' 'www.yieldmanager.net' 'www.yieldpartners.com' 'www.youf1le.com' 'www.youfck.com' 'www.yourdvdplayer.com' 'www.yourfreegascard.com' 'www.yourgascards.com' 'www.yourgiftrewards.com' 'www.your-gift-zone.com' 'www.yourgiftzone.com' 'www.yourhandytips.com' 'www.yourhotgiftzone.com' 'www.youripad4free.com' 'www.yourrewardzone.com' 'www.yoursmartrewards.com' 'www.zbippirad.info' 'www.zemgo.com' 'www.zevents.com' 'x86adserve006.adtech.de' 'x.admob.com' 'xaxis.com' 'x.azjmp.com' 'xch.smrtgs.com' 'x.iasrv.com' 'x.interia.pl' 'xlivehost.com' 'xlonhcld.xlontech.net' 'xml.adtech.de' 'xml.adtech.fr' 'xml.adtech.us' 'xml.click9.com' 'xmlheads.com' 'x.mochiads.com' 'xpantivirus.com' 'xpcs.ads.yahoo.com' 'xstatic.nk-net.pl' 'y.admob.com' 'yadro.ru' 'yieldmanagement.adbooth.net' 'yieldmanager.net' 'yodleeinc.tt.omtrdc.net' 'youcanoptin.com' 'youcanoptin.net' 'youcanoptin.org' 'youfck.com' 'your.dailytopdealz.com' 'yourdvdplayer.com' 'yourfreegascard.com' 'your-free-iphone.com' 'yourgascards.com' 'yourgiftrewards.com' 'your-gift-zone.com' 'yourgiftzone.com' 'yourhandytips.com' 'yourhotgiftzone.com' 'youripad4free.com' 'yourrewardzone.com' 'yoursmartrewards.com' 'ypn-js.overture.com' 'ysiu.freenation.com' 'ytaahg.vo.llnwd.net' 'yumenetworks.com' 'yx-in-f108.1e100.net' 'z1.adserver.com' 'z.admob.com' 'zads.zedo.com' 'zapadserver1.com' 'z.ceotrk.com' 'zdads.e-media.com' 'zeevex-online.com' 'zemgo.com' 'zevents.com' 'zhalehziba.com' 'zlothonline.info' 'zuzzer5.com' 'cya2.net' 'i.ligatus.com' 'images.revtrax.com' 'shorte.st' 'src.kitcode.net' 'ar.hao123.com' 'irs01.net' 'kiks.yandex.ru' 'simg.sinajs.cn' 'tv.sohu.com' 'y3.ifengimg.com' 'eur.a1.yimg.com' 'in.yimg.com' 'sg.yimg.com' 'uk.i1.yimg.com' 'us.a1.yimg.com' 'us.b1.yimg.com' 'us.c1.yimg.com' 'us.d1.yimg.com' 'us.e1.yimg.com' 'us.f1.yimg.com' 'us.g1.yimg.com' 'us.h1.yimg.com' 'us.j1.yimg.com' 'us.k1.yimg.com' 'us.l1.yimg.com' 'us.m1.yimg.com' 'us.n1.yimg.com' 'us.o1.yimg.com' 'us.p1.yimg.com' 'us.q1.yimg.com' 'us.r1.yimg.com' 'us.s1.yimg.com' 'us.t1.yimg.com' 'us.u1.yimg.com' 'us.v1.yimg.com' 'us.w1.yimg.com' 'us.x1.yimg.com' 'us.y1.yimg.com' 'us.z1.yimg.com' '1cgi.hitbox.com' '2cgi.hitbox.com' 'adminec1.hitbox.com' 'ads.hitbox.com' 'ag1.hitbox.com' 'ahbn1.hitbox.com' 'ahbn2.hitbox.com' 'ahbn3.hitbox.com' 'ahbn4.hitbox.com' 'aibg.hitbox.com' 'aibl.hitbox.com' 'aics.hitbox.com' 'ai.hitbox.com' 'aiui.hitbox.com' 'bigip1.hitbox.com' 'bigip2.hitbox.com' 'blowfish.hitbox.com' 'cdb.hitbox.com' 'cgi.hitbox.com' 'counter2.hitbox.com' 'counter.hitbox.com' 'dev101.hitbox.com' 'dev102.hitbox.com' 'dev103.hitbox.com' 'dev.hitbox.com' 'download.hitbox.com' 'ec1.hitbox.com' 'ehg-247internet.hitbox.com' 'ehg-accuweather.hitbox.com' 'ehg-acdsystems.hitbox.com' 'ehg-adeptscience.hitbox.com' 'ehg-affinitynet.hitbox.com' 'ehg-aha.hitbox.com' 'ehg-amerix.hitbox.com' 'ehg-apcc.hitbox.com' 'ehg-associatenewmedia.hitbox.com' 'ehg-ati.hitbox.com' 'ehg-attenza.hitbox.com' 'ehg-autodesk.hitbox.com' 'ehg-baa.hitbox.com' 'ehg-backweb.hitbox.com' 'ehg-bestbuy.hitbox.com' 'ehg-bizjournals.hitbox.com' 'ehg-bmwna.hitbox.com' 'ehg-boschsiemens.hitbox.com' 'ehg-bskyb.hitbox.com' 'ehg-cafepress.hitbox.com' 'ehg-careerbuilder.hitbox.com' 'ehg-cbc.hitbox.com' 'ehg-cbs.hitbox.com' 'ehg-cbsradio.hitbox.com' 'ehg-cedarpoint.hitbox.com' 'ehg-clearchannel.hitbox.com' 'ehg-closetmaid.hitbox.com' 'ehg-commjun.hitbox.com' 'ehg.commjun.hitbox.com' 'ehg-communityconnect.hitbox.com' 'ehg-communityconnet.hitbox.com' 'ehg-comscore.hitbox.com' 'ehg-corusentertainment.hitbox.com' 'ehg-coverityinc.hitbox.com' 'ehg-crain.hitbox.com' 'ehg-ctv.hitbox.com' 'ehg-cygnusbm.hitbox.com' 'ehg-datamonitor.hitbox.com' 'ehg-digg.hitbox.com' 'ehg-dig.hitbox.com' 'ehg-eckounlimited.hitbox.com' 'ehg-esa.hitbox.com' 'ehg-espn.hitbox.com' 'ehg-fifa.hitbox.com' 'ehg-findlaw.hitbox.com' 'ehg-foundation.hitbox.com' 'ehg-foxsports.hitbox.com' 'ehg-futurepub.hitbox.com' 'ehg-gamedaily.hitbox.com' 'ehg-gamespot.hitbox.com' 'ehg-gatehousemedia.hitbox.com' 'ehg-gatehoussmedia.hitbox.com' 'ehg-glam.hitbox.com' 'ehg-groceryworks.hitbox.com' 'ehg-groupernetworks.hitbox.com' 'ehg-guardian.hitbox.com' 'ehg-hasbro.hitbox.com' 'ehg-hellodirect.hitbox.com' 'ehg-himedia.hitbox.com' 'ehg.hitbox.com' 'ehg-hitent.hitbox.com' 'ehg-hollywood.hitbox.com' 'ehg-idgentertainment.hitbox.com' 'ehg-idg.hitbox.com' 'ehg-ifilm.hitbox.com' 'ehg-ignitemedia.hitbox.com' 'ehg-intel.hitbox.com' 'ehg-ittoolbox.hitbox.com' 'ehg-itworldcanada.hitbox.com' 'ehg-kingstontechnology.hitbox.com' 'ehg-knightridder.hitbox.com' 'ehg-learningco.hitbox.com' 'ehg-legonewyorkinc.hitbox.com' 'ehg-liveperson.hitbox.com' 'ehg-macpublishingllc.hitbox.com' 'ehg-macromedia.hitbox.com' 'ehg-magicalia.hitbox.com' 'ehg-maplesoft.hitbox.com' 'ehg-mgnlimited.hitbox.com' 'ehg-mindshare.hitbox.com' 'ehg.mindshare.hitbox.com' 'ehg-mtv.hitbox.com' 'ehg-mybc.hitbox.com' 'ehg-newarkinone.hitbox.com.hitbox.com' 'ehg-newegg.hitbox.com' 'ehg-newscientist.hitbox.com' 'ehg-newsinternational.hitbox.com' 'ehg-nokiafin.hitbox.com' 'ehg-novell.hitbox.com' 'ehg-nvidia.hitbox.com' 'ehg-oreilley.hitbox.com' 'ehg-oreilly.hitbox.com' 'ehg-pacifictheatres.hitbox.com' 'ehg-pennwell.hitbox.com' 'ehg-peoplesoft.hitbox.com' 'ehg-philipsvheusen.hitbox.com' 'ehg-pizzahut.hitbox.com' 'ehg-playboy.hitbox.com' 'ehg-presentigsolutions.hitbox.com' 'ehg-qualcomm.hitbox.com' 'ehg-quantumcorp.hitbox.com' 'ehg-randomhouse.hitbox.com' 'ehg-redherring.hitbox.com' 'ehg-register.hitbox.com' 'ehg-researchinmotion.hitbox.com' 'ehg-rfa.hitbox.com' 'ehg-rodale.hitbox.com' 'ehg-salesforce.hitbox.com' 'ehg-salonmedia.hitbox.com' 'ehg-samsungusa.hitbox.com' 'ehg-seca.hitbox.com' 'ehg-shoppersdrugmart.hitbox.com' 'ehg-sonybssc.hitbox.com' 'ehg-sonycomputer.hitbox.com' 'ehg-sonyelec.hitbox.com' 'ehg-sonymusic.hitbox.com' 'ehg-sonyny.hitbox.com' 'ehg-space.hitbox.com' 'ehg-sportsline.hitbox.com' 'ehg-streamload.hitbox.com' 'ehg-superpages.hitbox.com' 'ehg-techtarget.hitbox.com' 'ehg-tfl.hitbox.com' 'ehg-thefirstchurchchrist.hitbox.com' 'ehg-tigerdirect2.hitbox.com' 'ehg-tigerdirect.hitbox.com' 'ehg-topps.hitbox.com' 'ehg-tribute.hitbox.com' 'ehg-tumbleweed.hitbox.com' 'ehg-ubisoft.hitbox.com' 'ehg-uniontrib.hitbox.com' 'ehg-usnewsworldreport.hitbox.com' 'ehg-verizoncommunications.hitbox.com' 'ehg-viacom.hitbox.com' 'ehg-vmware.hitbox.com' 'ehg-vonage.hitbox.com' 'ehg-wachovia.hitbox.com' 'ehg-wacomtechnology.hitbox.com' 'ehg-warner-brothers.hitbox.com' 'ehg-wizardsofthecoast.hitbox.com.hitbox.com' 'ehg-womanswallstreet.hitbox.com' 'ehg-wss.hitbox.com' 'ehg-xxolympicwintergames.hitbox.com' 'ehg-yellowpages.hitbox.com' 'ehg-youtube.hitbox.com' 'ejs.hitbox.com' 'enterprise-admin.hitbox.com' 'enterprise.hitbox.com' 'esg.hitbox.com' 'evwr.hitbox.com' 'get.hitbox.com' 'hg10.hitbox.com' 'hg11.hitbox.com' 'hg12.hitbox.com' 'hg13.hitbox.com' 'hg14.hitbox.com' 'hg15.hitbox.com' 'hg16.hitbox.com' 'hg17.hitbox.com' 'hg1.hitbox.com' 'hg2.hitbox.com' 'hg3.hitbox.com' 'hg4.hitbox.com' 'hg5.hitbox.com' 'hg6a.hitbox.com' 'hg6.hitbox.com' 'hg7.hitbox.com' 'hg8.hitbox.com' 'hg9.hitbox.com' 'hitboxbenchmarker.com' 'hitboxcentral.com' 'hitbox.com' 'hitboxenterprise.com' 'hitboxwireless.com' 'host6.hitbox.com' 'ias2.hitbox.com' 'ias.hitbox.com' 'ibg.hitbox.com' 'ics.hitbox.com' 'idb.hitbox.com' 'js1.hitbox.com' 'lb.hitbox.com' 'lesbian-erotica.hitbox.com' 'lookup2.hitbox.com' 'lookup.hitbox.com' 'mrtg.hitbox.com' 'myhitbox.com' 'na.hitbox.com' 'narwhal.hitbox.com' 'nei.hitbox.com' 'nocboard.hitbox.com' 'noc.hitbox.com' 'noc-request.hitbox.com' 'ns1.hitbox.com' 'oas.hitbox.com' 'phg.hitbox.com' 'pure.hitbox.com' 'rainbowclub.hitbox.com' 'rd1.hitbox.com' 'reseller.hitbox.com' 'resources.hitbox.com' 'sitesearch.hitbox.com' 'specialtyclub.hitbox.com' 'ss.hitbox.com' 'stage101.hitbox.com' 'stage102.hitbox.com' 'stage103.hitbox.com' 'stage104.hitbox.com' 'stage105.hitbox.com' 'stage.hitbox.com' 'stats2.hitbox.com' 'stats3.hitbox.com' 'stats.hitbox.com' 'switch10.hitbox.com' 'switch11.hitbox.com' 'switch1.hitbox.com' 'switch5.hitbox.com' 'switch6.hitbox.com' 'switch8.hitbox.com' 'switch9.hitbox.com' 'switch.hitbox.com' 'tetra.hitbox.com' 'tools2.hitbox.com' 'toolsa.hitbox.com' 'tools.hitbox.com' 'ts1.hitbox.com' 'ts2.hitbox.com' 'vwr1.hitbox.com' 'vwr2.hitbox.com' 'vwr3.hitbox.com' 'w100.hitbox.com' 'w101.hitbox.com' 'w102.hitbox.com' 'w103.hitbox.com' 'w104.hitbox.com' 'w105.hitbox.com' 'w106.hitbox.com' 'w107.hitbox.com' 'w108.hitbox.com' 'w109.hitbox.com' 'w10.hitbox.com' 'w110.hitbox.com' 'w111.hitbox.com' 'w112.hitbox.com' 'w113.hitbox.com' 'w114.hitbox.com' 'w115.hitbox.com' 'w116.hitbox.com' 'w117.hitbox.com' 'w118.hitbox.com' 'w119.hitbox.com' 'w11.hitbox.com' 'w120.hitbox.com' 'w121.hitbox.com' 'w122.hitbox.com' 'w123.hitbox.com' 'w124.hitbox.com' 'w126.hitbox.com' 'w128.hitbox.com' 'w129.hitbox.com' 'w12.hitbox.com' 'w130.hitbox.com' 'w131.hitbox.com' 'w132.hitbox.com' 'w133.hitbox.com' 'w135.hitbox.com' 'w136.hitbox.com' 'w137.hitbox.com' 'w138.hitbox.com' 'w139.hitbox.com' 'w13.hitbox.com' 'w140.hitbox.com' 'w141.hitbox.com' 'w144.hitbox.com' 'w147.hitbox.com' 'w14.hitbox.com' 'w153.hitbox.com' 'w154.hitbox.com' 'w155.hitbox.com' 'w157.hitbox.com' 'w159.hitbox.com' 'w15.hitbox.com' 'w161.hitbox.com' 'w162.hitbox.com' 'w167.hitbox.com' 'w168.hitbox.com' 'w16.hitbox.com' 'w170.hitbox.com' 'w175.hitbox.com' 'w177.hitbox.com' 'w179.hitbox.com' 'w17.hitbox.com' 'w18.hitbox.com' 'w19.hitbox.com' 'w1.hitbox.com' 'w20.hitbox.com' 'w21.hitbox.com' 'w22.hitbox.com' 'w23.hitbox.com' 'w24.hitbox.com' 'w25.hitbox.com' 'w26.hitbox.com' 'w27.hitbox.com' 'w28.hitbox.com' 'w29.hitbox.com' 'w2.hitbox.com' 'w30.hitbox.com' 'w31.hitbox.com' 'w32.hitbox.com' 'w33.hitbox.com' 'w34.hitbox.com' 'w35.hitbox.com' 'w36.hitbox.com' 'w3.hitbox.com' 'w4.hitbox.com' 'w5.hitbox.com' 'w6.hitbox.com' 'w7.hitbox.com' 'w8.hitbox.com' 'w9.hitbox.com' 'webload101.hitbox.com' 'wss-gw-1.hitbox.com' 'wss-gw-3.hitbox.com' 'wvwr1.hitbox.com' 'ww1.hitbox.com' 'ww2.hitbox.com' 'ww3.hitbox.com' 'wwa.hitbox.com' 'wwb.hitbox.com' 'wwc.hitbox.com' 'wwd.hitbox.com' 'www.ehg-rr.hitbox.com' 'www.hitbox.com' 'www.hitboxwireless.com' 'y2k.hitbox.com' 'yang.hitbox.com' 'ying.hitbox.com' 'w2.extreme-dm.com' 'w3.extreme-dm.com' 'w4.extreme-dm.com' 'w5.extreme-dm.com' 'w6.extreme-dm.com' 'w7.extreme-dm.com' 'w8.extreme-dm.com' 'w9.extreme-dm.com' 'www.extreme-dm.com' 'oacentral.cepro.com' 'oas.adservingml.com' 'oas.adx.nu' 'oas.aurasports.com' 'oascentral.adageglobal.com' 'oascentral.aircanada.com' 'oascentral.alanicnewsnet.ca' 'oascentral.alanticnewsnet.ca' 'oascentral.americanheritage.com' 'oascentral.artistirect.com' 'oascentral.askmen.com' 'oascentral.aviationnow.com' 'oascentral.blackenterprises.com' 'oascentral.bostonherald.com' 'oascentral.bostonphoenix.com' 'oascentral.businessinsider.com' 'oascentral.businessweeks.com' 'oascentral.canadaeast.com' 'oascentral.canadianliving.com' 'oascentral.clearchannel.com' 'oascentral.construction.com' 'oascentral.covers.com' 'oascentral.cybereps.com' 'oascentral.dilbert.com' 'oascentral.drphil.com' 'oascentral.eastbayexpress.com' 'oas-central.east.realmedia.com' 'oascentral.encyclopedia.com' 'oascentral.fashionmagazine.com' 'oascentral.fayettevillenc.com' 'oascentral.forsythnews.com' 'oascentral.fortunecity.com' 'oascentral.foxnews.com' 'oascentral.g4techtv.com' 'oascentral.ggl.com' 'oascentral.gigex.com' 'oascentral.globalpost.com' 'oascentral.hamptoroads.com' 'oascentral.hamtoroads.com' 'oascentral.herenb.com' 'oascentral.inq7.net' 'oascentral.investors.com' 'oascentral.investorwords.com' 'oascentral.itbusiness.ca' 'oascentral.killsometime.com' 'oascentral.looksmart.com' 'oascentral.medbroadcast.com' 'oascentral.metro.us' 'oascentral.motherjones.com' 'oascentral.nowtoronto.com' 'oascentralnx.comcast.net' 'oascentral.phoenixvillenews.com' 'oascentral.pitch.com' 'oascentral.politico.com' 'oascentral.pottsmerc.com' 'oascentral.princetonreview.com' 'oascentral.radaronline.com' 'oas-central.realmedia.com' 'oascentral.redherring.com' 'oascentral.redorbit.com' 'oascentral.reference.com' 'oascentral.regalinterative.com' 'oascentral.registguard.com' 'oascentral.salon.com' 'oascentral.santacruzsentinel.com' 'oascentral.sciam.com' 'oascentral.scientificamerican.com' 'oascentral.seacoastonline.com' 'oascentral.seattleweekly.com' 'oascentral.sina.com.hk' 'oascentral.sparknotes.com' 'oascentral.sptimes.com' 'oascentral.starbulletin.com' 'oascentral.thehockeynews.com' 'oascentral.thenation.com' 'oascentral.theonionavclub.com' 'oascentral.theonion.com' 'oascentral.thephoenix.com' 'oascentral.thesmokinggun.com' 'oascentral.thespark.com' 'oascentral.townhall.com' 'oascentral.tribe.net' 'oascentral.trutv.com' 'oascentral.where.ca' 'oascentral.wjla.com' 'oascentral.wkrn.com' 'oascentral.wwe.com' 'oascentral.ywlloewpages.ca' 'oascentral.zwire.com' 'oascentreal.adcritic.com' 'oascetral.laweekly.com' 'oas.dispatch.com' 'oas.foxnews.com' 'oas.greensboro.com' 'oas.ibnlive.com' 'oas.lee.net' 'oas.nrjlink.fr' 'oas.nzz.ch' 'oas.portland.com' 'oas.publicitas.ch' 'oasroanoke.com' 'oas.sciencemag.org' 'oas.signonsandiego.com' 'oas.startribune.com' 'oas.toronto.com' 'oas.uniontrib.com' 'oas.vtsgonline.com' 'media1.fastclick.net' 'media2.fastclick.net' 'media3.fastclick.net' 'media4.fastclick.net' 'media5.fastclick.net' 'media6.fastclick.net' 'media7.fastclick.net' 'media8.fastclick.net' 'media9.fastclick.net' 'media10.fastclick.net' 'media11.fastclick.net' 'media12.fastclick.net' 'media13.fastclick.net' 'media14.fastclick.net' 'media15.fastclick.net' 'media16.fastclick.net' 'media17.fastclick.net' 'media18.fastclick.net' 'media19.fastclick.net' 'media20.fastclick.net' 'media21.fastclick.net' 'media22.fastclick.net' 'media23.fastclick.net' 'media24.fastclick.net' 'media25.fastclick.net' 'media26.fastclick.net' 'media27.fastclick.net' 'media28.fastclick.net' 'media29.fastclick.net' 'media30.fastclick.net' 'media31.fastclick.net' 'media32.fastclick.net' 'media33.fastclick.net' 'media34.fastclick.net' 'media35.fastclick.net' 'media36.fastclick.net' 'media37.fastclick.net' 'media38.fastclick.net' 'media39.fastclick.net' 'media40.fastclick.net' 'media41.fastclick.net' 'media42.fastclick.net' 'media43.fastclick.net' 'media44.fastclick.net' 'media45.fastclick.net' 'media46.fastclick.net' 'media47.fastclick.net' 'media48.fastclick.net' 'media49.fastclick.net' 'media50.fastclick.net' 'media51.fastclick.net' 'media52.fastclick.net' 'media53.fastclick.net' 'media54.fastclick.net' 'media55.fastclick.net' 'media56.fastclick.net' 'media57.fastclick.net' 'media58.fastclick.net' 'media59.fastclick.net' 'media60.fastclick.net' 'media61.fastclick.net' 'media62.fastclick.net' 'media63.fastclick.net' 'media64.fastclick.net' 'media65.fastclick.net' 'media66.fastclick.net' 'media67.fastclick.net' 'media68.fastclick.net' 'media69.fastclick.net' 'media70.fastclick.net' 'media71.fastclick.net' 'media72.fastclick.net' 'media73.fastclick.net' 'media74.fastclick.net' 'media75.fastclick.net' 'media76.fastclick.net' 'media77.fastclick.net' 'media78.fastclick.net' 'media79.fastclick.net' 'media80.fastclick.net' 'media81.fastclick.net' 'media82.fastclick.net' 'media83.fastclick.net' 'media84.fastclick.net' 'media85.fastclick.net' 'media86.fastclick.net' 'media87.fastclick.net' 'media88.fastclick.net' 'media89.fastclick.net' 'media90.fastclick.net' 'media91.fastclick.net' 'media92.fastclick.net' 'media93.fastclick.net' 'media94.fastclick.net' 'media95.fastclick.net' 'media96.fastclick.net' 'media97.fastclick.net' 'media98.fastclick.net' 'media99.fastclick.net' 'fastclick.net' 'te.about.com' 'te.advance.net' 'te.ap.org' 'te.astrology.com' 'te.audiencematch.net' 'te.belointeractive.com' 'te.boston.com' 'te.businessweek.com' 'te.chicagotribune.com' 'te.chron.com' 'te.cleveland.net' 'te.ctnow.com' 'te.dailycamera.com' 'te.dailypress.com' 'te.dentonrc.com' 'te.greenwichtime.com' 'te.idg.com' 'te.infoworld.com' 'te.ivillage.com' 'te.journalnow.com' 'te.latimes.com' 'te.mcall.com' 'te.mgnetwork.com' 'te.mysanantonio.com' 'te.newsday.com' 'te.nytdigital.com' 'te.orlandosentinel.com' 'te.scripps.com' 'te.scrippsnetworksprivacy.com' 'te.scrippsnewspapersprivacy.com' 'te.sfgate.com' 'te.signonsandiego.com' 'te.stamfordadvocate.com' 'te.sun-sentinel.com' 'te.sunspot.net' 'te.tbo.com' 'te.thestar.ca' 'te.trb.com' 'te.versiontracker.com' 'te.wsls.com' '24hwebsex.com' 'all-tgp.org' 'fioe.info' 'incestland.com' 'lesview.com' 'searchforit.com' 'www.asiansforu.com' 'www.bangbuddy.com' 'www.datanotary.com' 'www.entercasino.com' 'www.incestdot.com' 'www.incestgold.com' 'www.justhookup.com' 'www.mangayhentai.com' 'www.myluvcrush.ca' 'www.ourfuckbook.com' 'www.realincestvideos.com' 'www.searchforit.com' 'www.searchv.com' 'www.secretosx.com' 'www.seductiveamateurs.com' 'www.smsmovies.net' 'www.wowjs.1www.cn' 'www.xxxnations.com' 'www.xxxnightly.com' 'www.xxxtoolbar.com' 'www.yourfuckbook.com' '123greetings.com' '2000greetings.com' 'celebwelove.com' 'ecard4all.com' 'eforu.com' 'freewebcards.com' 'fukkad.com' 'fun-e-cards.com' 'funnyreign.com' 'funsilly.com' 'myfuncards.com' 'www.cool-downloads.com' 'www.cool-downloads.net' 'www.friend-card.com' 'www.friend-cards.com' 'www.friend-cards.net' 'www.friend-greeting.com' 'www.friend-greetings.com' 'www.friendgreetings.com' 'www.friend-greetings.net' 'www.friendgreetings.net' 'www.laugh-mail.com' 'www.laugh-mail.net' '1und1.ivwbox.de' 'bild.ivwbox.de' 'kicker.ivwbox.de' 'netzmarkt.ivwbox.de' 'onvis.ivwbox.de' 'spiegel.ivwbox.de' '10pg.scl5fyd.info' '21jewelry.com' '24x7.soliday.org' '2site.com' '33b.b33r.net' '48.2mydns.net' '4allfree.com' '55.2myip.com' '6165.rapidforum.com' '6pg.ryf3hgf.info' '7x7.ruwe.net' '7x.cc' '911.x24hr.com' 'ab.5.p2l.info' 'aboutharrypotter.fasthost.tv' 'aciphex.about-tabs.com' 'actonel.about-tabs.com' 'actos.about-tabs.com' 'acyclovir.1.p2l.info' 'adderall.ourtablets.com' 'adderallxr.freespaces.com' 'adipex.1.p2l.info' 'adipex.24sws.ws' 'adipex.3.p2l.info' 'adipex.4.p2l.info' 'adipex.hut1.ru' 'adipex.ourtablets.com' 'adipexp.3xforum.ro' 'adipex.shengen.ru' 'adipex.t-amo.net' 'adsearch.www1.biz' 'adult.shengen.ru' 'aguileranude.1stok.com' 'ahh-teens.com' 'aid-golf-golfdust-training.tabrays.com' 'airline-ticket.gloses.net' 'air-plane-ticket.beesearch.info' 'ak.5.p2l.info' 'al.5.p2l.info' 'alcohol-treatment.gloses.net' 'allegra.1.p2l.info' 'allergy.1.p2l.info' 'all-sex.shengen.ru' 'alprazolamonline.findmenow.info' 'alprazolam.ourtablets.com' 'alyssamilano.1stok.com' 'alyssamilano.ca.tt' 'alyssamilano.home.sapo.pt' 'amateur-mature-sex.adaltabaza.net' 'ambien.1.p2l.info' 'ambien.3.p2l.info' 'ambien.4.p2l.info' 'ambien.ourtablets.com' 'amoxicillin.ourtablets.com' 'angelinajolie.1stok.com' 'angelinajolie.ca.tt' 'anklets.shengen.ru' 'annanicolesannanicolesmith.ca.tt' 'annanicolesmith.1stok.com' 'antidepressants.1.p2l.info' 'anxiety.1.p2l.info' 'aol.spb.su' 'ar.5.p2l.info' 'arcade.ya.com' 'armanix.white.prohosting.com' 'arthritis.atspace.com' 'as.5.p2l.info' 'aspirin.about-tabs.com' 'ativan.ourtablets.com' 'austria-car-rental.findworm.net' 'auto.allewagen.de' 'az.5.p2l.info' 'azz.badazz.org' 'balabass.peerserver.com' 'balab.portx.net' 'bbs.ws' 'bc.5.p2l.info' 'beauty.finaltips.com' 'berkleynude.ca.tt' 'bestlolaray.com' 'bet-online.petrovka.info' 'betting-online.petrovka.info' 'bextra.ourtablets.com' 'bextra-store.shengen.ru' 'bingo-online.petrovka.info' 'birth-control.1.p2l.info' 'bontril.1.p2l.info' 'bontril.ourtablets.com' 'britneyspears.1stok.com' 'britneyspears.ca.tt' 'br.rawcomm.net' 'bupropion-hcl.1.p2l.info' 'buspar.1.p2l.info' 'buspirone.1.p2l.info' 'butalbital-apap.1.p2l.info' 'buy-adipex.aca.ru' 'buy-adipex-cheap-adipex-online.com' 'buy-adipex.hut1.ru' 'buy-adipex.i-jogo.net' 'buy-adipex-online.md-online24.de' 'buy-adipex.petrovka.info' 'buy-carisoprodol.polybuild.ru' 'buy-cheap-phentermine.blogspot.com' 'buy-cheap-xanax.all.at' 'buy-cialis-cheap-cialis-online.info' 'buy-cialis.freewebtools.com' 'buycialisonline.7h.com' 'buycialisonline.bigsitecity.com' 'buy-cialis-online.iscool.nl' 'buy-cialis-online.meperdoe.net' 'buy-cialis.splinder.com' 'buy-diazepam.connect.to' 'buyfioricet.findmenow.info' 'buy-fioricet.hut1.ru' 'buyfioricetonline.7h.com' 'buyfioricetonline.bigsitecity.com' 'buyfioricetonline.freeservers.com' 'buy-flower.petrovka.info' 'buy-hydrocodone.aca.ru' 'buyhydrocodone.all.at' 'buy-hydrocodone-cheap-hydrocodone-online.com' 'buy-hydrocodone.este.ru' 'buyhydrocodoneonline.findmenow.info' 'buy-hydrocodone-online.tche.com' 'buy-hydrocodone.petrovka.info' 'buy-hydrocodone.polybuild.ru' 'buy-hydrocodone.quesaudade.net' 'buy-hydrocodone.scromble.com' 'buylevitra.3xforum.ro' 'buy-levitra-cheap-levitra-online.info' 'buylevitraonline.7h.com' 'buylevitraonline.bigsitecity.com' 'buy-lortab-cheap-lortab-online.com' 'buy-lortab.hut1.ru' 'buylortabonline.7h.com' 'buylortabonline.bigsitecity.com' 'buy-lortab-online.iscool.nl' 'buypaxilonline.7h.com' 'buypaxilonline.bigsitecity.com' 'buy-phentermine-cheap-phentermine-online.com' 'buy-phentermine.hautlynx.com' 'buy-phentermine-online.135.it' 'buyphentermineonline.7h.com' 'buyphentermineonline.bigsitecity.com' 'buy-phentermine-online.i-jogo.net' 'buy-phentermine-online.i-ltda.net' 'buy-phentermine.polybuild.ru' 'buy-phentermine.thepizza.net' 'buy-tamiflu.asian-flu-vaccine.com' 'buy-ultram-online.iscool.nl' 'buy-valium-cheap-valium-online.com' 'buy-valium.este.ru' 'buy-valium.hut1.ru' 'buy-valium.polybuild.ru' 'buyvalium.polybuild.ru' 'buy-viagra.aca.ru' 'buy-viagra.go.to' 'buy-viagra.polybuild.ru' 'buyviagra.polybuild.ru' 'buy-vicodin-cheap-vicodin-online.com' 'buy-vicodin.dd.vu' 'buy-vicodin.hut1.ru' 'buy-vicodin.iscool.nl' 'buy-vicodin-online.i-blog.net' 'buy-vicodin-online.seumala.net' 'buy-vicodin-online.supersite.fr' 'buyvicodinonline.veryweird.com' 'buy-xanax.aztecaonline.net' 'buy-xanax-cheap-xanax-online.com' 'buy-xanax.hut1.ru' 'buy-xanax-online.amovoce.net' 'buy-zyban.all.at' 'bx6.blrf.net' 'ca.5.p2l.info' 'camerondiaznude.1stok.com' 'camerondiaznude.ca.tt' 'car-donation.shengen.ru' 'car-insurance.inshurance-from.com' 'carisoprodol.1.p2l.info' 'carisoprodol.hut1.ru' 'carisoprodol.ourtablets.com' 'carisoprodol.polybuild.ru' 'carisoprodol.shengen.ru' 'car-loan.shengen.ru' 'carmenelectra.1stok.com' 'cash-advance.now-cash.com' 'casino-gambling-online.searchservice.info' 'casino-online.100gal.net' 'cat.onlinepeople.net' 'cc5f.dnyp.com' 'celebrex.1.p2l.info' 'celexa.1.p2l.info' 'celexa.3.p2l.info' 'celexa.4.p2l.info' 'cephalexin.ourtablets.com' 'charlizetheron.1stok.com' 'cheap-adipex.hut1.ru' 'cheap-carisoprodol.polybuild.ru' 'cheap-hydrocodone.go.to' 'cheap-hydrocodone.polybuild.ru' 'cheap-phentermine.polybuild.ru' 'cheap-valium.polybuild.ru' 'cheap-viagra.polybuild.ru' 'cheap-web-hosting-here.blogspot.com' 'cheap-xanax-here.blogspot.com' 'cheapxanax.hut1.ru' 'cialis.1.p2l.info' 'cialis.3.p2l.info' 'cialis.4.p2l.info' 'cialis-finder.com' 'cialis-levitra-viagra.com.cn' 'cialis.ourtablets.com' 'cialis-store.shengen.ru' 'co.5.p2l.info' 'co.dcclan.co.uk' 'codeine.ourtablets.com' 'creampie.afdss.info' 'credit-card-application.now-cash.com' 'credit-cards.shengen.ru' 'ct.5.p2l.info' 'cuiland.info' 'cyclobenzaprine.1.p2l.info' 'cyclobenzaprine.ourtablets.com' 'dal.d.la' 'danger-phentermine.allforyourlife.com' 'darvocet.ourtablets.com' 'dc.5.p2l.info' 'de.5.p2l.info' 'debt.shengen.ru' 'def.5.p2l.info' 'demimoorenude.1stok.com' 'deniserichards.1stok.com' 'detox-kit.com' 'detox.shengen.ru' 'diazepam.ourtablets.com' 'diazepam.razma.net' 'diazepam.shengen.ru' 'didrex.1.p2l.info' 'diet-pills.hut1.ru' 'digital-cable-descrambler.planet-high-heels.com' 'dir.opank.com' 'dos.velek.com' 'drewbarrymore.ca.tt' 'drugdetox.shengen.ru' 'drug-online.petrovka.info' 'drug-testing.shengen.ru' 'eb.dd.bluelinecomputers.be' 'eb.prout.be' 'ed.at.is13.de' 'ed.at.thamaster.de' 'e-dot.hut1.ru' 'efam4.info' 'effexor-xr.1.p2l.info' 'e-hosting.hut1.ru' 'ei.imbucurator-de-prost.com' 'eminemticket.freespaces.com' 'en.dd.blueline.be' 'enpresse.1.p2l.info' 'en.ultrex.ru' 'epson-printer-ink.beesearch.info' 'erectile.byethost33.com' 'esgic.1.p2l.info' 'fahrrad.bikesshop.de' 'famous-pics.com' 'famvir.1.p2l.info' 'farmius.org' 'fee-hydrocodone.bebto.com' 'female-v.1.p2l.info' 'femaleviagra.findmenow.info' 'fg.softguy.com' 'findmenow.info' 'fioricet.1.p2l.info' 'fioricet.3.p2l.info' 'fioricet.4.p2l.info' 'fioricet-online.blogspot.com' 'firstfinda.info' 'fl.5.p2l.info' 'flexeril.1.p2l.info' 'flextra.1.p2l.info' 'flonase.1.p2l.info' 'flonase.3.p2l.info' 'flonase.4.p2l.info' 'florineff.ql.st' 'flower-online.petrovka.info' 'fluoxetine.1.p2l.info' 'fo4n.com' 'forex-broker.hut1.ru' 'forex-chart.hut1.ru' 'forex-market.hut1.ru' 'forex-news.hut1.ru' 'forex-online.hut1.ru' 'forex-signal.hut1.ru' 'forex-trade.hut1.ru' 'forex-trading-benefits.blogspot.com' 'forextrading.hut1.ru' 'freechat.llil.de' 'free.hostdepartment.com' 'free-money.host.sk' 'free-viagra.polybuild.ru' 'free-virus-scan.100gal.net' 'ga.5.p2l.info' 'game-online-video.petrovka.info' 'gaming-online.petrovka.info' 'gastrointestinal.1.p2l.info' 'gen-hydrocodone.polybuild.ru' 'getcarisoprodol.polybuild.ru' 'gocarisoprodol.polybuild.ru' 'gsm-mobile-phone.beesearch.info' 'gu.5.p2l.info' 'guerria-skateboard-tommy.tabrays.com' 'gwynethpaltrow.ca.tt' 'h1.ripway.com' 'hair-dos.resourcesarchive.com' 'halleberrynude.ca.tt' 'heathergraham.ca.tt' 'herpes.1.p2l.info' 'herpes.3.p2l.info' 'herpes.4.p2l.info' 'hf.themafia.info' 'hi.5.p2l.info' 'hi.pacehillel.org' 'holobumo.info' 'homehre.bravehost.com' 'homehre.ifrance.com' 'homehre.tripod.com' 'hoodia.kogaryu.com' 'hotel-las-vegas.gloses.net' 'hydrocodone-buy-online.blogspot.com' 'hydrocodone.irondel.swisshost.by' 'hydrocodone.on.to' 'hydrocodone.shengen.ru' 'hydrocodone.t-amo.net' 'hydrocodone.visa-usa.ru' 'hydro.polybuild.ru' 'ia.5.p2l.info' 'ia.warnet-thunder.net' 'ibm-notebook-battery.wp-club.net' 'id.5.p2l.info' 'il.5.p2l.info' 'imitrex.1.p2l.info' 'imitrex.3.p2l.info' 'imitrex.4.p2l.info' 'in.5.p2l.info' 'ionamin.1.p2l.info' 'ionamin.t35.com' 'irondel.swisshost.by' 'japanese-girl-xxx.com' 'java-games.bestxs.de' 'jg.hack-inter.net' 'job-online.petrovka.info' 'jobs-online.petrovka.info' 'kitchen-island.mensk.us' 'konstantin.freespaces.com' 'ks.5.p2l.info' 'ky.5.p2l.info' 'la.5.p2l.info' 'lamictal.about-tabs.com' 'lamisil.about-tabs.com' 'levitra.1.p2l.info' 'levitra.3.p2l.info' 'levitra.4.p2l.info' 'lexapro.1.p2l.info' 'lexapro.3.p2l.info' 'lexapro.4.p2l.info' 'loan.aol.msk.su' 'loan.maybachexelero.org' 'loestrin.1.p2l.info' 'lo.ljkeefeco.com' 'lol.to' 'lortab-cod.hut1.ru' 'lortab.hut1.ru' 'ma.5.p2l.info' 'mailforfreedom.com' 'make-money.shengen.ru' 'maps-antivert58.eksuziv.net' 'maps-spyware251-300.eksuziv.net' 'marketing.beesearch.info' 'mb.5.p2l.info' 'mba-online.petrovka.info' 'md.5.p2l.info' 'me.5.p2l.info' 'medical.carway.net' 'mens.1.p2l.info' 'meridia.1.p2l.info' 'meridia.3.p2l.info' 'meridia.4.p2l.info' 'meridiameridia.3xforum.ro' 'mesotherapy.jino-net.ru' 'mi.5.p2l.info' 'micardiss.ql.st' 'microsoft-sql-server.wp-club.net' 'mn.5.p2l.info' 'mo.5.p2l.info' 'moc.silk.com' 'mortgage-memphis.hotmail.ru' 'mortgage-rates.now-cash.com' 'mp.5.p2l.info' 'mrjeweller.us' 'ms.5.p2l.info' 'mt.5.p2l.info' 'multimedia-projector.katrina.ru' 'muscle-relaxers.1.p2l.info' 'music102.awardspace.com' 'mydaddy.b0x.com' 'myphentermine.polybuild.ru' 'nasacort.1.p2l.info' 'nasonex.1.p2l.info' 'nb.5.p2l.info' 'nc.5.p2l.info' 'nd.5.p2l.info' 'ne.5.p2l.info' 'nellyticket.beast-space.com' 'nelsongod.ca' 'nexium.1.p2l.info' 'nextel-ringtone.komi.su' 'nextel-ringtone.spb.su' 'nf.5.p2l.info' 'nh.5.p2l.info' 'nj.5.p2l.info' 'nm.5.p2l.info' 'nordette.1.p2l.info' 'nordette.3.p2l.info' 'nordette.4.p2l.info' 'norton-antivirus-trial.searchservice.info' 'notebook-memory.searchservice.info' 'ns.5.p2l.info' 'nv.5.p2l.info' 'ny.5.p2l.info' 'o8.aus.cc' 'ofni.al0ne.info' 'oh.5.p2l.info' 'ok.5.p2l.info' 'on.5.p2l.info' 'online-auto-insurance.petrovka.info' 'online-bingo.petrovka.info' 'online-broker.petrovka.info' 'online-cash.petrovka.info' 'online-casino.shengen.ru' 'online-casino.webpark.pl' 'online-cigarettes.hitslog.net' 'online-college.petrovka.info' 'online-degree.petrovka.info' 'online-florist.petrovka.info' 'online-forex.hut1.ru' 'online-forex-trading-systems.blogspot.com' 'online-gaming.petrovka.info' 'online-job.petrovka.info' 'online-loan.petrovka.info' 'online-mortgage.petrovka.info' 'online-personal.petrovka.info' 'online-personals.petrovka.info' 'online-pharmacy-online.blogspot.com' 'online-pharmacy.petrovka.info' 'online-phentermine.petrovka.info' 'online-poker-gambling.petrovka.info' 'online-poker-game.petrovka.info' 'online-poker.shengen.ru' 'online-prescription.petrovka.info' 'online-school.petrovka.info' 'online-schools.petrovka.info' 'online-single.petrovka.info' 'online-tarot-reading.beesearch.info' 'online-travel.petrovka.info' 'online-university.petrovka.info' 'online-viagra.petrovka.info' 'online-xanax.petrovka.info' 'onlypreteens.com' 'only-valium.go.to' 'only-valium.shengen.ru' 'or.5.p2l.info' 'oranla.info' 'orderadipex.findmenow.info' 'order-hydrocodone.polybuild.ru' 'order-phentermine.polybuild.ru' 'order-valium.polybuild.ru' 'ortho-tri-cyclen.1.p2l.info' 'pa.5.p2l.info' 'pacific-poker.e-online-poker-4u.net' 'pain-relief.1.p2l.info' 'paintball-gun.tripod.com' 'patio-furniture.dreamhoster.com' 'paxil.1.p2l.info' 'pay-day-loans.beesearch.info' 'payday-loans.now-cash.com' 'pctuzing.php5.cz' 'pd1.funnyhost.com' 'pe.5.p2l.info' 'peter-north-cum-shot.blogspot.com' 'pets.finaltips.com' 'pharmacy-canada.forsearch.net' 'pharmacy.hut1.ru' 'pharmacy-news.blogspot.com' 'pharmacy-online.petrovka.info' 'phendimetrazine.1.p2l.info' 'phentermine.1.p2l.info' 'phentermine.3.p2l.info' 'phentermine.4.p2l.info' 'phentermine.aussie7.com' 'phentermine-buy-online.hitslog.net' 'phentermine-buy.petrovka.info' 'phentermine-online.iscool.nl' 'phentermine-online.petrovka.info' 'phentermine.petrovka.info' 'phentermine.polybuild.ru' 'phentermine.shengen.ru' 'phentermine.t-amo.net' 'phentermine.webpark.pl' 'phone-calling-card.exnet.su' 'plavix.shengen.ru' 'play-poker-free.forsearch.net' 'poker-games.e-online-poker-4u.net' 'pop.egi.biz' 'pr.5.p2l.info' 'prescription-drugs.easy-find.net' 'prescription-drugs.shengen.ru' 'preteenland.com' 'preteensite.com' 'prevacid.1.p2l.info' 'prevent-asian-flu.com' 'prilosec.1.p2l.info' 'propecia.1.p2l.info' 'protonix.shengen.ru' 'psorias.atspace.com' 'purchase.hut1.ru' 'qc.5.p2l.info' 'qz.informs.com' 'refinance.shengen.ru' 'relenza.asian-flu-vaccine.com' 'renova.1.p2l.info' 'replacement-windows.gloses.net' 're.rutan.org' 'resanium.com' 'retin-a.1.p2l.info' 'ri.5.p2l.info' 'rise-media.ru' 'root.dns.bz' 'roulette-online.petrovka.info' 'router.googlecom.biz' 's32.bilsay.com' 'samsclub33.pochta.ru' 'sc10.net' 'sc.5.p2l.info' 'sd.5.p2l.info' 'search4you.50webs.com' 'search-phentermine.hpage.net' 'searchpill.boom.ru' 'seasonale.1.p2l.info' 'shop.kauffes.de' 'single-online.petrovka.info' 'sk.5.p2l.info' 'skelaxin.1.p2l.info' 'skelaxin.3.p2l.info' 'skelaxin.4.p2l.info' 'skin-care.1.p2l.info' 'skocz.pl' 'sleep-aids.1.p2l.info' 'sleeper-sofa.dreamhoster.com' 'slf5cyd.info' 'sobolev.net.ru' 'soma.1.p2l.info' 'soma.3xforum.ro' 'soma-store.visa-usa.ru' 'sonata.1.p2l.info' 'sport-betting-online.hitslog.net' 'spyware-removers.shengen.ru' 'spyware-scan.100gal.net' 'spyware.usafreespace.com' 'sq7.co.uk' 'sql-server-driver.beesearch.info' 'starlix.ql.st' 'stop-smoking.1.p2l.info' 'supplements.1.p2l.info' 'sx.nazari.org' 'sx.z0rz.com' 'ta.at.ic5mp.net' 'ta.at.user-mode-linux.net' 'tamiflu-in-canada.asian-flu-vaccine.com' 'tamiflu-no-prescription.asian-flu-vaccine.com' 'tamiflu-purchase.asian-flu-vaccine.com' 'tamiflu-without-prescription.asian-flu-vaccine.com' 'tenuate.1.p2l.info' 'texas-hold-em.e-online-poker-4u.net' 'texas-holdem.shengen.ru' 'ticket20.tripod.com' 'tizanidine.1.p2l.info' 'tn.5.p2l.info' 'topmeds10.com' 'top.pcanywhere.net' 'toyota.cyberealhosting.com' 'tramadol.1.p2l.info' 'tramadol2006.3xforum.ro' 'tramadol.3.p2l.info' 'tramadol.4.p2l.info' 'travel-insurance-quotes.beesearch.info' 'triphasil.1.p2l.info' 'triphasil.3.p2l.info' 'triphasil.4.p2l.info' 'tx.5.p2l.info' 'uf2aasn.111adfueo.us' 'ultracet.1.p2l.info' 'ultram.1.p2l.info' 'united-airline-fare.100pantyhose.com' 'university-online.petrovka.info' 'urlcut.net' 'urshort.net' 'us.kopuz.com' 'ut.5.p2l.info' 'utairway.com' 'va.5.p2l.info' 'vacation.toppick.info' 'valium.este.ru' 'valium.hut1.ru' 'valium.ourtablets.com' 'valium.polybuild.ru' 'valiumvalium.3xforum.ro' 'valtrex.1.p2l.info' 'valtrex.3.p2l.info' 'valtrex.4.p2l.info' 'valtrex.7h.com' 'vaniqa.1.p2l.info' 'vi.5.p2l.info' 'viagra.1.p2l.info' 'viagra.3.p2l.info' 'viagra.4.p2l.info' 'viagra-online.petrovka.info' 'viagra-pill.blogspot.com' 'viagra.polybuild.ru' 'viagra-soft-tabs.1.p2l.info' 'viagra-store.shengen.ru' 'viagraviagra.3xforum.ro' 'vicodin-online.petrovka.info' 'vicodin-store.shengen.ru' 'vicodin.t-amo.net' 'viewtools.com' 'vioxx.1.p2l.info' 'vitalitymax.1.p2l.info' 'vt.5.p2l.info' 'vxv.phre.net' 'w0.drag0n.org' 'wa.5.p2l.info' 'water-bed.8p.org.uk' 'web-hosting.hitslog.net' 'webhosting.hut1.ru' 'weborg.hut1.ru' 'weight-loss.1.p2l.info' 'weight-loss.3.p2l.info' 'weight-loss.4.p2l.info' 'weight-loss.hut1.ru' 'wellbutrin.1.p2l.info' 'wellbutrin.3.p2l.info' 'wellbutrin.4.p2l.info' 'wellnessmonitor.bravehost.com' 'wi.5.p2l.info' 'world-trade-center.hawaiicity.com' 'wp-club.net' 'ws01.do.nu' 'ws02.do.nu' 'ws03.do.nu' 'ws03.home.sapo.pt' 'ws04.do.nu' 'ws04.home.sapo.pt' 'ws05.home.sapo.pt' 'ws06.home.sapo.pt' 'wv.5.p2l.info' 'www.31d.net' 'www3.ddns.ms' 'www4.at.debianbase.de' 'www4.epac.to' 'www5.3-a.net' 'www69.bestdeals.at' 'www69.byinter.net' 'www69.dynu.com' 'www69.findhere.org' 'www69.fw.nu' 'www69.ugly.as' 'www6.ezua.com' 'www6.ns1.name' 'www7.ygto.com' 'www8.ns01.us' 'www99.bounceme.net' 'www99.fdns.net' 'www99.zapto.org' 'www9.compblue.com' 'www9.servequake.com' 'www9.trickip.org' 'www.adspoll.com' 'www.adult-top-list.com' 'www.aektschen.de' 'www.aeqs.com' 'www.alladultdirectories.com' 'www.alladultdirectory.net' 'www.arbeitssuche-web.de' 'www.atlantis-asia.com' 'www.bestrxpills.com' 'www.bigsister.cxa.de' 'www.bigsister-puff.cxa.de' 'www.bitlocker.net' 'www.cheap-laptops-notebook-computers.info' 'www.cheap-online-stamp.cast.cc' 'www.codez-knacken.de' 'www.computerxchange.com' 'www.credit-dreams.com' 'www.edle-stuecke.de' 'www.exe-file.de' 'www.exttrem.de' 'www.fetisch-pornos.cxa.de' 'www.ficken-ficken-ficken.cxa.de' 'www.ficken-xxx.cxa.de' 'www.financial-advice-books.com' 'www.finanzmarkt2004.de' 'www.furnitureulimited.com' 'www.gewinnspiele-slotmachine.de' 'www.hardware4freaks.de' 'www.healthyaltprods.com' 'www.heimlich-gefilmt.cxa.de' 'www.huberts-kochseite.de' 'www.huren-verzeichnis.is4all.de' 'www.kaaza-legal.de' 'www.kajahdfssa.net' 'www.keyofhealth.com' 'www.kitchentablegang.org' 'www.km69.de' 'www.koch-backrezepte.de' 'www.kvr-systems.de' 'www.lesben-pornos.cxa.de' 'www.links-private-krankenversicherung.de' 'www.littledevildoubt.com' 'www.mailforfreedom.com' 'www.masterspace.biz' 'www.medical-research-books.com' 'www.microsoft2010.com' 'www.nelsongod.ca' 'www.nextstudent.com' 'www.ntdesk.de' 'www.nutten-verzeichnis.cxa.de' 'www.obesitycheck.com' 'www.pawnauctions.net' 'www.pills-home.com' 'www.poker4spain.com' 'www.poker-new.com' 'www.poker-unique.com' 'www.porno-lesben.cxa.de' 'www.prevent-asian-flu.com' 'www.randppro-cuts.com' 'www.romanticmaui.net' 'www.salldo.de' 'www.samsclub33.pochta.ru' 'www.schwarz-weisses.de' 'www.schwule-boys-nackt.cxa.de' 'www.shopping-artikel.de' 'www.showcaserealestate.net' 'www.skattabrain.com' 'www.softcha.com' 'www.striemline.de' 'www.talentbroker.net' 'www.the-discount-store.com' 'www.topmeds10.com' 'www.uniqueinternettexasholdempoker.com' 'www.viagra-home.com' 'www.vthought.com' 'www.vtoyshop.com' 'www.vulcannonibird.de' 'www.webabrufe.de' 'www.wilddreams.info' 'www.willcommen.de' 'www.xcr-286.com' 'wy.5.p2l.info' 'x25.2mydns.com' 'x25.plorp.com' 'x4.lov3.net' 'x6x.a.la' 'x888x.myserver.org' 'x8x.dyndns.dk' 'x8x.trickip.net' 'xanax-online.dot.de' 'xanax-online.run.to' 'xanax-online.sms2.us' 'xanax.ourtablets.com' 'xanax-store.shengen.ru' 'xanax.t-amo.net' 'xanaxxanax.3xforum.ro' 'x-box.t35.com' 'xcr-286.com' 'xenical.1.p2l.info' 'xenical.3.p2l.info' 'xenical.4.p2l.info' 'x-hydrocodone.info' 'x-phentermine.info' 'xr.h4ck.la' 'yasmin.1.p2l.info' 'yasmin.3.p2l.info' 'yasmin.4.p2l.info' 'yt.5.p2l.info' 'zanaflex.1.p2l.info' 'zebutal.1.p2l.info' 'zocor.about-tabs.com' 'zoloft.1.p2l.info' 'zoloft.3.p2l.info' 'zoloft.4.p2l.info' 'zoloft.about-tabs.com' 'zyban.1.p2l.info' 'zyban.about-tabs.com' 'zyban-store.shengen.ru' 'zyprexa.about-tabs.com' 'zyrtec.1.p2l.info' 'zyrtec.3.p2l.info' 'zyrtec.4.p2l.info' 'adnexus.net' 'a-msedge.net' 'apps.skype.com' 'az361816.vo.msecnd.net' 'az512334.vo.msecnd.net' 'cdn.atdmt.com' 'cds26.ams9.msecn.net' 'c.msn.com' 'db3aqu.atdmt.com' 'fe2.update.microsoft.com.akadns.net' 'feedback.microsoft-hohm.com' 'g.msn.com' 'h1.msn.com' 'lb1.www.ms.akadns.net' 'live.rads.msn.com' 'm.adnxs.com' 'm.hotmail.com' 'msedge.net' 'msftncsi.com' 'msnbot-65-55-108-23.search.msn.com' 'msntest.serving-sys.com' 'preview.msn.com' 'pricelist.skype.com' 'reports.wes.df.telemetry.microsoft.com' 'schemas.microsoft.akadns.net' 'secure.flashtalking.com' 'settings-win.data.microsoft.com' 's.gateway.messenger.live.com' 'so.2mdn.net' 'statsfe2.ws.microsoft.com' 'telemetry.appex.bing.net ' 'ui.skype.com' 'wes.df.telemetry.microsoft.com' 'www.msftncsi.com' '1493361689.rsc.cdn77.org' '30-day-change.com' 'adsmws.cloudapp.net' 'annualconsumersurvey.com' 'apps.id.net' 'canuck-method.com' 'www.canuck-method.com' 'external.stealthedeal.com' 'mackeeperapp.zeobit.com' 'promotions.yourfirstmillion.biz' 'quickcash-system.com' 'save-your-pc.info' 'embed.sendtonews.com' 'promotion.com-rewards.club' 's.zkcdn.net' 'specialsections.siteseer.ca' 'stealthedeal.com' 'twitter.cm' 'ttwitter.com' 'virtual.thewhig.com' 'ac3.msn.com' 'choice.microsoft.com' 'choice.microsoft.com.nsatc.net' 'compatexchange.cloudapp.net' 'corp.sts.microsoft.com' 'corpext.msitadfs.glbdns2.microsoft.com' 'cs1.wpc.v0cdn.net' 'diagnostics.support.microsoft.com' 'feedback.search.microsoft.com' 'feedback.windows.com' 'i1.services.social.microsoft.com' 'i1.services.social.microsoft.com.nsatc.net' 'oca.telemetry.microsoft.com' 'oca.telemetry.microsoft.com.nsatc.net' 'pre.footprintpredict.com' 'redir.metaservices.microsoft.com' 'services.wes.df.telemetry.microsoft.com' 'settings-sandbox.data.microsoft.com' 'sls.update.microsoft.com.akadns.net' 'sqm.df.telemetry.microsoft.com' 'sqm.telemetry.microsoft.com' 'sqm.telemetry.microsoft.com.nsatc.net' 'ssw.live.com' 'statsfe1.ws.microsoft.com' 'statsfe2.update.microsoft.com.akadns.net' 'survey.watson.microsoft.com' 'telecommand.telemetry.microsoft.com' 'telecommand.telemetry.microsoft.com.nsatc.net' 'telemetry.urs.microsoft.com' 'vortex-bn2.metron.live.com.nsatc.net' 'vortex-cy2.metron.live.com.nsatc.net' 'vortex-sandbox.data.microsoft.com' 'vortex-win.data.microsoft.com' 'vortex.data.microsoft.com' 'watson.live.com' 'watson.microsoft.com' 'watson.ppe.telemetry.microsoft.com' 'watson.telemetry.microsoft.com' 'watson.telemetry.microsoft.com.nsatc.net' '101com.com' '101order.com' '123found.com' '180hits.de' '180searchassistant.com' '1x1rank.com' '207.net' '247media.com' '24log.com' '24log.de' '24pm-affiliation.com' '2mdn.net' '360yield.com' '4d5.net' '50websads.com' '518ad.com' '51yes.com' '600z.com' '777partner.com' '777seo.com' '77tracking.com' '99count.com' 'a-counter.kiev.ua' 'a.aproductmsg.com' 'a.consumer.net' 'a.sakh.com' 'a.ucoz.ru' 'a32.g.a.yimg.com' 'aaddzz.com' 'abacho.net' 'abc-ads.com' 'absoluteclickscom.com' 'abz.com' 'accounts.pkr.com.invalid' 'acsseo.com' 'actualdeals.com' 'acuityads.com' 'ad-balancer.at' 'ad-center.com' 'ad-images.suntimes.com' 'ad-pay.de' 'ad-server.gulasidorna.se' 'ad-space.net' 'ad-tech.com' 'ad-up.com' 'ad.980x.com' 'ad.abctv.com' 'ad.about.com' 'ad.aboutit.de' 'ad.anuntis.com' 'ad.bizo.com' 'ad.bondage.com' 'ad.centrum.cz' 'ad.cgi.cz' 'ad.choiceradio.com' 'ad.clix.pt' 'ad.digitallook.com' 'ad.doctissimo.fr' 'ad.domainfactory.de' 'ad.f1cd.ru' 'ad.flurry.com' 'ad.gate24.ch' 'ad.globe7.com' 'ad.grafika.cz' 'ad.hodomobile.com' 'ad.hyena.cz' 'ad.iinfo.cz' 'ad.ilove.ch' 'ad.jamster.co.uk' 'ad.jetsoftware.com' 'ad.keenspace.com' 'ad.liveinternet.ru' 'ad.lupa.cz' 'ad.mediastorm.hu' 'ad.mgd.de' 'ad.musicmatch.com' 'ad.nachtagenten.de' 'ad.nwt.cz' 'ad.onad.eu' 'ad.playground.ru' 'ad.preferances.com' 'ad.reunion.com' 'ad.scanmedios.com' 'ad.simgames.net' 'ad.technoratimedia.com' 'ad.top50.to' 'ad.virtual-nights.com' 'ad.wavu.hu' 'ad.way.cz' 'ad.weatherbug.com' 'ad1.emule-project.org' 'ad1.kde.cz' 'ad2.iinfo.cz' 'ad2.linxcz.cz' 'ad2.lupa.cz' 'ad2flash.com' 'ad3.iinfo.cz' 'ad3.pamedia.com.au' 'adaction.de' 'adapt.tv' 'adbanner.ro' 'adboost.de.vu' 'adboost.net' 'adbooth.net' 'adbot.com' 'adbroker.de' 'adbunker.com' 'adbutler.com' 'adbutler.de' 'adbuyer.com' 'adbuyer3.lycos.com' 'adcell.de' 'adcenter.mdf.se' 'adcenter.net' 'adcept.net' 'adclick.com' 'adcloud.net' 'adconion.com' 'adcycle.com' 'add.newmedia.cz' 'addealing.com' 'addesktop.com' 'addme.com' 'adengage.com' 'adexpose.com' 'adf.ly' 'adflight.com' 'adforce.com' 'adgoto.com' 'adgridwork.com' 'adimages.been.com' 'adimages.carsoup.com' 'adimages.homestore.com' 'adimages.sanomawsoy.fi' 'adimgs.sapo.pt' 'adimpact.com' 'adinjector.net' 'adisfy.com' 'adition.de' 'adition.net' 'adizio.com' 'adjix.com' 'adjug.com' 'adjuggler.com' 'adjustnetwork.com' 'adk2.com' 'adk2ads.tictacti.com' 'adland.ru' 'adlantic.nl' 'adledge.com' 'adlegend.com' 'adlink.de' 'adloox.com' 'adlooxtracking.com' 'adlure.net' 'admagnet.net' 'admailtiser.com' 'adman.otenet.gr' 'admanagement.ch' 'admanager.carsoup.com' 'admarketplace.net' 'admarvel.com' 'admedia.ro' 'admeta.com' 'admex.com' 'adminder.com' 'adminshop.com' 'admized.com' 'admob.com' 'admonitor.com' 'admotion.com.ar' 'admtpmp123.com' 'admtpmp124.com' 'adnet-media.net' 'adnet.ru' 'adnet.worldreviewer.com' 'adnetinteractive.com' 'adnetwork.net' 'adnetworkperformance.com' 'adnews.maddog2000.de' 'adnotch.com' 'adonspot.com' 'adoperator.com' 'adorigin.com' 'adpepper.nl' 'adpia.vn' 'adplus.co.id' 'adplxmd.com' 'adprofile.net' 'adprojekt.pl' 'adrazzi.com' 'adremedy.com' 'adreporting.com' 'adres.internet.com' 'adrevolver.com' 'adrolays.de' 'adrotate.de' 'ads-click.com' 'ads.activestate.com' 'ads.administrator.de' 'ads.ak.facebook.com.edgesuite.net' 'ads.allvatar.com' 'ads.alwayson-network.com' 'ads.appsgeyser.com' 'ads.batpmturner.com' 'ads.beenetworks.net' 'ads.berlinonline.de' 'ads.betfair.com.au' 'ads.bigchurch.com' 'ads.bigfoot.com' 'ads.billiton.de' 'ads.bing.com' 'ads.bittorrent.com' 'ads.bonniercorp.com' 'ads.boylesports.com' 'ads.brain.pk' 'ads.bumq.com' 'ads.cgnetworks.com' 'ads.channel4.com' 'ads.cimedia.com' 'ads.co.com' 'ads.creativematch.com' 'ads.cricbuzz.com' 'ads.datingyes.com' 'ads.dazoot.ro' 'ads.deltha.hu' 'ads.eagletribune.com' 'ads.easy-forex.com' 'ads.eatinparis.com' 'ads.edbindex.dk' 'ads.egrana.com.br' 'ads.electrocelt.com' 'ads.emirates.net.ae' 'ads.epltalk.com' 'ads.esmas.com' 'ads.expat-blog.biz' 'ads.factorymedia.com' 'ads.faxo.com' 'ads.ferianc.com' 'ads.flooble.com' 'ads.footymad.net' 'ads.forium.de' 'ads.fotosidan.se' 'ads.foxkidseurope.net' 'ads.foxnetworks.com' 'ads.freecity.de' 'ads.futurenet.com' 'ads.gameforgeads.de' 'ads.gamigo.de' 'ads.gaming-universe.de' 'ads.geekswithblogs.net' 'ads.goyk.com' 'ads.gradfinder.com' 'ads.grindinggears.com' 'ads.groundspeak.com' 'ads.gsm-exchange.com' 'ads.gsmexchange.com' 'ads.hardwaresecrets.com' 'ads.hideyourarms.com' 'ads.horsehero.com' 'ads.ibest.com.br' 'ads.ibryte.com' 'ads.img.co.za' 'ads.jobsite.co.uk' 'ads.justhungry.com' 'ads.kelbymediagroup.com' 'ads.kinobox.cz' 'ads.kinxxx.com' 'ads.kompass.com' 'ads.krawall.de' 'ads.massinfra.nl' 'ads.medienhaus.de' 'ads.mmania.com' 'ads.moceanads.com' 'ads.motor-forum.nl' 'ads.motormedia.nl' 'ads.nationalgeographic.com' 'ads.netclusive.de' 'ads.newmedia.cz' 'ads.nyx.cz' 'ads.nzcity.co.nz' 'ads.oddschecker.com' 'ads.okcimg.com' 'ads.olivebrandresponse.com' 'ads.optusnet.com.au' 'ads.pennet.com' 'ads.pickmeup-ltd.com' 'ads.pkr.com' 'ads.planet.nl' 'ads.powweb.com' 'ads.primissima.it' 'ads.printscr.com' 'ads.psd2html.com' 'ads.pushplay.com' 'ads.quoka.de' 'ads.resoom.de' 'ads.returnpath.net' 'ads.rpgdot.com' 'ads.s3.sitepoint.com' 'ads.sift.co.uk' 'ads.silverdisc.co.uk' 'ads.slim.com' 'ads.spoonfeduk.com' 'ads.stationplay.com' 'ads.struq.com' 'ads.supplyframe.com' 'ads.t-online.de' 'ads.themovienation.com' 'ads.timeout.com' 'ads.tjwi.info' 'ads.totallyfreestuff.com' 'ads.tripod.lycos.it' 'ads.tripod.lycos.nl' 'ads.tso.dennisnet.co.uk' 'ads.ultimate-guitar.com' 'ads.uncrate.com' 'ads.verticalresponse.com' 'ads.vgchartz.com' 'ads.virtual-nights.com' 'ads.vnumedia.com' 'ads.webmasterpoint.org' 'ads.websiteservices.com' 'ads.whoishostingthis.com' 'ads.wiezoekje.nl' 'ads.wikia.nocookie.net' 'ads.wwe.biz' 'ads.y-0.net' 'ads.yourfreedvds.com' 'ads03.redtube.com' 'ads1.mediacapital.pt' 'ads1.rne.com' 'ads1.virtual-nights.com' 'ads180.com' 'ads2.oneplace.com' 'ads2.rne.com' 'ads2.virtual-nights.com' 'ads2.xnet.cz' 'ads2004.treiberupdate.de' 'ads3.virtual-nights.com' 'ads4.virtual-nights.com' 'ads5.virtual-nights.com' 'adsatt.abc.starwave.com' 'adsby.bidtheatre.com' 'adscale.de' 'adscience.nl' 'adscpm.com' 'adsdk.com' 'adsend.de' 'adserv.evo-x.de' 'adserv.gamezone.de' 'adserve.ams.rhythmxchange.com' 'adserver.43plc.com' 'adserver.aidameter.com' 'adserver.barrapunto.com' 'adserver.beggarspromo.com' 'adserver.bing.com' 'adserver.break-even.it' 'adserver.clashmusic.com' 'adserver.flossiemediagroup.com' 'adserver.irishwebmasterforum.com' 'adserver.motorpresse.de' 'adserver.oddschecker.com' 'adserver.portugalmail.net' 'adserver.quizdingo.com' 'adserver.sciflicks.com' 'adserver.viagogo.com' 'adserver01.de' 'adserver1.mindshare.de' 'adserver1.mokono.com' 'adserver2.mindshare.de' 'adserverplus.com' 'adservinginternational.com' 'adshost1.com' 'adside.com' 'adsk2.co' 'adsklick.de' 'adsmarket.com' 'adsmogo.com' 'adsnative.com' 'adspace.ro' 'adspeed.net' 'adspirit.de' 'adsponse.de' 'adsrv.deviantart.com' 'adsrv.eacdn.com' 'adsstat.com' 'adstest.weather.com' 'adsupply.com' 'adsupplyads.com' 'adswitcher.com' 'adsymptotic.com' 'adtegrity.net' 'adthis.com' 'adtiger.de' 'adtoll.com' 'adtology.com' 'adtoma.com' 'adtrace.org' 'adtrade.net' 'adtrading.de' 'adtriplex.com' 'adultadvertising.com' 'adv-adserver.com' 'adv.cooperhosting.net' 'adv.freeonline.it' 'adv.hwupgrade.it' 'adv.livedoor.com' 'adv.yo.cz' 'advariant.com' 'adventory.com' 'adverticum.com' 'adverticum.net' 'adverticus.de' 'advertiseireland.com' 'advertisespace.com' 'advertising.guildlaunch.net' 'advertisingbanners.com' 'advertisingbox.com' 'advertmarket.com' 'advertmedia.de' 'adverts.carltononline.com' 'advertserve.com' 'advertwizard.com' 'advideo.uimserv.net' 'advisormedia.cz' 'adviva.com' 'advnt.com' 'adwareremovergold.com' 'adwhirl.com' 'adwitserver.com' 'adworldnetwork.com' 'adworx.at' 'adworx.be' 'adworx.nl' 'adx.allstar.cz' 'adx.atnext.com' 'adxpansion.com' 'adxvalue.com' 'adyea.com' 'adzerk.s3.amazonaws.com' 'adzones.com' 'af-ad.co.uk' 'afbtracking09.com' 'affbuzzads.com' 'affili.net' 'affiliate.1800flowers.com' 'affiliate.7host.com' 'affiliate.doubleyourdating.com' 'affiliate.gamestop.com' 'affiliate.mercola.com' 'affiliate.mogs.com' 'affiliate.offgamers.com' 'affiliate.travelnow.com' 'affiliate.viator.com' 'affiliatefuel.com' 'affiliatefuture.com' 'affiliates.allposters.com' 'affiliates.babylon.com' 'affiliates.devilfishpartners.com' 'affiliates.digitalriver.com' 'affiliates.ige.com' 'affiliates.internationaljock.com' 'affiliates.jlist.com' 'affiliates.thinkhost.net' 'affiliates.ultrahosting.com' 'affiliatetracking.com' 'affiliatetracking.net' 'affiliatewindow.com' 'ah-ha.com' 'ahalogy.com' 'aidu-ads.de' 'aim4media.com' 'aistat.net' 'aktrack.pubmatic.com' 'alclick.com' 'alenty.com' 'all4spy.com' 'alladvantage.com' 'allosponsor.com' 'amazingcounters.com' 'amazon-adsystem.com' 'amung.us' 'anahtars.com' 'analytics.adpost.org' 'analytics.yahoo.com' 'api.intensifier.de' 'apture.com' 'arc1.msn.com' 'arcadebanners.com' 'are-ter.com' 'as1.advfn.com' 'as2.advfn.com' 'as5000.com' 'assets1.exgfnetwork.com' 'assoc-amazon.com' 'atwola.com' 'auctionads.com' 'auctionads.net' 'audience2media.com' 'audit.webinform.hu' 'auto-bannertausch.de' 'autohits.dk' 'avenuea.com' 'avres.net' 'avsads.com' 'awempire.com' 'awin1.com' 'azfront.com' 'b-1st.com' 'b.aol.com' 'b.engadget.com' 'ba.afl.rakuten.co.jp' 'babs.tv2.dk' 'backbeatmedia.com' 'banik.redigy.cz' 'banner-exchange-24.de' 'banner.alphacool.de' 'banner.blogranking.net' 'banner.buempliz-online.ch' 'banner.casino.net' 'banner.cotedazurpalace.com' 'banner.cz' 'banner.elisa.net' 'banner.featuredusers.com' 'banner.getgo.de' 'banner.img.co.za' 'banner.inyourpocket.com' 'banner.jobsahead.com' 'banner.linux.se' 'banner.mindshare.de' 'banner.nixnet.cz' 'banner.noblepoker.com' 'banner.penguin.cz' 'banner.tanto.de' 'banner.titan-dsl.de' 'banner.vadian.net' 'banner.webmersion.com' 'banner.wirenode.com' 'bannerboxes.com' 'bannercommunity.de' 'bannerconnect.com' 'bannerexchange.cjb.net' 'bannerflow.com' 'bannergrabber.internet.gr' 'bannerhost.com' 'bannerimage.com' 'bannerlandia.com.ar' 'bannermall.com' 'bannermarkt.nl' 'banners.apnuk.com' 'banners.babylon-x.com' 'banners.bol.com.br' 'banners.clubseventeen.com' 'banners.czi.cz' 'banners.dine.com' 'banners.iq.pl' 'banners.isoftmarketing.com' 'banners.lifeserv.com' 'banners.thomsonlocal.com' 'bannerserver.com' 'bannersng.yell.com' 'bannerspace.com' 'bannerswap.com' 'bannertesting.com' 'bannery.cz' 'bannieres.acces-contenu.com' 'bans.adserver.co.il' 'begun.ru' 'belstat.com' 'belstat.nl' 'berp.com' 'best-pr.info' 'best-top.ro' 'bestsearch.net' 'bidclix.com' 'bidtrk.com' 'bigbangmedia.com' 'bigclicks.com' 'billboard.cz' 'bitads.net' 'bitmedianetwork.com' 'bizrate.com' 'blast4traffic.com' 'blingbucks.com' 'blogcounter.de' 'blogherads.com' 'blogrush.com' 'blogtoplist.se' 'blogtopsites.com' 'bluelithium.com' 'bluewhaleweb.com' 'bm.annonce.cz' 'boersego-ads.de' 'boldchat.com' 'boom.ro' 'boomads.com' 'boost-my-pr.de' 'bpath.com' 'braincash.com' 'brandreachsys.com' 'bravenet.com.invalid' 'bridgetrack.com' 'brightinfo.com' 'british-banners.com' 'budsinc.com' 'buyhitscheap.com' 'buysellads.com' 'buzzonclick.com' 'bvalphaserver.com' 'bwp.download.com' 'c1.nowlinux.com' 'campaign.bharatmatrimony.com' 'caniamedia.com' 'carbonads.com' 'carbonads.net' 'casalmedia.com' 'cash4members.com' 'cash4popup.de' 'cashcrate.com' 'cashfiesta.com' 'cashlayer.com' 'cashpartner.com' 'casinogames.com' 'casinopays.com' 'casinorewards.com' 'casinotraffic.com' 'casinotreasure.com' 'cben1.net' 'cbmall.com' 'cbx.net' 'cdn.freefacti.com' 'ceskydomov.alias.ngs.modry.cz' 'ch.questionmarket.com' 'channelintelligence.com' 'chart.dk' 'chartbeat.net' 'checkm8.com' 'checkstat.nl' 'chestionar.ro' 'chitika.net' 'cibleclick.com' 'cj.com' 'cjbmanagement.com' 'cjlog.com' 'claria.com' 'class-act-clicks.com' 'click.absoluteagency.com' 'click.fool.com' 'click2freemoney.com' 'click2paid.com' 'clickability.com' 'clickadz.com' 'clickagents.com' 'clickbank.com' 'clickbooth.com' 'clickbrokers.com' 'clickcompare.co.uk' 'clickdensity.com' 'clickhereforcellphones.com' 'clickhouse.com' 'clickhype.com' 'clicklink.jp' 'clicks.mods.de' 'clicktag.de' 'clickthrucash.com' 'clicktrack.ziyu.net' 'clicktrade.com' 'clickxchange.com' 'clickz.com' 'clickzxc.com' 'clicmanager.fr' 'clients.tbo.com' 'clixgalore.com' 'cluster.adultworld.com' 'cmpstar.com' 'cnt.spbland.ru' 'code-server.biz' 'colonize.com' 'comclick.com' 'commindo-media-ressourcen.de' 'commissionmonster.com' 'compactbanner.com' 'comprabanner.it' 'connextra.com' 'contaxe.de' 'content.acc-hd.de' 'content.ad' 'contentabc.com' 'conversionruler.com' 'coremetrics.com' 'count.west263.com' 'count6.rbc.ru' 'counted.com' 'counter.avtoindex.com' 'counter.mojgorod.ru' 'coupling-media.de' 'cpays.com' 'cpmaffiliation.com' 'cpmstar.com' 'cpxadroit.com' 'cpxinteractive.com' 'crakmedia.com' 'craktraffic.com' 'crawlability.com' 'crazypopups.com' 'creafi-online-media.com' 'creative.whi.co.nz' 'creatives.as4x.tmcs.net' 'crispads.com' 'criteo.com' 'ctnetwork.hu' 'cubics.com' 'customad.cnn.com' 'cyberbounty.com' 'cybermonitor.com' 'dakic-ia-300.com' 'danban.com' 'dapper.net' 'datashreddergold.com' 'dc-storm.com' 'dealdotcom.com' 'debtbusterloans.com' 'decknetwork.net' 'deloo.de' 'demandbase.com' 'depilflash.tv' 'di1.shopping.com' 'dialerporn.com' 'direct-xxx-access.com' 'directaclick.com' 'directivepub.com' 'directorym.com' 'discountclick.com' 'displayadsmedia.com' 'displaypagerank.com' 'dmtracker.com' 'dmtracking.alibaba.com' 'domaining.in' 'domainsteam.de' 'drumcash.com' 'e-adimages.scrippsnetworks.com' 'e-bannerx.com' 'e-debtconsolidation.com' 'e-m.fr' 'e-n-t-e-r-n-e-x.com' 'e-planning.net' 'e.kde.cz' 'eadexchange.com' 'easyhits4u.com' 'ebuzzing.com' 'ecircle-ag.com' 'eclick.vn' 'ecoupons.com' 'edgeio.com' 'effectivemeasure.com' 'effectivemeasure.net' 'elitedollars.com' 'elitetoplist.com' 'emarketer.com' 'emediate.dk' 'emediate.eu' 'emonitor.takeit.cz' 'enginenetwork.com' 'enquisite.com' 'entercasino.com' 'entrecard.s3.amazonaws.com' 'epiccash.com' 'eqads.com' 'esellerate.net' 'etargetnet.com' 'ethicalads.net' 'etracker.de' 'eu-adcenter.net' 'eu1.madsone.com' 'eurekster.com' 'euro-linkindex.de' 'euroclick.com' 'european-toplist.de' 'euroranking.de' 'euros4click.de' 'eusta.de' 'evergage.com' 'evidencecleanergold.com' 'ewebcounter.com' 'exchange-it.com' 'exchangead.com' 'exchangeclicksonline.com' 'exit76.com' 'exitexchange.com' 'exitfuel.com' 'exoclick.com' 'exogripper.com' 'experteerads.com' 'express-submit.de' 'extractorandburner.com' 'eyeblaster.com' 'eyereturn.com' 'eyeviewads.com' 'ezula.com' 'f5biz.com' 'fast-adv.it' 'fastclick.com' 'fb-promotions.com' 'feedbackresearch.com' 'ffxcam.fairfax.com.au' 'fimc.net' 'fimserve.com' 'findcommerce.com' 'findyourcasino.com' 'fineclicks.com' 'first.nova.cz' 'firstlightera.com' 'flashtalking.com' 'fleshlightcash.com' 'flexbanner.com' 'flowgo.com' 'fonecta.leiki.com' 'foo.cosmocode.de' 'forex-affiliate.net' 'fpctraffic.com' 'free-banners.com' 'freebanner.com' 'freepay.com' 'freestats.tv' 'funklicks.com' 'funpageexchange.com' 'fusionads.net' 'fusionquest.com' 'fxclix.com' 'fxstyle.net' 'galaxien.com' 'game-advertising-online.com' 'gamehouse.com' 'gamesites100.net' 'gamesites200.com' 'gamesitestop100.com' 'geovisite.com' 'german-linkindex.de' 'globalismedia.com' 'globaltakeoff.net' 'globaltrack.com' 'globe7.com' 'globus-inter.com' 'go-clicks.de' 'go-rank.de' 'goingplatinum.com' 'gold.weborama.fr' 'googleadservices.com' 'gp.dejanews.com' 'gpr.hu' 'grafstat.ro' 'grapeshot.co.uk' 'greystripe.com' 'gtop.ro' 'gtop100.com' 'harrenmedia.com' 'harrenmedianetwork.com' 'havamedia.net' 'heias.com' 'hentaicounter.com' 'herbalaffiliateprogram.com' 'heyos.com' 'hgads.com' 'hidden.gogoceleb.com' 'hit-ranking.de' 'hit.bg' 'hit.ua' 'hit.webcentre.lycos.co.uk' 'hitcents.com' 'hitfarm.com' 'hitiz.com' 'hitlist.ru' 'hitlounge.com' 'hitometer.com' 'hits4me.com' 'hits4pay.com' 'hittail.com' 'hollandbusinessadvertising.nl' 'homepageking.de' 'hotkeys.com' 'hotlog.ru' 'hotrank.com.tw' 'htmlhubing.xyz' 'httpool.com' 'hurricanedigitalmedia.com' 'hydramedia.com' 'hyperbanner.net' 'i-clicks.net' 'i1img.com' 'i1media.no' 'ia.iinfo.cz' 'iadnet.com' 'iasds01.com' 'iconadserver.com' 'icptrack.com' 'idcounter.com' 'identads.com' 'idot.cz' 'idregie.com' 'idtargeting.com' 'ientrymail.com' 'ilbanner.com' 'iliilllio00oo0.321.cn' 'imagecash.net' 'images.v3.com' 'imarketservices.com' 'img.prohardver.hu' 'imgpromo.easyrencontre.com' 'imonitor.nethost.cz' 'imprese.cz' 'impressionmedia.cz' 'impressionz.co.uk' 'inboxdollars.com' 'incentaclick.com' 'indexstats.com' 'indieclick.com' 'industrybrains.com' 'infinityads.com' 'infolinks.com' 'information.com' 'inringtone.com' 'insightexpress.com' 'inspectorclick.com' 'instantmadness.com' 'interactive.forthnet.gr' 'intergi.com' 'internetfuel.com' 'interreklame.de' 'interstat.hu' 'ip.ro' 'ip193.cn' 'iperceptions.com' 'ipro.com' 'ireklama.cz' 'itfarm.com' 'itop.cz' 'its-that-easy.com' 'itsptp.com' 'jcount.com' 'jinkads.de' 'joetec.net' 'jokedollars.com' 'juicyads.com' 'jumptap.com' 'justrelevant.com' 'kanoodle.com' 'keymedia.hu' 'kindads.com' 'kliks.nl' 'komoona.com' 'kompasads.com' 'kt-g.de' 'lakequincy.com' 'layer-ad.de' 'lbn.ru' 'leadaffiliates.com' 'leadboltads.net' 'leadclick.com' 'leadingedgecash.com' 'leadzupc.com' 'leanoisgo.com' 'levelrate.de' 'lfstmedia.com' 'liftdna.com' 'ligatus.com' 'ligatus.de' 'lightningcast.net' 'lightspeedcash.com' 'link-booster.de' 'linkadd.de' 'linkexchange.com' 'linkprice.com' 'linkrain.com' 'linkreferral.com' 'links-ranking.de' 'linkshighway.com' 'linkshighway.net' 'linkstorms.com' 'linkswaper.com' 'liveintent.com' 'liverail.com' 'logua.com' 'lop.com' 'lucidmedia.com' 'lzjl.com' 'm4n.nl' 'madisonavenue.com' 'madvertise.de' 'malware-scan.com' 'marchex.com' 'market-buster.com' 'marketing.nyi.net' 'marketing.osijek031.com' 'marketingsolutions.yahoo.com' 'maroonspider.com' 'mas.sector.sk' 'mastermind.com' 'matchcraft.com' 'mathtag.com' 'max.i12.de' 'maximumcash.com' 'mbs.megaroticlive.com' 'mbuyu.nl' 'mdotm.com' 'measuremap.com' 'media-adrunner.mycomputer.com' 'media-servers.net' 'media6degrees.com' 'mediaarea.eu' 'mediadvertising.ro' 'mediageneral.com' 'mediamath.com' 'mediaplazza.com' 'mediaplex.com' 'mediascale.de' 'mediatext.com' 'mediax.angloinfo.com' 'mediaz.angloinfo.com' 'medyanetads.com' 'megacash.de' 'megastats.com' 'megawerbung.de' 'memorix.sdv.fr' 'metaffiliation.com' 'metanetwork.com' 'methodcash.com' 'miarroba.com' 'microstatic.pl' 'microticker.com' 'midnightclicking.com' 'mintrace.com' 'misstrends.com' 'miva.com' 'mixpanel.com' 'mixtraffic.com' 'mlm.de' 'mmismm.com' 'mmtro.com' 'moatads.com' 'mobclix.com' 'mocean.mobi' 'moneyexpert.com' 'monsterpops.com' 'mopub.com' 'mpstat.us' 'mr-rank.de' 'mrskincash.com' 'musiccounter.ru' 'muwmedia.com' 'myaffiliateprogram.com' 'mybloglog.com' 'mycounter.ua' 'mypagerank.net' 'mypagerank.ru' 'mypowermall.com' 'mystat-in.net' 'mystat.pl' 'mytop-in.net' 'n69.com' 'naiadsystems.com' 'namimedia.com' 'nastydollars.com' 'navigator.io' 'navrcholu.cz' 'nedstat.com' 'nedstatbasic.net' 'nedstatpro.net' 'nend.net' 'neocounter.neoworx-blog-tools.net' 'neoffic.com' 'net-filter.com' 'netaffiliation.com' 'netagent.cz' 'netcommunities.com' 'netdirect.nl' 'netflame.cc' 'netincap.com' 'netpool.netbookia.net' 'netshelter.net' 'network.business.com' 'neudesicmediagroup.com' 'newbie.com' 'newnet.qsrch.com' 'newnudecash.com' 'newtopsites.com' 'ngs.impress.co.jp' 'nitroclicks.com' 'novem.pl' 'nuggad.net' 'numax.nu-1.com' 'nuseek.com' 'oewa.at' 'oewabox.at' 'offerforge.com' 'offermatica.com' 'olivebrandresponse.com' 'omniture.com' 'onclasrv.com' 'oneandonlynetwork.com' 'onenetworkdirect.com' 'onestat.com' 'onestatfree.com' 'onewaylinkexchange.net' 'online-metrix.net' 'onlinecash.com' 'onlinecashmethod.com' 'onlinerewardcenter.com' 'openads.org' 'openclick.com' 'openx.angelsgroup.org.uk' 'openx.blindferret.com' 'opienetwork.com' 'optimost.com' 'optmd.com' 'ordingly.com' 'ota.cartrawler.com' 'otto-images.developershed.com' 'outbrain.com' 'overture.com' 'owebmoney.ru' 'oxado.com' 'pagead.l.google.com' 'pagerank-estate-spb.ru' 'pagerank-ranking.com' 'pagerank-ranking.de' 'pagerank-server7.de' 'pagerank-submitter.com' 'pagerank-submitter.de' 'pagerank-suchmaschine.de' 'pagerank-united.de' 'pagerank4u.eu' 'pagerank4you.com' 'pageranktop.com' 'partage-facile.com' 'partner-ads.com' 'partner.pelikan.cz' 'partner.topcities.com' 'partnerad.l.google.com' 'partnercash.de' 'partners.priceline.com' 'passion-4.net' 'pay-ads.com' 'paypopup.com' 'payserve.com' 'pbnet.ru' 'peep-auktion.de' 'peer39.com' 'pennyweb.com' 'pepperjamnetwork.com' 'percentmobile.com' 'perf.weborama.fr' 'perfectaudience.com' 'perfiliate.com' 'performancerevenue.com' 'performancerevenues.com' 'performancing.com' 'pgmediaserve.com' 'pgpartner.com' 'pheedo.com' 'phoenix-adrunner.mycomputer.com' 'phpmyvisites.net' 'picadmedia.com' 'pillscash.com' 'pimproll.com' 'pixel.jumptap.com' 'planetactive.com' 'play4traffic.com' 'playhaven.com' 'plista.com' 'plugrush.com' 'popads.net' 'popub.com' 'popupnation.com' 'popuptraffic.com' 'porngraph.com' 'porntrack.com' 'postrelease.com' 'potenza.cz' 'pr-star.de' 'pr-ten.de' 'pr5dir.com' 'praddpro.de' 'prchecker.info' 'predictad.com' 'premium-offers.com' 'primaryads.com' 'primetime.net' 'privatecash.com' 'pro-advertising.com' 'pro.i-doctor.co.kr' 'proext.com' 'profero.com' 'projectwonderful.com' 'promo1.webcams.nl' 'promobenef.com' 'promote.pair.com' 'promotion-campaigns.com' 'pronetadvertising.com' 'propellerads.com' 'proranktracker.com' 'proton-tm.com' 'protraffic.com' 'provexia.com' 'prsitecheck.com' 'psstt.com' 'pub.chez.com' 'pub.club-internet.fr' 'pub.hardware.fr' 'pub.realmedia.fr' 'publicidad.elmundo.es' 'pubmatic.com' 'pulse360.com' 'qctop.com' 'qnsr.com' 'quantcast.com' 'quarterserver.de' 'questaffiliates.net' 'quigo.com' 'quisma.com' 'radiate.com' 'rampidads.com' 'rank-master.com' 'rank-master.de' 'rankchamp.de' 'ranking-charts.de' 'ranking-id.de' 'ranking-links.de' 'ranking-liste.de' 'ranking-street.de' 'rankingchart.de' 'rankingscout.com' 'rankyou.com' 'rapidcounter.com' 'rate.ru' 'ratings.lycos.com' 'rb1.design.ru' 're-directme.com' 'reachjunction.com' 'reactx.com' 'readserver.net' 'realcastmedia.com' 'realclix.com' 'realtechnetwork.com' 'realteencash.com' 'reduxmedia.com' 'reduxmediagroup.com' 'reedbusiness.com' 'reefaquarium.biz' 'referralware.com' 'regnow.com' 'reinvigorate.net' 'reklam.rfsl.se' 'reklama.mironet.cz' 'reklama.reflektor.cz' 'reklamcsere.hu' 'reklame.unwired-i.net' 'reklamer.com.ua' 'relevanz10.de' 'relmaxtop.com' 'republika.onet.pl' 'retargeter.com' 'rev2pub.com' 'revenue.net' 'revenuedirect.com' 'revstats.com' 'richmails.com' 'richwebmaster.com' 'rlcdn.com' 'rle.ru' 'roar.com' 'robotreplay.com' 'rok.com.com' 'rose.ixbt.com' 'rotabanner.com' 'roxr.net' 'rtbpop.com' 'rtbpopd.com' 'ru-traffic.com' 'rubiconproject.com' 's2d6.com' 'sageanalyst.net' 'sbx.pagesjaunes.fr' 'scambiobanner.aruba.it' 'scanscout.com' 'scopelight.com' 'scratch2cash.com' 'scripte-monster.de' 'searchfeast.com' 'searchmarketing.com' 'searchramp.com' 'sedotracker.com' 'seeq.com.invalid' 'sensismediasmart.com.au' 'seo4india.com' 'serv0.com' 'servedbyopenx.com' 'servethis.com' 'services.hearstmags.com' 'sexaddpro.de' 'sexadvertentiesite.nl' 'sexinyourcity.com' 'sexlist.com' 'sexystat.com' 'sezwho.com' 'shareadspace.com' 'sharepointads.com' 'sher.index.hu' 'shinystat.com' 'shinystat.it' 'shoppingads.com' 'siccash.com' 'sidebar.angelfire.com' 'sinoa.com' 'sitebrand.geeks.com' 'sitemerkezi.net' 'skylink.vn' 'slickaffiliate.com' 'slopeaota.com' 'smart4ads.com' 'smartbase.cdnservices.com' 'smowtion.com' 'snapads.com' 'snoobi.com' 'softclick.com.br' 'spacash.com' 'sparkstudios.com' 'specificmedia.co.uk' 'spezialreporte.de' 'sponsorads.de' 'sponsorpro.de' 'sponsors.thoughtsmedia.com' 'spot.fitness.com' 'spywarelabs.com' 'spywarenuker.com' 'spywords.com' 'srbijacafe.org' 'srwww1.com' 'starffa.com' 'start.freeze.com' 'stat.cliche.se' 'stat.pl' 'stat.su' 'stat.zenon.net' 'stat24.com' 'static.itrack.it' 'statm.the-adult-company.com' 'stats.blogger.com' 'stats.hyperinzerce.cz' 'stats.mirrorfootball.co.uk' 'stats.olark.com' 'stats.suite101.com' 'stats.unwired-i.net' 'statxpress.com' 'steelhouse.com' 'steelhousemedia.com' 'stickyadstv.com' 'suavalds.com' 'subscribe.hearstmags.com' 'superclix.de' 'supertop.ru' 'supertop100.com' 'suptullog.com' 'surfmusik-adserver.de' 'swissadsolutions.com' 'swordfishdc.com' 'sx.trhnt.com' 't.insigit.com' 't.pusk.ru' 'taboola.com' 'tacoda.net' 'tagular.com' 'tailsweep.co.uk' 'tailsweep.com' 'tailsweep.se' 'takru.com' 'tangerinenet.biz' 'tapad.com' 'targad.de' 'targetingnow.com' 'targetpoint.com' 'tatsumi-sys.jp' 'tcads.net' 'techclicks.net' 'teenrevenue.com' 'teliad.de' 'textads.biz' 'textads.opera.com' 'textlinks.com' 'tfag.de' 'theadhost.com' 'thebugs.ws' 'therapistla.com' 'therichkids.com' 'thrnt.com' 'tinybar.com' 'tizers.net' 'tlvmedia.com' 'tntclix.co.uk' 'top-casting-termine.de' 'top-site-list.com' 'top100.mafia.ru' 'top123.ro' 'top20.com' 'top20free.com' 'top66.ro' 'top90.ro' 'topbarh.box.sk' 'topblogarea.se' 'topbucks.com' 'topforall.com' 'topgamesites.net' 'toplist.pornhost.com' 'toplista.mw.hu' 'toplistcity.com' 'topmmorpgsites.com' 'topping.com.ua' 'toprebates.com' 'topsafelist.net' 'topsearcher.com' 'topsir.com' 'topsite.lv' 'topsites.com.br' 'totemcash.com' 'touchclarity.com' 'touchclarity.natwest.com' 'tpnads.com' 'track.anchorfree.com' 'tracking.crunchiemedia.com' 'tracking.yourfilehost.com' 'tracking101.com' 'trackingsoft.com' 'trackmysales.com' 'tradeadexchange.com' 'traffic-exchange.com' 'traffic.liveuniversenetwork.com' 'trafficadept.com' 'trafficcdn.liveuniversenetwork.com' 'trafficfactory.biz' 'trafficholder.com' 'traffichunt.com' 'trafficjunky.net' 'trafficleader.com' 'trafficsecrets.com' 'trafficspaces.net' 'trafficstrategies.com' 'trafficswarm.com' 'traffictrader.net' 'trafficz.com' 'trafficz.net' 'traffiq.com' 'trafic.ro' 'travis.bosscasinos.com' 'trekblue.com' 'trekdata.com' 'trendcounter.com' 'trhunt.com' 'trix.net' 'truehits.net' 'truehits2.gits.net.th' 'tubedspots.com' 'tubemogul.com' 'tvas-a.pw' 'tvas-c.pw' 'tvmtracker.com' 'twittad.com' 'tyroo.com' 'uarating.com' 'ukbanners.com' 'ultramercial.com' 'ultsearch.com' 'unanimis.co.uk' 'untd.com' 'updated.com' 'urlcash.net' 'usapromotravel.com' 'usmsad.tom.com' 'utarget.co.uk' 'utils.mediageneral.net' 'validclick.com' 'valuead.com' 'valueclickmedia.com' 'valuecommerce.com' 'valuesponsor.com' 'veille-referencement.com' 'ventivmedia.com' 'vericlick.com' 'vertadnet.com' 'veruta.com' 'vervewireless.com' 'videoegg.com' 'view4cash.de' 'viewpoint.com' 'visistat.com' 'visitbox.de' 'visual-pagerank.fr' 'visualrevenue.com' 'voicefive.com' 'vpon.com' 'vrs.cz' 'vs.tucows.com' 'vungle.com' 'wads.webteh.com' 'warlog.ru' 'web.informer.com' 'web2.deja.com' 'webads.co.nz' 'webangel.ru' 'webcash.nl' 'webcounter.cz' 'webgains.com' 'webmaster-partnerprogramme24.de' 'webmasterplan.com' 'webmasterplan.de' 'weborama.fr' 'webpower.com' 'webreseau.com' 'webseoanalytics.com' 'webstat.com' 'webstat.net' 'webstats4u.com' 'webtraxx.de' 'wegcash.com' 'werbung.meteoxpress.com' 'whaleads.com' 'whenu.com' 'whispa.com' 'whoisonline.net' 'wholesaletraffic.info' 'widgetbucks.com' 'window.nixnet.cz' 'wintricksbanner.googlepages.com' 'witch-counter.de' 'wlmarketing.com' 'wmirk.ru' 'wonderlandads.com' 'wondoads.de' 'woopra.com' 'worldwide-cash.net' 'wtlive.com' 'www-banner.chat.ru' 'www-google-analytics.l.google.com' 'www.banner-link.com.br' 'www.kaplanindex.com' 'www.money4exit.de' 'www.photo-ads.co.uk' 'www1.gto-media.com' 'www8.glam.com' 'x-traceur.com' 'x6.yakiuchi.com' 'xchange.ro' 'xclicks.net' 'xertive.com' 'xg4ken.com' 'xplusone.com' 'xponsor.com' 'xq1.net' 'xrea.com' 'xtendmedia.com' 'xtremetop100.com' 'xxxmyself.com' 'y.ibsys.com' 'yab-adimages.s3.amazonaws.com' 'yabuka.com' 'yesads.com' 'yesadvertising.com' 'yieldlab.net' 'yieldmanager.com' 'yieldtraffic.com' 'yoc.mobi' 'yoggrt.com' 'z5x.net' 'zangocash.com' 'zanox.com' 'zantracker.com' 'zencudo.co.uk' 'zenkreka.com' 'zenzuu.com' 'zeus.developershed.com' 'zeusclicks.com' 'zintext.com' 'zmedia.com' # Added manually in webbooost 'cdn.onedmp.com' 'globalteaser.ru' 'lottosend.org' 'skycdnhost.com' 'obhodsb.com' 'smilered.com' 'psma02.com' 'psmardr.com' 'uua.bvyvk.space' 'meofur.ru' 'mg.yadro.ru' 'c.marketgid.com' 'imgg.marketgid.com' }
195815
# http://raw.githubusercontent.com/StevenBlack/hosts/master/hosts # 27 Mar 2016 # 26,890 entries module.exports = { 'lb.usemaxserver.de' 'tracking.klickthru.com' 'gsmtop.net' 'click.buzzcity.net' 'ads.admoda.com' 'stats.pflexads.com' 'a.glcdn.co' 'wwww.adleads.com' 'ad.madvertise.de' 'apps.buzzcity.net' 'ads.mobgold.com' 'android.bcfads.com' 'req.appads.com' 'show.buzzcity.net' 'api.analytics.omgpop.com' 'r.edge.inmobicdn.net' 'www.mmnetwork.mobi' 'img.ads.huntmad.com' 'creative1cdn.mobfox.com' 'admicro2.vcmedia.vn' 'admicro1.vcmedia.vn' 's3.phluant.com' 'c.vrvm.com' 'go.vrvm.com' 'static.estebull.com' 'mobile.banzai.it' 'ads.xxxad.net' 'hhbekxxw5d9e.pflexads.com' 'img.ads.mojiva.com' 'adcontent.saymedia.com' 'ads.saymedia.com' 'ftpcontent.worldnow.com' 's0.2mdn.net' 'img.ads.mocean.mobi' 'bigmobileads.com' 'banners.bigmobileads.com' 'ads.mopub.com' 'images.mpression.net' 'images.millennialmedia.com' 'oasc04012.247realmedia.com' 'assets.cntdy.mobi' 'ad.leadboltapps.net' 'api.airpush.com' 'ad.where.com' 'i.tapit.com' 'cdn1.crispadvertising.com' 'cdn2.crispadvertising.com' 'medrx.sensis.com.au' 'rs-staticart.ybcdn.net' 'img.ads.taptapnetworks.com' 'adserver.ubiyoo.com' 'c753738.r38.cf2.rackcdn.com' 'edge.reporo.net' 'ads.n-ws.org' 'adultmoda.com' 'ads.smartdevicemedia.com' 'b.scorecardresearch.com' 'm.adsymptotic.com' 'cdn.vdopia.com' 'api.yp.com' 'asotrack1.fluentmobile.com' 'android-sdk31.transpera.com' 'apps.mobilityware.com' 'ads.mobilityware.com' 'ads.admarvel.com' 'netdna.reporo.net' 'www.eltrafiko.com' 'cdn.trafficforce.com' 'gts-ads.twistbox.com' 'static.cdn.gtsmobi.com' 'ads.matomymobile.com' 'ads.adiquity.com' 'img.ads.mobilefuse.net' 'as.adfonic.net' 'media.mobpartner.mobi' 'cdn.us.goldspotmedia.com' 'ads2.mediaarmor.com' 'cdn.nearbyad.com' 'ads.ookla.com' 'mobiledl.adboe.com' 'ads.flurry.com' 'gemini.yahoo.com' 'd3anogn3pbtk4v.cloudfront.net' 'd3oltyb66oj2v8.cloudfront.net' 'd2bgg7rjywcwsy.cloudfront.net' 'a.vserv.mobi' 'admin.vserv.mobi' 'c.vserv.mobi' 'ads.vserv.mobi' 'sf.vserv.mobi' 'hybl9bazbc35.pflexads.com' 'www.pflexads.com' 'atti.velti.com' 'ru.velti.com' 'mwc.velti.com' 'cdn.celtra.com' 'ads.celtra.com' 'cache-ssl.celtra.com' 'cache.celtra.com' 'track.celtra.com' 'wv.inner-active.mobi' 'cdn1.inner-active.mobi' 'm2m1.inner-active.mobi' 'bos-tapreq01.jumptap.com' 'bos-tapreq02.jumptap.com' 'bos-tapreq03.jumptap.com' 'bos-tapreq04.jumptap.com' 'bos-tapreq05.jumptap.com' 'bos-tapreq06.jumptap.com' 'bos-tapreq07.jumptap.com' 'bos-tapreq08.jumptap.com' 'bos-tapreq09.jumptap.com' 'bos-tapreq10.jumptap.com' 'bos-tapreq11.jumptap.com' 'bos-tapreq12.jumptap.com' 'bos-tapreq13.jumptap.com' 'bos-tapreq14.jumptap.com' 'bos-tapreq15.jumptap.com' 'bos-tapreq16.jumptap.com' 'bos-tapreq17.jumptap.com' 'bos-tapreq18.jumptap.com' 'bos-tapreq19.jumptap.com' 'bos-tapreq20.jumptap.com' 'web64.jumptap.com' 'web63.jumptap.com' 'web65.jumptap.com' 'bo.jumptap.com' 'i.jumptap.com' 'a.applovin.com' 'd.applovin.com' 'pdn.applovin.com' 'mobpartner.mobi' 'go.mobpartner.mobi' 'r.mobpartner.mobi' 'uk-ad2.adinfuse.com' 'adinfuse.com' 'go.adinfuse.com' 'ad1.adinfuse.com' 'ad2.adinfuse.com' 'sky.adinfuse.com' 'orange-fr.adinfuse.com' 'sky-connect.adinfuse.com' 'uk-go.adinfuse.com' 'orangeuk-mc.adinfuse.com' 'intouch.adinfuse.com' 'funnel0.adinfuse.com' 'cvt.mydas.mobi' 'lp.mydas.mobi' 'golds.lp.mydas.mobi' 'suo.lp.mydas.mobi' 'aio.lp.mydas.mobi' 'lp.mp.mydas.mobi' 'media.mydas.mobi' 'ads.mp.mydas.mobi' 'neptune.appads.com' 'neptune1.appads.com' 'neptune2.appads.com' 'neptune3.appads.com' 'saturn.appads.com' 'saturn1.appads.com' 'saturn2.appads.com' 'saturn3.appads.com' 'jupiter.appads.com' 'jupiter1.appads.com' 'jupiter2.appads.com' 'jupiter3.appads.com' 'req1.appads.com' 'req2.appads.com' 'req3.appads.com' 'mc.yandex.ru' 'an.yandex.ru' 'swappit.tapad.com' 'campaign-tapad.s3.amazonaws.com' 'adsrv1.tapad.com' 'ads1.mojiva.com' 'ads2.mojiva.com' 'ads3.mojiva.com' 'ads4.mojiva.com' 'ads5.mojiva.com' 'i.w.inmobi.com' 'r.w.inmobi.com' 'c.w.inmobi.com' 'adtracker.inmobi.com' 'china.inmobi.com' 'japan.inmobi.com' 'mdn1.phluantmobile.net' 'mdn2.phluantmobile.net' 'mdn3.phluantmobile.net' 'mdn3origin.phluantmobile.net' 'soma.smaato.net' 'c29new.smaato.net' 'c01.smaato.net' 'c02.smaato.net' 'c03.smaato.net' 'c04.smaato.net' 'c05.smaato.net' 'c06.smaato.net' 'c07.smaato.net' 'c08.smaato.net' 'c09.smaato.net' 'c10.smaato.net' 'c11.smaato.net' 'c12.smaato.net' 'c13.smaato.net' 'c14.smaato.net' 'c15.smaato.net' 'c16.smaato.net' 'c17.smaato.net' 'c18.smaato.net' 'c19.smaato.net' 'c20.smaato.net' 'c21.smaato.net' 'c22.smaato.net' 'c23.smaato.net' 'c24.smaato.net' 'c25.smaato.net' 'c26.smaato.net' 'c27.smaato.net' 'c28.smaato.net' 'c29.smaato.net' 'c30.smaato.net' 'c31.smaato.net' 'c32.smaato.net' 'c33.smaato.net' 'c34.smaato.net' 'c35.smaato.net' 'c36.smaato.net' 'c37.smaato.net' 'c38.smaato.net' 'c39.smaato.net' 'c40.smaato.net' 'c41.smaato.net' 'c42.smaato.net' 'c43.smaato.net' 'c44.smaato.net' 'c45.smaato.net' 'c46.smaato.net' 'c47.smaato.net' 'c48.smaato.net' 'c49.smaato.net' 'c50.smaato.net' 'c51.smaato.net' 'c52.smaato.net' 'c53.smaato.net' 'c54.smaato.net' 'c55.smaato.net' 'c56.smaato.net' 'c57.smaato.net' 'c58.smaato.net' 'c59.smaato.net' 'c60.smaato.net' 'f03.smaato.net' 'f04.smaato.net' 'f05.smaato.net' 'f06.smaato.net' 'f07.smaato.net' 'f08.smaato.net' 'f09.smaato.net' 'f10.smaato.net' 'f11.smaato.net' 'f12.smaato.net' 'f13.smaato.net' 'f14.smaato.net' 'f15.smaato.net' 'f16.smaato.net' 'f17.smaato.net' 'f18.smaato.net' 'f19.smaato.net' 'f20.smaato.net' 'f21.smaato.net' 'f22.smaato.net' 'f23.smaato.net' 'f24.smaato.net' 'f25.smaato.net' 'f26.smaato.net' 'f27.smaato.net' 'f28.smaato.net' 'f29.smaato.net' 'f30.smaato.net' 'f31.smaato.net' 'f32.smaato.net' 'f33.smaato.net' 'f34.smaato.net' 'f35.smaato.net' 'f36.smaato.net' 'f37.smaato.net' 'f38.smaato.net' 'f39.smaato.net' 'f40.smaato.net' 'f41.smaato.net' 'f42.smaato.net' 'f43.smaato.net' 'f44.smaato.net' 'f45.smaato.net' 'f46.smaato.net' 'f47.smaato.net' 'f48.smaato.net' 'f49.smaato.net' 'f50.smaato.net' 'f51.smaato.net' 'f52.smaato.net' 'f53.smaato.net' 'f54.smaato.net' 'f55.smaato.net' 'f56.smaato.net' 'f57.smaato.net' 'f58.smaato.net' 'f59.smaato.net' 'f60.smaato.net' 'img.ads1.mojiva.com' 'img.ads2.mojiva.com' 'img.ads3.mojiva.com' 'img.ads4.mojiva.com' 'img.ads1.mocean.mobi' 'img.ads2.mocean.mobi' 'img.ads3.mocean.mobi' 'img.ads4.mocean.mobi' 'akamai.smartadserver.com' 'cdn1.smartadserver.com' 'diff.smartadserver.com' 'diff2.smartadserver.com' 'diff3.smartadserver.com' 'eqx.smartadserver.com' 'im2.smartadserver.com' 'itx5-publicidad.smartadserver.com' 'itx5.smartadserver.com' 'tcy.smartadserver.com' 'ww129.smartadserver.com' 'ww13.smartadserver.com' 'ww14.smartadserver.com' 'ww234.smartadserver.com' 'ww251.smartadserver.com' 'ww264.smartadserver.com' 'ww302.smartadserver.com' 'ww362.smartadserver.com' 'ww370.smartadserver.com' 'ww381.smartadserver.com' 'ww392.smartadserver.com' 'ww55.smartadserver.com' 'ww57.smartadserver.com' 'ww84.smartadserver.com' 'www.smartadserver.com' 'www2.smartadserver.com' 'www3.smartadserver.com' 'www4.smartadserver.com' 'ads.mobclix.com' 'data.mobclix.com' 's.mobclix.com' 'ads.mdotm.com' 'cdn.mdotm.com' 'ads2.greystripe.com' 'adsx.greystripe.com' 'c.greystripe.com' 'aax-us-east.amazon-adsystem.com' 'aax-us-west.amazon-adsystem.com' 's.amazon-adsystem.com' 'admarvel.s3.amazonaws.com' 'html5adkit.plusmo.s3.amazonaws.com' 'inneractive-assets.s3.amazonaws.com' 'strikeadcdn.s3.amazonaws.com' 'a.admob.com' 'analytics.admob.com' 'c.admob.com' 'media.admob.com' 'p.admob.com' 'met.adwhirl.com' 'mob.adwhirl.com' 'ad-g.doubleclick.net' 'ad.doubleclick.net' 'ad.mo.doubleclick.net' 'doubleclick.net' 'googleads.g.doubleclick.net' 'pagead.googlesyndication.com' 'pagead1.googlesyndication.com' 'pagead2.googlesyndication.com' 'events.foreseeresults.com' 'survey.foreseeresults.com' 'm.quantserve.com' 'ad.leadboltmobile.net' 'mobileads.msn.com' 'img.adecorp.co.kr' 'us0.adlibr.com' 'ad.parrot.mable-inc.com' 'aos.wall.youmi.net' 'au.youmi.net' 'coconuts.boy.jp' 'iacpromotion.s3.amazonaws.com' 'plugin.2easydroid.com' 'adimg3.search.naver.net' 'st.a-link.co.kr' 'cdn.ajillionmax.com' 'dispatch.admixer.co.kr' 'ifc.inmobi.com' 'thinknear-hosted.thinknearhub.com' 'analytics.localytics.com' 'a.medialytics.com' 'c.medialytics.com' 'cdn.creative.medialytics.com' 'p.medialytics.com' 'px.cdn.creative.medialytics.com' 't.medialytics.com' 'applift.com' 'trackersimulator.org' 'eviltracker.net' 'do-not-tracker.org' '0koryu0.easter.ne.jp' '1-atraffickim.tf' '10-trafficimj.tf' '109-204-26-16.netconnexion.managedbroadband.co.uk' '11-atraasikim.tf' '11.lamarianella.info' '12-tgaffickvcmb.tf' '13-ctscfficim.tf' '14-traffgficimhd.tf' '15-etrafficim.tf' '16-taficimf.tf' '17-gtrahgficim.tf' '18-trafdsfgficimg.tf' '1866809.securefastserver.com' '19-itraaffifm.tf' '1m6.hanogaveleoy.com' '2-traffickimb.tf' '20-trafficidmj.tf' '21-tdsrafficimf.tf' '22-gyudrafasicim.tf' '24-ibczafficim.tf' '25-trafbvicimj.tf' '2amsports.com' '2wnpf.tld.cc' '3-ctrafficim.tf' '3.bluepointmortgage.com' '3.coolerpillow.com' '4-trafficimd.tf' '4.androidislamic.com' '4.collecorvino.org' '4.dlevo.com' '4.e-why.net' '4.luca-volonte.org' '4.newenergydata.biz' '4.newenergydata.info' '4.periziavela.com' '4.pianetapollo.com' '4.whereinitaly.com' '4.whereinlazio.com' '4.whereinliguria.com' '4.whereinlombardy.com' '4.whereinmilan.com' '4.whereinmolise.com' '4.whereinpiemonte.com' '4.whereinpuglia.com' '4.whereinsardegna.com' '4.whereinsicilia.com' '4.whereinsicily.com' '4.whereintoscana.com' '4.whereintrentinoaltoadige.com' '4dexports.com' '5-etrafficim.tf' '5.attilacrm.com' '5.estasiatica.com' '5.eventiduepuntozero.com' '50efa6486f1ef.skydivesolutions.be' '6-trafficimf.tf' '6.bbnface.com' '6.bbnfaces.net' '6.bbnsmsgateway.com' '6.mamaswishes.com' '6.negutterking.org' '6b8a953b2bf7788063d5-6e453f33ecbb90f11a62a5c376375af3.r71.cf5.rackcdn.com' '7-gtrafficim.tf' '7x70ministrysarashouse.com' '8-trafficimg.tf' '9-itrafficim.tf' '94akhf.blejythecounyful.com' '97b1c56132dfcdd90f93-0c5c8388c0a5897e648f883e2c86dc72.r54.cf5.rackcdn.com' '999fitness.com' 'a-atraffickim.tf' 'a.makeyourmoveknoxville.net' 'a.update.51edm.net' 'ab.usageload32.com' 'abcdespanol.com' 'abionet.com' 'ac1e0.alessakyndraenho.com' 'achren.org' 'acool.csheaven.com' 'activex.adobe.flash.player.update.number61.com' 'ad-beast.com' 'adgallery.whitehousedrugpolicy.gov' 'adlock.in' 'adobe-flashplayer.com' 'adobe-plugin.tk' 'adobeflashupdate14.com' 'ads.wikipartes.com' 'adserv.sklice.com' 'adserving.favorit-network.com' 'advancetec.co.uk' 'afa15.com.ne.kr' 'afive.net' 'agsteier.com' 'aintdoinshit.com' 'aippnetworks.com' 'ajewishgift.com' 'akirkpatrick.com' 'alexanderinteriorsanddesign.com' 'alexandria90.etcserver.com' 'alisat.biz' 'alissonluis-musico.sites.uol.com.br' 'allforlove.de' 'allxscan.tk' 'alsoknowsit.com' 'ama-alliance.com' 'amazingvacationhotels.com' 'ambulanciaslazaro.com' 'amdfrance.com' 'americancareconcept.com' 'amicos.mcdir.ru' 'aminev.com' 'amu.adduraddonhere.info' 'amu.boxinstallercompany.info' 'amu.brandnewinstall.info' 'amu.helpyourselfinstall.info' 'amu.twobox4addon.info' 'analxxxclipsyjh.dnset.com' 'andysgame.com' 'anshrit.com' 'antalya-eticaret.com' 'antalya.ru' 'apcar.gr' 'app.pho8.com' 'appaloosaontario.ca' 'applebox.co.id' 'arbitrary.drclinton.org' 'argentijmts.it' 'arkinsoftware.in' 'arnoldlanecars.co.uk' 'artasoimaritului.ro' 'artsconsortium.org' 'arttp.propertypartners.cl' 'asanixcorp.com' 'asasas.eu' 'asd.vicentelopez.us' 'asham.tourstogo.us' 'askmeaboutrotary.com' 'associatesexports.com' 'atelierprincesse.web.fc2.com' 'atlcourier.com' 'atyss.barginginfrance.net' 'avecat.missouritheatre.org' 'aveconomic.trailswest.org' 'avirasecureserver.com' 'avp-mech.ru' 'avppet.com' 'avto-pobeda.ru' 'axisbuild.com' 'azoos.csheaven.com' 'b-traffickimb.tf' 'b.nevadaprivateoffice.com' 'babos.scrapping.cc' 'backup.terra5llc.com' 'bank.scarf-it-up.com' 'bargainracks.co.uk' 'baskadesign.com' 'batcoroadlinescorporation.com' 'bayviews.estb.com.sg' 'bbs.bjchun.com' 'bde.be' 'be-funk.com' 'beautysafari.com' 'becomedebtfree.com.au' 'beespace.com.ua' 'beldiplomcom.75.com1.ru' 'benchmarkconsultant.com' 'best100catfights.com' 'bestkika.crashs.net' 'betterhomeandgardenideas.com' 'bezproudoff.cz' 'bibleanswers4u.com' 'bien-vivre-en-sarladais.com' 'bigstoreoffers.co.uk' 'bilbaopisos.es' 'bio-air-technologies.com' 'biokovoholidays.com' 'bizzibeans.net' 'bj04.com' 'blackfalcon2.net' 'blackfalcon3.net' 'blackfalcon4.net' 'blackfalcon5.net' 'blacknite.eu' 'blog.replacemycontacts.com' 'bloodguru.net' 'bluecutsystem.com' 'bnsoutlaws.co.uk' 'boogu.barginginfrance.net' 'bookofkisl.com' 'borneo.aqq79.com' 'boschetto-hotel.gr' 'bracbetul.com' 'bracewellfamily.com' 'bravetools.net' 'bride1.com' 'broadtech.co' 'brownblogs.org' 'buffalogoesout.com' 'buyinfo-centreq.tk' 'buyinfo-centreqcv.tk' 'bvb-fanabteilung.de' 'by98.com' 'c-71-63-136-200.hsd1.mn.comcast.net' 'c-ctrafficim.tf' 'c11n4.i.teaserguide.com' 'cacl.fr' 'caclclo.web.fc2.com' 'callingcardsinstantly.com' 'cameraweb-cartoon.tk' 'campamento.queenscamp.com' 'cannabislyric.com' 'cannabispicture.com' 'cap2zen.com' 'casga.sogesca.al' 'cc8.joseppe.ru' 'cd2.odtoidcwe.info' 'cdn.file2desktop.com' 'centralwestwater.com.au' 'ceskarepublika.net' 'chaveiro.bio.br' 'chemgas.com' 'chisi.hsb-vps.co.uk' 'chocoservices.ru' 'chsplantsales.co.uk' 'ciclismovalenciano.com' 'citymediamagazin.hu' 'civicfootprint.net' 'classicallyabsurdphotography.com' 'classicspeedway.com' 'cluster013.ovh.net' 'cmicapui.ce.gov.br' 'coaha.frenchgerlemanelectric.com' 'coalimpex.com' 'cofeb13east.com' 'com-5p2.net' 'conds.ru' 'cope.it' 'corroshield.estb.com.sg' 'cosmetice-farduri.ro' 'countryteam66.perso.sfr.fr' 'cracks.vg' 'crackspider.us' 'crackzone.net' 'creditbootcamp.com' 'creditwallet.net' 'csdelux.ge' 'csmail.iggcn.com' 'cswilliamsburg.com' 'cu.cz-darmstadt.de' 'cudacorp.com' 'customsboysint.com' 'cwmgaming.com' 'cx6n.akovikisk.info' 'czarni.i15.eu' 'cznshuya.ivnet.ru' 'd-trafficimd.tf' 'd1.kuai8.com' 'd1054130-28095.cp.blacknight.com' 'd1171912.cp.blacknight.com' 'd32k27yvyi4kmv.cloudfront.net' 'd4.cumshots.ws' 'damxx.com' 'dancecourt.com' 'dashlinen.testing-domain-live.co.uk' 'dawnframing.com' 'dcanscapital.co.uk' 'ddd.gouwuke.cn' 'decografix.com' 'decota.es' 'decrolyschool.be' 'deleondeos.com' 'deletespyware-adware.com' 'demo.essarinfotech.net' 'demo.vertexinfo.in' 'dent-lux.com.pl' 'dentairemalin.com' 'destre45.com' 'dev.houstonysa.org' 'dev.wrathofshadows.net' 'dianepiette.co.uk' 'diaryofagameaddict.com' 'dilas.edarbipatients.com' 'dimarsbg.com' 'dimenal.com.br' 'dimensionnail.ro' 'dimsnetwork.com' 'directxex.com' 'distancer.sexsty.com' 'divine.lunarbreeze.com' 'dl.downf468.com' 'dl.heima8.com' 'dl.microsword.net' 'dl01.faddmr.com' 'dls.nicdls.com' 'doash.buyyourbtc.com' 'dofeb.frenchgerlemanelectric.com' 'doktester.orgfree.com' 'domains.mangowork.com' 'doradcazabrze.pl' 'dougmlee.com' 'down.feiyang163.com' 'down.guangsu.cn' 'down.hit020.com' 'down.unadnet.com.cn' 'down2.feiyang163.com' 'down3.feiyang163.com' 'download-archiver.ru' 'download.56.com' 'download.grandcloud.cn' 'download.ttrili.com' 'download207.mediafire.com' 'downloads-finereader.ru' 'downloads-whatsapp.com' 'dp-medien.eu' 'dron.leandroiriarte.com' 'dujur.barginginfrance.net' 'duoscontabilidade.com.br' 'duplaouroeprata.com.br' 'dx6.52z.com' 'dx8.52z.com' 'dx9.haote.com' 'e-etrafficim.tf' 'e-matelco.com' 'e1r.net' 'earlybirdandtantrum.co.uk' 'earthcontrolsys.com' 'echoa.randbinternationaltravel.com' 'edafologiko.gr' 'eddenya.com' 'edf.fr.kfskz.com' 'eecky.butlerelectricsupply.com' 'eekro.cruisingsmallship.com' 'eeps.me' 'eeroo.frost-electric-supply.com' 'eestiblogid.ee' 'eetho.cruisingsmallship.com' 'efugl.iptvdeals.com' 'egwkoa.xyz' 'eielectronics.ie' 'el.christiancarenet.com' 'eldiariodeguadalajara.com' 'elew72isst.rr.nu' 'eliehabib.com' 'elocumjobs.com' 'emailing.wildcard.fr' 'emits.iptvdeals.com' 'emotioncardspy.zapto.org' 'enlistingseparated.com' 'eroov.iptvdeals.com' 'esoad.frost-electric-supply.com' 'espdesign.com.au' 'estoa.frost-electric-supply.com' 'eternitymobiles.com' 'europe-academy.net' 'europol.europe.eu.france.id647744160-2176514326.h5841.com' 'europol.europe.eu.id214218540-7444056787.h5841.com' 'exadu.mymag250.co.uk' 'executivecoaching.co.il' 'exkn0md6fh.qsdgi.com' 'exsexytop.tk' 'extreembilisim.com' 'f-kotek.com' 'f-trafficimf.tf' 'f.gj555.net' 'faiyazahmed.com' 'fallencrafts.info' 'famososvideo.com' 'faq-candrive.tk' 'fbku.com' 'featuring.cinemalink.us' 'femalewrestlingnow.com' 'fetishfitnessbabes.com' 'fetishlocator.com' 'fgawegwr.chez.com' 'fgtkmcby02.eu' 'files.dsnetwb.com' 'finnhair.co.uk' 'fireally.net' 'firehouse651.com' 'fkhfgfg.tk' 'flamingowrestling2.com' 'flamingowrestling3.com' 'flamingowrestling4.com' 'flashdem.fr' 'flashsavant.com' 'flexografic.gr' 'fondazioneciampi.org' 'formessengers.com' 'free-cameraonline.tk' 'free-crochet-pattern.com' 'freefblikes.phpnet.us' 'freeserials.spb.ru' 'freeserials.ws' 'ftp.dgaspf.gob.ar' 'ftp.flyfishusa.com' 'funchill.com' 'fupload.org' 'futbolyresultados.es' 'fwxyd.ru' 'g-gtrafficim.tf' 'gamma01.website' 'generalchemicalsupply.com' 'geniuspresentation.com' 'getdatanetukscan.info' 'go-quicky.com' 'gogetgorgeous.com' 'googlescrn.com' 'gosciniec-paproc.pl' 'gov.f3322.net' 'gravityexp.com' 'gredinatib.org' 'greev.randbinternationaltravel.com' 'grendizer.biz' 'groax.mymag250.co.uk' 'gssoftech.com' 'gulf-industrial.com' 'gulsproductions.com' 'gurde.tourstogo.us' 'guyscards.com' 'gyboo.cruisingsmallship.com' 'gylra.cruisingsmallship.com' 'h-trafficimg.tf' 'h1666015.stratoserver.net' 'hana-naveh.com' 'hanulsms.com' 'hardcorepornparty.com' 'harshwhispers.com' 'hdbusty.com' 'healthybloodpressure.info' 'helesouurusa.cjb.com' 'herbiguide.com.au' 'hexadl.line55.net' 'high-hollin.org' 'highflyingfood.com' 'hinsib.com' 'hnskorea.co.kr' 'hoawy.frost-electric-supply.com' 'hobbat.fvds.ru' 'hobby-hangar.net' 'hobbytotaalservice.nl' 'hoerbird.net' 'hosting-controlid1.tk' 'hosting-controlnext.tk' 'hosting-controlpin.tk' 'hosting-controlpr.tk' 'hotfacesitting.com' 'hotspot.cz' 'hrdcvn.com.vn' 'hst-19-33.splius.lt' 'hujii.qplanner.cf' 'hy-brasil.mhwang.com' 'hydraulicpowerpack.com' 'i-itrafficim.tf' 'iabe45sd.com' 'iamagameaddict.com' 'icommsol.net' 'id405441215-8305493831.h121h9.com' 'idods.hsb-vps.co.uk' 'igagh.tourstogo.us' 'igoby.frost-electric-supply.com' 'igroo.barginginfrance.net' 'image-circul.tk' 'image-png.us' 'images.topguncustomz.com' 'img.coldstoragemn.com' 'img.sspbaseball.org' 'img001.com' 'immediateresponseforcomputer.com' 'impressoras-cartoes.com.pt' 'inclusivediversity.co.uk' 'incoctel.cl' 'indepth-registration.net' 'indianemarket.in' 'inevo.co.il' 'infoweb-cinema.tk' 'infoweb-coolinfo.tk' 'ingekalfdeimplores.howtoleaveyourjob.net' 'inlinea.co.uk' 'innatek.com' 'instruminahui.edu.ec' 'interactivearea.ru' 'internet-bb.tk' 'ip-182-50-129-164.ip.secureserver.net' 'ip-182-50-129-181.ip.secureserver.net' 'ipl.hk' 'iptoo.cruisingsmallship.com' 'isonomia.com.ar' 'istanbulteknik.com' 'ithyk.frenchgerlemanelectric.com' 'iwgtest.co.uk' 'iwhab.randbinternationaltravel.com' 'iwose.buyyourbtc.com' 'ixoox.csheaven.com' 'iybasketball.info' 'izozo.buyyourbtc.com' 'izzy-cars.nl' 'j-trafficimj.tf' 'j.2525ocean.com' 'japanesevehicles.us' 'jdfabrication.com' 'jeansvixens.com' 'jktdc.in' 'jmiller3d.com' 'jo-2012.fr' 'job-companybuild.tk' 'job-compuse.tk' 'josip-stadler.org' 'js.tongji.linezing.com' 'jstaikos.com' 'jue0jc.lukodorsai.info' 'juedische-kammerphilharmonie.de' 'juicypussyclips.com' 'k-gtralficim.tf' 'k.h.a.d.free.fr' 'kadirzerey.com' 'kadman.net' 'kalantzis.net' 'kapcotool.com' 'keemy.butlerelectricsupply.com' 'kernelseagles.net' 'keyways.pt' 'kfc.i.illuminationes.com' 'kfcgroup.net' 'kids-fashion.dk' 'killerjeff.free.fr' 'kipasdenim.com' 'kolman.flatitleandescrow.com' 'kootil.com' 'kreotceonite.com' 'krsa2gno.alert-malware-browsererror57.com' 'krsa2gno.browser-security-error.com' 'krsa2gno.browsersecurityalert.info' 'krsa2gno.congrats-sweepstakes-winner.com' 'krsa2gno.important-security-brower-alert.com' 'krsa2gno.internet-security-alert.com' 'krsa2gno.smartphone-sweepstakes-winner.com' 'krsa2gno.todays-sweepstakes-winner.com' 'krsa2gno.youre-todays-lucky-sweeps-winner.com' 'kuglu.mymag250.co.uk' 'kulro.csheaven.com' 'kylie-walters.com' 'kyrsu.frost-electric-supply.com' 'l-trafhicimg.tf' 'lab-cntest.tk' 'lahmar.choukri.perso.neuf.fr' 'landisbaptist.com' 'law-enforcement-ocr.bahosss.ru' 'lcbcad.co.uk' 'leagleconsulting.com' 'lefos.net' 'legendsdtv.com' 'lhs-mhs.org' 'librationgacrux.alishazyrowski.com' 'lickscloombsfills.us' 'lifescience.sysu.edu.cn' 'linkforme.tk' 'lithium.thiersheetmetal.com' 'live-dir.tk' 'livehappy247.com' 'livrariaonline.net' 'loft2126.dedicatedpanel.com' 'londonescortslist.net' 'londonleatherusa.com' 'losalseehijos.es' 'lowestoftplumber.com' 'lsmeuk.com' 'luchtenbergdecor.com.br' 'luckpacking.net' 'luckyblank.info' 'luckyclean.info' 'luckyclear.info' 'luckyeffect.info' 'luckyhalo.info' 'luckypure.info' 'luckyshine.info' 'luckysuccess.info' 'luckysure.info' 'luckytidy.info' 'luggage-tv.com' 'luggagecast.com' 'luggagepreview.com' 'lunaticjazz.com' 'lustadult.com' 'luwyou.com' 'lydwood.co.uk' 'm-itrafficim.tf' 'm2132.ehgaugysd.net' 'mahabad-samaschools.ir' 'mahindrainsurance.com' 'mailboto.com' 'malest.com' 'mango.spiritualcounselingtoday.co' 'manoske.com' 'marchen-toy.co.jp' 'marialorena.com.br' 'markbruinink.nl' 'marketing-material.ieiworld.com' 'marx-brothers.mhwang.com' 'mathenea.com' 'maxisoft.co.uk' 'mbrdot.tk' 'mediatrade.h19.ru' 'merrymilkfoods.com' 'metrocuadro.com.ve' 'mgfd1b.petrix.net' 'microsoft.com32.info' 'miespaciopilates.com' 'milleniumpapelaria.com.br' 'mindstormstudio.ro' 'ministerepuissancejesus.com' 'ministerio-publi.info' 'miracema.rj.gov.br' 'mirandolasrl.it' 'mlpoint.pt' 'mmile.com' 'mobatory.com' 'mobile.bitterstrawberry.org' 'mocha7003.mochahost.com' 'mocka.frost-electric-supply.com' 'monarchslo.com' 'montezuma.spb.ru' 'morenews3.net' 'mrpeter.it' 'ms11.net' 'mtldesigns.ca' 'mtmtrade.gr' 'mueller-holz-bau.com' 'murbil.hostei.com' 'my-web1.tk' 'mycleanpc.tk' 'mylabsrl.com' 'mylondon.hc0.me' 'myshopmarketim.com' 'mysmallcock.com' 'mythesisspace.com' 'myuniques.ru' 'myvksaver.ru' 'n-nrafficimj.tf' 'naairah.com' 'nadegda-95.ru' 'nailbytes1.com' 'namso.butlerelectricsupply.com' 'narrow.azenergyforum.com' 'nateve.us' 'natmasla.ru' 'natural-cholesterol.com' 'natural.buckeyeenergyforum.com' 'naturemost.it' 'nbook.far.ru' 'nc2199.eden5.netclusive.de' 'nctbonline.co.uk' 'ndcsales.info' 'nefib.tourstogo.us' 'negociosdasha.com' 'nerez-schodiste-zabradli.com' 'nestorconsulting.net' 'networkmedical.com.hk' 'neumashop.cl' 'nevergreen.net' 'new-address.tk' 'new-softdriver.tk' 'newleaf.org.in' 'newplan1999.com' 'news-91566-latest.natsyyaty.ru' 'news4cars.com' 'nhpz.lalaghoaujrnu.info' 'nikolamireasa.com' 'njtgsd.attackthethrone.com' 'nkgamers.com' 'nlconsulateorlandoorg.siteprotect.net' 'nmsbaseball.com' 'nobodyspeakstruth.narod.ru' 'nonsi.csheaven.com' 'noobgirls.com' 'nordiccountry.cz' 'northerningredients.com' 'northwesternfoods.com' 'nortonfire.co.uk' 'notebookservisru.161.com1.ru' 'noveltyweb.ru' 'noveslovo.com' 'nowina.info' 'ns1.the-sinner.net' 'ns1.updatesdns.org' 'ns2ns1.tk' 'ns352647.ovh.net' 'nt-associates.com' 'nudebeachgalleries.net' 'nugly.barginginfrance.net' 'nuptialimages.com' 'nutnet.ir' 'nvdrabs.ru' 'nwhomecare.co.uk' 'o-itrafficim.tf' 'oahop.buyyourbtc.com' 'oakso.tourstogo.us' 'oampa.csheaven.com' 'oapsa.tourstogo.us' 'oaspodpaskdjnghzatrffgcasetfrd.cf' 'oawoo.frenchgerlemanelectric.com' 'obada-konstruktiwa.org' 'obession.co.ua' 'obkom.net.ua' 'ocick.frost-electric-supply.com' 'ocpersian.com' 'officeon.ch.ma' 'ogrir.buyyourbtc.com' 'ohees.buyyourbtc.com' 'ohelloguyqq.com' 'oilwrestlingeurope.com' 'okeanbg.com' 'oknarai.ru' 'olivesmarket.com' 'olliedesign.net' 'olols.hsb-vps.co.uk' 'omrdatacapture.com' 'onb4dsa.net' 'onrio.com.br' 'oofuv.cruisingsmallship.com' 'oojee.barginginfrance.net' 'ooksu.frost-electric-supply.com' 'oolsi.frost-electric-supply.com' 'oosee.barginginfrance.net' 'oowhe.frost-electric-supply.com' 'oprahsearch.com' 'optiker-michelmann.de' 'optilogus.com' 'optimization-methods.com' 'orbowlada.strefa.pl' 'orkut.krovatka.su' 'oshoa.iptvdeals.com' 'oshoo.iptvdeals.com' 'otylkaaotesanek.cz' 'outkastsgaming.com' 'outporn.com' 'ozono.org.es' 'ozzysixsixsix.web.fc2.com' 'p-tfafficimg.tf' 'pabrel.com' 'pagerank.net.au' 'pamoran.net' 'papamamandoudouetmoi.com' 'paracadutismolucca.it' 'paraskov.com' 'patrickhickey.eu' 'pb-webdesign.net' 'pension-helene.cz' 'penwithian.co.uk' 'pepelacer.computingservices123.com' 'pepelacer.memeletrica.com' 'per-nunker.dk' 'perfectionautorepairs.com' 'pestguard-india.com' 'petitepanda.net' 'pgalvaoteles.pt' 'pharmadeal.gr' 'phitenmy.com' 'phoaz.cruisingsmallship.com' 'pic.starsarabian.com' 'pigra.csheaven.com' 'pipersalegulfcoast.mathwolf.com' 'pix360.co.nf' 'plantaardigebrandstof.nl' 'platsovetrf.ru' 'plcture-store.com' 'plengeh.wen.ru' 'pllysvaatteiden.rvexecutives.com' 'podzemi.myotis.info' 'pojokkafe.com' 'pokachi.net' 'police11.provenprotection.net' 'pontuall.com.br' 'pornstarss.tk' 'port.bg' 'portablevaporizer.com' 'portalfiremasters.com.br' 'portraitphotographygroup.com' 'pos-kupang.com' 'potvaporizer.com' 'powerhosting.tv' 'powershopnet.net' 'pradakomechanicals.com' 'praxisww.com' 'premium34.tmweb.ru' 'pride-u-bike.com' 'private.hotelcesenaticobooking.info' 'progettocrea.org' 'prorodeosportmed.com' 'prowoodsrl.it' 'pselr.buyyourbtc.com' 'psooz.tourstogo.us' 'psucm.buyyourbtc.com' 'ptewh.iptvdeals.com' 'ptool.barginginfrance.net' 'ptuph.barginginfrance.net' 'ptush.iptvdeals.com' 'publiccasinoil.com' 'publiccasinoild.com' 'puenteaereo.info' 'pulso.butlerelectricsupply.com' 'purethc.com' 'putevka-volgograd.ru' 'pwvita.pl' 'q-itrafficim.tf' 'q28840.nb.host127-0-0-1.com' 'qbike.com.br' 'qualityindustrialcoatings.com' 'quinnwealth.com' 'quotidiennokoue.com' 'qwe.affairedhonneur.us' 'qwebirc.swiftirc.net' 'qwmlad.xyz' 'r-trdfficimj.tf' 'radiology.starlightcapitaladvisors.net' 'rainbowcolours.me.uk' 'rallye-de-fourmies.com' 'rallyeair.com' 'randyandjeri.com' 'rat-on-subway.mhwang.com' 'rawoo.barginginfrance.net' 'rd5d.com' 'reclamus.com' 'redes360.com' 'redhotdirectory.com' 'redirect.lifax.biz' 'reishus.de' 'remorcicomerciale.ro' 'rentfromart.com' 'resolvethem.com' 'revistaelite.com' 'rightmoveit.co.uk' 'rl8vd.kikul.com' 'rmazione.net' 'rocksresort.com.au' 'roks.ua' 'rolemodelstreetteam.invasioncrew.com' 'romsigmed.ro' 'romvarimarton.hu' 'ronadsrl.info' 'roorbong.com' 'rsiuk.co.uk' 'ru.makeanadultwebsite.com' 'ru.theswiftones.com' 'rubiks.ca' 'ruiyangcn.com' 'rumog.frost-electric-supply.com' 'rupor.info' 's-gtrafficim.tf' 's1.directxex.com' 's335831094.websitehome.co.uk' 'sadiqtv.com' 'sadsi.buyyourbtc.com' 'saemark.is' 'safety.amw.com' 'salomblog.com' 'salon77.co.uk' 'santacruzsuspension.com' 'santos-seeley.net' 'sasson-cpa.co.il' 'saturnleague.com' 'savurew.bastroporalsurgery.com' 'sayherbal.com' 'sbnc.hak.su' 'scaner-do.tk' 'scaner-ex.tk' 'scaner-figy.tk' 'scaner-file.tk' 'scaner-or.tk' 'scaner-sbite.tk' 'scaner-sboom.tk' 'scaner-sdee.tk' 'scaner-tfeed.tk' 'scaner-tgame.tk' 'scdsfdfgdr12.tk' 'scottishhillracing.co.uk' 'screenshot-pro.com' 'screenshot-saves.com' 'sdaexpress24.net' 'sdg-translations.com' 'security-dtspwoag-check.in' 'security-siqldspc-check.in' 'securitywebservices.com' 'seet10.jino.ru' 'sei.com.pe' 'semengineers.com' 'semiyun.com' 'send-image.us' 'sentrol.cl' 'senzatel.com' 'seo3389.net' 'seoholding.com' 'seonetwizard.com' 'serasaexperian.biz' 'serasaexperian.info' 'serraikizimi.gr' 'server1.extra-web.cz' 'seventeen.co.za' 'sexyfemalewrestlingmovies-b.com' 'sexyfemalewrestlingmovies-c.com' 'sexyfemalewrestlingmovies-d.com' 'sexyfemalewrestlingmovies.com' 'sexylegsandpantyhose.com' 'sexyoilwrestling.com' 'sexyster.tk' 'sexzoznamka.eu' 'sgs.us.com' 'shean76.net' 'shigy.hsb-vps.co.uk' 'shoac.mymag250.co.uk' 'shovi.frost-electric-supply.com' 'sicuxp.sinerjimspor.com' 'signready.com' 'silkmore.staffs.sch.uk' 'silurian.cn' 'silverlites-company.ru' 'silverlitescompany.ru' 'simpi.tourstogo.us' 'simpleshop.vn' 'site-checksite.tk' 'sitemar.ro' 'ska.energia.cz' 'skgroup.kiev.ua' 'skidki-yuga.ru' 'skiholidays4beginners.com' 'slightlyoffcenter.net' 'slimxxxtubeacn.dnset.com' 'slimxxxtubealn.ddns.name' 'slimxxxtubeanr.ddns.name' 'slimxxxtubeaxy.ddns.name' 'slimxxxtubeayv.ddns.name' 'slimxxxtubebej.dnset.com' 'slimxxxtubebgp.ddns.name' 'slimxxxtubebmq.dnset.com' 'slimxxxtubebnd.ddns.name' 'slimxxxtubecgl.ddns.name' 'slimxxxtubectk.dnset.com' 'slimxxxtubecty.ddns.name' 'slimxxxtubeczp.ddns.name' 'slimxxxtubedgv.dnset.com' 'slimxxxtubedjm.ddns.name' 'slimxxxtubedlb.ddns.name' 'slimxxxtubedvj.dnset.com' 'slimxxxtubedxc.ddns.name' 'slimxxxtubedya.ddns.name' 'slimxxxtubeejs.ddns.name' 'slimxxxtubeemz.dnset.com' 'slimxxxtubefdr.ddns.name' 'slimxxxtubefel.ddns.name' 'slimxxxtubeftb.dnset.com' 'slimxxxtubefzc.ddns.name' 'slimxxxtubehan.ddns.name' 'slimxxxtubehdn.dnset.com' 'slimxxxtubehli.dnset.com' 'slimxxxtubeidv.ddns.name' 'slimxxxtubeijc.dnset.com' 'slimxxxtubeiqb.dnset.com' 'slimxxxtubejie.dnset.com' 'slimxxxtubejlp.ddns.name' 'slimxxxtubejpe.ddns.name' 'slimxxxtubejvh.ddns.name' 'slimxxxtubejyk.ddns.name' 'slimxxxtubekad.ddns.name' 'slimxxxtubekgj.ddns.name' 'slimxxxtubekgv.ddns.name' 'slimxxxtubeklg.dnset.com' 'slimxxxtubekpn.ddns.name' 'slimxxxtubekrn.ddns.name' 'slimxxxtubelap.ddns.name' 'slimxxxtubelat.ddns.name' 'slimxxxtubelfr.ddns.name' 'slimxxxtubelzv.ddns.name' 'slimxxxtubemue.dnset.com' 'slimxxxtubeneg.ddns.name' 'slimxxxtubeneu.ddns.name' 'slimxxxtubengt.dnset.com' 'slimxxxtubenqp.ddns.name' 'slimxxxtubentf.dnset.com' 'slimxxxtubeocr.dnset.com' 'slimxxxtubeonf.dnset.com' 'slimxxxtubeopy.ddns.name' 'slimxxxtubeoxo.ddns.name' 'slimxxxtubeoxy.ddns.name' 'slimxxxtubeppj.dnset.com' 'slimxxxtubeqfo.ddns.name' 'slimxxxtubeqsh.ddns.name' 'slimxxxtubeqve.dnset.com' 'slimxxxtubeqwr.dnset.com' 'slimxxxtuberau.ddns.name' 'slimxxxtuberea.ddns.name' 'slimxxxtuberep.dnset.com' 'slimxxxtuberfe.dnset.com' 'slimxxxtuberjj.ddns.name' 'slimxxxtuberme.dnset.com' 'slimxxxtuberue.dnset.com' 'slimxxxtubesrs.dnset.com' 'slimxxxtubesrw.ddns.name' 'slimxxxtubesun.ddns.name' 'slimxxxtubetmf.ddns.name' 'slimxxxtubetmg.dnset.com' 'slimxxxtubetns.ddns.name' 'slimxxxtubetts.dnset.com' 'slimxxxtubeubp.dnset.com' 'slimxxxtubeujh.ddns.name' 'slimxxxtubeull.dnset.com' 'slimxxxtubeuvd.dnset.com' 'slimxxxtubevdn.ddns.name' 'slimxxxtubevih.dnset.com' 'slimxxxtubevjk.ddns.name' 'slimxxxtubewfl.ddns.name' 'slimxxxtubewiq.ddns.name' 'slimxxxtubewis.ddns.name' 'slimxxxtubewmt.dnset.com' 'slimxxxtubexei.ddns.name' 'slimxxxtubexiv.dnset.com' 'slimxxxtubexvq.ddns.name' 'slimxxxtubexwb.dnset.com' 'slimxxxtubexxq.dnset.com' 'slimxxxtubeyge.ddns.name' 'slimxxxtubeyhz.ddns.name' 'slimxxxtubeyza.ddns.name' 'smartify.org' 'smrcek.com' 'smschat.alfabeta.al' 'sn-gzzx.com' 'soase.buyyourbtc.com' 'soft.findhotel.asia' 'soft245.ru' 'softworksbd.com' 'somethingnice.hc0.me' 'somnoy.com' 'sos-medecins-stmalo.fr' 'soundcomputers.net' 'southafricaguesthouseaccommodation.com' 'spacerusa13.ddns.net' 'spatsz.com' 'spekband.com' 'sportsandprevention.com' 'sportsulsan.co.kr' 'sporttraum.de' 'spykit.110mb.com' 'sribinayakelectricals.com' 'srimahaphotschool.com' 'srslogisticts.com' 'srv12.hostserv.co.za' 'srv20.ru' 'st.anthonybryanauthor.com' 'stailapoza.ro' 'static.charlottewinner.com' 'static.esportsea.com' 'static.forezach.com' 'static.platinumweddingplanner.com' 'static.retirementcommunitiesfyi.com' 'stimul-m.com.ua' 'stjohnsdryden.org' 'stockinter.intersport.es' 'stopmeagency.free.fr' 'storgas.co.rs' 'stormpages.com' 'strangeduckfilms.com' 'study11.com' 'sudcom.org' 'summonerswarskyarena.info' 'sunidaytravel.co.uk' 'sunlux.net' 'sunny99.cholerik.cz' 'svetyivanrilski.com' 'svision-online.de' 'sweettalk.co' 'sysconcalibration.com' 'systemscheckusa.com' 'szinhaz.hu' 't-srafficimg.tf' 'tabex.sopharma.bg' 'take-screenshot.us' 'tamilcm.com' 'taobao.lylwc.com' 'tatschke.net' 'tavuks.com' 'tazzatti.com' 'tcrwharen.homepage.t-online.de' 'teameda.comcastbiz.net' 'teameda.net' 'teamtalker.net' 'technauticmarinewindows.co.uk' 'tecla-technologies.fr' 'tecnocuer.com' 'tecslide.com' 'tendersource.com' 'teprom.it' 'terrorinlanka.com' 'test2.petenawara.com' 'testcomplex.ru' 'testtralala.xorg.pl' 'textsex.tk' 'tfx.pw' 'th0h.blejythecounyful.net' 'thcextractor.com' 'thcvaporizer.com' 'thefxarchive.com' 'theweatherspace.com' 'thewinesteward.com' 'tibiakeylogger.com' 'timothycopus.aimoo.com' 'titon.info' 'tk-gregoric.si' 'toddscarwash.com' 'tomalinoalambres.com.ar' 'topdecornegocios.com.br' 'tophostbg.net' 'totszentmarton.hu' 'tough.thingiebox.com' 'track.cellphoneupdated.com' 'tracking-stats-tr.usa.cc' 'tradexoom.com' 'traff1.com' 'trafficgrowth.com' 'trahic.ru' 'tranti.ru' 'traspalaciorubicell.whygibraltar.co.uk' 'trehomanyself.com' 'tremplin84.fr' 'treventuresonline.com' 'triangleservicesltd.com' 'troytempest.com' 'ttb.tbddlw.com' 'tube8vidsbbr.dnset.com' 'tube8vidsbhy.dnset.com' 'tube8vidsbzx.dnset.com' 'tube8vidscjk.ddns.name' 'tube8vidscqs.ddns.name' 'tube8vidscut.ddns.name' 'tube8vidsdob.dnset.com' 'tube8vidsdst.ddns.name' 'tube8vidsfgd.ddns.name' 'tube8vidshhr.ddns.name' 'tube8vidshkk.ddns.name' 'tube8vidshrw.dnset.com' 'tube8vidsiet.ddns.name' 'tube8vidsiww.ddns.name' 'tube8vidsjac.dnset.com' 'tube8vidsjan.ddns.name' 'tube8vidsjhn.ddns.name' 'tube8vidsjtq.ddns.name' 'tube8vidslmf.dnset.com' 'tube8vidslni.dnset.com' 'tube8vidslqk.ddns.name' 'tube8vidslrz.ddns.name' 'tube8vidsnlq.dnset.com' 'tube8vidsnrt.ddns.name' 'tube8vidsnvd.ddns.name' 'tube8vidsnyp.dnset.com' 'tube8vidsolh.ddns.name' 'tube8vidsotz.dnset.com' 'tube8vidsowd.dnset.com' 'tube8vidspeq.ddns.name' 'tube8vidsqof.ddns.name' 'tube8vidsrau.dnset.com' 'tube8vidsrdr.dnset.com' 'tube8vidsrhl.ddns.name' 'tube8vidsrom.dnset.com' 'tube8vidssan.dnset.com' 'tube8vidssjw.ddns.name' 'tube8vidssyg.dnset.com' 'tube8vidstrh.dnset.com' 'tube8vidstyp.ddns.name' 'tube8vidsuty.dnset.com' 'tube8vidsvaj.dnset.com' 'tube8vidsvcs.ddns.name' 'tube8vidsvmr.ddns.name' 'tube8vidsvrx.ddns.name' 'tube8vidsvtp.dnset.com' 'tube8vidswsy.dnset.com' 'tube8vidswtb.ddns.name' 'tube8vidswys.ddns.name' 'tube8vidsxlo.ddns.name' 'tube8vidsxmx.dnset.com' 'tube8vidsxpg.ddns.name' 'tube8vidsxpp.dnset.com' 'tube8vidsxwu.ddns.name' 'tube8vidsycs.dnset.com' 'tube8vidsyip.ddns.name' 'tube8vidsymz.dnset.com' 'tube8vidsyre.dnset.com' 'tube8vidsyyf.dnset.com' 'tube8vidszmi.ddns.name' 'tube8vidsznj.ddns.name' 'tube8vidsznx.ddns.name' 'tube8vidszyj.ddns.name' 'tubemoviez.com' 'twe876-site0011.maxesp.net' 'typeofmarijuana.com' 'tzut.asifctuenefcioroxa.net' 'ubike.tourstogo.us' 'uchyz.cruisingsmallship.com' 'uertebamurquebloktreinen.buyerware.net' 'ukonline.hc0.me' 'ukrfarms.com.ua' 'ukugl.tourstogo.us' 'unalbilgisayar.com' 'undefined.it' 'unitex.home.pl' 'unlim-app.tk' 'up.dnpequipment.com' 'updat120.clanteam.com' 'update.51edm.net' 'update.onescan.co.kr' 'updo.nl' 'uploads.tmweb.ru' 'uponor.otistores.com' 'upsoj.iptvdeals.com' 'upswings.net' 'urban-motorcycles.com' 'urbanglass.ro' 'url-cameralist.tk' 'user4634.vs.easily.co.uk' 'users173.lolipop.jp' 'utopia-muenchen.de' 'uvidu.butlerelectricsupply.com' 'v.inigsplan.ru' 'valouweeigenaren.nl' 'vartashakti.com' 'vb4dsa.net' 'vdh-rimbach.de' 'veevu.tourstogo.us' 'veksi.barginginfrance.net' 'vernoblisk.com' 'vette-porno.nl' 'vgp3.vitebsk.by' 'vickielynnsgifts.com' 'vicklovesmila.com' 'victornicolle.com' 'videoflyover.com' 'vidoshdxsup.ru' 'viduesrl.it' 'vijetha.co.in' 'villalecchi.com' 'ville-st-remy-sur-avre.fr' 'vipdn123.blackapplehost.com' 'vistatech.us' 'vital4age.eu' 'vitalityxray.com' 'vitamasaz.pl' 'vitha.csheaven.com' 'vivaweb.org' 'vkont.bos.ru' 'vmay.com' 'voawo.buyyourbtc.com' 'vocational-training.us' 'vroll.net' 'vural-electronic.com' 'vvps.ws' 'vympi.buyyourbtc.com' 'w4988.nb.host127-0-0-1.com' 'w612.nb.host127-0-0-1.com' 'wahyufian.zoomshare.com' 'wallpapers91.com' 'warco.pl' 'wc0x83ghk.homepage.t-online.de' 'weare21c.com' 'web-domain.tk' 'web-fill.tk' 'web-olymp.ru' 'web-sensations.com' 'webcashmaker.com' 'webcom-software.ws' 'webordermanager.com' 'weboxmedia.by' 'webradiobandatremdoforro.96.lt' 'websalesusa.com' 'websfarm.org' 'wechselkur.de' 'westlifego.com' 'wetjane.x10.mx' 'wetyt.tourstogo.us' 'wfoto.front.ru' 'whabi.csheaven.com' 'whave.iptvdeals.com' 'whitehorsetechnologies.net' 'win2150.vs.easily.co.uk' 'windows-crash-report.info' 'windows-defender.con.sh' 'windspotter.net' 'wineyatra.com' 'winlock.usa.cc' 'winrar-soft.ru' 'winsetupcostotome.easthamvacations.info' 'wkmg.co.kr' 'wmserver.net' 'womenslabour.org' 'wonchangvacuum.com.my' 'wonderph.com' 'worldgymperu.com' 'wp9.ru' 'writingassociates.com' 'wroclawski.com.pl' 'wt10.haote.com' 'wuesties.heimat.eu' 'wv-law.com' 'www.0uk.net' 'www.2607.cn' 'www.3difx.com' 'www.3peaks.co.jp' 'www.acquisizionevideo.com' 'www.adesse-anwaltskanzlei.de' 'www.adlgasser.de' 'www.advancesrl.eu' 'www.aerreravasi.com' 'www.agrimont.cz' 'www.angolotesti.it' 'www.anticarredodolomiti.com' 'www.archigate.it' 'www.areadiprova.eu' 'www.arkinsoftware.in' 'www.askmeaboutrotary.com' 'www.assculturaleincontri.it' 'www.asu.msmu.ru' 'www.atousoft.com' 'www.aucoeurdelanature.com' 'www.avidnewmedia.it' 'www.avrakougioumtzi.gr' 'www.bag-online.com' 'www.bcservice.it' 'www.bedoc.fr' 'www.bilder-upload.eu' 'www.blinkgroup.com' 'www.blueimagen.com' 'www.carvoeiro.com' 'www.casamama.nl' 'www.catgallery.com' 'www.caue971.org' 'www.cc-isobus.com' 'www.cellphoneupdated.com' 'www.cellularbeton.it' 'www.cennoworld.com' 'www.cerquasas.it' 'www.chemgas.com' 'www.chiaperottipaolo.it' 'www.cifor.com' 'www.coloritpak.by' 'www.consumeralternatives.org' 'www.copner.co.uk' 'www.cordonnerie-fb.fr' 'www.cortesidesign.com' 'www.csaladipotlek.info' 'www.daspar.net' 'www.dicoz.fr' 'www.dimou.de' 'www.divshare.com' 'www.doctor-alex.com' 'www.dowdenphotography.com' 'www.download4now.pw' 'www.downloaddirect.com' 'www.dream-squad.com' 'www.drteachme.com' 'www.ecoleprincessedeliege.be' 'www.eivamos.com' 'www.elisaart.it' 'www.email-login-support.com' 'www.emotiontag.net' 'www.emrlogistics.com' 'www.exelio.be' 'www.fabioalbini.com' 'www.fasadobygg.com' 'www.feiyang163.com' 'www.fiduciariobajio.com.mx' 'www.flowtec.com.br' 'www.fotoidea.com' 'www.freemao.com' 'www.freewebtown.com' 'www.frosinonewesternshow.it' 'www.galileounaluna.com' 'www.gameangel.com' 'www.gasthofpost-ebs.de' 'www.gliamicidellunicef.it' 'www.gmcjjh.org' 'www.gold-city.it' 'www.goooglesecurity.com' 'www.gulsproductions.com' 'www.hausnet.ru' 'www.herteldenpaylasim.org' 'www.hitekshop.vn' 'www.hochzeit.at' 'www.hospedar.xpg.com.br' 'www.hoteldelamer-tregastel.com' 'www.huecobi.de' 'www.icybrand.eu' 'www.image-png.us' 'www.image-werbebedarf.de' 'www.imagerieduroc.com' 'www.infra.by' 'www.joomlalivechat.com' 'www.kcta.or.kr' 'www.keyfuture.com' 'www.kjbbc.net' 'www.lajourneeducommercedeproximite.fr' 'www.lambrusco.it' 'www.lccl.org.uk' 'www.les-ptits-dodos.com' 'www.litra.com.mk' 'www.lostartofbeingadame.com' 'www.lowes-pianos-and-organs.com' 'www.luciole.co.uk' 'www.lunchgarden.com' 'www.lyzgs.com' 'www.m-barati.de' 'www.makohela.tk' 'www.mangiamando.com' 'www.marcilly-le-chatel.fr' 'www.marinoderosas.com' 'www.marss.eu' 'www.megatron.ch' 'www.milardi.it' 'www.minka.co.uk' 'www.mondo-shopping.it' 'www.mondoperaio.net' 'www.montacarichi.it' 'www.motivacionyrelajacion.com' 'www.moviedownloader.net' 'www.mrpeter.it' 'www.mtmtrade.gr' 'www.notaverde.com' 'www.nothingcompares.co.uk' 'www.nwhomecare.co.uk' 'www.obyz.de' 'www.offerent.com' 'www.officialrdr.com' 'www.ohiomm.com' 'www.oiluk.net' 'www.ostsee-schnack.de' 'www.over50datingservices.com' 'www.ozowarac.com' 'www.paliteo.com' 'www.panazan.ro' 'www.parfumer.by' 'www.pcdefender.co.vu' 'www.perupuntocom.com' 'www.petpleasers.ca' 'www.pieiron.co.uk' 'www.plantes-sauvages.fr' 'www.poesiadelsud.it' 'www.poffet.net' 'www.pontuall.com.br' 'www.praxisww.com' 'www.prfelectrical.com.au' 'www.proascolcolombia.com' 'www.professionalblackbook.com' 'www.profill-smd.com' 'www.propan.ru' 'www.purplehorses.net' 'www.qstopuniversitiesguide.com' 'www.racingandclassic.com' 'www.realinnovation.com' 'www.rebeccacella.com' 'www.reifen-simon.com' 'www.rempko.sk' 'www.riccardochinnici.it' 'www.ristoromontebasso.it' 'www.rokus-tgy.hu' 'www.rooversadvocatuur.nl' 'www.rst-velbert.de' 'www.saemark.is' 'www.sailing3.com' 'www.saintlouis-viry.fr' 'www.sankyo.gr.jp' 'www.sanseracingteam.com' 'www.sasenergia.pt' 'www.sbo.it' 'www.scanmyphones.com' 'www.scantanzania.com' 'www.schluckspecht.com' 'www.schuh-zentgraf.de' 'www.seal-technicsag.ch' 'www.secondome.com' 'www.serciudadano.com.ar' 'www.sitepalace.com' 'www.sj88.com' 'www.slayerlife.com' 'www.slikopleskarstvo-fasaderstvo.si' 'www.slivki.com.ua' 'www.smartgvcfunding.com' 'www.smartscan.ro' 'www.sonnoli.com' 'www.soskin.eu' 'www.soyter.pl' 'www.spfonster.se' 'www.spris.com' 'www.stirparts.ru' 'www.stormpages.com' 'www.studiochiarelli.eu' 'www.super8service.de' 'www.surfguide.fr' 'www.syes.eu' 'www.sylacauga.net' 'www.t-gas.co.uk' 'www.t-sb.net' 'www.tdms.saglik.gov.tr' 'www.technix.it' 'www.tesia.it' 'www.theartsgarage.com' 'www.thesparkmachine.com' 'www.thomchotte.com' 'www.tiergestuetzt.de' 'www.toochattoo.com' 'www.torgi.kz' 'www.toshare.kr' 'www.tpt.edu.in' 'www.tradingdirects.co.uk' 'www.trarydfonster.se' 'www.tvnews.or.kr' 'www.two-of-us.at' 'www.unicaitaly.it' 'www.uriyuri.com' 'www.usaenterprise.com' 'www.viisights.com' 'www.village-gabarrier.com' 'www.vinyljazzrecords.com' 'www.vipcpms.com' 'www.vivaimontina.com' 'www.volleyball-doppeldorf.de' 'www.vvvic.com' 'www.vw-freaks.net' 'www.wave4you.de' 'www.weforwomenmarathon.org' 'www.whitesports.co.kr' 'www.widestep.com' 'www.wigglewoo.com' 'www.wiiux.de' 'www.wildsap.com' 'www.wohnmoebel-blog.de' 'www.wrestlingexposed.com' 'www.wtcorp.net' 'www.wwwfel.org.ng' 'www.wyroki.eu' 'www.xiruz.kit.net' 'www.yehuam.com' 'www.zatzy.com' 'www.zctei.com' 'www.zido-baugruppenmontage.de' 'www.zyxyfy.com' 'www12.0zz0.com' 'www8.0zz0.com' 'xamateurpornlic.www1.biz' 'xicaxique.com.br' 'xindalawyer.com' 'xoomer.alice.it' 'xorgwebs.webs.com' 'xotsa.frenchgerlemanelectric.com' 'xpornstarsckc.ddns.name' 'y6aoj.akovikisk.net' 'yambotan.ru' 'yandex.ru.sgtfnregsnet.ru' 'ydshttas.climat.ws' 'yellowcameras.wanroymotors.com' 'yigitakcali.com' 'ylpzt.juzojossai.net' 'yougube.com' 'youngsters.mesomoor.com' 'youtibe.com' 'youtuhe.com' 'ytzi.co' 'yumekin.com' 'z32538.nb.host127-0-0-1.com' 'z7752.com' 'zgsysz.com' 'zibup.csheaven.com' 'zjjlf.croukwexdbyerr.net' 'zkic.com' 'zous.szm.sk' 'zt.tim-taxi.com' 'zu-yuan.com' 'zwierzu.zxy.me' 'zyrdu.cruisingsmallship.com' 'fr.a2dfp.net' 'm.fr.a2dfp.net' 'mfr.a2dfp.net' 'ad.a8.net' 'asy.a8ww.net' 'static.a-ads.com' 'atlas.aamedia.ro' 'abcstats.com' 'ad4.abradio.cz' 'a.abv.bg' 'adserver.abv.bg' 'adv.abv.bg' 'bimg.abv.bg' 'ca.abv.bg' 'track.acclaimnetwork.com' 'accuserveadsystem.com' 'www.accuserveadsystem.com' 'achmedia.com' 'csh.actiondesk.com' 'ads.activepower.net' 'app.activetrail.com' 'stat.active24stats.nl' 'traffic.acwebconnecting.com' 'office.ad1.ru' 'cms.ad2click.nl' 'ad2games.com' 'ads.ad2games.com' 'content.ad20.net' 'core.ad20.net' 'banner.ad.nu' 'adadvisor.net' 'tag1.adaptiveads.com' 'www.adbanner.ro' 'wad.adbasket.net' 'ad.pop1.adbn.ru' 'ad.top1.adbn.ru' 'ad.rich1.adbn.ru' 'adbox.hu' 'james.adbutler.de' 'www.adbutler.de' 'tw1.adbutler.us' 'www.adchimp.com' 'static.adclick.lt' 'engine.adclick.lv' 'show.adclick.lv' 'static.adclick.lv' 'www.adclick.lv' 'ad-clix.com' 'www.ad-clix.com' 'servedby.adcombination.com' 'adcomplete.com' 'www.adcomplete.com' 'adcore.ru' 'pixel.adcrowd.com' 'ct1.addthis.com' 'static.uk.addynamo.com' 'server.adeasy.ru' 'pt.server1.adexit.com' 'www.adexit.com' 's.adexpert.cz' '222-33544_999.pub.adfirmative.com' 'c.adfirmative.com' 'www.adfirmative.com' 'adfocus.ru' 'adx.adform.net' 'dmp.adform.net' 's1.adform.net' 'server.adform.net' 'track.adform.net' 'server.adformdsp.net' 'adforce.ru' 'adforati.com' 'ads.adfox.ru' 'gazeta.adfox.ru' 'p.adframesrc.com' 's.adframesrc.com' 'media.adfrontiers.com' 'www.adgitize.com' 'code.ad-gbn.com' 'www.ad-groups.com' 'adhall.com' 'pool.adhese.be' 'adhitzads.com' 'ads.static.adhood.com' 'app.pubserver.adhood.com' 'app.winwords.adhood.com' 'ssl3.adhost.com' 'www2.adhost.com' 'adfarm1.adition.com' 'imagesrv.adition.com' 'ad.adition.net' 'hosting.adjug.com' 'tracking.adjug.com' 'aj.adjungle.com' 'rotator.hadj7.adjuggler.net' 'thewrap.rotator.hadj7.adjuggler.net' 'yorick.adjuggler.net' 'adsearch.adkontekst.pl' 'stat.adlabs.ru' 'd.tds.adlabs.ru' 'www.adlantis.jp' 'publicidad.adlead.com' 'www.adlimg03.com' 'regio.adlink.de' 'west.adlink.de' 'rc.de.adlink.net' 'tr.de.adlink.net' 'n.admagnet.net' 'ads3.adman.gr' 'gazzetta.adman.gr' 'r2d2.adman.gr' 'talos.adman.gr' 'adman.in.gr' 'admarket.cz' 'www.admarket.cz' 'bridge.ame.admarketplace.net' 'bridge.sf.admarketplace.net' 'a1.admaster.net' 'img.admaster.net' 'admedien.com' 'www.admedien.com' 'apps.admission.net' 'appcache.admission.net' 'dt.admission.net' 'view.admission.net' 'ad.admitad.com' 'cdn.admitad.com' 'www.ad.admitad.com' 'cdn.admixer.net' 'ads.admodus.com' 'run.admost.com' 'assets3.admulti.com' 'go.admulti.com' 's.admulti.com' 'ads.adnet.am' 'ad.adnet.biz' 'adnet.com.ua' 'delivery.adnetwork.vn' 'img.adnet.com.tr' 'www.ad-net.co.uk' 'adnext.fr' 'cdn.adnotch.com' 'ad.adnow.com' 'tt11.adobe.com' 'ace.adoftheyear.com' 'ad01.adonspot.com' 'ad02.adonspot.com' 'adperium.com' 'adk2.adperium.com' 'www.adperium.com' 'img.adplan-ds.com' 'res.adplus.co.id' 'e.adpower.bg' 'ab.adpro.com.ua' 'adpublimo.com' 'system.adquick.nl' 'pop.adrent.net' 'adroll.com' 'rtt.adrolays.de' 'n.ads1-adnow.com' 'n.ads2-adnow.com' 'n.ads3-adnow.com' 'vu.adschoom.com' 'core1.adservingfactory.com' 'content.adservingfactory.com' 'track.adservingfactory.com' 'p78878.adskape.ru' 'map2.adsniper.ru' 'f-nod2.adsniper.ru' 'content.adspynet.com' 'engine.adspynet.com' 'ads.adsready.com' 'ads.adsurve.com' 'www.adsurve.com' 'cntr.adrime.com' 'images.adrime.com' 'ad.adriver.ru' 'content.adriver.ru' 'ssp.adriver.ru' 'r.adrolays.de' 'adrotate.se' 'www.adrotate.net' 'ads-bg.info' 'delivery.ads-creativesyndicator.com' 'adsafiliados.com.br' 'ad.adsafiliados.com.br' 'v2.adsbookie.com' 'rh.adscale.de' 'assets.adtaily.com' 'viewster-service.adtelligence.de' 'adtgs.com' 'fusion.adtoma.com' 'core.adunity.com' 'engage2.advanstar.com' 'ddnk.advertur.ru' 'ds.advg.jp' 'm.adx.bg' 'www.adshost2.com' 'js.adscale.de' 'ih.adscale.de' 'adscendmedia.com' 'adservicedomain.info' 'adserver-voice-online.co.uk' 'adsfac.net' 'adsgangsta.com' 'adsfac.eu' 'ad.ad-srv.net' 'www.adshot.de' 'f-nod1.adsniper.ru' 'sync2.adsniper.ru' 'cdn6.adspirit.de' 'www.adspace.be' 'adsplius.lt' 'ads.adsponse.de' 'openx.adtext.ro' 'ads.adtiger.de' 'www.adtiger.de' 'ad.adtoma.com' 'au-01.adtomafusion.com' 'bn-01.adtomafusion.com' 'adv.adtotal.pl' 'rek.adtotal.pl' 'www.adtrade.net' 'www.adtrader.com' 'adtradr.com' 'ads.adtube.de' 'www.adultbanners.co.uk' 'www.adultcommercial.net' 'adultmoneymakers.com' 'tracking.adultsense.com' 'www.adult-tracker.de' 'ad.aduserver.com' 'adv758968.ru' 'advaction.ru' 'euroad1.advantage.as' 'mf.advantage.as' 'mfad1.advantage.as' 'adve.net' 'ad.adver.com.tw' 'apps.advertlets.com' 'www.advertlets.com' 'ads.advertise.net' 'www.advertsponsor.com' 'ad.adverticum.net' 'img.adverticum.net' 'imgs.adverticum.net' 'www.advertising365.com' 'titan.advertserve.com' 'ad.advertstream.com' 'usas1.advfn.com' 'images.adviews.de' 'www.adviews.de' 'ad.adview.pl' 'adp.adview.pl' 'bi.adview.pl' 'chart.advinion.com' 'advizi.ru' 'adv.adwish.net' 'ads.adwitserver.com' 'ad.adworx.at' 'www.ad-z.de' 'ads.afa.net' 'affbeat.com' 'affiliate.affdirect.com' 'sttc.affiliate.hu' 'tr.affiliate.hu' 'img.network.affiliando.com' 'view.network.affiliando.com' 'ads.affiliateclub.com' 'affiliategroove.com' 'banners.affiliatefuture.com' 'images.affiliator.com' 'imp.affiliator.com' 'rotation.affiliator.com' 'media.affiliatelounge.com' 'js.affiliatelounge.com' 'record.affiliatelounge.com' 'web1.affiliatelounge.com' 'banners.affilimatch.de' 'ad.afilo.pl' 'adserwer.afilo.pl' 'ads.afraccess.com' 'ads.aftonbladet.se' 'stats.agent.co.il' 'stats.agentinteractive.com' 'w.ahalogy.com' 'ac.ajur.info' 'openx.ajur.info' 'adlik2.akavita.com' 'dmtracking2.alibaba.com' 'all2lnk.com' 'ads.allaccess.com.ph' 'adcontent2.allaccess.com.ph' 'ad.allstar.cz' 'taobaoafp.allyes.cn' 'bokee.allyes.com' 'demoafp.allyes.com' 'eastmoney.allyes.com' 'smarttrade.allyes.com' 'sroomafp.allyes.com' 'taobaoafp.allyes.com' 'tom.allyes.com' 'uuseeafp.allyes.com' 'yeskyafp.allyes.com' 'eas.almamedia.fi' 'ad.altervista.org' 'pqwaker.altervista.org' 'adimg.alice.it' 'adv.alice.it' 'advloc.alice.it' 'altmedia101.com' 'www.alwayson-network.com' 'adtools2.amakings.com' 'banner.amateri.cz' 'amazing-offers.co.il' 'ad.amgdgt.com' 'adserver.amna.gr' '10394-127.ampxchange.com' '10394-4254.ampxchange.com' '10394-2468.ampxchange.com' 'vfdeprod.amobee.com' 'widgets.amung.us' 'whos.amung.us' 'analytics.analytics-egain.com' 'cloud-us.analytics-egain.com' 'gw.anametrix.net' 'www.anastasiasaffiliate.com' 'advert.ananzi.co.za' 'advert2.ananzi.co.za' 'box.anchorfree.net' 'rpt.anchorfree.net' 'a.androidandme.com' 'analytics.androidandme.com' 'www.anticlown.com' 'antventure.com' 'webtracker.apicasystem.com' 'junior.apk.net' 'openx.apollo.lv' 'ads.asia1.com.sg' 'ads.ask.com' 'www.asknew.com' 'stats.asp24.pl' 'ads.aspalliance.com' 'www.astalavista.us' 'atemda.com' 'logw349.ati-host.net' 'rules.atgsvcs.com' 'logw312.ati-host.net' 'p.ato.mx' 's.ato.mx' 'ads.auctionads.com' 'banners.audioholics.com' 'ad.auditude.com' 'ads.auctioncity.co.nz' 'd.audienceiq.com' 'ads.autoscout24.com' 'ads.autotrader.com' 'adserving.autotrader.com' 'profiling.avandor.com' 'avantlink.com' 'www.avantlink.com' 'fhg.avrevenue.com' 'rev.avsforum.com' 'a.avtookazion.bg' 'ads.avusa.co.za' 'engine.awaps.net' 'analytics.aweber.com' 'clicks.aweber.com' 'tracker.azet.sk' 'www.azmsoft.com' 'ads.badische-zeitung.de' 'ads.balkanec.bg' 'error.banan.cz' 'banerator.net' 'ads3.bangkokpost.co.th' 'www.banner.cz' 'www.banner-exchange.nl' 'www.bannerexchange.co.nz' 'www.bannergratis.it' 'max.bannermanager.gr' 'www.bannermanagement.nl' 'www.bannerpromotion.it' 'www.banner-rotation.com' 'feed-rt.baronsoffers.com' 'ad.batanga.com' 'ad.bauerverlag.de' 'ads.baz.ch' 'bbcdn.go.cz.bbelements.com' 'go.arbopl.bbelements.com' 'bbcdn.go.arbopl.bbelements.com' 'go.cz.bbelements.com' 'go.eu.bbelements.com' 'go.idmnet.bbelements.com' 'go.idnes.bbelements.com' 'bbcdn.go.pol.bbelements.com' 'go.pol.bbelements.com' 't.bbtrack.net' 'ad.beepworld.de' 'ads.be2hand.com' 'app.beanstalkdata.com' 'www.beead.co.uk' 'tracker.beezup.com' 'autocontext.begun.ru' 'promo.begun.ru' 'referal.begun.ru' 'api.behavioralengine.com' 'cdn.behavioralengine.com' 'www.belstat.be' 'www.belstat.com' 'www.belstat.nl' 'oas.benchmark.fr' 'serving.bepolite.eu' 'webtrends.besite.be' 'www.besttoolbars.net' 'www.best-top.ro' 'imstore.bet365affiliates.com' 'oddbanner.bet-at-home.com' 'ads1.beta.lt' 'banners.betcris.com' 'ads.betfair.com' 'banner.betfred.com' 'ad.beritasatumedia.com' 'www.bettertextads.com' 'ads.bgfree.com' 'banners.bgmaps.com' 'bgtop100.com' 'ads.bgtop.net' 'bgwebads.com' 'bighop.com' 'counter.bigli.ru' 'api.bigmobileads.com' 'bpm.tags.bigpondmedia.com' 'banex.bikers-engine.com' 'intext.billboard.cz' 'code.intext.billboard.cz' 'bbcdn.code.intext.billboard.cz' 'view.binlayer.com' 'ads.biscom.net' 'server.bittads.com' 'dc.bizjournals.com' 'ads2.blastro.com' 'ads3.blastro.com' 'blekko.com' 'img.blesk.cz' 'trak-analytics.blic.rs' 'ads.blizzard.com' 'ads.blog.com' 'www.blogcatalog.com' 'blogcounter.com' 'track.blogcounter.de' 'www.blogcounter.de' 'ads.blogdrive.com' 'ads.blogherads.com' 'pixel.blog.hu' 'pcbutts1-therealtruth.blogspot.com' 'ads.blogtalkradio.com' 'ox-d.blogtalkradio.com' 'adserver.bloodhorse.com' 'stats.bluebillywig.com' 'delivery.bluefinmediaads.com' 'adserver.bluewin.ch' 'watershed.bm23.com' 't.bmmetrix.com' 'www.bmmetrix.com' 'bannermanager.bnr.bg' 'ads.boardtracker.com' 'ranks.boardtracker.com' 'ad.bodybuilding.com' 'ads.boerse-express.com' 'adv.bol.bg' 'www.bonabanners.co.uk' 'token.boomerang.com.au' 'adserver.borsaitaliana.it' 'adserver.borsonline.hu' 'www.box.bg' 'tracker.brainsins.com' 'ads.brandeins.de' 'dolce-sportro.count.brat-online.ro' 'stats.break.com' 'bans.bride.ru' 'ads.bridgetrack.com' 'cc.bridgetrack.com' 'citi.bridgetrack.com' 'goku.brightcove.com' 'ads.bsplayer.com' 'ads.bta.bg' 'ads.btv.bg' 'ads.buljobs.bg' 'js.bunchofads.com' 'ivitrine.buscape.com' 'ads.businessclick.com' 'ads.businessclick.pl' 'd.buyescorttraffic.com' 'buylicensekey.com' 'assets.buysellads.com' 'cdn.buysellads.com' 'traffic.buyservices.com' 'ads.buzzcity.net' 'txads.buzzcity.com' 'www.buzzclick.com' 'adnetwork.buzzlogic.com' 'tr.buzzlogic.com' 'byet.org' 'blog.byethost.com' '145-ct.c3tag.com' '298-ct.c3tag.com' '687-ct.c3tag.com' '755-ct.c3tag.com' 'ads.calgarystampede.com' 'www.cambodiaoutsourcing.com' 'openx.camelmedia.net' 'p.camsitecash.com' 's.camsitecash.com' 'adserve.canadawidemagazines.com' 'stats.canalblog.com' 'ad.caradisiac.com' 'cdn.carbonads.com' 'srv.carbonads.net' 'ads.cars.com' 'images.cashfiesta.com' 'www.cashfiesta.com' 'www.cashfiesta.net' 'banner.casinodelrio.com' 'adv.casinopays.com' 'www.casinotropez.com' 'cdn.castplatform.com' 'tracking.cdiscount.com' 'a3.cdnpark.com' 'cn.ecritel.bench.cedexis.com' 'radar.cedexis.com' '3.cennter.com' 'ox-d.chacha.com' 'cts-secure.channelintelligence.com' 'chapmanmediagroup.com' 'count.channeladvisor.com' 'adsapi.chartbeat.com' 'code.checkstat.nl' 'www.checkstat.nl' 'err.chicappa.jp' 'ads.china.com' 'v5.chinoc.net' 'ads.city24.ee' 'ckstatic.com' 'crv.clickad.pl' 'publishers.clickbooth.com' 'www.clickcountr.com' 'j.clickdensity.com' 'r.clickdensity.com' 'adsense.clicking.com.tw' 'banners.clickon.co.il' 'track.clickon.co.il' 'delivery.clickonometrics.pl' 'static.clickonometrics.pl' 'static.clickpapa.com' 'www.clickpapa.com' 'tracktrue.clicktrue.biz' 'www.is1.clixgalore.com' 'www.clixgalore.com' 'www.clickhouse.com' 'banners.clips4sale.com' 'banner.clubdicecasino.com' 'adserver.clubs1.bg' 'ads.clubz.bg' 'cluper.net' 'adserver.clix.pt' 's.clx.ru' 'ad.cmfu.com' 'openx.cnews.ru' 'c.cnstats.ru' 'www.cnstats.com' 'www.co2stats.com' 'anchor.coadvertise.com' 'ad.coas2.co.kr' 'traffic.prod.cobaltgroup.com' 'collectiveads.net' 'vcu.collserve.com' 'go.combosoftwareplace.com' 'adss.comeadvertisewithus.com' 'www.compactads.com' 'ads.comperia.pl' 'ads.consumeraffairs.com' 'ads.contactmusic.com' 'api.contentclick.co.uk' 'www.contextualadv.com' 'ads.contextweb.com' 'ds.contextweb.com' 'www.contaxe.com' 'www.contextpanel.com' 'www.conversionruler.com' 'ad.cooks.com' 'ad2.cooks.com' 'banners.copyscape.com' 'data.de.coremetrics.com' 'www.count24.de' 'www.countit.ch' 'www.counter-gratis.com' 'www.counter4you.net' 'www.counting4free.com' 'www.counter.cz' 'connectionzone.com' 'banner.coza.com' 'www.cpays.com' 'www.cpmterra.com' 'roitrack.cptgt.com' 'ads.cpxcenter.com' 'adserving.cpxadroit.com' 'cdn.cpxinteractive.com' 'panther1.cpxinteractive.com' 'static.crakbanner.com' 'sh.creativcdn.net' 'adverts.creativemark.co.uk' 'ads.crisppremium.com' 'ox-d.crisppremium.com' 'www.crm-metrix.fr' 'stg.widget.crowdignite.com' 'ads.crossworxs.eu' 'i.ctnsnet.com' 'ads.milliyet.cubecdn.net' 'cdn.cxense.com' 'www.cybereps.com' 'banner.cybertechdev.com' 'cybertown.ru' 'd9ae99824.se' 'ads.daclips.in' 'ads.dada.it' 'count.daem0n.com' 'annonser.dagbladet.no' 't.dailymail.co.uk' 'rta.dailymail.co.uk' 'ted.dailymail.co.uk' 'ads.darikweb.com' 'sync.darikweb.com' 'www1.darikweb.com' 'www.dataforce.net' 'tag.datariver.ru' 'banner.date.com' 'banners.datecs.bg' 'mb.datingadzone.com' 'ox.dateland.co.il' 'count.dba.dk' 'top.dating.lt' 'counter.top.dating.lt' 'daylogs.com' 'advertising.dclux.com' 'tracking.dc-storm.com' 'de17a.com' 'ads.dealnews.com' 'connect.decknetwork.net' 'adv.deltanews.bg' 'fast.gannett.demdex.net' 'piwik.denik.cz' 'ads.dennisnet.co.uk' 'openx.depoilab.com' 'ads.designboom.com' 'adcast.deviantart.com' 'www.dia-traffic.com' 'track.did-it.com' 'counter.dieit.de' 'openx.diena.lv' 'ads.digitalalchemy.tv' 'yield.audience.digitalmedia.bg' 'ads.digitalpoint.com' 'geo.digitalpoint.com' 'dinclinx.com' 'www.dinclinx.com' 'st.directadvert.ru' 'www.directadvert.ru' 'roitrack.directdisplayad.com' 'aserve.directorym.com' 'cache.directorym.com' 'www.direct-stats.com' 'glitter.services.disqus.com' 'www.divx.it' 'dltags.com' 'ads.dobrichonline.com' 'analyticsv2.dol.gr' 'banners.dol.gr' 'return.domainnamesales.com' 'ads.domainbg.com' 'publishers.domainadvertising.com' 'return.bs.domainnamesales.com' 'f.domdex.com' 'ad.donanimhaber.com' 'adv.dontcrack.com' 'ad2.bal.dotandad.com' 'test-script.dotmetrics.net' 'ads.dotomi.com' 'iad-login.dotomi.com' 'ads.double.net' 'imp.double.net' 'track.double.net' 'ad03.doubleadx.com' 'marketing.doubleclickindustries.com' 'ads.draugas.lt' 'imgn.dt00.net' 'tracking.dsmmadvantage.com' 'www.dsply.com' 'tracking.dtiserv2.com' 'ad.dumedia.ru' 'track.dvdbox.com' 'www.dwin1.com' 'ads.dynamic-media.org' 'hits.e.cl' 'ad.eanalyzer.de' 'cdn.earnify.com' 'ay.eastmoney.com' 'cdn.easy-ads.com' 'www.easy-dating.org' 'top.easy.lv' 'web.easyresearch.se' 'web2.easyresearch.se' 'web3.easyresearch.se' 'www.ebannertraffic.com' 'as.ebz.io' 'ox.e-card.bg' 'ox-s.e-card.bg' 'prom.ecato.net' 'ads.eccentrix.com' 'ad.econet.hu' 'b.economedia.bg' 'ad.ecplaza.net' 'ads.ecrush.com' 'ads.bridgetrack.com.edgesuite.net' 'ads.edipresse.pl' 'banners.e-dologic.co.il' 'track.effiliation.com' 'pk-cdn.effectivemeasure.net' 'th-cdn.effectivemeasure.net' 'ads.e-go.gr' 'stats.e-go.gr' 'eisenstein.dk' 'ad.e-kolay.net' 'adonline.e-kolay.net' 'global.ekmpinpoint.com' 'ads2.ekologia.pl' 'stat.ekologia.pl' 'ads.elmaz.com' 'anapixel.elmundo.es' 'ads.elitetrader.com' 'pixelcounter.elmundo.es' 's1415903351.t.eloqua.com' 'ads.eluniversal.com.mx' 'hits.eluniversal.com.mx' 'publicidad.eluniversal.com.mx' 'profitshare.emag.ro' 'e.emailretargeting.com' 'email-reflex.com' 'ad1.emediate.dk' 'eas.apm.emediate.eu' 'cdn3.emediate.eu' 'cdn6.emediate.eu' 'cdn8.emediate.eu' 'eas5.emediate.eu' 'ism6.emediate.eu' 'ad1.emediate.se' 'ecpmrocks.com' 'dotnet.endai.com' 'ac.eu.enecto.com' 'trk.enecto.com' 'openx.engagedmediamags.com' 'adsrv.ads.eniro.com' 'cams.enjoy.be' 'enoratraffic.com' 'www.enoratraffic.com' 'publicidad.entelchile.net' 'sa.entireweb.com' 'entk.net' 'e-marketing.entelchile.net' 'ads.e-planning.net' 'adserving03.epi.es' 'epmads.com' 'code.etracker.com' 'www.etracker.de' 'top.er.cz' 'ads.ere.net' 'ads.ereklama.mk' 'ads.ersamedia.ch' 'tracking.euroads.dk' 'ox.eurogamer.net' 'it.erosadv.com' 'pix3.esm1.net' 'ads.eurogamer.net' 'adserver.euronics.de' 'geoads.eurorevenue.com' 'advert.eurotip.cz' 'www.euros4click.de' 'ad.eurosport.com' 'pixel.everesttech.net' 'pixel-user-1039.everesttech.net' 'venetian.evyy.net' 'ads2.evz.ro' 'advert.exaccess.ru' 'dynamic.exaccess.ru' 'static.exaccess.ru' 'www.exchangead.com' 'exchange.bg' 'media.exchange.bg' 'www.exchange.bg' 'exclusiotv.be' 'ads.expekt.com' 'www.experclick.com' 'expo-max.com' 'ads.expedia.com' 'admedia.expedia.com' 'expired-targeted.com' 'ads.eyeonx.ch' 'resources.eyereturn.com' 'advertising.ezanga.com' '1278725189.pub.ezanga.com' 'ads.ezboard.com' 'machine.fairfaxbm.co.nz' 'st.fanatics.com' 'a.farlex.com' 'fashion-tube.be' 'adsrv.fashion.bg' 'www.fastadvert.com' 'fastclick.co' 'fastclick.ir' 'fastonlineusers.com' 'fastsearchproduct.com' 'counter.fateback.com' 'counter1.fc2.com' 'error.fc2.com' 'as.featurelink.com' 'admega.feed.gr' 'feedjit.com' 'log.feedjit.com' 'analytics.femalefirst.co.uk' 'pixel.fetchback.com' 'banners.ffsbg.com' 'ads.fiat-bg.org' 'cache.fimservecdn.com' 'adboost.finalid.com' 'tracker.financialcontent.com' 'banner.finn.no' 'ads.firstgrand.com' 's01.flagcounter.com' 's02.flagcounter.com' 's03.flagcounter.com' 's04.flagcounter.com' 's06.flagcounter.com' 's07.flagcounter.com' 's08.flagcounter.com' 's09.flagcounter.com' 's11.flagcounter.com' '2.s09.flagcounter.com' 's10.flagcounter.com' 'banners.flingguru.com' 'www.fncash.com' 'ads.focus-news.net' 'rnews.focus-news.net' 'controller.foreseeresults.com' 'forvideo.at' 'ads.foxnews.com' 'www.fpcclicks.com' 'freebitmoney.com' 'ad.freecity.de' 'ads05.freecity.de' 'maurobb.freecounter.it' 'www.freecounter.it' 'freegeoip.net' 'a9.sc.freepornvs.com' 'www.free-toplisten.at' 'banners.freett.com' 'count.freett.com' 'counters.freewebs.com' 'error.freewebsites.com' 'www.freewebsites.com' 'nx.frosmo.com' 'tr1.frosmo.com' 'ads.fulltiltpoker.com' 'banners.fulltiltpoker.com' 'www.funtopliste.de' 'www.fusestats.com' 'fxyc0dwa.com' 'ads5.fxdepo.com' 'fxlayer.net' 'adserving.fyi-marketing.com' 'errdoc.gabia.net' 'adserver.gadu-gadu.pl' 'adsm.gameforge.de' 'tracking.gameforge.de' 'ingameads.gameloft.com' 'ads.garga.biz' 'ads.gateway.bg' 'ads.gather.com' 'track.gawker.com' 'ad.gazeta.pl' 'adp.gazeta.pl' 'adv.gazeta.pl' 'analytics.gazeta.pl' 'top.gde.ru' 'www.geoplugin.net' 'ads.geornmd.net' 'adv.gepime.com' 'getrank.net' 'getrockerbox.com' 'www.getsmart.com' 'getstatistics.se' 'www.getstatistics.se' 'banner.giantvegas.com' 'truehits.gits.net.th' 'truehits1.gits.net.th' 'truehits3.gits.net.th' 'gkts.co' 'www17-orig.glam.com' 'www30a6-orig.glam.com' 'insert.gloadmarket.com' 'promotools.globalmailer.com' 'promotools3.globalmailer.com' 'promotools4.globalmailer.com' 'ads.globo.com' 'ads.img.globo.com' 'gmads.net' 'at.gmads.net' 'dk.gmads.net' 'es.gmads.net' 'pl.gmads.net' 'go777site.com' 'adserver2.goals365.com' 'ads.godlikeproductions.com' 'counter.goingup.com' 'www.goldadvert.cz' 'js-at.goldbach.com' 'goldbach-targeting.ch' 'c.go-mpulse.net' 'engine.goodadvert.ru' 'files.goodadvert.ru' 'googlus.com' 'ads.gorillavid.in' 'adtools.gossipkings.com' 'webcounter.goweb.de' 'www.gpr.hu' 'www.gradportal.org' 'ad-incisive.grapeshot.co.uk' 'reed-cw.grapeshot.co.uk' 'tk.graphinsider.com' 'adv.gratuito.st' 'rma-api.gravity.com' 'grmtech.net' 'de.grmtech.net' 'www.grmtech.net' 'tracker.gtarcade.com' 'fx.gtop.ro' 'static.gtop.ro' 'www.gtop.ro' 'fx.gtopstats.com' 'ads.gumgum.com' 'c.gumgum.com' 'cdn.gumgum.com' 'guruads.de' 'beacon.gutefrage.net' 'adhese.gva.be' 'tags.h12-media.com' 'cc12797.counter.hackers.lv' 'cc9905.counter.hackers.lv' 'hapjes-maken.eu' 'adserver.hardwareanalysis.com' 'www.harmonyhollow.net' 'ads.haskovo.net' 'ad0.haynet.com' 'ad.hbv.de' 'adhese.hbvl.be' 'ads.hearstmags.com' 'ads.heias.com' 'helpingtrk.com' 'ads2.helpos.com' 'www.hermoment.com' 'ads.hexun.com' 'hx.hexun.com' 'utrack.hexun.com' 'www.hey.lt' 'ads.highdefdigest.com' 'ad.hirekmedia.hu' 'adserver.hispanoclick.com' 'spravki-online.hit.bg' 'c.hit.ua' 'www.hit.tc' 'hit-now.com' 'storage.hitrang.com' 'hitslog.com' 'www.hitstats.co.uk' 'hitstats.net' 'www.hittracker.org' 'hitwebcounter.com' 'images.hitwise.co.uk' 'ad.hizlireklam.com' 'hxtrack.holidayextras.co.uk' 'www.adserver.home.pl' 'homes.bg' 'counters.honesty.com' 'cgi.honesty.com' 'e1.static.hoptopboy.com' 'ox.hoosiertimes.com' 'ad.hosting.pl' 'stats.hosting24.com' 'error.hostinger.eu' 'ads.hotarena.net' 'ad2.hotels.com' 'www.hotspotshield.com' 'h06.hotrank.com.tw' 'www.hotranks.com' 'banner.hpmdnetwork.ru' 'adserver.html.it' 'click.html.it' 'hub.com.pl' 'js.hubspot.com' 'entry-stats.huffpost.com' 'vertical-stats.huffpost.com' 'ads.hulu.com' 'ads.hurra.de' 'tracker.dev.hearst.nl' 'ads2000.hw.net' 'dserver.hw.net' 'www.hw-ad.de' 'www.hxtrack.com' 'www.hypertracker.com' 'ads.iafrica.com' 'ev.ib-ibi.com' 'r.ibg.bg' 'bbcdn-bbnaut.ibillboard.com' 'bbcdn-tag.ibillboard.com' 'www.ibis.cz' 'hits.icdirect.com' 'www.icentric.net' 'tracker.icerocket.com' 'ado.icorp.ro' 'ads.icorp.ro' 'log.idg.no' 'adidm07.idmnet.pl' 'adidm.idmnet.pl' 'adsrv2.ihlassondakika.com' 'stats.surfaid.ihost.com' 'k.iinfo.cz' 'script.ioam.de' 'adserver.ilmessaggero.it' 'adserver.ilounge.com' 'rc.bt.ilsemedia.nl' 'stats.ilsemedia.nl' 'adv.ilsole24ore.it' 'ads.imarketservices.com' 'i.imedia.cz' 'ads.imeem.com' 'stats.immense.net' 'bbn.img.com.ua' 'ads.imguol.com' 'tracking.immobilienscout24.de' 'affiliate.imperiaonline.org' 'x.imwx.com' 'adbox.inbox-online.com' 'optimize.indieclick.com' 'aff.indirdik.com' 'ads.indexinfo.org' 'adcenter.in2.com' 'banners.inetfast.com' 'inetlog.ru' 'ads.inews.bg' 'servedby.informatm.com' 'pcbutts1.software.informer.com' 'stats.infomedia.net' 'stats.inist.fr' 'click.inn.co.il' 'bimonline.insites.be' 'ads.insmarket.bg' 'rs.instantservice.com' 'ads.inspirestudio.net' 'counter.internet.ge' 'indiads.com' 'ads.inviziads.com' 'www.imiclk.com' 'avp.innity.com' 'www.innovateads.com' 'content.integral-marketing.com' 'media.intelia.it' 'www.intelli-tracker.com' 'geo.interia.pl' 'iwa.hit.interia.pl' 'www.intera-x.com' 'cdn.interactivemedia.net' 'adserwer.intercon.pl' 'newadserver.interfree.it' 'intermediads.com' 'www.interstats.nl' 'pl-engine.intextad.net' 'ox.invia.cz' 'ad.investor.bg' 'ad01.investor.bg' 's1.inviziads.com' 'ad2.ip.ro' 'api.ipinfodb.com' 'ip-api.com' 'ads.ipowerweb.com' 'adserver.iprom.net' 'central.iprom.net' 'ipromsi.iprom.net' 'krater.iprom.net' 'tie.iprom.net' 'www.ipstat.com' 'delivery.ipvertising.com' 'www.iranwebads.com' 'ad2.ireklama.cz' 'clicktracker.iscan.nl' 'ads.isoftmarketing.com' 'banman.isoftmarketing.com' 'isralink.net' 'ts.istrack.com' 'adshow.it168.com' 'stat.it168.com' 'itcompany.com' 'www.itcompany.com' 'ilead.itrack.it' 'stats.itweb.co.za' 'www.iws.ro' 'link.ixs1.net' 'raahenseutu.jainos.fi' 'ad.jamba.de' 'ad.jamster.com' 'adserver.janesguide.com' 'piwik.jccm.es' 'ads.jewcy.com' 'pagerank.jklir.net' 'ads.joemonster.org' 'site.johnlewis.com' 'www.jouwstats.nl' 'www.jscount.com' 'stats.jtvnw.net' 'ad.jugem.jp' 'a.jumptap.com' 'nl.ads.justpremium.com' 'tracking.justpremium.com' 'ads.justpremium.nl' 'ads.justrelevant.com' 'k5zoom.com' 'ads.kaldata.com' 'events.kalooga.com' 'stats.kaltura.com' 'banner.kanald.com.tr' 'ads.kartu.lt' 'cache.ads.kartu.lt' 'scripts.kataweb.it' 'b.kavanga.ru' 'id.kbmg.cz' 'indianapolis.hosted.xms.keynote.com' 'webeffective.keynote.com' 'a.kickassunblock.net' 'banner.kiev.ua' 'adserve.kikizo.com' 'adserver.kissfm.ro' 'l.kavanga.ru' 'adsby.klikki.com' 'click.kmindex.ru' 'counter.kmindex.ru' 'counting.kmindex.ru' 'www.kmindex.ru' 'openx.kokoma.pl' 'images.kolmic.com' 'img.ads.kompas.com' 'ads3.kompasads.com' 'ads4.kompasads.com' 'ads5.kompasads.com' 'ads6.kompasads.com' 'ads.kozmetika-bg.com' 'sitestat.kpn-is.nl' 'admp-tc.krak.dk' 'beacon.krxd.net' 'recl.kulinar.bg' 'wa.kurier.at' 'ads.kurir-info.rs' 'adserver.kyoceramita-europe.com' 'cdn-analytics.ladmedia.fr' 'affiliate.lattelecom.lv' 'layer-ad.org' 'ads.layer-ad.org' 'banner.lbs.km.ru' 'lead-123.com' 'secure.leadforensics.com' 'vlog.leadformix.com' 'tracking.lengow.com' 'engine.letsstat.nl' 'pfa.levexis.com' 'res.levexis.com' 'visitors.lexus-europe.com' 'ads.lfstmedia.com' 'adserver.libero.it' 'adv-banner.libero.it' 'lib4.libstat.com' 'lib6.libstat.com' 'logos.libstat.com' 'd.ligatus.com' 'ms.ligatus.com' 'www.lifeforminc.com' 'adtrack.link.ch' 'link.ru' 'link.link.ru' 'ads.linki.nl' 'www.linkads.de' 'linkbuddies.com' 'banners.linkbuddies.com' 'www.linkbuddies.com' 'www.linkconnector.com' 'linkexchange.ru' 'web.linkexchange.ru' 'www.linkexchange.ru' 'content.linkoffers.net' 'track.linkoffers.net' 'linksexchange.net' 'ad.linkstorms.com' 'www.linkworth.com' 'gr.linkwi.se' 'ads.linuxfoundation.org' 'ad.lista.cz' 'ads.listingware.com' 's1.listrakbi.com' 'livecams.nl' 'click.adv.livedoor.com' 'counter2.blog.livedoor.com' 'image.adv.livedoor.com' 'js.livehelper.com' 'newbrowse.livehelper.com' 'ad5.liverail.com' 'pixels.livingsocial.com' 'stats.livingsocial.com' 'a.livesportmedia.eu' 'advert.livesportmedia.eu' 'ads.livescore.com' 'www.livewell.net' 'omnituretrack.local.com' 'w10.localadbuy.com' 'err.lolipop.jp' 'adcontrol.lonestarnaughtygirls.com' 'adserver.lonuncavisto.com' 'r.looksmart.com' 'banners.lottoelite.com' 'partner.loveplanet.ru' 'gw003.lphbs.com' 'gwa.lphbs.com' 'gwb.lphbs.com' 'gwc.lphbs.com' 'gwd.lphbs.com' 'adsy.lsipack.com' 'luxup.ru' 'is.luxup.ru' 'm2k.ru' 'images.m4n.nl' 'ad.m5prod.net' 'ad.m-adx.com' 'www3.macys.com' 'stat.madbanner.ru' 'eu2.madsone.com' 'media.m-adx.com' 'ads.mail.bg' 'www.mainadv.com' 'ads.maleflixxx.tv' 'adv.mangoadv.com' 'stats.manticoretechnology.com' 'anapixel.marca.com' 'pixelcounter.marca.com' 'ads.marica.bg' 'adv.marica.bg' 'pro.marinsm.com' 't3.marinsm.com' 'internet.marsmediachannels.com' 'app.mashero.com' 'mass-traffic.com' 'mastertarget.ru' 'oreo.matchmaker.com' 'ads.affiliates.match.com' 'pixel.mathtag.com' 'sync.mathtag.com' 'tags.mathtag.com' 'mbe.ru' 'mbn.com.ua' '100.mbn.com.ua' '120.mbn.com.ua' '160.mbn.com.ua' 'classic.mbn.com.ua' 'ads.mcafee.com' 'directads.mcafee.com' 'ad.mcminteractive.com' 'vitals.tracking.mdxdata.com' 'mcmads.mediacapital.pt' 'audit.median.hu' 'piwik.medienhaus.com' 'idpix.media6degrees.com' 'ads.mediaodyssey.com' 'ad2.pl.mediainter.net' 'ad.mediaprostor.cz' 'webtrekk.mediaset.net' 'advert.mediaswiss.rs' 'search.mediatarget.com' 'mediaupdate55.com' 'app.medyanetads.com' 'counter.megaindex.ru' 'adtracker.meinungsstudie.de' 'openx.mercatormedia.com' 'www.mercuras.com' 'adserv2.meritdesigns.com' 'www.messagetag.com' 'stat24.meta.ua' 'action.metaffiliation.com' 'tracking.metalyzer.com' 'www.metavertising.com' 'ads.mezimedia.com' 'mdctrail.com' 'pubs.mgn.net' 'ads.miarroba.com' 'send.microad.jp' 'ssend.microad.jp' 'track.send.microad.jp' 'd-track.send.microad.jp' 'ads.minireklam.com' 'counter.mirohost.net' 'mixmarket.biz' 'www.mktrack.com' 'www.mlclick.com' 'www.mmaaxx.com' 'mmgads.com' 'www.mmgads.com' 'mmptrack.com' 'gj.mmstat.com' 'ads.mnemosoft.com' 'tr.mobiadserv.com' 'ads.mobilemarketer.com' 'a.mobify.com' 'mola77.mobilenobo.com' 'a.moitepari.bg' 'ads.monetize-me.com' 'mein.monster.de' 'cookie.monster.com' 'www.mongoosemetrics.com' 'ib.mookie1.com' 'piwik.mortgageloan.com' 'webstats.motigo.com' 'm1.webstats.motigo.com' 'adserver.gb5.motorpresse.de' 'moucitons.com' 'ads.movpod.in' 'ads.mpm.com.mk' 'www1.mpnrs.com' 'msgtag.com' 'img.msgtag.com' 'www.msgtag.com' 'bms.msk.bg' 'no.counter.mtgnewmedia.se' 'tracker.mtrax.net' 'www.myclickbankads.com' 'get.mycounter.ua' 'scripts.mycounter.ua' 'get.mycounter.com.ua' 'scripts.mycounter.com.ua' 'mydati.com' 'ad.mylook.ee' 'www.mylottoadserv.com' 'affiliate.mymall.bg' 'banner.mymedia.bg' 'banners.mymedia.bg' 'servad.mynet.com' 'rm.myoc.com' 'www.myreferer.com' 'stat.mystat.hu' 'www.mystats.nl' 'www2.mystats.nl' 'www.mytoplist.gen.tr' 'ads.naftemporiki.gr' 'naj.sk' 'www.nalook.com' 'sponsoredlinks.nationalgeographic.com' 'www3.nationalgeographic.com' 'ads.nationchannel.com' 'adssrv.nationmultimedia.com' 'labs.natpal.com' 'phpadsnew.new.natuurpark.nl' 'c1.navrcholu.cz' 'xml.nbcsearch.com' 'xml2.nbcsearch.com' 'ads.ncm.com' 'ndparking.com' 'www.ndparking.com' 'ads.neg.bg' 'reklama.neg.bg' 'ad2.neodatagroup.com' 'adlev.neodatagroup.com' 'img.neogen.ro' 'openx.net.hr' 'www.netagent.cz' 'pwp.netcabo.pt' 'netclickstats.com' 'adserver.netcollex.co.uk' 'ads2.net-communities.co.uk' 'beta-hints.netflame.cc' 'hints.netflame.cc' 'ssl-hints.netflame.cc' 'hits.netgeography.net' 'ad.netgoo.com' 'ads.netinfo.bg' 'adv.netinfo.bg' 'stat.netinfocompany.bg' 'tracker.netklix.com' 'ads.ads.netlog.com' 'pool.ads.netlog.com' 'adv.netmedia.bg' 'script.netminers.dk' 'nl-moneyou.netmining.com' 'nl-saab.netmining.com' 'bkrntr.netmng.com' 'nan.netmng.com' 'com-quidco.netmng.com' 'rbk.netmng.com' 'www.netmaxx.com' 'ads.netrition.com' 'cl.netseer.com' 'evbeacon.networksolutions.com' 'ads.newdream.net' 'ad.next2news.com' 'www.newclick.com' 'beacon-5.newrelic.com' 'ads.newtention.net' 'pix.news.at' 'ads.newsint.co.uk' 'delivery.ad.newsnow.net' 'www.newwebmaster.net' 'b.nex.bg' 'e.nexac.com' 'f.nexac.com' 'p.nexac.com' 'r.nexac.com' 'turn.nexac.com' 'adq.nextag.com' 'vte.nexteramedia.com' 'ngacm.com' 'ngbn.net' 'ngastatic.com' 'adserve5.nikkeibp.co.jp' 'bizad.nikkeibp.co.jp' 'www.nlbanner.nl' 'banner.nonstoppartner.de' 'counter.nope.dk' 'ads.nordichardware.com' 'ads.nordichardware.se' 'ads.novinar.bg' 'adv.novinar.bg' 'ads.novsport.com' 'ad1.nownews.com' 'www.nowstat.com' 'bam.nr-data.net' 'imgcdn.nrelate.com' 'pp.nrelate.com' 'vt-1.nrelate.com' 'ntlligent.info' 'ad.nttnavi.co.jp' 'banner.nttnavi.co.jp' 'ad.ntvmsnbc.com' 'ntweb.org' 'i.nuseek.com' 'www1.nuseek.com' 'www2.nuseek.com' 'www3.nuseek.com' 'nxtck.com' 'p.nxtck.com' 'ads.nyi.net' 'www1.o2.co.uk' 'observare.de' 'banner.oddcast.com' 'banner-a.oddcast.com' 'banner-d.oddcast.com' 'tracking.oe24.at' 'www18.officedepot.com' 'reklama.offmedia.bg' 'r.offnews.bg' 'ads.ogdenpubs.com' 'counter.ok.ee' 'ads.okazii.ro' 'ads.olx.com' 'stats.omg.com.au' 'stats2.omg.com.au' 'adserver.omroepflevoland.nl' 'logo.onlinewebstat.com' 'ads1.omdadget.com' 'track.omguk.com' 'www.on2url.com' 'emisjawidgeet.onet.pl' 'tracking.onefeed.co.uk' 'ads.oneplace.com' 'stat.onestat.com' 'www.onestat.com' 'www.onestatfree.com' 'one.ru' 'stats0.one.ru' 'stats1.one.ru' 'stats2.one.ru' 'kropka.onet.pl' 'reklama.onet.pl' 'stats.media.onet.pl' 'ad.onlinechange.biz' '404.online.net' 'aa.online-metrix.net' 'h.online-metrix.net' 'adserver.online-tech.com' 'sayac.onlinewebstats.com' 'lifemediahouse1.onlinewelten.com' 'openstat.net' 'i.xx.openx.com' 'c1.openx.org' 'c3.openx.org' 'invitation.opinionbar.com' 'optical1.xyz' 'by.optimost.com' 'es.optimost.com' 'ad.orbitel.bg' 'www.oreware.com' 'servedby.orn-adserver.nl' 'otclick-adv.ru' 'otracking.com' 'odb.outbrain.com' 'traffic.outbrain.com' 'pub.oxado.com' 'www.oxiads.fr' 'www.oxinads.com' 'geoip.p24.hu' 'stat.p24.hu' 'www.pagerank10.co.uk' 'parkingcrew.net' 'paidstats.com' 'ad1.pamedia.com.au' 'counter.paradise.net.nz' 'img.parked.ru' 'park.parkingpanel.com' 'www.partner-ads.com' 'stats.partypoker.com' 'ads.partystars.bg' 'ad.payclick.it' 'stat.pchome.net' 'pcmightymax.net' 'www.pcmightymax.net' 'catrg.peer39.net' 'trg.peer39.net' 'pt.peerius.com' 'counter.top100.penki.lt' 'tag.perfectaudience.com' 'b1.perfb.com' 'www.perfectherbpurchase.ru' 'stats.persgroep.be' 'stats.persgroep.nl' 'count.pcpop.com' 'pixel.pcworld.com' 'metrics.peacocks.co.uk' 'viewer.peer39.com' 'tracking.peopletomysite.com' 'banners.perfectgonzo.com' 'errors.perfectgonzo.com' 'ads.periodistadigital.com' 'utsdpp.persgroep.net' 'pgssl.com' 'pub.pgssl.com' 'pharmacyrxone.com' 'ads.pheedo.com' 'www.pheedo.com' 'ads.phillipsdata.us' 'ads.phillyadclub.com' 'adservices.picadmedia.com' 'adservices02.picadmedia.com' 'ox.pigu.lt' 'ads.pimdesign.org' 'rum-collector.pingdom.net' 'rum-static.pingdom.net' 'ads.pinger.com' 'banners.pinnaclesports.com' 'www.pixazza.com' 'accounts.pkr.com' 'banner.play-asia.com' 'ads.playboy.bg' 'pei-ads.playboy.com' 'i.plug.it' 'www.playertraffic.com' 'adserver.playtv.fr' 'pu.plugrush.com' 'widget.plugrush.com' 'webstats.plus.net' 'pxl.pmsrvr.com' 'po.st' 'ads.po-zdravidnes.com' 'static.pochta.ru' 'cnt1.pocitadlo.cz' 'cnt2.pocitadlo.cz' 'c.pocitadlo.sk' 'piwik.pokerlistings.com' 'adserve.podaddies.com' 'www1.pollg.com' 'www.pollmonkey.com' 'c1.popads.net' 'c2.popads.net' 'out.popads.net' 'serve.popads.net' 'www.popadvert.com' 'popcounter.com' 'partners.popmatters.com' 'chezh1.popmarker.com' 'ads.popularno.mk' 'popuptraf.ru' 'www.popuptraf.ru' 'cdn.popwin.net' 'porntraff.com' 'www2.portdetective.com' 'inapi.posst.co' 'ads.postimees.ee' 'prstats.postrelease.com' 'adv.powertracker.org' 'www.ppctracking.net' 'adtxt.prbn.ru' 'ad468.prbn.ru' 'www.predictad.com' 'promo.content.premiumpass.com' 'a.press24.mk' 'www.pr-free.de' 'ads.prisacom.com' 'top.proext.com' 'profitshare.bg' 'ad.profiwin.de' 'bn.profiwin.de' 'www.promobenef.com' 'counter.promopark.ru' 'track.promptfile.com' 'ads.prospect.org' 'tr.prospecteye.com' 'profitshare.ro' 'www.profitzone.com' 'www.promo.com.au' 'ads-kurir.providus.rs' 'servedby.proxena-adserver.com' 'sdc.prudential.com' 'ad.prv.pl' 'ptp4ever.net' 'www.ptp4ever.net' 'static.pubdirecte.com' 'www.pubdirecte.com' 'tracking.publicidees.com' 'ads.pubmatic.com' 'showads.pubmatic.com' 'track.pubmatic.com' 'pubx.ch' 'hits.puls.lv' 'u1.puls.lv' 'ads.puls24.mk' 'track.pulse360.com' 'ad.sma.punto.net' 'sma.punto.net' 'ad.punto-informatico.it' 'cgicounter.puretec.de' 'www.qbop.com' 'e1.cdn.qnsr.com' 'l1.cdn.qnsr.com' 'adserv.quality-channel.de' 'qualityporn.biz' 'siteinterceptco1.qualtrics.com' 'amch.questionmarket.com' 'reports.quisma.com' 'tracking.quisma.com' 'adping.qq.com' 'adsrich.qq.com' 'adsview.qq.com' 'adsview2.qq.com' 'ads.racunalniske-novice.com' 'ads.radar.bg' 'ads.radioactive.se' 'stats2.radiocompanion.com' 'www.ranking-charts.de' 'www.ranking-net.de' 'srv1.rapidstats.de' 'ads.recoletos.es' 'www.random-logic.com' 'ranking-hits.de' 'www.ranking-hits.de' 'counter.rapidcounter.com' 'www.rapidcounter.com' 'count.rbc.ru' 'ads.rcgroups.com' 'webstats.web.rcn.net' 'ads.rcs.it' 'oasis.realbeer.com' 'anomaly.realgravity.com' 'adserver.realhomesex.net' 'banners.realitycash.com' 'www.realist.gen.tr' 'go.realvu.net' 'noah.reddion.com' 'ads.rediff.com' 'adworks.rediff.com' 'imadworks.rediff.com' 'js.ua.redtram.com' 'n4p.ua.redtram.com' 'www.refer.ru' 'ads.register.com' 'ad.reklamport.com' 'adserver.reklamstore.com' 'reklamanet.net' 'banner.relcom.ru' 'networks.remal.com.sa' 'cdn.reporo.net' 'republer.com' 'custom-wrs.api.responsys.net' 'banners.resultonline.com' 'retarcl.net' 'revcontent.com' 'cdn.revcontent.com' 'v2.revcontent.com' 'www.revcontent.com' 'ads.reviewcentre.com' 'rem.rezonmedia.eu' 'p.rfihub.com' 'richmedia247.com' 'stat.ringier.cz' 'overlay.ringtonematcher.com' 'ads.ripoffreport.com' 'db.riskwaters.com' 'count.rin.ru' 'mct.rkdms.com' 'ei.rlcdn.com' 'rd.rlcdn.com' 'ads.rnmd.net' 'ro2.biz' 'ads.rohea.com' 'ads.rol.ro' 'banners.romania-insider.com' 'adcode.rontar.com' 'laurel.rovicorp.com' 'gbjfc.rsvpgenius.com' 'count.rtl.de' 'ad.rtl.hr' 'rtrgt2.com' 'ads.rtvslo.si' 'adserver.rtvutrechtreclame.nl' 'ads.rubiconproject.com' 'optimized-by.rubiconproject.com' 'pixel.rubiconproject.com' 'advert.runescape.com' 'banners.rushcommerce.com' 'rvpadvertisingnetwork.com' 'www.s2d6.com' 's4le.net' 'safedownloadnow.work' 'ads.sagabg.net' 'sdc2.sakura.ad.jp' 'lct.salesforce.com' 'app2.salesmanago.pl' 'judo.salon.com' 'oas.salon.com' 'sacdcad01.salon.com' 'sacdcad03.salon.com' 'samtrack1.com' 'analytics.sanoma.fi' 'ads.sanomalehtimedia.fi' 'cdn-rtb.sape.ru' 'ads.sapo.pt' 'pub.sapo.pt' 'adserver.saxonsoft.hu' 'beacon.saymedia.com' 'app.scanscout.com' 'dt.scanscout.com' 'media.scanscout.com' 'static.scanscout.com' 'sat.scoutanalytics.com' 'scout.scoutanalytics.net' 'banner.scasino.com' 'zsc.scmspain.com' 'ads.search.bg' 'banner.search.bg' 'banex.search.bg' 'counter.search.bg' 'ad.searchhound.com' 'searchmagnified.com' 'tracking.searchmarketing.com' 'geoip.securitetotale.com' 'advertising.seenews.com' 'live.sekindo.com' 'www.selfsurveys.com' 'www2.sellhealth.com' 't.sellpoints.com' 'stir.semilo.com' 'ads.senddroid.com' 'www.send-safe.com' 'sensic.net' 'ad.sensismediasmart.com.au' 'www.seo-portal.ro' 'errors.servik.com' 'weblink.settrade.com' 'logs.sexy-parade.com' 'ad.seznam.cz' 'sdc.shawinc.com' 'aff.shopmania.bg' 'adserve.shopzilla.com' 'dc.sify.com' 'getdetails02.sim-technik.de' 'adimages.sina.com.hk' 'jsads.sina.com.hk' 'sinuatemedia.com' 'goska.siol.net' 'advertpro.sitepoint.com' 'domainpark.sitelutions.com' 'www.sitestatslive.com' 'eon.tags.sitetagger.co.uk' 'www.sitetagger.co.uk' 'sixsigmatraffic.com' 'www.sixsigmatraffic.com' 'simplehitcounter.com' 'ads.sina.com' 'ads.skelbiu.lt' 'ads.sladur.com' 'ads.slava.bg' 'ad.smaclick.com' 'code.new.smartcontext.pl' 'bbcdn.code.new.smartcontext.pl' 'ads.smartshoppingads.de' 'www.smartlog.ru' 'i.smartwebads.com' 'n2.smartyads.com' 'eu1.snoobi.com' 'l.socialsexnetwork.net' 'a.softconsultgroup.com' 'netsr.softonicads.com' 'web.softonic-analytics.net' 'pub.softonic.com' 'serenescreen-marine-aquarium.en.softonic.com' 't1.softonicads.com' 't2.softonicads.com' 'ads.sol.no' 'sacdcad02.salon.com' 'apex.go.sonobi.com' 'sync.go.sonobi.com' 'ivox.socratos.net' 'softonic-analytics.net' 'analytics.soup.io' 'analytic.spamfighter.com' 'tags.spider-mails.com' 'ads.tripod.spray.se' 'dp2.specificclick.net' 'www.speedcount.de' 'adv.speednet.bg' 'c.spiegel.de' 'count.spiegel.de' 'www.splem.net' 'analytics.spongecell.com' 'www.sponsorads.de' 'bms.sportal.ru' 'ads.sports.fr' 'spotsniper.ru' 'search.spotxchange.com' 'sitestat3.sport1.de' 'www.speedcounter.net' 'www.sptag.com' 'springclick.com' 'ads.springclick.com' 'counter.spylog.com' 'www.spywareit.com' 's1.srtk.net' 's2.srtk.net' 'ads.stackoverflow.com' 'anchor.stailamedia.com' 'bannerads.standard.net' 'adn.static-files.com' 'pixel.staticworld.net' 'ads.stardoll.com' 'www.start-page.org' 'hitx.statistics.ro' 'statistik-gallup.net' 'js.stats.de' 'tracker.stats.in.th' 'www.stats.in.th' 'www.statsector.hu' 'www.steamtraffic.com' 'ads001.stickam.com' 'js.stormiq.com' 't1.stormiq.com' 'analytics.strangeloopnetworks.com' 'straightresults.com' 'go.straightresults.com' 'gsorder.berlin.strato.de' 'www.stressx.org' 'opx.struma.bg' 'ads.strumarelax.com' 'adv.stznews.bg' 'webservices.sub2tech.com' 'ads.sun.com' 'ads.sup.com' 'cnt.sup.com' 'clix.superclix.de' 'www.superclix.de' 'www.surveynetworks.com' 'my.surveypopups.com' 'analytics.sutterhealth.org' 'ads.svatbata.org' 'delivery.platform.switchads.com' 'delivery.swid.switchads.com' 'delivery.a.switchadhub.com' 'delivery.e.switchadhub.com' 'banners.swsoft.com' 'adv.swzone.it' 'adtag.sympatico.ca' 'www.system4.nl' 'tracking.synthasite.net' 'c.t4ft.de' 'www.t5.ro' 'tablesrvr1.xyz' 'www.t-analytics.com' 'www.tag4arm.com' 'ads.tahono.com' 'files.tailsweep.com' 'script.tailsweep.com' 'b100.takru.com' 'b120.takru.com' 'b130.takru.com' 'b140.takru.com' 'b180.takru.com' 'banners.takru.com' 'tapestry.tapad.com' 'tarasoft.bg' 'dev.targetpoint.com' 'srs.targetpoint.com' 'ad.tbn.ru' 'ad.agava.tbn.ru' 'ad.ett.tbn.ru' 'ad.ent.tbn.ru' 'ad.gen.tbn.ru' 'ad.100.tbn.ru' 'ad.120.tbn.ru' 'ad.120-gen.tbn.ru' 'ad.popup.tbn.ru' 'ad.strict.tbn.ru' 'ad.text-ent.tbn.ru' 'ad.text.tbn.ru' 'members.popup.tbn.ru' 'traffic.tcmagnet.com' 'adv.technews.bg' 'ads.tele.net' 'adserver.tele.net' 'sdc.tele.net' 'banner.terminal.hu' 'stf.terra.com.br' 'ad.terra.com.mx' 'dy.testnet.nl' 'textad.net' 'www.textads.biz' 'www.textlink.cz' 'ads.tdcanadatrust.com' 'openad.tf1.fr' 'openadext.tf1.fr' 'a.tfag.de' 'ak.tfag.de' 'i.tfag.de' 'adv.tgadvapps.it' 'market2.the-adult-company.com' 'media.the-adult-company.com' 'dmp.theadex.com' 'j.theadsnet.com' 'ads.thebulgarianpost.com' 'scripts.the-group.net' 'analytics.theknot.com' 'analytics.thenest.com' 'www.parkingcrew.net' 'pei-ads.thesmokingjacket.com' 'www.thesocialsexnetwork.com' 'www.thickcash.com' 'ad.thinkmedia.cn' 'oas.tidningsnatet.se' 'www.tinbuadserv.com' 'www.tinka.ru' 'tns-counter.ru' 'kz.tns-counter.ru' 'www.tns-counter.ru' 'tns-gallup.dk' 'ad.tom.com' 'banner.tonygpoker.com' 'cachebanner.tonygpoker.com' 'hits.top.lv' 'images.top66.ro' 'script.top66.ro' 'www.top66.ro' 'ads.top.bg' 'counter.top.ge' 'www.top100.lt' 'www.topblogging.com' 'hit.topc.org' 'banners.topcities.com' 'topeuro.biz' 'www.toplist.sk' 'counter.topphoto.ru' 'www.top25.ro' 'www.top55.ro' 'www.top99.ro' 'www.top100.ro' 'www.top300.ro' 'www.topadult.ro' 'stats.topofblogs.com' 'www.top-rank.pl' 'www.topsites24.net' 'www.topsiteguide.com' 'www.topsiteuri.ro' 'ads.topwam.com' 'ads.torrpedo.net' 'torpiddurkeeopthalmic.info' 'c.total-media.net' 'cdn.total-media.net' 'i.total-media.net' 'ams.toxity.biz' 'www.tr100.net' 'ad.track.us.org' 'www.trackbacksecure.com' 't.trackedlink.net' 'usage.trackjs.com' 'api.trackuity.com' 'ads.tradeads.eu' 'tm.tradetracker.net' 'storage.trafic.ro' 'www.trafficresults.com' 'ads.travellogger.com' 'dm.travelocity.com' 'ad.triplemind.com' 'engine.trklnks.com' 'ad.topstat.com' 'nl.topstat.com' 's26.topstat.com' 'xl.topstat.com' 'ad.touchnclick.co.kr' 'www.track2cash.com' 'trackdiscovery.net' 'ads.trademe.co.nz' 'www.trafficcenter.de' 's3.trafficmaxx.de' 'ads.traderonline.com' 'www.trafficbeamer.com' 'www.trafficbeamer.nl' 'delivery.trafficbroker.com' 'www.trafficzap.com' 'www.trafix.ro' 'media.travelzoo.com' 'media2.travelzoo.com' 'advert.travlang.com' 'cdna.tremormedia.com' 'objects.tremormedia.com' 'www.trendcounter.com' 'ads.triada.bg' 'ads.tripican.com' 'hits.truehits.in.th' 'lvs.truehits.in.th' 'tracker.truehits.in.th' 'hits3.truehits.net' 'tracker.truehits.net' 'trusearch.net' 'origin-tracking.trulia.com' 'analytics.trutv.com' 'trywith.us' 'adclient1.tucows.com' 'counts.tucows.com' 'google.tucows.com' 'ads.tunenerve.com' 'stats.tunt.lv' 'd.turn.com' 'ad.tv2.no' 'adserver.tvcatchup.com' 'trax.tvguide.com' 'ads.tvtv.bg' 'ads.tweetmeme.com' 'analytics.twitter.com' 'twittercounter.com' 'srv2.twittercounter.com' 'et.twyn.com' 'tracknet.twyn.com' 'tx2.ru' 'cnt.tyxo.bg' 'adv.uauaclub.it' 'mde.ubid.com' 'a.ucoz.net' 's212.ucoz.net' 'credity.ucoz.ru' 'shanding.ucoz.es' 'ucounter.ucoz.net' 'udmserve.net' 'image.ugo.com' 'mediamgr.ugo.com' 'creativos.ads.uigc.net' 'adclient.uimserv.net' 'adimg.uimserv.net' 'pixelbox.uimserv.net' 'www.ukbanners.com' 'ukrbanner.net' 'tracking.ukwm.co.uk' 'advert.uloz.to' 'www.ultimatetopsites.com' 'advert.dyna.ultraweb.hu' 'stat.dyna.ultraweb.hu' 'undertonenetworks.com' 'www.undertonenetworks.com' 'adserving.unibet.com' 'www.unicast.com' 'advertisment.unimatrix.si' 'ads.univision.com' 'web.unltd.info' 'adclient-af.lp.uol.com.br' 'adrequisitor-af.lp.uol.com.br' 'ads.mtv.uol.com.br' 'update-java.kit.net' 'www.update-java.kit.net' 'c.uarating.com' 'www.upsellit.com' 'usabilitytesten.nl' 'usachoice.net' 'analytics.usdm.net' 'tag.userreport.com' 'www.usenetjunction.com' 'ads.usualgirls.com' 'ads.urlfan.com' 'ads.usercash.com' 'www.utarget.co.uk' 'rotabanner.utro.ru' 'rotabanner100.utro.ru' 'rotabanner234.utro.ru' 'rotabanner468.utro.ru' 'openx.utv.bg' 'tracking.vacationsmadeeasy.com' 'ads.vador.com' 'feed.validclick.com' 'ad.jp.ap.valuecommerce.com' 'ads.vclick.vn' 'vclicks.net' 'reklama.ve.lt' 'counters.vendio.com' 'cdsusa.veinteractive.com' 'config1.veinteractive.com' 'drs2.veinteractive.com' 'c.velaro.com' 'v.velaro.com' 'ab.vendemore.com' 'profiling.veoxa.com' 'vu.veoxa.com' 'spinbox.versiontracker.com' 'www.vertadnet.com' 'p.vibrant.co' 'ad.pornfuzepremium.videobox.com' 'content.videoclick.ru' 'drive.videoclick.ru' 'chappel.videogamer.com' 'ads.videohub.tv' 'www.videooizleyin.com' 'adserver.virginmedia.com' 'pilmedia.ads.visionweb.no' 'www.visits.lt' 'sniff.visistat.com' 'code.visitor-track.com' 'www.visitor-track.com' 'www.visitortracklog.com' 'banners.visitguernsey.com' 'optimized.by.vitalads.net' 'www.vjsoft.net' 'ads.vkushti.tv' 'ads.v-links.net' 'www.v-links.net' 'livetracker.voanews.eu' 'aa.voice2page.com' 'ads.vporn.com' 'ads.vreme.bg' 'banner.vrs.cz' 'www.vstats.net' 'delivery.w00tads.com' 'www.w1.ro' 'ads.w3hoster.de' 'fus.walla.co.il' 'beacon.walmart.com' 'beacon.affil.walmart.com' 'ad.wanderlist.com' 'tracking.waterfrontmedia.com' 'ads.wave.si' 'delivery.way2traffic.com' 'ads.weather.ca' 'btn.counter.weather.ca' 'pub.weatherbug.com' 'ads.weatherflow.com' 'ads.web1tv.de' 'tracking.web2corp.com' 'data.webads.co.nz' 'tr.webantenna.info' 'banners.webcams.com' 'www.web-chart.de' 'webcounter.be' 'diapi.webgains.com' 'webgozar.com' 'www.webgozar.ir' 'ads.webground.bg' 'webhits.de' 'www.webhits.de' 'ads.webkinz.com' 'ads2.weblogssl.com' 'counter.web-marketolog.ru' 'webmarketing3x.net' 'banners.webmasterplan.com' 'ebayrelevancead.webmasterplan.com' 'partners.webmasterplan.com' 'fc.webmasterpro.de' 'stat.webmedia.pl' 'clicks.webnug.com' 'astatic.weborama.fr' 'cstatic.weborama.fr' 'aerlingus2.solution.weborama.fr' 'aimfar.solution.weborama.fr' 'fnacmagasin.solution.weborama.fr' 'laredoute.solution.weborama.fr' 'pro.weborama.fr' 'counter.webservis.gen.tr' 'logo.webservis.gen.tr' 'www.webservis.gen.tr' 'dynad.website.bg' 'secure.webresint.com' 'www.website-hit-counters.com' 'www.webstat.se' 'www.webtistic.com' 'webtrackerplus.com' 'webtraffic.se' 'track.wesell.co.il' 'banner.westernunion.com' 'delivery.switch.whatculture.com' 'ads.whitelabelpros.com' 'whometrics.net' 'whosread.com' 'stats.widgadget.com' 'wikia-ads.wikia.com' 'a.wikia-beacon.com' 'geoiplookup.wikimedia.org' 'sdc8prod1.wiley.com' 'cacheserve.williamhill.com' 'serve.williamhill.com' 'd1.windows8downloads.com' 'banner-server.winecountry.com' 'ads.wineenthusiast.com' 'cache.winhundred.com' 'join1.winhundred.com' 'join2.winhundred.com' 'secure.winhundred.com' 'www.winhundred.com' 'win-spy.com' 'www.win-spy.com' 'api.wipmania.com' 'stats.wired.com' 'ctsde01.wiredminds.de' 'wba.wirtschaftsblatt.at' 'adv.wisdom.bg' 'phpadsnew.wn.com' 'clicktrack.wnu.com' 'tracker.wordstream.com' 'w00tpublishers.wootmedia.net' 's.stats.wordpress.com' 'links.worldbannerexchange.com' 'ads.worldstarhiphop.com' 'analytics.worldnow.com' 'wtsdc.worldnow.com' 'ads.worthplaying.com' 'pixel.wp.com' 'stats.wp.com' 'adsearch.wp.pl' 'adv.wp.pl' 'badv.wp.pl' 'dot.wp.pl' 'rek.www.wp.pl' 'ad.wsod.com' 'admedia.wsod.com' 'ads.wtfpeople.com' 'wtvertnet.com' 'oas.wwwheise.de' 'www.wysistat.com' 'ad.wz.cz' 'engine.xclaimwords.net' 'hr-engine.xclaimwords.net' 'ad.xe.gr' '148.xg4ken.com' '506.xg4ken.com' '531.xg4ken.com' 'www.xl-rank.com' 'xwell.ru' 'ox-d.xosdigital.com' 'ads.xpg.com.br' 'ssl.xplosion.de' 'x-road.co.kr' 'nedstats.xs4all.nl' 'ad.xrea.com' 'xtainment.net' 'ads.xtra.co.nz' 'track.xtrasize.nl' 'ads.xtargeting.com' 'www.xxxbannerswap.com' 'xylopologyn.com' 'www.xyztraffic.com' 'advertpro.ya.com' 'quad.yadro.ru' 'ad2.yam.com' 'ads.yam.com' 'ybex.com' 'ads.yeshanews.com' 'ad.yieldlab.net' 'counter.yesky.com' 'yieldbuild.com' 'hook.yieldbuild.com' 'payload.yieldbuild.com' 'yllix.com' 'ad.yonhapnews.co.kr' 'urchin.lstat.youku.com' 'go.youlamedia.com' 'gw.youmi.net' 'cdn.static.youmiad.com' 'www.yourhitstats.com' 'ad.yourmedia.com' 'ad1.yourmedia.com' 'pc2.yumenetworks.com' 'ads.zamunda.net' 'ads2.zamunda.net' 'ad.zanox.com' 'static.zanox.com' 'zanox-affiliate.de' 'www.zanox-affiliate.de' 'www.zapunited.com' 'zbest.in' 'banners.zbs.ru' 'ea.zebestof.com' 'ads.zeusclicks.com' 'apibeta.zeti.com' 'ziccardia.com' 'counter.zone.ee' 'a.zoot.ro' 'banner.0catch.com' 'bannerimages.0catch.com' 'stattrack.0catch.com' '0c9d8370d.se' '0427d7.se' '1bg.net' '100webads.com' 'www.123banners.com' '123go.com' 'ns1.123go.net' '123stat.com' '123-tracker.com' 'adclient.163.com' 'adgeo.163.com' '20d625b48e.se' 'pr.20min.es' 'img.2leva.bg' 'event.2leva.bg' 'banners.2lipslive.com' 'ads.24.com' 'stats.24.com' 'counter.24log.es' 'counter.24log.it' 'counter.24log.ru' 'counter.24log.com' 'pixel.33across.com' 'imgad1.3conline.com' 'imgad2.3conline.com' 'imgad3.3conline.com' 'ads.3sfmedia.com' 'guannan.3322.net' 'delivery.3rdads.com' 'openx.359gsm.com' 'ads.4tube.com' 'cdn1.adspace.4tube.com' 'adserver.4clicks.org' 'r.4at1.com' 'static.4chan-ads.org' 'banners.4d5.net' 'ads.4rati.lv' 'ad.stat.4u.pl' 'adstat.4u.pl' 'stat.4u.pl' 'softads.50webs.com' 'js.users.51.la' 'adserver.71i.de' 'www.777tool.com' '85dcf732d593.se' 'ads.o2.pl' 'adserver.o2.pl' 'adfiles.o2.pl.sds.o2.pl' 'madclient.uimserv.net' 'tools.ad-net.co.uk' 'am-display.com' 'uim.tifbs.net' 'fips.uimserv.net' 'uidbox.uimserv.net' 'xp.classifieds1000.com' 'www.elementnetwork.com' 'ads.emqus.com' 'www.g4whisperermedia.com' 'server.siteamplifier.net' 'ww1.tongji123.com' 'ww2.tongji123.com' 'ww3.tongji123.com' 'ww4.tongji123.com' 'www.countok.de' 'collect.evisitanalyst.com' 'www.adranking.de' 'www.andyhoppe.com' 'www.free-counters.net' 'analytics.gameforge.de' 'delivery.ads.gfsrv.net' 'media.ads.gfsrv.net' 'www.gratis-counter-gratis.de' 'media.hauptbruch.de' 'www.ranking-counter.de' 'www.rankmaschine.de' 'a.trkme.net' 's2.trafficmaxx.de' 'www.ineedhits.com' 'track.lativio.com' 'count3.51yes.com' 'count4.51yes.com' 'count5.51yes.com' 'count8.51yes.com' 'count10.51yes.com' 'count11.51yes.com' 'count12.51yes.com' 'count14.51yes.com' 'count15.51yes.com' 'count16.51yes.com' 'count17.51yes.com' 'count19.51yes.com' 'count20.51yes.com' 'count22.51yes.com' 'count24.51yes.com' 'count25.51yes.com' 'count27.51yes.com' 'count29.51yes.com' 'count30.51yes.com' 'count31.51yes.com' 'count32.51yes.com' 'count33.51yes.com' 'count35.51yes.com' 'count37.51yes.com' 'count38.51yes.com' 'count46.51yes.com' 'count47.51yes.com' 'count48.51yes.com' '7search.com' 'conversion.7search.com' 'ia1.7search.com' 'img.7search.com' 'meta.7search.com' 'www.7search.com' '77search.com' 'www.7metasearch.com' 'www.a1fax.com' 'advertisingagent.com' 'ajokeaday.com' 'bannersxchange.com' 'www.bannersxchange.com' 'bestsearch.com' 'www.bestsearch.com' 'www.buscamundo.com' 'internetsecurity.com' 'www.internetsecurity.com' 'www.payperranking.com' 'www.pay-per-search.com' 'paypertext.com' 'predictivesearch.com' 'seal.ranking.com' 'www.ranking.com' 'tracking.roispy.com' 'www.roispy.com' 'tracking.spiderbait.com' 'www.spiderbait.com' 'www.textadvertising.com' 'www.thetop10.com' 'trustgauge.com' 'www.trustgauge.com' 'seal.validatedsite.com' 'www.validatedsite.com' 'www.watch24.com' 'www.robsxxx.com' 'ztrack.net' 'www.fatpenguinmedia.com' 'phpadsnew.abac.com' 'www.obanner.net' 'farm.thinktarget.com' 'g.thinktarget.com' 'search.thinktarget.com' 'hitslap.com' 'data.lizads.com' 'fast.cbsi.demdex.net' 'chewbacca.cybereps.com' 'ds.cybereps.com' 'images.cybereps.com' 'yoda.cybereps.com' 'secure.cardtransaction.com' 'www.mp3musichq.com' 'spin.spinbox.net' 'ads.bidvertiser.com' 'bdv.bidvertiser.com' 'srv.bidvertiser.com' 'www.bidvertiser.com' 'img.revcontent.com' 'dc.kontera.com' 'kona29.kontera.com' 'te.kontera.com' 'www.kontera.com' 'lp.downloadquick.net' 'download.downloadquick.net' 'lp.sharelive.net' 'download.torchbrowser.com' 'lp.torchbrowser.com' 'cdn.adpacks.com' 'servedby.revcontent.com' 'clicks.about.com' 'f.about.com' 'home.about.com' 'images.about.com' 'lunafetch.about.com' 'pixel3.about.com' 'sprinks-clicks.about.com' '2001positions.com' 'ifa.empflixlive.com' 'static.ifa.empflixlive.com' 'www.flyingcroc.com' 'ifa.hardsexmate.com' 'ifa.maxpornlive.com' 'clicktraq.mtree.com' 'counter.mtree.com' 'dyntraq.mtree.com' 'mtree.com' 'mt1.mtree.com' 'mt2.mtree.com' 'mt4.mtree.com' 'mt10.mtree.com' 'mt11.mtree.com' 'mt12.mtree.com' 'mt15.mtree.com' 'mt32.mtree.com' 'mt34.mtree.com' 'mt35.mtree.com' 'mt37.mtree.com' 'mt55.mtree.com' 'mt58.mtree.com' 'mt83.mtree.com' 'mt94.mtree.com' 'mt103.mtree.com' 'mt113.mtree.com' 'mt124.mtree.com' 'mt127.mtree.com' 'porn.mtree.com' 'psy.mtree.com' 'ss.mtree.com' 'the.mtree.com' 'wm.mtree.com' 'xbs.mtree.com' 'xbs.pao.mtree.com' 'xbs.sea.mtree.com' 'www.mtree.com' 'dyn.naiadsystems.com' 'www.naiadsystems.com' 'cdn.nsimg.net' 'banners.outster.com' 'c1.outster.com' 'c2.outster.com' 'c3.outster.com' 'clit50.outster.com' 'clit120.outster.com' 'links.outster.com' 'refer1.outster.com' 'refer20.outster.com' 'refer25.outster.com' 'refer46.outster.com' 'refer85.outster.com' 'refer100.outster.com' 'refer102.outster.com' 'rr1.outster.com' 'start.outster.com' 'stats.outster.com' 'cgi.sexlist.com' 'cgi1.sexlist.com' 'enter.sexlist.com' 'images.sexlist.com' 'links.sexlist.com' 'lobby.sexlist.com' 'vis.sexlist.com' 'vis5.sexlist.com' 'xit.sexlist.com' 'sextracker.com' 'the.sextracker.com' 'adserver.sextracker.com' 'banners.sextracker.com' 'counter1.sextracker.com' 'clit.sextracker.com' 'clit1.sextracker.com' 'clit2.sextracker.com' 'clit3.sextracker.com' 'clit4.sextracker.com' 'clit5.sextracker.com' 'clit6.sextracker.com' 'clit7.sextracker.com' 'clit8.sextracker.com' 'clit9.sextracker.com' 'clit10.sextracker.com' 'clit11.sextracker.com' 'clit12.sextracker.com' 'clit13.sextracker.com' 'clit14.sextracker.com' 'clit15.sextracker.com' 'clit16.sextracker.com' 'elite.sextracker.com' 'graphics1.sextracker.com' 'graphics2.sextracker.com' 'hosting.sextracker.com' 'links.sextracker.com' 'mau.sextracker.com' 'moneytree.sextracker.com' 'ranks.sextracker.com' 'search.sextracker.com' 'start.sextracker.com' 'stats.sextracker.com' 'stx.sextracker.com' 'stx0.sextracker.com' 'stx1.sextracker.com' 'stx2.sextracker.com' 'stx3.sextracker.com' 'stx4.sextracker.com' 'stx5.sextracker.com' 'stx6.sextracker.com' 'stx7.sextracker.com' 'stx8.sextracker.com' 'stx9.sextracker.com' 'stx10.sextracker.com' 'stx11.sextracker.com' 'stx12.sextracker.com' 'stx13.sextracker.com' 'stx14.sextracker.com' 'stx15.sextracker.com' 'stxbans.sextracker.com' 'webmasters.sextracker.com' 'stx.banners.sextracker.com' 'wm.banners.sextracker.com' 'www.sextracker.com' 'ads.sexspaces.com' 'ifa.slutloadlive.com' 'static.ifa.slutloadlive.com' 'static.gfx.streamen.com' 'www.streamen.com' 'streamate.com' 'static.gfx.streamate.com' 'teen.streamate.com' 'www.streamate.com' 'ifa.streamateaccess.com' 'www.streamatelive.com' 'www.thesexcinema.com' 'ifa.tnaflixlive.com' 'c1.xxxcounter.com' 'c2.xxxcounter.com' 'c3.xxxcounter.com' 'free.xxxcounter.com' 'grafix.xxxcounter.com' 'links.xxxcounter.com' 'rr1.xxxcounter.com' 'start.xxxcounter.com' 'ifa.camads.net' 'ifa.keezlive.com' 'ifa.pornhublive.com' 'aphrodite.porntrack.com' 'stats1.porntrack.com' 'stats3.porntrack.com' 'www.seehits.com' 'as.sexad.net' 'counter2.sextracker.com' 'counter3.sextracker.com' 'counter4.sextracker.com' 'counter5.sextracker.com' 'counter6.sextracker.com' 'counter7.sextracker.com' 'counter8.sextracker.com' 'counter9.sextracker.com' 'counter10.sextracker.com' 'counter11.sextracker.com' 'counter12.sextracker.com' 'counter13.sextracker.com' 'counter14.sextracker.com' 'counter15.sextracker.com' 'counter16.sextracker.com' 'adserver.spankaway.com' 'adserver.spctl.com' 'asian.streamate.com' 'broadcaster.streamate.com' 'ebony.streamate.com' 'ifa.tube8live.com' 'banners.weselltraffic.com' 'clicks.weselltraffic.com' 'feeds.weselltraffic.com' 'webmaster.worldsex.com' 'ifa.xhamstercams.com' 'ifa.yobtcams.com' 'static.ifa.yobtcams.com' 'ifa.youjizzlive.com' 'ifa.youpornmate.com' 'kissfmro.count.brat-online.ro' 'didacticro.count.brat-online.ro' 'affinity.go2jump.org' 'adkengage.com' 'mv.bidsystem.com' 'kc.mv.bidsystem.com' 'icon.cubics.com' 'adsvr.adknowledge.com' 'bidsystem.adknowledge.com' 'bsclick.adknowledge.com' 'web.adknowledge.com' 'updates.desktop.ak-networks.com' 'vlogic.ak-networks.com' 'bspixel.bidsystem.com' 'cxpixel.bidsystem.com' 'feedx.bidsystem.com' 'tagline.bidsystem.com' 'ads.digitalmedianet.com' 'adserver.digitalmedianet.com' 'metrics.impactengine.com' '15minlt.adocean.pl' 'ad.adocean.pl' 'afilv.adocean.pl' 'aripaee.adocean.pl' 'b92rs.adocean.pl' 'bg.adocean.pl' 'bggde.adocean.pl' 'bggde-new.adocean.pl' 'blitzbg.adocean.pl' 'by.adocean.pl' 'cz.adocean.pl' 'delfiee.adocean.pl' 'delfilt.adocean.pl' 'delfilv.adocean.pl' 'diginet.adocean.pl' 'digital4ro.adocean.pl' 'edipresse.adocean.pl' 'ee.adocean.pl' 'eegde.adocean.pl' 'gspro.adocean.pl' 'hr.adocean.pl' 'hrgde.adocean.pl' 'hugde.adocean.pl' 'ilgde.adocean.pl' 'indexhu.adocean.pl' 'intactro.adocean.pl' 'investorbg.adocean.pl' 'keepaneyemk.adocean.pl' 'lrytaslt.adocean.pl' 'lt.adocean.pl' 'lv.adocean.pl' 'my.adocean.pl' 'myao.adocean.pl' 'ohtulehtee.adocean.pl' 'pracuj.adocean.pl' 'realitatero.adocean.pl' 'ringierro.adocean.pl' 'ringierrs.adocean.pl' 'ro.adocean.pl' 'ro1ro.adocean.pl' 'rogde.adocean.pl' 'rs.adocean.pl' 'rsgde.adocean.pl' 's1.sk.adocean.pl' 's1.cz.adocean.pl' 's1.czgde.adocean.pl' 's1.delfilt.adocean.pl' 's1.edipresse.adocean.pl' 's1.gojobsru.adocean.pl' 's1.my.adocean.pl' 's1.myao.adocean.pl' 's1.pracuj.adocean.pl' 's1.skgde.adocean.pl' 'sk.adocean.pl' 'si.adocean.pl' 'sportalbg.adocean.pl' 'thinkdigitalro.adocean.pl' 'tvn.adocean.pl' 'tvn2.adocean.pl' 'ua.adocean.pl' 'vbbg.adocean.pl' 'webgroundbg.adocean.pl' 'www.adorigin.com' 'storage.adsolutions.nl' 'telgids.adsolutions.nl' 'adserver.webads.it' 'adserver.webads.nl' 'adserver.webads.co.uk' 'st.adnow.com' 'st.ad.adnow.com' 'st.n.ads1-adnow.com' 'st.n.ads2-adnow.com' 'st.n.ads3-adnow.com' 'agevs.com' 'spots.ah-me.com' 'alfatraffic.com' 'www.antaraimedia.com' 'abc.doublegear.com' 'ads.fulldls.com' 'www.glxgroup.com' 'ad.iloveinterracial.com' 'cdn.mirageads.net' 'www.myshovel.com' 'st.ad.smaclick.com' 'teens24h.com' 'upads.info' 'cd-ads.com' 'delivery.hornyspots.com' 'f-js1.spotsniper.ru' 'st.pc.adonweb.ru' 'a1.mediagra.com' 'a2.mediagra.com' 'a3.mediagra.com' 'a4.mediagra.com' 'a5.mediagra.com' 'st.pay-click.ru' 'rb-net.com' 'rotator.trafficstars.com' 'ads.xhamster.com' 'm2.xhamster.com' 'partners.xhamster.com' 'aalbc.advertserve.com' 'cdn.advertserve.com' 'circuit.advertserve.com' 'divavillage.advertserve.com' 'hometheaterreview.advertserve.com' 'imagevenue.advertserve.com' 'oppknocks.advertserve.com' 'pridesource.advertserve.com' 'projectorreviews.advertserve.com' 'tradearabia.advertserve.com' 'tradefx.advertserve.com' 'www.advertserve.com' 'austria1.adverserve.net' 'adverserve.austriacomplus.at' 'squid.diepresse.com' 'werbung.diepresse.com' '123.ichkoche.at' 'aus.laola1.tv' 'static.styria-digital.com' 'adstats.adviva.net' 'smp.adviva.net' 'afe2.specificclick.net' 'ads.adviva.net' 'de.ads.adviva.net' 'cluster.adultadworld.com' 'cluster3.adultadworld.com' 'hippo.adultadworld.com' 'newt1.adultadworld.com' 'partners.adultadworld.com' 'textads.adultadworld.com' 'tigershark.adultadworld.com' 'cluster.adworldmedia.com' 'results.adworldmedia.com' 'www.adworldmedia.com' 'err.agava.ru' 'static.adtaily.com' 'static.adtaily.pl' 'ad.glossymedia.pl' 'bantam.ai.net' 'fiona.ai.net' 'ac2.valuead.com' 'ads.valuead.com' 'adsignal.valuead.com' 'axxessads.valuead.com' 'banners.valuead.com' 'hrads.valuead.com' 'moads.valuead.com' 'oin.valuead.com' 'pmads.valuead.com' 'redux.valuead.com' 'reduxads.valuead.com' 'videodetectivenetwork.valuead.com' 'vdn.valuead.com' 'yahooads.valuead.com' 'www.atrx7.com' 'ssum.casalemedia.com' 'rainbow-de.mythings.com' 'rainbow-es.mythings.com' 'rainbow-fi.mythings.com' 'rainbow-mx.mythings.com' 'rainbow-no.mythings.com' 'rainbow-ru-ak.mythings.com' 'rainbow-ru.mythings.com' 'rainbow-sg.mythings.com' 'cdn.taboola.com' 'c.webtrends.com' 'cdn-static.liverail.com' 'tracking.admarketplace.net' 'static.ampxchange.com' 'p.bm23.com' 'ads.pictela.net' 'tag.researchnow.com' 'b.thanksearch.com' 'e.thanksearch.com' 'www.77tracking.com' 'ak1s.abmr.net' 'targeting.adwebster.com' 'cdn.betrad.com' 'c.betrad.com' 'ads.static.blip.tv' 'cdn1.clkcln.com' 'fast.ecs.demdex.net' 'fast.ford.demdex.net' 'fast.td.demdex.net' 'ma156-r.analytics.edgekey.net' '79423.analytics.edgekey.net' 'my-cdn.effectivemeasure.net' 'cdn.fastclick.net' 'm1.fwmrm.net' 'js.indexww.com' 'a01.korrelate.net' 'a02.korrelate.net' 'plugin.mediavoice.com' 'vastx.moatads.com' 'geo.nbcsports.com' 'sana.newsinc.com' 'cdn.optimatic.com' 'c1.rfihub.net' 'files4.securedownload01.com' 'ad.sitemaji.com' 'ranker.springboardplatform.com' 'ads.yldmgrimg.net' 'e1.zedo.com' 'e2.zedo.com' 'z1.zedo.com' 'redir.adap.tv' 'delivery-s3.adswizz.com' 'fast.fairfaxau.demdex.net' 'fast.philly.demdex.net' 'tiads.instyle.com' 'tracker.marinsm.com' 'iocdn.coremetrics.com' 'update.hiconversion.com' 'secure.img-cdn.mediaplex.com' 'by.essl.optimost.com' 'ak.quantcast.com' 'widget.quantcast.com' 'mediaserver.bwinpartypartners.com' 'www.everestjs.net' 'video.unrulymedia.com' 'cdn.static.zdbb.net' 'ad131m.adk2.co' 'adsrvmedia.adk2.co' 'adtgs.adk2.co' 'cdn.adk2.co' 'matomy.adk2.co' 'ad-media.xe.gr' 'www.adobetag.com' 'a.adready.com' 'www.adreadytractions.com' 'cdn.adsrvmedia.net' 'content.adtegrity.net' 'bannerfarm.ace.advertising.com' 'uac.advertising.com' 'secure.uac.advertising.com' 'content.aimatch.com' 'cdn2sitescout-a.akamaihd.net' 'content.axill.com' 'static.adziff.com' 'cdn2.adsdk.com' 'rmd.atdmt.com' 'spd.atdmt.com' 'spe.atdmt.com' 'vid.atdmt.com' 'cdn.atomex.net' 'cdn.atwola.com' 'akamai.t.axf8.net' 'content.bannerconnect.net' 'static-cdn.labs.burstnet.com' 'ip.casalemedia.com' 'ads.cdnslate.com' 'cc.chango.com' 'cdn1.clkads.com' 'cdn1.clkmon.com' 'cdn1.clkoffers.com' 'cdn1.clkrev.com' 'tiads.sportsillustrated.cnn.com' 'libs.de.coremetrics.com' 'mktgcdn.de.coremetrics.com' 'tmscdn.de.coremetrics.com' 'content.cpxinteractive.com' 'fff.dailymail.co.uk' 'fast.adobe.demdex.net' 'fast.bet.demdex.net' 'fast.condenast.demdex.net' 'fast.de.demdex.net' 'fast.dm.demdex.net' 'fast.everydayhealth.demdex.net' 'fast.fedex.demdex.net' 'fast.gm.demdex.net' 'fast.iyogi.demdex.net' 'fast.marthastewart.demdex.net' 'fast.nfl.demdex.net' 'fast.postmedia.demdex.net' 'fast.sears.demdex.net' 'fast.swa.demdex.net' 'fast.telstra.demdex.net' 'fast.torontostar.demdex.net' 'fast.twc.demdex.net' 'analytics.disneyinternational.com' 'edge.aperture.displaymarketplace.com' 'files4.downloadnet1188.com' 'cdn1sitescout.edgesuite.net' 'ma74-r.analytics.edgesuite.net' 'ma76-c.analytics.edgesuite.net' 'ma204-r.analytics.edgesuite.net' 'img.en25.com' 'tiads.essence.com' 'tiads.ew.com' 's.fl-ads.com' 'promo.freshdirect.com' 'www30a1.glam.com' 'www30a6.glam.com' 'cdn.insights.gravity.com' 'b.grvcdn.com' 'tiads.health.com' 'js.hs-analytics.net' 'ads-a-darwin.hulu.com' 'cdn.innity.net' 'cdn.media.innity.net' 'secure.insightexpressai.com' 'service.maxymiser.net' 's2.mdpcdn.com' 'cdn.mediavoice.com' 'd-track.send.microadinc.com' 'mnet-ad.net' 's.moatads.com' 'svastx.moatads.com' 'z.moatads.com' 'e.monetate.net' 'sb.monetate.net' 'se.monetate.net' 'ads2.msads.net' 'cdn.mxpnl.com' 'rainbow-nl.mythings.com' 's.ntv.io' 'adcache.nymag.com' 'cdn3.optimizely.com' 'images.outbrain.com' 'storage.outbrain.com' 'widgets.outbrain.com' 'cdn.polmontventures.com' 'a.postrelease.com' 'www.geolocation.performgroup.com' 'abo.prismamediadigital.com' 'aboutads.quantcast.com' 'adv.r7.com' 'p0.raasnet.com' 'imagec15.247realmedia.com' 'pr.realvu.net' 'c2.rfihub.net' 'media.richrelevance.com' 'b.rmgserving.com' 'c.rmgserving.com' 'd.rmgserving.com' 'content.rmxads.com' 'analytics.rogersmedia.com' 'rsc.scmspain.com' 'm.servebom.com' 'secure-ds.serving-sys.com' 'download.cdn.sharelive.net' 'wd-edge.sharethis.com' 'ws.sharethis.com' 'cms.springboardplatform.com' 'api.taboola.com' 'c2.taboola.com' 'images.taboola.com' 'netstorage.taboola.com' 'trc.taboola.com' 'a.thanksearch.com' 'c.thanksearch.com' 'f.thanksearch.com' 'content.thewheelof.com' 'lib.spinmedia.com' 'cdn.vidible.tv' 'sb.voicefive.com' 'content.womensforum.com' 'content.yieldmanager.com' 'content-ssl.yieldmanager.com' 'static.yieldmo.com' 'analytics.yolacdn.net' 'ss3.zedo.com' 'tt3.zedo.com' 'xp1.zedo.com' 'xp2.zedo.com' 'cdn.adstract.com' 'dsum-sec.casalemedia.com' 's3.addthis.com' 's7.addthis.com' 's9.addthis.com' 'ssltracking.esearchvision.com' 'ads.undertone.com' 'ads.vegas.com' 'aka.accortech.com' 'cdn.ad4game.com' 'c03.adsummos.net' 'e35fbf.t.axf8.net' 'www.bkrtx.com' 'i.l.cnn.net' 'c.compete.com' 'dsa.csdata1.com' 'cdn.demdex.net' 'fast.bostonglobe.demdex.net' 'omnikool.discovery.com' 'aperture.displaymarketplace.com' 'cdn.doubleverify.com' '79423.analytics.edgesuite.net' 'ma156-r.analytics.edgesuite.net' 'cdn.siteanalytics.evolvemediametrics.com' 'cdn1.eyewonder.com' 'media.ftv-publicite.fr' 'dl.futureus.com' 'a.giantrealm.com' 'www30a5.glam.com' 'hs.interpolls.com' 'stream11.instream.com' 'ad.jamba.it' 'kona.kontera.com' 'cdn.krxd.net' 'rt.liftdna.com' 'a.ligatus.com' 'sr2.liveperson.net' 'contextual.media.net' 'gallys.nastydollars.com' 'traktr.news.com.au' 'dmeserv.newsinc.com' 'ad.policeone.com' 'graphics.pop6.com' 'ads.pro-market.net' 'a.rmgserving.com' 'track.sitetag.us' 'as.specificmedia.com' 'anon.doubleclick.speedera.net' 'fms2.eyewonder.speedera.net' 'd.thanksearch.com' 'tribalfusion.speedera.net' 'ad2.turn.com' 'urls.api.twitter.com' 'media-0.vpptechnologies.com' 'c14.zedo.com' 'static.atgsvcs.com' 'a.adroll.com' 'content.budsinc.com' 'cts.channelintelligence.com' 'aa.connextra.com' 'bb.connextra.com' 'cc.connextra.com' 'dd.connextra.com' 'ee.connextra.com' 'ff.connextra.com' 'tmscdn.coremetrics.com' 'metrics.ctvdigital.net' 'adinterax.cnet.com.edgesuite.net' 'c6.edgesuite.net' 'citi.bridgetrack.com.edgesuite.net' 'content.yieldmanager.edgesuite.net' 'fastclick.com.edgesuite.net' 'akatracking.esearchvision.com' 'cdn.springboard.gorillanation.com' 'cdn.triggertag.gorillanation.com' 'static.inviziads.com' 'vox-static.liverail.com' 'banner.missingkids.com' 'b.monetate.net' 'tracking.olx.com' 'i.cdn.openx.com' 'cdn.optmd.com' 'ads.premiereinteractive.com' 'l1.qsstats.com' 'adimages.scrippsnetworks.com' 'ds.serving-sys.com' 'ds-ll.serving-sys.com' 'download.cdn.shareazaweb.com' 'graphics.streamray.com' 'cdn.turn.com' 'download.cdn.downloadquick.net' 'download.cdn.torchbrowser.com' 'www.letssearch.com' 'www.nbcsearch.com' 'www.software-hq.net' 'ad.flux.com' 't.flux.com' 'zedoadservices.com' 'cnzz.mmstat.com' 'acookie.alimama.com' 'hz.mmstat.com' 'log.mmstat.com' 'pcookie.taobao.com' 'ac.mmstat.com' 'gm.mmstat.com' 'ad.360yield.com' 'fw.adsafeprotected.com' 'iw.antthis.com' 's.arclk.net' 'l.betrad.com' 'pixel.captora.com' 'statstracker.celebrity-gossip.net' 'tracking.clickmeter.com' 'www.clickmeter.com' 'tracking.conversionads.com' 'livingsocial.sp1.convertro.com' 'script.crsspxl.com' 'tag.crsspxl.com' 'cam.demdex.net' 'dpm.demdex.net' 'everydayhealth.demdex.net' 'fairfaxau.demdex.net' 'gm.demdex.net' 'nfl.demdex.net' 'philly.demdex.net' 'postmedia.demdex.net' 'swa.demdex.net' 'torontostar.demdex.net' 'toyota.demdex.net' 'ads.domainoptions.net' 'parkcloud.dynadot.com' 'st.dynamicyield.com' 'ads.ehealthcaresolutions.com' 'www.euroconcept.ro' 'track.eyeviewads.com' 'engine.fl-ads.com' 'click.gospect.com' 'api.hexagram.com' 'a.idio.co' 'ads.incmd10.com' 'bootstrap.livefyre.com' 'stream1.livefyre.com' 'flx367.lporirxe.com' 'stream1.marketwatch.fyre.co' 'heapanalytics.com' 'track.hubspot.com' 'c10048.ic-live.com' 'c10051.ic-live.com' 'c10054.ic-live.com' 'c10063.ic-live.com' 'c4.ic-live.com' 'c7.ic-live.com' 'clicks.investors4cash.com' 'geo.jetpackdigital.com' 'trk.kissmetrics.com' 'services.krxd.net' 'api.lanistaads.com' 'lc.livefyre.com' 'lc17.prod.livefyre.com' 'logs.loggly.com' 'cmi.netseer.com' 'h.nexac.com' 'tracking.optimatic.com' 'log3.optimizely.com' 'config.parsely.com' 'crm.pinion.gg' 'docs.pinion.gg' 'kermit.pinion.gg' 'log.pinion.gg' 'motd.pinion.gg' 'tix.pinion.gg' 'wiki.pinion.gg' 'www.pinion.gg' 'statdb.pressflex.com' 'ads1.qadabra.com' 'ads.qadserve.com' 'js4.ringrevenue.com' 'json4.ringrevenue.com' 'rc.rlcdn.com' 'w.coin.scribol.com' 'd.shareaholic.com' 's.shopify.com' 'pix.silverpush.co' 'ads.skinected.com' 'l.springmetrics.com' 'b.t.tailtarget.com' 'ws.tapjoyads.com' '21750.tctm.co' 'beacon.tracelytics.com' 'ads.tracking202.com' 'rtd.tubemogul.com' 'ats.tumri.net' 'w.usabilla.com' 'geoservice.webengage.com' 'tracking.websitealive.com' 'pixel.yabidos.com' 'download.ytdownloader.com' 'www.ytdownloader.com' 'engine.4chan-ads.org' 'ad.adbull.com' 'ads20.adcolony.com' 'ads.adk2.com' 'web-amz.adotube.com' 'insight.adsrvr.org' 'askads.ask.com' 'server1.beaconpush.com' 'socpixel.bidsystem.com' 'static.brsrvr.com' 'go.buzztrk.com' 'www.caphyon-analytics.com' 'adunit.chango.ca' 'ads.chango.com' 'adunit.chango.com' 'ping.chartbeat.net' 'sp1.convertro.com' 'nfl.sp1.convertro.com' 'admonkey.dapper.net' 'b.ensighten.com' 'cs.exitmonitor.com' 'ads.good.is' 'g2.gumgum.com' 'stack9.collect.igodigital.com' 'wenner.collect.igodigital.com' 'pixel.invitemedia.com' 'clicks.izea.com' 'a.lingospot.com' 'a1.opentracker.net' 'indium.openx.net' 'cid.pardot.com' 'vid.pardot.com' 'tracking.percentmobile.com' 'services.picadmedia.com' 'display.provenpixel.com' 'ads.reddit.com' 'www.reelcentric.com' 'rivasearchpage.com' 'tap.rubiconproject.com' 'ad.sharethis.com' 'l.sharethis.com' 'r.sharethis.com' 'smaato.net' 'ads2.smowtion.com' 'socialspark.com' 'req.tidaltv.com' 'redirect.tracking202.com' 'static.tracking202.com' 'p1.tcr21.tynt.com' 'redirect.viglink.com' 'www.w3counter.com' 'ots.optimize.webtrends.com' 'b.wishabi.com' 'track.yieldsoftware.com' 'stats.zmags.com' 'mi9.gscontxt.net' 'cdn.adbooth.net' 'rcm.amazon.com' 'alexa-sitestats.s3.amazonaws.com' 'fls-na.amazon-adsystem.com' 'rcm-eu.amazon-adsystem.com' 'wms-na.amazon-adsystem.com' 'ws-na.amazon-adsystem.com' 'tv4play-se.c.richmetrics.com' 'chuknu.sokrati.com' 'adsradios.adswizz.com' 'exchange.adswizz.com' 'synchrobox.adswizz.com' 'dni.agcdn.com' 'static-shareaholic.s3.amazonaws.com' 'pixelservice.apphb.com' 'tracker.leadenhancer.com' 't13.intelliad.de' 't23.intelliad.de' 'morehitserver.com' 'ads.p161.net' 'track.popmog.com' 'nationalpost-com.c.richmetrics.com' 'nj-com.c.richmetrics.com' 'track.shop2market.com' 'ad.sxp.smartclip.net' 'tracker.vinsight.de' 'r.yieldkit.com' 'srv.uk.znaptag.com' 'dm.demdex.net' 'aax-eu.amazon-adsystem.com' 'ir-de.amazon-adsystem.com' 'ir-uk.amazon-adsystem.com' 'rainbow-us.mythings.com' 'rainbow-geo-p.mythings.com' 'abandonment.saas.seewhy.com' 'ads.adhub.co.nz' 'www.adtaily.com' 'aslads.ask.com' 'analytics.bleacherreport.com' 's.btstatic.com' 'a.company-target.com' 'twc.demdex.net' 'marthastewart.demdex.net' 'hits.epochstats.com' 'js.geoads.com' 'a.goember.com' 's.innovid.com' 'www.intellisuggest.com' 'ads.investingchannel.com' 'o1.inviziads.com' 'tracker.issuu.com' 'create.leadid.com' 'metrics-api.librato.com' 'pixel.newscred.com' 'r.openx.net' 'delivery.optimatic.com' 'u.optorb.com' 'clicks.pureleads.com' 'technologyreview.qwobl.net' 'hitbox.realclearpolitics.com' 'pixel.realtor.com' 'pixel.redditmedia.com' 'click.sellmeyourtraffic.com' 'www.sellmeyourtraffic.com' 'howler.shareaholic.com' 'seg.sharethis.com' 'cdn.spectate.com' 't.tellapart.com' 'track.securedvisit.com' 'api.stathat.com' 'rtb.tubemogul.com' 'api.viglink.com' 'general.visualdna-stats.com' 'a.visualrevenue.com' 'www.webspectator.com' 'cdn.beaconpush.com' 'fedex.demdex.net' 'tags.deployads.com' 'track.keywordstrategy.org' 'a.klaviyo.com' 'cdn.segment.io' 'cdn.boomtrain.com' 'js.coinisrsdelivery.com' 's.idio.co' 'publish.webmasterbond.com' 'cdn.yb0t.com' 'creative.admtpmp123.com' 'creative.admtpmp124.com' 'matchbin-assets.s3.amazonaws.com' 'springclick-ads.s3.amazonaws.com' 'd1zatounuylvwg.cloudfront.net' 'd26b395fwzu5fz.cloudfront.net' 'jptracking.elasticbeanstalk.com' 'ads.goodreads.com' 'nau.hexagram.com' 't.mdn2015x3.com' 'asset.pagefair.net' 'static.springmetrics.com' 's.206solutions.com' 'aax.amazon-adsystem.com' 'htmlads.s3.amazonaws.com' 'mondoads.s3.amazonaws.com' 'vml1.s3.amazonaws.com' 'files.bannersnack.com' 'tags.hypeads.org' 'px.smowtion.com' 'cdn.adk2.com' 'cache.adnet-media.net' 'ads.advertisespace.com' 'static.adzerk.net' 'adflash.affairsclub.com' 'atrk.alexametrics.com' 'c.amazon-adsystem.com' 'cdn.brcdn.com' 'cdn.comparemetrics.com' 'beacon.jump-time.net' 'cdn.komoona.com' 'adimg.luminate.com' 'assets.luminate.com' 'static.luminate.com' 'content.mkt922.com' 't.neodatagroup.com' 'track.netshelter.net' 'static.parsely.com' 'static.tellapart.com' 'ad01.tmgrup.com.tr' 'a.tvlim.com' 'cdn.udmserve.net' 'a1.vdna-assets.com' '63mx.com' 'ads.ad-center.com' 'static.adk2.com' 'rev.adip.ly' 'async01.admantx.com' 'data.adsrvr.org' 'avidtrak.com' 'x.bidswitch.net' 'recon.bleacherreport.com' 'metrics.brightcove.com' 'eue.collect-opnet.com' 'intuit.sp1.convertro.com' 'addshoppers.t.domdex.com' 'affinity-xml.t.domdex.com' 'magnetic.domdex.com' 'magnetic.t.domdex.com' 'theinternetworksltd-news.t.domdex.com' 'static.etracker.com' 'go.goroost.com' 'chktrk.ifario.us' '7209235.collect.igodigital.com' 'nova.collect.igodigital.com' 'app.passionfruitads.com' 't.pswec.com' 'ads.publish2.com' 'img.pulsemgr.com' 'siteintercept.qualtrics.com' 'load.scanscout.com' 'receive.inplay.scanscout.com' 'www.sendori.com' 'analytics.shareaholic.com' 'cm.shareaholic.com' 'snowplow-collector.sugarops.com' 'affiliate.techstats.net' 's.thebrighttag.com' 'thelocalsearchnetwork.com' 'analytics.tout.com' 'stage.traffiliate.com' 'event.trove.com' 'ads.tunein.com' 'services.webspectator.com' 'ads.yashi.com' 'adserver.webmasterbond.com' 'code2.adtlgc.com' 'c1926.ic-live.com' 'l.linkpulse.com' 's248.meetrics.net' 's282.meetrics.net' 'counter.personyze.com' 'pong.qubitproducts.com' 'dn.c.richmetrics.com' 'measure.richmetrics.com' 'sync.richmetrics.com' 'geo.sanoma.fi' 'abp.smartadcheck.de' 'js.smartredirect.de' 'qa.stats.webs.com' 'prod-js.aws.y-track.com' 'go.affec.tv' 'stats.dailyrecord.co.uk' 'rainbow.mythings.com' 'www.smartredirect.de' 'cts.lipixeltrack.com' 'www.collect.mentad.com' 'idsync.rlcdn.com' 'adsssl.smowtion.com' 'beta.f.adbull.com' 'www.adotube.com' 'adsresult.net' 'pixel.adsafeprotected.com' 'match.adsrvr.org' 'api.adsymptotic.com' 'ads.adual.net' 'engine2.adzerk.net' 'vpc.altitude-arena.com' 'a.amxdt.com' 'data.apn.co.nz' 'tracking.badgeville.com' 'barilliance.net' 'www.barilliance.net' 'alleyezonme-collection.buzzfeed.com' 'srv.clickfuse.com' 'baublebar.sp1.convertro.com' 'api.demandbase.com' 'adobe.demdex.net' 'condenast.demdex.net' 'fairfax.demdex.net' 'mtvn.demdex.net' 'a.dpmsrv.com' 'px.dynamicyield.com' 'beacon.examiner.com' 'da.feedsportal.com' 'gonzogrape.gumgum.com' 'ads.havenhomemedia.com' 'analytics.hgcdn.net' '1168.ic-live.com' '1687.ic-live.com' '1839.ic-live.com' 'c1839.ic-live.com' 'c1921.ic-live.com' 'stack7.collect.igodigital.com' 'a.imonomy.com' 'rtr.innovid.com' 'www.jetpackdigital.com' 'c.jsrdn.com' 'i.kissmetrics.com' 'a.komoona.com' 'ad.leadboltads.net' 'ad3.liverail.com' 'ad4.liverail.com' 'ads.lucidmedia.com' 'tags.mediaforge.com' 'engine.nectarads.com' 'd.neodatagroup.com' 'analytics.newsinc.com' 'ox-d.newstogram.com' 'script.opentracker.net' 'server1.opentracker.net' 'server10.opentracker.net' 'log.optimizely.com' 'ntracking.optimatic.com' 'stats.pagefair.com' 'ads.pe.com' 'adserve.postrelease.com' 'lt.retargeter.com' 'collect.rewardstyle.com' 'mrp.rubiconproject.com' 'zeroclick.sendori.com' 'reporting.singlefeed.com' 'go.sonobi.com' 'search34.info.com' 'sync.search.spotxchange.com' 'js.srcsmrtgs.com' 'cdn.targetfuel.com' 'e.targetfuel.com' 'sslt.tellapart.com' 'i.trkjmp.com' 'beacon.videoegg.com' 'ads.wdmgroup.com' 'analytics.wishabi.ca' 'track.written.com' 'www.wtp101.com' 'zdbb.net' 'adsys.adk2x.com' 's.admathhd.com' 'client-verify.adtricity.com' 'www.applicationcontenttag.com' 'www.appsgrabbundles.com' 'ad.atdmt.com' 'www.bestcleardownloads.com' 'www.bestofreeapps.com' 'www.bitssendnow.com' 'www.bompcore.info' 'api.boomtrain.com' 'events.boomtrain.com' 'track.clicktraq.co' 'promo.clicnscores.com' 'consolefiles.info' 'aexp.demdex.net' 'pc1.dntrax.com' 'fastdownload10.com' 'dmp.gravity4.com' 'imads.integral-marketing.com' 'www.jddfmlafmdamracvaultsign.com' 'jwpltx.com' 'i.n.jwpltx.com' 'beacon.livefyre.com' 'js.matheranalytics.com' 'www.mftracking.com' 'c.newsinc.com' 'track.rtdock.com' 'pixel.mtrcs.samba.tv' 'tracker.samplicio.us' 'recommender.scarabresearch.com' 'track.scrillaspace.com' 'p.securedownload01.com' 'www.sharecapitalgrab.com' 's.tagsrvcs.com' 'd.t.tailtarget.com' 'www.trackingclick.net' 't.trrker.com' 'www.updatemetagift.com' 'www.zamontazz.info' 'zs1.zeroredirect1.com' 'www.zgaentinc.info' 't.zqtk.net' 'www.hostbodytower.com' 't.adk2.com' 'adrzr.com' 'www.bestdownloadapps.com' 'track.isp-survey.com' 'cdn.jdrinisocsachostdownload.com' 'admin1.newmagnos.com' 'cdn.opensubcontent.com' 'www.signsbitssign.com' 'www.todaybytehosting.com' 'collector-195.tvsquared.com' 'www.universebundlegrab.com' 'www.younewfiles.com' 'track.absoluteclickscom.com' 't.acxiom-online.com' 'api.addnow.com' 'adstract.adk2x.com' 'dy.adserve.io' 'tag.apxlv.com' 'stat.dailyoffbeat.com' 'freecharge.demdex.net' 'iyogi.demdex.net' 'widgets.kiosked.com' 'tracking.listhub.net' 'trax.prostrax.com' 'p.pxl2015x1.com' 'trends.revcontent.com' 'beacon.sojern.com' 'srv.stackadapt.com' 'tar.tradedoubler.com' 'n9bcd.ads.tremorhub.com' 'partners.tremorhub.com' 'admediator.unityads.unity3d.com' 'app.yieldify.com' 'zm1.zeroredirect5.com' 'tracker.us-east.zettata.com' 'm.altitude-arena.com' 'www.cloudtracked.com' 'tracker.freecharge.in' 'ads.grabgoodusa.com' 'securedownload01.net' 'ads.servebom.com' 'neo.go.sonobi.com' 'match.xg4ken.com' 't.ad2games.com' 'ad132m.adpdx.com' 'cdn.adpdx.com' 'admtpmp127.adsk2.co' 'adplexmedia.adk2.co' 'ad.adsrvr.org' 'ads-verify.com' 'cdn.appdynamics.com' 'promotions.betfred.com' 'tag.bounceexchange.com' 'd1z2jf7jlzjs58.cloudfront.net' 'd2zah9y47r7bi2.cloudfront.net' 'script.crazyegg.com' 'cu.genesismedia.com' 'cucdn.genesismedia.com' 'php.genesismedia.com' 'gscounters.eu1.gigya.com' 'c1937.ic-live.com' 'resources.kiosked.com' 'cdn.listrakbi.com' 'www.livefyre.com' 'cdn.matheranalytics.com' 't.mdn2015x2.com' 'ads.mic.com' 'dbg52463.moatads.com' 't.mtagmonetizationa.com' 'files.native.ad' 'ps.ns-cdn.com' 'match.rundsp.com' 'tag.mtrcs.samba.tv' 'cdn.scarabresearch.com' 'code.adsales.snidigital.com' 's5.spn.ee' 'sumome.com' 'load.sumome.com' 's.uadx.com' 'w.visualdna.com' 'wfpscripts.webspectator.com' 'cdn.yldbt.com' 'saxp.zedo.com' '2664.tm.zedo.com' '3211.tm.zedo.com' 'cdn.zettata.com' 'srv-us.znaptag.com' 'get1.0111design.info' 'api.access-mc.com' 'adsrvmedia.adk2.net' 'ads.adaptv.advertising.com' 'tracking.affiliates.de' 'arena.altitude-arena.com' 'ca.altitude-arena.com' 'pstats.blogworks.com' 'clicksimpact.cashtrk.com' 'a.centrum.cz' 'chosurvey.net' 'click.clktraker.com' 'stats.cloudwp.io' 'ad.cpmaxads.com' 'ads.creative-serving.com' 'bostonglobe.demdex.net' 'ford.demdex.net' 'www.dntx.com' 'nz-ssl.effectivemeasure.net' 's.effectivemeasure.net' 'counter.entertainmentwise.com' 'exciteable.net' 'exciteair.net' 'lp.ezdownloadpro.info' 'cdn.firstimpression.io' 'j.flxpxl.com' 'c10060.ic-live.com' 'matcher.idtargeting.com' 'ccs.infospace.com' 'www.i.matheranalytics.com' 'banners.moreniche.com' 'analytics.cnd-motionmedia.de' 'neecot.org' 'www.onadstracker.com' 'odds.optimizely.com' 'ads.polmontventures.com' 'ad.pxlad.io' 'ad-us-east-1.pxlad.io' 'api.revcontent.com' 'bomcl.richmetrics.com' 'd.tailtarget.com' 'j.traffichunt.com' 'www.trustedbestsites.com' 'uadx.com' 'analytics.upworthy.com' 'vacationcellular.net' 'rumds.wpdigital.net' 'yevins.com' 'i.yldbt.com' 'z2.zedo.com' 'segment-data.zqtk.net' 'get1.0111box.info' 's.206ads.com' 'ib.3lift.com' 'creative.ad122m.com' 'ad130m.adpdx.com' 'optimize.adpushup.com' 'ads-stream.com' 'js.apxlv.com' 'ads.adbooth.com' 'cdn.adbooth.com' 'www.adbooth.com' 'creative.adbooth.net' 'cdn.adengage.com' 'code.adengage.com' 'srv.adengage.com' 'api.adip.ly' 'ad132m.adk2.co' 'adbooth.adk2.co' 'creative.admtpmp127.com' 'cdn.adplxmd.com' 'files-www2.adsnative.com' 'static.adsnative.com' 'files.adspdbl.com' 'js.adsrvr.org' 'data.alexa.com' 'advice-ads.s3.amazonaws.com' 'ps-eu.amazon-adsystem.com' 'ps-us.amazon-adsystem.com' 'z-na.amazon-adsystem.com' 'cdn.installationsafe.net.s3.amazonaws.com' 'slate-ad-scripts.s3.amazonaws.com' 'znaptag-us.s3.amazonaws.com' 'cdn.avmws.com' 'beachfrontio.com' 't.beanstalkdata.com' 'ad.broadstreetads.com' 'cdn.broadstreetads.com' 'pageurl.btrll.com' 'pageurl-brx.btrll.com' 'pix.btrll.com' 'shim.btrll.com' 'vw.btrll.com' 'cdn.bttrack.com' 'adg.bzgint.com' 'dynamic.cannedbanners.com' 'data.captifymedia.com' 't.channeladvisor.com' 'tracking2.channeladvisor.com' 'www.clicktripz.com' 'images1.cliqueclack.com' 'd1fc8wv8zag5ca.cloudfront.net' 'd1l6p2sc9645hc.cloudfront.net' 'd1piupybsgr6dr.cloudfront.net' 'd13dhn7ldhrcf6.cloudfront.net' 'd2nq0f8d9ofdwv.cloudfront.net' 'd2oh4tlt9mrke9.cloudfront.net' 'd31qbv1cthcecs.cloudfront.net' 'd3c3cq33003psk.cloudfront.net' 'd3dcugpvnepf41.cloudfront.net' 'd3ujids68p6xmq.cloudfront.net' 'd33f10u0pfpplc.cloudfront.net' 'd33j9ks96yd6fm.cloudfront.net' 'd38cp5x90nxyo0.cloudfront.net' 'd5nxst8fruw4z.cloudfront.net' 'd8rk54i4mohrb.cloudfront.net' 'dl1d2m8ri9v3j.cloudfront.net' 'dff7tx5c2qbxc.cloudfront.net' 'rec.convertale.com' 'cdn-1.convertexperiments.com' 'use.convertglobal.com' 'casper.sp1.convertro.com' 'livenation.sp1.convertro.com' 'magazines.sp1.convertro.com' 'p.cpx.to' 'admp-tc.delfi.lv' 'scripts.demandbase.com' 'bet.demdex.net' 'cbsi.demdex.net' 'de.demdex.net' 'foxnews.demdex.net' 'sears.demdex.net' 'intbrands.t.domdex.com' 'td.demdex.net' 'tags-cdn.deployads.com' 'cdn.directrev.com' 'pds.directrev.com' 'xch.directrev.com' 'p1.dntrck.com' 'tiscali.js.ad.dotandad.com' 'cdn.elasticad.net' 'col.eum-appdynamics.com' 'banner.euroads.no' 'imp.euroads.no' 'pool.euroads.no' 'tracking1.euroads.no' 'cdn.evergage.com' 'hj.flxpxl.com' 'beacon.guim.co.uk' 'www.have9to.info' 'cdn.heapanalytics.com' 'cdn.performance.hlads.com' 'beam.hlserve.com' 'cdn.iasrv.com' 'c1349.ic-live.com' 'c1935.ic-live.com' 'c10050.ic-live.com' 'c10064.ic-live.com' '1703.ic-live.com' 'cdn.idtargeting.com' 'cdn.ip.inpwrd.com' 'cdn.libraries.inpwrd.com' 'load.instinctiveads.com' 'a.cdn.intentmedia.net' 'prod-services.interactiveone.com' 'cdn.investingchannel.com' 'admp-tc.iltalehti.fi' 'beacon.jumptime.com' 'timeseg.modules.jumptime.com' 'ad.kiosked.com' 'cdn.kixer.com' 'stat.komoona.com' 'adserver.kontextua.com' 'cf.ads.kontextua.com' 'collector.leaddyno.com' 'd.liadm.com' 'p.liadm.com' 'd.lumatag.co.uk' 'creative.m2pub.com' 's.m2pub.com' 'bc.marfeel.com' 'tags.mdotlabs.com' 'js.ad.mediamond.it' 'edge.metroleads.com' 'contentz.mkt51.net' 'contentz.mkt912.com' 'content.mkt931.com' 'content.mkt932.com' 'contentz.mkt932.com' 'contentz.mkt941.com' 'w.mlv-cdn.com' 'track.moreniche.com' 't.mtagmonetizationc.com' 'c.mtro.co' 'zdbb.netshelter.net' 'mix-test.uts.ngdata.com' 'eu.npario-inc.net' 'meter-svc.nytimes.com' 'ninja.onap.io' 'cdn.onscroll.com' 'vast.optimatic.com' 'pagefair.com' 'c.pebblemedia.be' 'analytics.dev.popdust.com' 'jadserve.postrelease.com' 's.ppjol.net' 'static.proximic.com' 'static.publish2.com' 'i.pxlad.io' 'static.pxlad.io' 'embed-stats.rbl.ms' 'frontpage-stats.rbl.ms' 'site-stats.rbl.ms' 'savvyads.com' 'ads.savvyads.com' 'collector.savvyads.com' 'mtrx.go.sonobi.com' 'analytics.revee.com' 'di-se.c.richmetrics.com' 'di-banner-se.c.richmetrics.com' 'vancouversun-com.c.richmetrics.com' 'cdn.sail-horizon.com' 'shareaholic.com' 'clickcdn.shareaholic.com' 'cdn.siftscience.com' 'tags.smowtion.com' 'gsf-cf.softonic.com' 'pixel.sojern.com' 'eventlogger.soundcloud.com' 'www.tagifydiageo.com' 'a.teads.tv' 'cdn.teads.tv' 't.teads.tv' 'static.tellaparts.com' 'ads.traffichunt.com' 'cdn.traffichunt.com' 'assets.tapad.com' 'analytics.userreport.com' 'cdn.userreport.com' 'sdscdn.userreport.com' 'tracking.rce.veeseo.com' 'delivery.vidible.tv' 'wsc1.webspectator.com' 'zafiti01.webtrekk-us.net' 'triggers.wfxtriggers.com' '3165.tm.zedo.com' 'www.zergnet.com' 'd.254a.com' 'kwserver.adhispanic.com' 'ads.adiply.com' 'srv.admailtiser.com' 'track.adbooth.net' 'app.adsbrook.com' 'cdn.adual.net' 'cdn.adquantix.com' 'crtl.aimatch.com' 'tr-1.agilone.com' 'cdn.appendad.com' 'www.badassjv.com' 'blockmetrics.com' 'cache.btrll.com' 'engine.carbonads.com' 'ycv.clearshieldredirect.com' 'd12tr1cdjbyzav.cloudfront.net' 'd2vig74li2resi.cloudfront.net' 'desv383oqqc0.cloudfront.net' 'js.convertale.com' 'tc-s.convertro.com' 'track.customer.io' 's.cxt.ms' 'dailymotion.demdex.net' 'error.demdex.net' 'gannett.demdex.net' 'links.services.disqus.com' 'hutchmedia.t.domdex.com' 'cdn5.js.ad.dotandad.com' 'filecdn2.dotandad.com' 's.dpmsrv.com' 'cf.effectivemeasure.net' 'us-cdn.effectivemeasure.net' 'idvisitor.expressnightout.com' 'ps.eyeota.net' 'analytics.fairfax.com.au' 'fmsads.com' 'www.fuze-sea1.xyz' 'ads.g-media.com' 'data.gosquared.com' 'data2.gosquared.com' 'ads.groupcommerce.com' 'c10013.ic-live.com' 'c1947.ic-live.com' 'c1950.ic-live.com' 'p1937.ic-live.com' 'ad.ipredictive.com' 'adserv.impactengine.com' 'adn.impactradius.com' 'stats.instdaddy.com' 'scripts.kissmetrics.com' 'ads.lanistaads.com' 'napi.lanistaads.com' 'rev.lanistaads.com' 'u.mdotlabs.com' 'content.mkt51.net' 'content.mkt941.com' 'f.monetate.net' 'tracker.mozo.com.au' 'papi.mynativeads.com' 'web-clients.mynativeads.com' 'static.nectarads.com' 'cl-c.netseer.com' 'js-agent.newrelic.com' 'adx.openadserve.com' 'load.passionfruitads.com' 'h.ppjol.com' 'traffic.pubexchange.com' 'ads.qadservice.com' 'www.qualitysoftware13.com' 'orca.qubitproducts.com' 'ortc-ws2-useast1-s0005.realtime.co' 'a.remarketstats.com' 'vg-no.c.richmetrics.com' 'partner.shareaholic.com' 'traffic.shareaholic.com' 'cc.simplereach.com' 'edge.simplereach.com' 'analytics.sitewit.com' 'st.smartredirect.de' 'bsf.smowtion.com' 'ts.smowtion.com' 'trial-collector.snplow.com' 'tracking.sokrati.com' 'traffic-offers.com' 'konnect.videoplaza.tv' 'trk.vidible.tv' 'scripts.webspectator.com' 'osc.optimize.webtrends.com' 'a.wishabi.com' 'track.youniversalmedia.com' 'axp.zedo.com' 'geo.ziffdavis.com' 'directile.net' 'api.proofpositivemedia.com' 's.pubmine.com' 't.254a.com' 'r.254a.com' 'yieldmanager.adbooth.com' 'counter.d.addelive.com' 'admaven.adk2x.com' 'adstrac.adk2x.com' 'snwmedia.adk2x.com' 'www.adovida.com' 'secure.adwebster.com' 'pixiedust.buzzfeed.com' 'tracking.crobo.com' 'comcast.demdex.net' 'ecs.demdex.net' 'get.ddlmediaus1000.info' 'collector.githubapp.com' 'geobeacon.ign.com' 'mmtrkpy.com' 'tracking.olx-st.com' 'api.optinmonster.com' 't01.proximic.com' 'go.redirectingat.com' 'track.rtb-media.ru' 'a.rvttrack.com' 'b.siftscience.com' 'ardrone.swoop.com' 'n.targetbtracker.com' 'collector-184.tvsquared.com' 'collector-428.tvsquared.com' 'a3.websitealive.com' 'zb.zeroredirect1.com' 'zc.zeroredirect1.com' 'ze1.zeroredirect1.com' 'js.moatads.com' 'adserver.advertisespace.com' 'aax-us-east-rtb.amazon-adsystem.com' 'ir-na.amazon-adsystem.com' 'rcm-na.amazon-adsystem.com' 'adtago.s3.amazonaws.com' 'sync.cmedia.s3.amazonaws.com' 'ecommstats.s3.amazonaws.com' 'exitsplash.s3.amazonaws.com' 'load.s3.amazonaws.com' 'ncads.s3.amazonaws.com' 'tracking.opencandy.com.s3.amazonaws.com' 'viewerstats.docstoc.com.s3.amazonaws.com' 'www.assoc-amazon.com' 's3.buysellads.com' 'new.cetrk.com' 'trk.cetrk.com' 'dl.gameplaylabs.com' 'ads.jetpackdigital.com' 'dl.keywordstrategy.org' 'media.opencandy.com' 'asset.pagefair.com' 'ads.smowtion.com' 'pixel.tapad.com' 'beacon.tunecore.com' 'p.addthis.com' 'rt3.infolinks.com' 'adaptv.pixel.invitemedia.com' 'g-pixel.invitemedia.com' 'segment-pixel.invitemedia.com' 't.invitemedia.com' 'engine.adzerk.net' 'certify.alexametrics.com' 'www.bizographics.com' 'analytics.brightedge.com' 'edge.analytics.brightedge.com' 'fhg.digitaldesire.com' 'tags.extole.com' 'clicks11.geoads.com' 'tracking.hubspot.com' 'of.inviziads.com' 'preview.leadmediapartners.com' 'ads.livepromotools.com' 'a.monetate.net' 'click.searchnation.net' 'ariel1.spaceprogram.com' 'www.stop-road16.info' 'www.stop-road43.info' 'www.stop-road71.info' 'revelations.trovus.co.uk' 'ttzmedia.com' 'www.ttzmedia.com' 'ev.yieldbuild.com' 'd.adroll.com' 's.adroll.com' 'stats.atoshonetwork.com' 'adweb1.hornymatches.com' 'adweb2.hornymatches.com' 'gbanners.hornymatches.com' 'adv.ilsecoloxix.it' 's32.research.de.com' 'd.skimresources.com' 't.skimresources.com' 'www.supersonicads.com' 'feed.topadvert.ru' 'app.ubertags.com' 'stats3.unrulymedia.com' 'adseu.novem.pl' 'cdn.qbaka.net' 'pixel.advertising.com' 'secure.ace.advertising.com' 'adiq.coupons.com' 'ads-us.pictela.net' 'pix.pulsemgr.com' 'cnn.dyn.cnn.com' 'gdyn.cnn.com' 'gdyn.nascar.com' 'gdyn.nba.com' 'www.ugdturner.com' 'gdyn.veryfunnyads.com' 'dbs.advertising.com' 'opera1-servedby.advertising.com' 'rd.advertising.com' 'servedby.advertising.com' 'bf.mocda1.com' 'adserve.advertising.com' 'wap.advertising.com' 'www.contextualclicks.com' 'www.thesearchster.com' 'ad.dc2.adtech.de' 'img-dc2.adtech.de' 'im.adtech.de' 'ads.aol.co.uk' 'adserver.aol.fr' 'img.bet-at-home.com' 'im.banner.t-online.de' 'adsby.webtraffic.se' 'adtech.de' 'ad-dc2.adtech.de' 'adserver.adtech.de' 'aka-cdn-ns.adtech.de' 'imageserv.adtech.de' 'adserver.adtechus.com' 'aka-cdn.adtechus.com' 'aka-cdn-ns.adtechus.com' 'adserver.eyeonx.ch' 'hiq.fotolog.com' 'at.ontargetjobs.com' 'adsrv.adplus.co.id' 'adssl-dc2.adtech.de' 'secserv.adtech.de' 'adv.aftonbladet.se' 'ads.immobilienscout24.de' 'jt.india.com' 'adv.svd.se' 'ads.adsonar.com' 'ads.tw.adsonar.com' 'js.adsonar.com' 'newsletter.adsonar.com' 'redir.adsonar.com' 'origin2.adsdk.com' 'free.aol.com' 'ar.atwola.com' 'ar7.atwola.com' 'tacoda.at.atwola.com' 'ums.adtechus.com' 'adnet.affinity.com' 'sl-retargeting.adsonar.com' 'demo.advertising.com' 'leadback.advertising.com' 'secure.leadback.advertising.com' 'smrtpxl.advertising.com' 'ads.web.aol.com' 'affiliate.aol.com' 'dynamic.aol.com' 'ar1.atwola.com' 'ar9.atwola.com' 'pixel.ingest.at.atwola.com' 'pr.atwola.com' 'uts-api.at.atwola.com' 'adserver.fixionmedia.com' 'ads.patch.com' 'ssl-sl-retargeting.adsonar.com' 'glb.adtechus.com' 'advertising.com' 'ace-lb.advertising.com' 'ace-tag.advertising.com' 'p.ace.advertising.com' 'r1.ace.advertising.com' 'secure.ace-tag.advertising.com' 'www.advertising.com' 'at.atwola.com' 'uk.at.atwola.com' 'helios.fvn.no' 'helios.gamerdna.com' 'ads.intergi.com' 'v.landingzone.se' 'ng3.ads.warnerbros.com' '1000ps.oewabox.at' 'tracking.kurier.at' 'atvplus.oewabox.at' 'newsnetw.oewabox.at' 'oe24.oewabox.at' 'ooen.oewabox.at' 'orf.oewabox.at' 'qs.oewabox.at' 'salzburg.oewabox.at' 'sdo.oewabox.at' 'sportat.oewabox.at' 'tirolcom.oewabox.at' 'top.oewabox.at' 't-orf.oewabox.at' 'willhab.oewabox.at' 'hit-parade.com' 'loga.hit-parade.com' 'logp.hit-parade.com' 'xiti.com' 'loga.xiti.com' 'logc1.xiti.com' 'logc2.xiti.com' 'logc3.xiti.com' 'logc7.xiti.com' 'logc8.xiti.com' 'logc11.xiti.com' 'logc13.xiti.com' 'logc14.xiti.com' 'logc15.xiti.com' 'logc16.xiti.com' 'logc19.xiti.com' 'logc22.xiti.com' 'logc26.xiti.com' 'logc31.xiti.com' 'logc32.xiti.com' 'logc35.xiti.com' 'logc89.xiti.com' 'logc111.xiti.com' 'logc138.xiti.com' 'logc142.xiti.com' 'logc149.xiti.com' 'logc169.xiti.com' 'logc173.xiti.com' 'logc180.xiti.com' 'logc189.xiti.com' 'logc181.xiti.com' 'logc202.xiti.com' 'logc205.xiti.com' 'logc206.xiti.com' 'logc209.xiti.com' 'logc210.xiti.com' 'logc218.xiti.com' 'logc238.xiti.com' 'logc253.xiti.com' 'logc279.xiti.com' 'logc400.xiti.com' 'logi4.xiti.com' 'logi5.xiti.com' 'logi6.xiti.com' 'logi7.xiti.com' 'logi8.xiti.com' 'logi9.xiti.com' 'logi10.xiti.com' 'logi11.xiti.com' 'logi12.xiti.com' 'logi13.xiti.com' 'logi103.xiti.com' 'logi104.xiti.com' 'logi118.xiti.com' 'logi125.xiti.com' 'logc135.xiti.com' 'logi141.xiti.com' 'logi150.xiti.com' 'logi151.xiti.com' 'logi162.xiti.com' 'logi163.xiti.com' 'logi242.xiti.com' 'logliberation.xiti.com' 'logp.xiti.com' 'logp2.xiti.com' 'logp3.xiti.com' 'logs1125.xiti.com' 'logs1204.xiti.com' 'logs1285.xiti.com' 'logv1.xiti.com' 'logv2.xiti.com' 'logv3.xiti.com' 'logv4.xiti.com' 'logv5.xiti.com' 'logv6.xiti.com' 'logv7.xiti.com' 'logv8.xiti.com' 'logv9.xiti.com' 'logv10.xiti.com' 'logv11.xiti.com' 'logv12.xiti.com' 'logv13.xiti.com' 'logv14.xiti.com' 'logv15.xiti.com' 'logv16.xiti.com' 'logv17.xiti.com' 'logv18.xiti.com' 'logv19.xiti.com' 'logv20.xiti.com' 'logv21.xiti.com' 'logv22.xiti.com' 'logv23.xiti.com' 'logv24.xiti.com' 'logv25.xiti.com' 'logv26.xiti.com' 'logv27.xiti.com' 'logv28.xiti.com' 'logv29.xiti.com' 'logv30.xiti.com' 'logv31.xiti.com' 'logv32.xiti.com' 'logv143.xiti.com' 'logv144.xiti.com' 'logv145.xiti.com' 'www.xiti.com' 'ib.reachjunction.com' 'photobucket.adnxs.com' 'secure.adnxs.com' 'ym.adnxs.com' 'ad.aquamediadirect.com' 'ads.dedicatedmedia.com' 'action.media6degrees.com' 'ad.thewheelof.com' 'a.triggit.com' 'ag.yieldoptimizer.com' 'ads.brand.net' 'px.admonkey.dapper.net' 'load.exelator.com' 'ad.himediadx.com' 'action.mathtag.com' 'cspix.media6degrees.com' 'secure.media6degrees.com' 'tag.yieldoptimizer.com' 'b.adnxs.com' 'nym1.b.adnxs.com' 'gam.adnxs.com' 'ads.bttbgroup.com' 'ad.dedicatedmedia.com' 'ads.matiro.com' 'ads.q1media.com' 'ads.reduxmediagroup.com' 'ad.retargeter.com' 'adan.xtendmedia.com' 'go.accmgr.com' 'advs.adgorithms.com' 'ad2.adnetwork.net' 'float.2299.bm-impbus.prod.nym2.adnexus.net' 'ib.adnxs.com' 'mob.adnxs.com' 'nym1.ib.adnxs.com' 'sin1.g.adnxs.com' 'a.admaxserver.com' 'go.adversal.com' 'rtb-ads.avazu.net' 'tag.beanstock.co' 'servedby.bigfineads.com' 'optimizedby.brealtime.com' 'ads.captifymedia.com' 'x.clickcertain.com' 'ads.clovenetwork.com' 'ads.cpxinteractive.com' 'ads.deliads.com' 'ads.digitalthrottle.com' 'ads.exactdrive.com' 'ads.fidelity-media.com' 'ads.gamned.com' 'tag.gayadnetwork.com' 'ad.imediaaudiences.com' 'secure-id.impressiondesk.com' 'ads.kmdisplay.com' 'tk.ads.mmondi.com' 'ad.netcommunities.com' 'ads.networkhm.com' 'ads.pubsqrd.com' 'ads.sonital.com' 'ads.sonobi.com' 'ads.suite6ixty6ix.com' 'ex.banner.t-online.de' 'ads.up-value.de' 'ads.vntsm.com' 'an.z5x.net' 'b.ds1.nl' 'k1s.nl' 'www.adv-italiana.com' 'www.infotelsrl.com' 'www.juiceadv.com' 'www.prdirectory.biz' 'ads.vjaffiliates.com' 'advdl.ammadv.it' 'adv.arubamediamarketing.it' 'feed.hype-ads.com' 'srv.juiceadv.com' 'bulgariabg.com' 'espresso-reklam.eu' 'openx.imoti.net' 'rot2.imoti.net' 'ads1.legalworld.bg' 'pagead.topobiavi.com' 'uppyads.com' 'ads.zajenata.bg' 'media01.adservinghost.com' 'bielertb.wemfbox.ch' 'blickonl.wemfbox.ch' 'bluewin.wemfbox.ch' 'bolero.wemfbox.ch' 'immosct.wemfbox.ch' 'moneyh.wemfbox.ch' 'nzz.wemfbox.ch' 'qs.wemfbox.ch' 'scout24.wemfbox.ch' 'si.wemfbox.ch' 'sport1.wemfbox.ch' 'swissinf.wemfbox.ch' 'wetter.wemfbox.ch' 'ww651.smartadserver.com' 'securite.01net.com' 'ads.20minutes.fr' 'smart.hola.com' 'ads.horyzon-media.com' 'www.meetic-partners.com' 'ad.prismamediadigital.com' 'ads.publicidad.net' 'addie.verticalnetwork.de' 'adtegrity.com' 'www.adtegrity.com' 'www.axill.com' 'images.axill.in' 'www.globe7.com' 'www.axill.in' 'www.cashtrafic.com' 'ads.clicmanager.fr' '29bca6cb72a665c8.se' '32d1d3b9c.se' 'aabe3b.se' 'aad73c550c.se' 'rotator.adxite.com' 'bfd69dd9.se' 'stats.sa-as.com' 'stats.visistat.com' 'adserver.veruta.com' 'images.tumri.net' 'www.tumri.net' 'ard.sexplaycam.com' 'flashbanners.static.ard.sexplaycam.com' 'ard.xxxblackbook.com' 'flashbanners.static.ard.xxxblackbook.com' 'geo.xxxblackbook.com' 'static.ard.xxxblackbook.com' 'ard.sweetdiscreet.com' 'adsby.uzoogle.com' 'api.nrelate.com' 'adcounter.theglobeandmail.com' 'adrates.theglobeandmail.com' 'ads.globeandmail.com' 'ads1.theglobeandmail.com' 'ecestats.theglobeandmail.com' 'ece5stats1.theglobeandmail.com' 'visit.theglobeandmail.com' 'www1.theglobeandmail.com' 'active.hit.stat24.com' 'home.hit.stat24.com' 'lt3.hit.stat24.com' 'nl4.hit.stat24.com' 'pro.hit.stat24.com' 'redefine.hit.stat24.com' 'redefine2.hit.stat24.com' 'ru2.hit.stat24.com' 's1.hit.stat24.com' 's2.hit.stat24.com' 's3.hit.stat24.com' 's4.hit.stat24.com' 'ua1.hit.stat24.com' 'ua2.hit.stat24.com' 'ua3.hit.stat24.com' 'ua4.hit.stat24.com' 'ua5.hit.stat24.com' 'uk4.hit.stat24.com' 'www.stat24.com' '4affiliate.net' 'clicktrace.info' 'mirageads.net' 'protect-x.com' 'www.getsearchlist.com' 'www.homeoffun.com' '1directory.ru' '1se.org' 'img.royal-cash.com' 'adds1.trafflow.com' 'tds.trafflow.com' 'banners.truecash.com' 'ads.ynot.com' 'ads.svnt.com' 'click.xxxofferz.com' 'bannersgomlm.buildreferrals.com' 'adds.trafflow.com' 'feed.trafflow.com' 'freeimghost.trafflow.com' 'ds.keshet-i.com' 'adserv.mako.co.il' 'sdc.mako.co.il' 'stats.mako.co.il' 'banners.news1.co.il' 'becl23.b2.gns.co.il' 'adserver1.adbrands.co.il' 'ads.doctors.co.il' 'ads.metatron.co.il' 'service1.predictad.com' 'service2.predictad.com' 'creative.xtendmedia.com' 'ads.one.co.il' 'bandoc.d-group.co.il' 'geo.widdit.com' 'ad0.bigmir.net' 'ad1.bigmir.net' 'ad4.bigmir.net' 'ad5.bigmir.net' 'ad6.bigmir.net' 'ad7.bigmir.net' 'adi.bigmir.net' 'c.bigmir.net' 'i.bigmir.net' 't.nrelate.com' 'bitcast-a.v1.iad1.bitgravity.com' 'ads.devicebondage.com' 'ads.fuckingmachines.com' 'ads.hogtied.com' 'ads.publicdisgrace.com' 'ads.sexandsubmission.com' 'ads.thetrainingofo.com' 'ads.ultimatesurrender.com' 'ads.whippedass.com' 'bbtv.blinkx.com' 'streamstats1.blinkx.com' 'ads.uknetguide.co.uk' 'www.bigpenisguide.com' 'fastwebcounter.com' 'stats.ozwebsites.biz' 'www.yrals.com' 'bravenet.com' 'adserv.bravenet.com' 'counter1.bravenet.com' 'counter2.bravenet.com' 'counter3.bravenet.com' 'counter4.bravenet.com' 'counter5.bravenet.com' 'counter6.bravenet.com' 'counter7.bravenet.com' 'counter8.bravenet.com' 'counter9.bravenet.com' 'counter10.bravenet.com' 'counter11.bravenet.com' 'counter12.bravenet.com' 'counter13.bravenet.com' 'counter14.bravenet.com' 'counter15.bravenet.com' 'counter16.bravenet.com' 'counter17.bravenet.com' 'counter18.bravenet.com' 'counter19.bravenet.com' 'counter20.bravenet.com' 'counter21.bravenet.com' 'counter22.bravenet.com' 'counter23.bravenet.com' 'counter24.bravenet.com' 'counter25.bravenet.com' 'counter26.bravenet.com' 'counter27.bravenet.com' 'counter28.bravenet.com' 'counter29.bravenet.com' 'counter30.bravenet.com' 'counter31.bravenet.com' 'counter32.bravenet.com' 'counter33.bravenet.com' 'counter34.bravenet.com' 'counter35.bravenet.com' 'counter36.bravenet.com' 'counter37.bravenet.com' 'counter38.bravenet.com' 'counter39.bravenet.com' 'counter40.bravenet.com' 'counter41.bravenet.com' 'counter42.bravenet.com' 'counter43.bravenet.com' 'counter44.bravenet.com' 'counter45.bravenet.com' 'counter46.bravenet.com' 'counter47.bravenet.com' 'counter48.bravenet.com' 'counter49.bravenet.com' 'counter50.bravenet.com' 'images.bravenet.com' 'linktrack.bravenet.com' 'pub2.bravenet.com' 'pub7.bravenet.com' 'pub9.bravenet.com' 'pub12.bravenet.com' 'pub13.bravenet.com' 'pub16.bravenet.com' 'pub23.bravenet.com' 'pub26.bravenet.com' 'pub27.bravenet.com' 'pub28.bravenet.com' 'pub29.bravenet.com' 'pub30.bravenet.com' 'pub31.bravenet.com' 'pub34.bravenet.com' 'pub39.bravenet.com' 'pub40.bravenet.com' 'pub42.bravenet.com' 'pub43.bravenet.com' 'pub45.bravenet.com' 'pub47.bravenet.com' 'pub49.bravenet.com' 'pub50.bravenet.com' 'xml.bravenet.com' 'segs.btrll.com' 'vast.bp3855098.btrll.com' 'vast.bp3855099.btrll.com' 'vast.bp3854536.btrll.com' 'vast.bp3855984.btrll.com' 'vast.bp3855987.btrll.com' 'vast.bp3855989.btrll.com' 'vast.bp3855991.btrll.com' 'vast.bp3855992.btrll.com' 'yrtas.btrll.com' 'brxserv-21.btrll.com' 'geo-errserv.btrll.com' 'addirector.vindicosuite.com' 'web.vindicosuite.com' 'ads.crawler.com' 'ads.websearch.com' 'tracking.godatafeed.com' 'www.cbeckads.com' 'atrd.netmng.com' 'brnys.netmng.com' 'com-kia.netmng.com' 'com-kodak.netmng.com' 'com-mitsubishi.netmng.com' 'com-morningstar.netmng.com' 'com-vw.netmng.com' 'dms.netmng.com' 'nbcustr.netmng.com' 'vw.netmng.com' 'a.netmng.com' 'display.digitalriver.com' 'stcwbd.com' 'tracking.tomsguide.com' 'tracking.tomshardware.com' 'www.ad.twitchguru.com' 'ads.bl-consulting.net' 'ads.gladen.bg' 'ads10.gladen.bg' 'ads.ibox.bg' 'ads.money.bg' 'www.burstbeacon.com' 'burstmedia.com' 'survey.burstmedia.com' 'websurvey.burstmedia.com' 'ads.burstnet.com' 'gifs.burstnet.com' 'sj.burstnet.com' 'text.burstnet.com' 'www.burstnet.com' 'www2.burstnet.com' 'www3.burstnet.com' 'www4.burstnet.com' 'www5.burstnet.com' 'www6.burstnet.com' 'www.burstnet.akadns.net' 'disco.flashbannernow.com' 'world.popadscdn.net' 'dclk.haaretz.com' 'dclk.haaretz.co.il' 'dclk.themarker.com' 'c4dl.com' 'www.c4dl.com' 'www.cash4downloads.com' 'adserver.merciless.localstars.com' 'statto.plus8.net' 'www.globalcharge.com' 'pluto.adcycle.com' 'www.adcycle.com' 'www.exchange-it.com' 'media.exchange-it.com' 'metacount.com' 'stats.metacount.com' 'www.metacount.com' 'popunder.com' 'media.popunder.com' 'www.popunder.com' 'www.rkdms.com' 'engine.phn.doublepimp.com' 'cdn.engine.phn.doublepimp.com' 'streamate.doublepimp.com' 'rts.pgmediaserve.com' 'rts.revfusion.net' 'ad.bnmla.com' 'domdex.com' 'qjex.net' 'rts.phn.doublepimp.com' 'ads.fuzzster.com' 'web.adblade.com' 'www.adsupply.com' 'ad1.adtitan.net' 'doublepimp.com' 'ad1.doublepimp.com' 'ad2.doublepimp.com' 'dev.doublepimp.com' 'rts.doublepimp.com' 'ad3.linkbucks.com' 'www.linkbucks.com' 'gk.rts.sparkstudios.com' 'spytrack.tic.ru' 'cdn.zeusclicks.com' 'hostedbannerads.aebn.net' 'realtouchbannerwidget.aebn.net' 'ox.tossoffads.com' 'www.tossoffads.com' 'affiliate.blucigs.com' 'bluhostedbanners.blucigs.com' 'ads.kaktuz.net' 'ads.bnmedia.com' 'ieginc.com' 'ads.iwangmedia.com' 'banners.rexmag.com' 'bmuk.burstnet.com' 'gr.burstnet.com' 'piwik.redtube.com' 'webstats.oanda.com' 'static.ad.libimseti.cz' 'h.waudit.cz' 'hitx.waudit.cz' 'intext.lookit.cz' 'ads.monogram.sk' 'casalemedia.com' 'as.casalemedia.com' 'b.casalemedia.com' 'c.casalemedia.com' 'i.casalemedia.com' 'img.casalemedia.com' 'js.casalemedia.com' 'r.casalemedia.com' 'www.casalemedia.com' 'www.oofun.com' '00fun.com' 'www.00fun.com' 'chat.888.com' 'images.888.com' 'setupspcp1.888.com' 'www.888.com' 'casino-on-net.com' 'demogwa.casino-on-net.com' 'images.casino-on-net.com' 'java2.casino-on-net.com' 'www.casino-on-net.com' 'www.casinoonnet.com' 'download1.pacificpoker.com' 'free.pacificpoker.com' 'images.pacificpoker.com' 'playersclub.reefclubcasino.com' 'www.pacificpoker.com' 'www.reefclubcasino.com' 'park.above.com' 'www.needmorehits.com' 'www.res-x.com' 'openx.trellian.com' 'banner.synergy-e.com' 'smart.synergy-e.com' 'stat.synergy-e.com' 'unitus.synergy-e.com' 'stat.fengniao.com' 'ads.webshots.com' 'adimg.bnet.com' 'mads.bnet.com' 'ocp.bnet.com' 'adlog.cbsi.com' 'mads.cbs.com' 'track.cbs.com' 'mads.cbsnews.com' 'ocp.cbsnews.com' 'adimg.chow.com' 'mads.chow.com' 'adimg.cnet.com' 'mads.cnet.com' 'remotead-internal.cnet.com' 'remotead.cnet.com' 'mads.cnettv.com' 'adimg.download.com' 'mads.download.com' 'bwp.findarticles.com' 'adimg.gamefaqs.com' 'mads.gamefaqs.com' 'adimg.theinsider.com' 'mads.theinsider.com' 'adimg.mp3.com' 'bwp.mp3.com' 'mads.mp3.com' 'adimg.news.com' 'adimg.tv.com' 'mads.tv.com' 'ads.zdnet.com' 'adimg.zdnet.com' 'mads.zdnet.com' 'bill.ccbill.com' 'images.ccbill.com' 'refer.ccbill.com' 'www.ccbill.com' 'www.ccbillcs.com' 'widget.perfectmarket.com' 'd-cache.microad.jp' 'amsv2.daum.net' 'vht.tradedoubler.com' 'cdn.clicktale.net' 'd-cache.microadinc.com' 'media.netrefer.com' 'media2.netrefer.com' 'cache1.adhostingsolutions.com' 'd.unanimis.co.uk' 'ads.forbes.com' 'vs.forbes.com' 'activity.serving-sys.com' 'bs.serving-sys.com' 'datacapture.serving-sys.com' 'pop.dnparking.com' 'a.ads99.cn' 'dwtracking.sdo.com' 'wwv.onetad.com' 'stats.dnparking.com' 'stat1.vipstat.com' 'goldbye.vicp.net' 'cdn.epicgameads.com' 'www.aptrafficnetwork.com' 'ads.gameservers.com' 'as.pmates.com' 'ads.sextvx.com' 'banners.videosz.com' 'feeds.videosz.com' 'ab.goodsblock.dt07.net' 'jsg.dt07.net' 'imgg.dt07.net' 'video-pomp.com' 'ad.abum.com' 'www.epicgameads.com' 'www.freepornsubmits.com' 'ilovecheating.com' 'ads.redtube.com' 'ad.slutload.com' 'banners.thirdmovies.com' 'ads.videosz.com' 'adserver.weakgame.com' 'xfuckbook.com' '404.xxxymovies.com' 'delivery.yourfuckbook.com' 'ads.ztod.com' 'banners.ztod.com' 'tools.ztod.com' 'watchddl.funu.info' 'ads.adgoto.com' 'banners.adgoto.com' 'v2.adgoto.com' 'www.mm26.com' 'www.18access.com' 'www.hentaidatabase.com' 'longtraffic.com' 'pussygreen.com' 'adv.sexcounter.com' 'cs.sexcounter.com' 'support.sextronix.com' 'www.sextronix.com' 'ads.asredas.com' 'secure-yt.imrworldwide.com' 'www.econda-monitor.de' 'www.free-choices.com' 'piwik.n24.de' 'ads.planet49.com' 'ads.adnet-media.net' '3amcouk.skimlinks.com' 'bikeforumsnet.skimlinks.com' 'complexcom.skimlinks.com' 'dirtytalk101com.skimlinks.com' 'freeforumsorg.skimlinks.com' 'handbagcom.skimlinks.com' 'hothardwarecom.skimlinks.com' 'mirrorcoukcelebs.skimlinks.com' 'projectw.skimlinks.com' 'reviewcentrecom.skimlinks.com' 'skimlinkscom.skimlinks.com' 'static.skimlinks.com' 'techradarcom.skimlinks.com' 'techspotcom.skimlinks.com' 'telegraphcouk.skimlinks.com' 'tidbitscom.skimlinks.com' 'toplessrobotcom.skimlinks.com' 'wirelessforumsorg.skimlinks.com' 'wordpresscom.skimlinks.com' 'wwwchipchickcom.skimlinks.com' 'wwwcultofmaccom.skimlinks.com' 'xmarkscom.skimlinks.com' 's.skimresources.com' 'bh.contextweb.com' 'cdslog.contextweb.com' 'media.contextweb.com' 'tag.contextweb.com' 'btn.clickability.com' 'button.clickability.com' 'cas.clickability.com' 'imp.clickability.com' 'ri.clickability.com' 's.clickability.com' 'sftp.clickability.com' 'stats.clickability.com' 'cdn.adbrau.com' 'cdn3.adbrau.com' 'asmedia.adsupplyssl.com' 'bbredir.com' 'srv.bebi.com' 'banners.bghelp.co.uk' 'wp1.cor-natty.com' 'count.im' 'downprov0.dd-download-dd-2.com' 'cdn.exoticads.com' 'content.exoticads.com' 'grabtrk.com' 'hot2015rewards.com' 'embed.insticator.com' 'itrengia.com' 'cdn.itrengia.com' 'ads.kickasstorrents.video' 'ads.mmediatags.com' 'ssl.mousestats.com' 'multioptik.com' 'neki.org' 'www.objectity.info' 'www.objectopoly.info' 'opensoftwareupdater.com' 'proudclick.com' 'cdn.pubexchange.com' 'quick-down-win.com' 'a10.reflexcash.com' 'ads.reflexcash.com' 'samvaulter.com' 'cdn.spoutable.com' 'engine.spoutable.com' 'www1.tec-tec-boom.com' 'xclusive.ly' 'pixel.yola.com' 'cdn1.zopiny.com' 'files.zz-download-zz5.com' 'files2.zz-download-zz7.com' 'adfoc.us' 'api.adquality.ch' 'ads.akademika.bg' 'img.avatraffic.com' 'bestappinstalls.com' 'ads.buzzlamp.com' 'ads.casumoaffiliates.com' 'cmtrading.ck-cdn.com' 'jque.net' 'ozertesa.com' 'pinion.gg' 'bin.pinion.gg' 'cdn.pinion.gg' 'programresolver.net' 'www.pstats.com' 'softwaare.net' 'theads.me' 'www.xyfex.com' '7vws1j1j.com' '94uyvwwh.com' 'adsbookie.com' 'ads.adsbookie.com' 't.cqq5id8n.com' 'cs.luckyorange.net' 'settings.luckyorange.net' 'upload.luckyorange.net' 'js.maxmind.com' 'ads.mylikes.com' 'www.mystat.pl' 'odzb5nkp.com' 'serials.ws' 'www.serials.ws' 'trafficg.com' 'www.trafficg.com' 'trw12.com' 'xpop.co' 'ad.zompmedia.com' 'pop.zompmedia.com' 'clicks.zwaar.org' '25643e662a2.com' 'www.adworld.com.tr' 'www1.arch-nicto.com' 'cdn.www1.arch-nicto.com' 'ads.ayads.co' 'click.bounceads.net' 'errorception.com' 'beacon.errorception.com' 'www.fulltraffic.net' 'static.kameleoon.com' 'assets.kixer.com' 'lognormal.net' 'cdn.luckyorange.com' 'w1.luckyorange.com' 'opendownloadmanager.com' 'popcash.net' 'soft-dld.com' 'softwareupdaterlp.com' '0iecfobt.com' 'www.adhexa.com' 'adprovider.adlure.net' 'geoservice.curse.com' 'ems2bmen.com' 'm57ku6sm.com' 'pixxur.com' 'analytics.codigo.se' 'cdn.directtrk.com' 'i.isohunt.to' 'opensoftwareupdate.com' 'popmyads.com' 'cdn.popmyads.com' 'assets.popmarker.com' 'c.cnzz.com' 'hos1.cnzz.com' 'hzs1.cnzz.com' 'hzs2.cnzz.com' 'hzs4.cnzz.com' 'hzs8.cnzz.com' 'hzs10.cnzz.com' 'hzs13.cnzz.com' 'hzs15.cnzz.com' 'hzs22.cnzz.com' 'icon.cnzz.com' 'pcookie.cnzz.com' 'pw.cnzz.com' 's1.cnzz.com' 's3.cnzz.com' 's4.cnzz.com' 's5.cnzz.com' 's7.cnzz.com' 's8.cnzz.com' 's9.cnzz.com' 's10.cnzz.com' 's11.cnzz.com' 's12.cnzz.com' 's13.cnzz.com' 's14.cnzz.com' 's15.cnzz.com' 's16.cnzz.com' 's18.cnzz.com' 's19.cnzz.com' 's20.cnzz.com' 's22.cnzz.com' 's23.cnzz.com' 's24.cnzz.com' 's26.cnzz.com' 's28.cnzz.com' 's29.cnzz.com' 's30.cnzz.com' 's33.cnzz.com' 's34.cnzz.com' 's37.cnzz.com' 's38.cnzz.com' 's47.cnzz.com' 's48.cnzz.com' 's50.cnzz.com' 's51.cnzz.com' 's54.cnzz.com' 's55.cnzz.com' 's61.cnzz.com' 's62.cnzz.com' 's63.cnzz.com' 's65.cnzz.com' 's66.cnzz.com' 's68.cnzz.com' 's69.cnzz.com' 's70.cnzz.com' 's76.cnzz.com' 's80.cnzz.com' 's83.cnzz.com' 's84.cnzz.com' 's85.cnzz.com' 's88.cnzz.com' 's89.cnzz.com' 's92.cnzz.com' 's94.cnzz.com' 's95.cnzz.com' 's99.cnzz.com' 's101.cnzz.com' 's102.cnzz.com' 's103.cnzz.com' 's105.cnzz.com' 's106.cnzz.com' 's108.cnzz.com' 's109.cnzz.com' 's110.cnzz.com' 's111.cnzz.com' 's112.cnzz.com' 's113.cnzz.com' 's115.cnzz.com' 's116.cnzz.com' 's118.cnzz.com' 's120.cnzz.com' 's130.cnzz.com' 's131.cnzz.com' 's132.cnzz.com' 's137.cnzz.com' 's142.cnzz.com' 'v1.cnzz.com' 'v3.cnzz.com' 'v4.cnzz.com' 'v5.cnzz.com' 'v7.cnzz.com' 'v9.cnzz.com' 'w.cnzz.com' 'zs11.cnzz.com' 'zs16.cnzz.com' 'qitrck.com' '3xtraffic.com' '33video.33universal.com' 'oasis.411affiliates.ca' 'acuityplatform.com' 'click-west.acuityplatform.com' 'serve-east.acuityplatform.com' 'tracker.banned-celebpics.com' 'counter.bizland.com' 'v.bsvideos.com' 'hfm.checkm8.com' 'qlipso.checkm8.com' 'sagedigital.checkm8.com' 'creative.clicksor.com' 'stat.designntrend.com' 'ppc-parked.domainsite.com' 'vcontent.e-messenger.net' 'ads.financialcontent.com' 'adserver.finditquick.com' 'partner.finditquick.com' 'www.findit-quick.com' 'txn.grabnetworks.com' 'ad.internetradioinc.com' 'click.linkstattrack.com' 'ads.lzjl.com' 'www.lzjl.com' 'ads.movieflix.com' 'ads.newgrounds.com' 'www.ngads.com' 'adimg.ngfiles.com' 'ads.onemodelplace.com' 'www.pythonpays.com' 'ads.redlightcenter.com' 'tor.redlightcenter.com' 'ad.trident.net' 'a.xanga.com' 'cache.betweendigital.com' 'dispenser-rtb.sape.ru' 'aj.600z.com' 'static.hatid.com' 'text-link-ads.ientry.com' 'aj.ientry.net' 'img1.ientry.net' 'piwik.ientry.com' 'tracking.ientry.net' 'images.indiads.com' 'servedby.indiads.com' 'ads2.playnet.com' 'as5000.wunderground.com' 'pda.mv.bidsystem.com' 'e.nspmotion.com' 'imgc.psychcentral.com' 'clickbank.net' 'hop.clickbank.net' 'zzz.clickbank.net' 'ua.adriver.ru' 'ua-content.adriver.ru' 'e2.molbuk.ua' 'ads.premiership.bg' 'media.easyads.bg' 'bms.xenium.bg' 'adfun.ru' 'ad1.adfun.ru' 'ads.juicyads.com' 'adserver.juicyads.com' 'fill.juicyads.com' 'mobile.juicyads.com' 'redir.juicyads.com' 'xapi.juicyads.com' 'www.juicyads.com' 'textad.eroticmatch.com' 'pod.manplay.com' 'textad.manplay.com' 'textad.passionsearch.com' 'banners.sexsearch.com' 'openx.sexsearchcom.com' 'textad.sexsearch.com' 'wt.sexsearch.com' 'textad.sexsearchcom.com' 'wt.sexsearchcom.com' 'textad.xpress.com' 'textad.xxxcupid.com' 'textad.xxxmatch.com' 'clickedyclick.com' 'www.clickedyclick.com' 'pod.infinitypersonals.com' 'textad.socialsex.com' 'adv.domino.it' 'count.vivistats.com' 'trk.newtention.net' 'www.ranking-links.de' 'api.zanox.com' 'ads.all-free-download.com' 'us1.siteimprove.com' 'us2.siteimprove.com' 'adv.all-free-download.com' 'www.top100lists.ca' 'siterecruit.comscore.com' 'oss-content.securestudies.com' 'beacon.scorecardresearch.com' 'sb.scorecardresearch.com' 'www2.survey-poll.com' 'www.premieropinion.com' 'a.scorecardresearch.com' 'c.scorecardresearch.com' 'post.securestudies.com' 'www.voicefive.com' 'udm.ia8.scorecardresearch.com' 'udm.ia9.scorecardresearch.com' 'beacon.securestudies.com' 'ar.voicefive.com' 'rules.securestudies.com' 'www.permissionresearch.com' 'relevantknowledge.com' 'www.relevantknowledge.com' 'web.survey-poll.com' 'www.surveysite.com' 'survey2.voicefive.com' 'data.abebooks.com' 'www25.bathandbodyworks.com' 'testdata.coremetrics.com' 'www.linkshare.com' 'rainbow-uk.mythings.com' 'www.ad4mat.ch' 'www.da-ads.com' 't.p.mybuys.com' 'w.p.mybuys.com' 'cdn.dsultra.com' 'ads.jpost.com' 'sslwidget.criteo.com' 'cas.criteo.com' 'dis.criteo.com' 'dis.eu.criteo.com' 'dis.ny.us.criteo.com' 'dis.sv.us.criteo.com' 'dis.us.criteo.com' 'ld2.criteo.com' 'rta.criteo.com' 'rtax.criteo.com' 'sapatoru.widget.criteo.com' 'static.criteo.net' 'static.eu.criteo.net' 'widget.criteo.com' 'www.criteo.com' 'cdn.adnxs.com' 'search.ipromote.com' 'api.wundercounter.com' 'www.wundercounter.com' 'www.traficmax.fr' 'www.deltahost.de' 'www.gratis-toplist.de' 'cqcounter.com' 'img.cqcounter.com' 'nl.cqcounter.com' 'no.2.cqcounter.com' 'se.cqcounter.com' 'xxx.cqcounter.com' 'zz.cqcounter.com' 'ar.2.cqcounter.com' 'au.2.cqcounter.com' 'bg.2.cqcounter.com' 'ca.2.cqcounter.com' 'de.2.cqcounter.com' 'fr.2.cqcounter.com' 'nz.2.cqcounter.com' 'si.2.cqcounter.com' 'th.2.cqcounter.com' 'tr.2.cqcounter.com' 'uk.2.cqcounter.com' 'us.2.cqcounter.com' 'us.cqcounter.com' '1au.cqcounter.com' '1bm.cqcounter.com' '1ca.cqcounter.com' '1de.cqcounter.com' '1es.cqcounter.com' '1fr.cqcounter.com' '1in.cqcounter.com' '1it.cqcounter.com' '1jo.cqcounter.com' '1nl.cqcounter.com' '1pt.cqcounter.com' '1se.cqcounter.com' '1si.cqcounter.com' '1th.cqcounter.com' '1tr.cqcounter.com' '1ua.cqcounter.com' '1uk.cqcounter.com' '1us.cqcounter.com' '1xxx.cqcounter.com' 'www2.cqcounter.com' 'www.cqcounter.com' 'counter.w3open.com' 'ns2.w3open.com' 'ad.koreadaily.com' 'gtb5.acecounter.com' 'gtb19.acecounter.com' 'gtcc1.acecounter.com' 'gtp1.acecounter.com' 'gtp16.acecounter.com' 'wgc1.acecounter.com' 'ads.fooyoh.com' 'tags.adcde.com' 'rmedia.adonnetwork.com' 'tags.bannercde.com' 'popunder.popcde.com' 'banners.camdough.com' 'ad.httpool.com' 'aurelius.httpool.com' 'trajan.httpool.com' 'nsrecord.org' 'ads.atomex.net' 'sync.atomex.net' 'trk.atomex.net' 'www.xg4ken.com' 'www.admarketplace.net' 'banners.sys-con.com' 'pixel.adblade.com' 'pixel.industrybrains.com' 'web.industrybrains.com' 'image2.pubmatic.com' 'tags.rtbidder.net' 'www.3dstats.com' 'adserv.net' 'www.adwarespy.com' 'affiliates.bhphotovideo.com' 'www.buildtraffic.com' 'www.buildtrafficx.com' 'www.eliteconcepts.com' 'www.loggerx.com' 'www.myaffiliateprogram.com' 'www.spywarespy.com' 'tracking.validclick.com' 'parking.parklogic.com' 'www.almondnetworks.com' 'www.freedownloadzone.com' 'helpmedownload.com' 'www.helpmedownload.com' 'www.mp3downloadhq.com' 'www.mp3helpdesk.com' 'ads.cdrinfo.com' 'bluehparking.com' 'extended.dmtracker.com' 'video.dmtracker.com' 'vs.dmtracker.com' 'beacon.ehow.com' 'ads.i-am-bored.com' 'beacon.cracked.com' 'external.dmtracker.com' 'parking.dmtracker.com' 'search.dmtracker.com' 'rte-img.nuseek.com' 'rotator.tradetracker.net' 'ti.tradetracker.net' 'rotator.tradetracker.nl' 'ti.tradetracker.nl' 'banneradvertising.adclickmedia.com' 'www.linkreferral.com' 'mmm.vindy.com' 'adsbox.detik.com' 'analytic.detik.com' 'imagescroll.detik.com' 'newopenx.detik.com' 'beta.newopenx.detik.com' 'o.detik.com' 'detik.serving-sys.com' 'geolocation.t-online.de' 'hit32.hotlog.ru' 'hit33.hotlog.ru' 'hit35.hotlog.ru' 'hit38.hotlog.ru' 'lycosu.com' 'oneund.ru' 'go.oneund.ru' 'hit39.hotlog.ru' 'hit41.hotlog.ru' 'js.hotlog.ru' 'ads.glispa.com' 'partners.mysavings.com' 'tracking.novem.pl' 'network.advplace.com' 'cashcownetworks.com' 'media.cashcownetworks.com' 'clickauditor.net' 'directleads.com' 'directtrack.com' 'adultadworld.directtrack.com' 'affiliace.directtrack.com' 'ampedmedia.directtrack.com' 'asseenonpc.directtrack.com' 'battleon.directtrack.com' 'bingorevenue.directtrack.com' 'cpacampaigns.directtrack.com' 'dcsmarketing.directtrack.com' 'doubleyourdating.directtrack.com' 'gozing.directtrack.com' 'images.directtrack.com' 'imagecache.directtrack.com' 'img.directtrack.com' 'ino.directtrack.com' 'latin3.directtrack.com' 'maxxaffiliate.directtrack.com' 'mysavings.directtrack.com' 'niteflirt.directtrack.com' 'nitropayouts.directtrack.com' 'offersquest.directtrack.com' 'rapidresponse.directtrack.com' 'revenuegateway.directtrack.com' 'secure.directtrack.com' 'sideshow.directtrack.com' 'trafficneeds.directtrack.com' 'varsityads.directtrack.com' 'www.directtrack.com' 'tracking.fathomseo.com' '123.fluxads.com' 'keywordmax.com' 'www.keywordmax.com' 'show.onenetworkdirect.net' 'login.tracking101.com' 'ads.dir.bg' 'banners.dir.bg' 'r.dir.bg' 'r5.dir.bg' 'images.bmnq.com' 'images.cnomy.com' 'images.skenzo.com' 'img.skenzo.com' 'pics.skenzo.com' 'ads.webhosting.info' 'seavideo-ak.espn.go.com' 'adsatt.abcnews.starwave.com' 'adsatt.disney.starwave.com' 'adsatt.espn.go.com' 'adsatt.espn.starwave.com' 'adsatt.familyfun.starwave.com' 'adsatt.go.starwave.com' 'adsatt.movies.starwave.com' 'espn-ak.starwave.com' 'odc.starwave.com' 'dcapps.disney.go.com' 'ngads.go.com' 'ad.infoseek.com' 'ad.go.com' 'adimages.go.com' 'ctologger01.analytics.go.com' 'www.cyberzine.com' 'rtb3.doubleverify.com' 'oxen.hillcountrytexas.com' 'linkjumps.com' 'counter.dreamhost.com' 'ads.dkelseymedia.com' 'www.superbanner.org' 'traffk.info' 'bilbob.com' 'didtal.com' 'hartim.com' 'www.qsstats.com' 'quinst.com' 'synad.nuffnang.com.my' 'synad2.nuffnang.com.my' 'www.livewebstats.dk' 'tags.bkrtx.com' 'banners.videosecrets.com' 'static-bp.kameleoon.com' 'cdn.engine.4dsply.com' 'i.blogads.com' 'pxl.ibpxl.com' 'native.sharethrough.com' 'cdn.tagcommander.com' 'cdn.tradelab.fr' 'adv.0tub.com' 'cdn1.adadvisor.net' 'cdn.adgear.com' 'www.ad4mat.at' 'www.ad4mat.de' 'cdn.engine.adsupply.com' 'ads.adxpansion.com' 'media.adxpansion.com' 'edge.ayboll.com' 'static.bannersbroker.com' 'ds.bluecava.com' 'lookup.bluecava.com' 'hat.bmanpn.com' 'static.clicktripz.com' 'stats.complex.com' 'cdn.complexmedianetwork.com' 'cdn.crowdtwist.com' 'cdn2.ads.datinggold.com' 'cdn.mb.datingadzone.com' 'media.go2speed.org' 'resources.infolinks.com' 'e.invodo.com' 'sec.levexis.com' 'mproxy.banner.linksynergy.com' 'media.livepromotools.com' 'cdn.orbengine.com' 'cdn.pardot.com' 'media.pussycash.com' 'include.reinvigorate.net' 'cdna.runadtag.com' 'img.ads.sanomamobileads.nl' 'cdn1.skinected.com' 'rome.specificclick.net' 'cdn1.steelhousemedia.com' 'cdn4s.steelhousemedia.com' 'www.synovite-scripts.com' 'loader.topadvert.ru' 'tcr.tynt.com' 'cts.w55c.net' 'images.webads.it' 'images.webads.nl' 'images.webads.co.uk' 'static.woopra.com' 'wprp.zemanta.com' 'g.3gl.net' 'adcdn.33universal.com' 'static.cdn.adblade.com' 'y.cdn.adblade.com' 'adunit.cdn.auditude.com' 'ndn.cdn.auditude.com' 'm.burt.io' 'cv.bsvideos.com' 'tube8.celogera.com' 'banners.crakcash.com' 'ebocornac.com' 'herezera.com' 'pixel.indieclick.com' 'staticd.cdn.industrybrains.com' 'cdn.ads.ookla.com' 'apis.sharethrough.com' 'c.supert.ag' 'cdn.engine.trklnks.com' 'ads.w55c.net' 'img1.zergnet.com' 'img2.zergnet.com' 'img3.zergnet.com' 'img4.zergnet.com' 'ads.amdmb.com' 'dynamic1.anandtech.com' 'dynamic2.anandtech.com' 'dynamic1.dailytech.com' 'now.eloqua.com' 's323.t.eloqua.com' 's1184.t.eloqua.com' 's1471.t.eloqua.com' 's1481.t.eloqua.com' 's2150.t.eloqua.com' 's3015.t.eloqua.com' 'amare.softwaregarden.com' 'www.trafficflame.com' 'hitpro.us' 'www.hitpro.us' 'iframes.us' 'www.iframes.us' 'www.targeted-banners.com' 'www.adventertainment.it' 'banners.direction-x.com' '599.stats.misstrends.com' '602.stats.misstrends.com' '604.stats.misstrends.com' '606.stats.misstrends.com' '654.stats.misstrends.com' '671.stats.misstrends.com' '680.stats.misstrends.com' '699.stats.misstrends.com' '726.stats.misstrends.com' '750.stats.misstrends.com' '803.stats.misstrends.com' '879.stats.misstrends.com' '986.stats.misstrends.com' '1559.stats.misstrends.com' '1800.stats.misstrends.com' '1867.stats.misstrends.com' '2278.stats.misstrends.com' '4184.stats.misstrends.com' 'cm.marketgid.com' 'imgg.marketgid.com' 'jsc.marketgid.com' 'videoclick.ru' 'www.humanclick.com' 'hc2.humanclick.com' 'wizard.liveperson.com' 'www.liveperson.com' 'liveperson.net' 'lptag.liveperson.net' 'sec1.liveperson.net' 'server.iad.liveperson.net' 'www.hostedbanners.com' 'landingpages.sunnytoolz.com' 'ads.guru3d.com' 'banner1.pornhost.com' 'ad3.hornymatches.com' 'banner.adserverpub.com' 'js.adserverpub.com' 'www2.adserverpub.com' 'images.brainfox.com' 'search.brainfox.com' 'www.brainfox.com' 'results.cafefind.net' 'www.exactadvertising.com' 'leadgenetwork.com' 'www.leadgenetwork.com' 'gamevance.com' 'www.gamevance.com' 'ad7.literotica.com' 'r1.literotica.com' 'creative.ak.facebook.com' 'creative.ak.fbcdn.net' 'cx.atdmt.com' 'cdn.atlassbx.com' 'pixel.facebook.com' 'ads.skupe.net' '005.free-counter.co.uk' '006.free-counter.co.uk' '008.free-counter.co.uk' '008.free-counters.co.uk' 'ad1.adfarm1.adition.com' 'ad2.adfarm1.adition.com' 'ad3.adfarm1.adition.com' 'ad4.adfarm1.adition.com' 'dsp.adfarm1.adition.com' 'rtb.metrigo.com' 'banners.virtuagirlhd.com' 'cbanners.virtuagirlhd.com' 'www.tostadomedia.com' 'www.1freecounter.com' 'jizzads.com' 'www.jizzads.com' 'dce.nextstat.com' 'hits.nextstat.com' 'hv3.webstat.com' 'hits.webstat.com' 'areasnap.com' 'uk.ads.hexus.net' 'adserver4.fluent.ltd.<EMAIL>' 'hexusads.fluent.ltd.uk' 'ads.americanidol.com' 'ads.ign.com' 'nb.myspace.com' 'adserver.snowball.com' 't.snowball.com' 'fimserve.askmen.com' 'fimserve.ign.com' 'delb.myspace.com' 'delb2.myspace.com' 'demr.myspace.com' 'fimserve.myspace.com' 'fimserve.rottentomatoes.com' 'mpp.specificclick.net' 'mpp.vindicosuite.com' 'adcontent.gamespy.com' 'ads.gamespyid.com' 'atax.askmen.com' 'wrapper.askmen.com' 'wrapper.direct2drive.com' 'wrapper.fileplanet.com' 'atax.gamermetrics.com' 'atax.gamespy.com' 'wrapper.gamespyid.com' 'wrapper.giga.de' 'atax.ign.com' 'wrapper.ign.com' 'atax.teamxbox.com' 'wrapper.teamxbox.com' 'aujourdhui.refr.adgtw.orangeads.fr' 'all.orfr.adgtw.orangeads.fr' 'ap.read.mediation.pns.ap.orangeads.fr' 'ad.cashdorado.de' 'adserver.freenet.de' 'adview.ppro.de' 'cdn.stroeerdigitalmedia.de' '5d406.v.fwmrm.net' '5d427.v.fwmrm.net' '2822.v.fwmrm.net' '2945.v.fwmrm.net' '5be16.v.fwmrm.net' '5d0dd.v.fwmrm.net' '5d4a1.v.fwmrm.net' 'bd0dc.v.fwmrm.net' 'g1.v.fwmrm.net' '1c6e2.v.fwmrm.net' '2a86.v.fwmrm.net' '2df7d.v.fwmrm.net' '2df7e.v.fwmrm.net' '5bde1.v.fwmrm.net' '165a7.v.fwmrm.net' '2915d.v.fwmrm.net' '2915dc.v.fwmrm.net' '2912a.v.fwmrm.net' '2975c.v.fwmrm.net' '29773.v.fwmrm.net' 'bea4.v.fwmrm.net' 'm.v.fwmrm.net' '2ab7f.v.fwmrm.net' '9cf9.v.fwmrm.net' 'ads.adultfriendfinder.com' 'pop6.adultfriendfinder.com' 'ads.alt.com' 'ads.amigos.com' 'ads.asiafriendfinder.com' 'ads.friendfinder.com' 'e89.friendfinder.com' 'banners.getiton.com' 'ads.jewishfriendfinder.com' 'graphics.medleyads.com' 'ads.millionairemate.com' 'ads.outpersonals.com' 'ads.passion.com' 'content.pop6.com' 'ads.seniorfriendfinder.com' 'adultfriendfinder.com' 'adserver.adultfriendfinder.com' 'banners.adultfriendfinder.com' 'cover9.adultfriendfinder.com' 'geobanner.adultfriendfinder.com' 'guest.adultfriendfinder.com' 'iframe.adultfriendfinder.com' 'option9.adultfriendfinder.com' 'tgp.adultfriendfinder.com' 'www.adultfriendfinder.com' 'adserver.alt.com' 'banners.alt.com' 'banners.amigos.com' 'adserver.asiafriendfinder.com' 'banners.asiafriendfinder.com' 'banners.bigchurch.com' 'ads.bondage.com' 'adserver.bondage.com' 'banners.bookofsex.com' 'ads.breakthru.com' 'adserver.cams.com' 'banners.cams.com' 'promo.cams.com' 'adserver.friendfinder.com' 'banners.friendfinder.com' 'geobanner.friendfinder.com' 'openads.friendfinder.com' 'banners.fuckbookhookups.com' 'banners.gayfriendfinder.com' 'banners.germanfriendfinder.com' 'getiton.com' 'geobanner.getiton.com' 'banners.hornywife.com' 'banners.icams.com' 'banners.jewishfriendfinder.com' 'medleyads.com' 'www.medleyads.com' 'adserver.millionairemate.com' 'banners.millionairemate.com' 'adserver.outpersonals.com' 'banners.outpersonals.com' 'adserver.passion.com' 'banner.passion.com' 'banners.passion.com' 'geobanner.passion.com' 'adserver.penthouse.com' 'banners.penthouse.com' 'glean.pop6.com' 'adserver.seniorfriendfinder.com' 'banners.seniorfriendfinder.com' 'geobanner.seniorfriendfinder.com' 'affiliates.streamray.com' 'banners.images.streamray.com' 'free.content.streamray.com' 'livecamgirls.streamray.com' 'banners.swapfinder.com' 'free.thesocialsexnetwork.com' 'ad.bubblestat.com' 'in.bubblestat.com' 'www2.click-fr.com' 'www3.click-fr.com' 'www4.click-fr.com' 'media.foundry42.com' 'ads.pornerbros.com' 'cs.adxpansion.com' 'cs1.adxpansion.com' 'dev.media.adxpansion.com' 'www.adxpansion.com' 'site.falconbucks.com' 'ad2.gammae.com' 'internalads.gammae.com' 'ads.givemegay.com' 'www.linkfame.com' '1274.mediatraffic.com' 'www.mediatraffic.com' 'www.surfaccuracy.com' 'ads.sxx.com' 'ads.vipcams.com' '15minadlt.hit.gemius.pl' 'hit.gemius.pl' 'activeby.hit.gemius.pl' 'ad.hit.gemius.pl' 'adactiongapl.hit.gemius.pl' 'adafi.hit.gemius.pl' 'adbg.hit.gemius.pl' 'adclick.hit.gemius.pl' 'adcz.hit.gemius.pl' 'adee.hit.gemius.pl' 'adhr.hit.gemius.pl' 'adlt.hit.gemius.pl' 'adlv.hit.gemius.pl' 'adnet.hit.gemius.pl' 'adnetgalt.hit.gemius.pl' 'adocean-by.hit.gemius.pl' 'adocean-cz.hit.gemius.pl' 'adocean-ee.hit.gemius.pl' 'adocean-hr.hit.gemius.pl' 'adocean-lt.hit.gemius.pl' 'adocean-lv.hit.gemius.pl' 'adocean-pl.hit.gemius.pl' 'adocean-ro.hit.gemius.pl' 'adocean-si.hit.gemius.pl' 'adocean-ua.hit.gemius.pl' 'adro.hit.gemius.pl' 'adrs.hit.gemius.pl' 'advice.hit.gemius.pl' 'advicead.hit.gemius.pl' 'aolt.hit.gemius.pl' 'aolv.hit.gemius.pl' 'apolloadlv.hit.gemius.pl' 'arbo.hit.gemius.pl' 'aripaadee.hit.gemius.pl' 'avt.hit.gemius.pl' 'allegro.hit.gemius.pl' 'axel.hit.gemius.pl' 'b92adrs.hit.gemius.pl' 'bestjobs.hit.gemius.pl' 'bg.hit.gemius.pl' 'blitzadbg.hit.gemius.pl' 'ghm_bulgaria.hit.gemius.pl' 'centrumcz.hit.gemius.pl' 'ua.cnt.gemius.pl' 'corm.hit.gemius.pl' 'counter.gemius.pl' 'cz.hit.gemius.pl' 'darikspaceadbg.hit.gemius.pl' 'delfiadlt.hit.gemius.pl' 'delfiadlv.hit.gemius.pl' 'delfiadee.hit.gemius.pl' 'delfilv.hit.gemius.pl' 'diginetlt.hit.gemius.pl' 'digital4adro.hit.gemius.pl' 'dirbg.hit.gemius.pl' 'edipresse.hit.gemius.pl' 'ee.hit.gemius.pl' 'eega.hit.gemius.pl' 'eniro.hit.gemius.pl' 'gaae.hit.gemius.pl' 'gaat.hit.gemius.pl' 'gaba.hit.gemius.pl' 'gabe.hit.gemius.pl' 'gabg.hit.gemius.pl' 'gaby.hit.gemius.pl' 'gacz.hit.gemius.pl' 'gadk.hit.gemius.pl' 'gaee.hit.gemius.pl' 'gadnet.hit.gemius.pl' 'gahu.hit.gemius.pl' 'gajo.hit.gemius.pl' 'gail.hit.gemius.pl' 'gakz.hit.gemius.pl' 'galb.hit.gemius.pl' 'galindia.hit.gemius.pl' 'galt.hit.gemius.pl' 'galv.hit.gemius.pl' 'gamk.hit.gemius.pl' 'gapl.hit.gemius.pl' 'gars.hit.gemius.pl' 'garo.hit.gemius.pl' 'garu.hit.gemius.pl' 'gask.hit.gemius.pl' 'gatr.hit.gemius.pl' 'gaua.hit.gemius.pl' 'gazeta.hit.gemius.pl' 'gdebg.hit.gemius.pl' 'gdeil.hit.gemius.pl' 'gdecz.hit.gemius.pl' 'gdelv.hit.gemius.pl' 'gdesk.hit.gemius.pl' 'gders.hit.gemius.pl' 'gemadhu.hit.gemius.pl' 'generalmediaadhu.hit.gemius.pl' 'gg.hit.gemius.pl' 'gde-default.hit.gemius.pl' 'ghmme.hit.gemius.pl' 'ghmbg.hit.gemius.pl' 'ghmpl.hit.gemius.pl' 'ghmrs.hit.gemius.pl' 'goldbach.hit.gemius.pl' 'gspro.hit.gemius.pl' 'gtlt.hit.gemius.pl' 'gtlv.hit.gemius.pl' 'idg.hit.gemius.pl' 'hr.hit.gemius.pl' 'hu.hit.gemius.pl' 'huadn.hit.gemius.pl' 'icorpadro.hit.gemius.pl' 'idm.hit.gemius.pl' 'interia.hit.gemius.pl' 'investoradbg.hit.gemius.pl' 'keepaneyeadmk.hit.gemius.pl' 'kon.hit.gemius.pl' 'lrytasadlt.hit.gemius.pl' 'ls.hit.gemius.pl' 'lt.hit.gemius.pl' 'lv.hit.gemius.pl' 'mbank.hit.gemius.pl' 'mediaregad.hit.gemius.pl' 'metagaua.hit.gemius.pl' 'mreg.hit.gemius.pl' 'negadbg.hit.gemius.pl' 'netsprint.hit.gemius.pl' 'neogenadro.hit.gemius.pl' 'o2.hit.gemius.pl' 'o2adpl.hit.gemius.pl' 'oglasnikadhr.hit.gemius.pl' 'ohtulehtadee.hit.gemius.pl' 'olx.hit.gemius.pl' 'onet.hit.gemius.pl' 'opt.hit.gemius.pl' 'prefix.hit.gemius.pl' 'pracuj.hit.gemius.pl' 'pro.hit.gemius.pl' 'rbcgaru.hit.gemius.pl' 'realitateadro.hit.gemius.pl' 'ringieradrs.hit.gemius.pl' 'ringieradro.hit.gemius.pl' 'ro.hit.gemius.pl' 'ro1adro.hit.gemius.pl' 'rp.hit.gemius.pl' 'scz.hit.gemius.pl' 'see.hit.gemius.pl' 'seznam.hit.gemius.pl' 'si.hit.gemius.pl' 'sk.hit.gemius.pl' 'slovakia.hit.gemius.pl' 'spir.hit.gemius.pl' 'spl.hit.gemius.pl' 'sportaladbg.hit.gemius.pl' 'st.hit.gemius.pl' 'st1.hit.gemius.pl' 'std1.hit.gemius.pl' 'str.hit.gemius.pl' 'stua.hit.gemius.pl' 'thinkdigitaladro.hit.gemius.pl' 'tr.hit.gemius.pl' 'tvn.hit.gemius.pl' 'ua.hit.gemius.pl' 'vbadbg.hit.gemius.pl' 'webgroundadbg.hit.gemius.pl' 'wp.hit.gemius.pl' 'wykop.hit.gemius.pl' 'home.hit.stat.pl' 'onet.hit.stat.pl' 's1.hit.stat.pl' 's2.hit.stat.pl' 's3.hit.stat.pl' 's4.hit.stat.pl' 'sisco.hit.stat.pl' 'www.stat.pl' 'baner.energy-torrent.com' 'contentwidgets.net' 'ads-by.madadsmedia.com' 'ads-by.yieldselect.com' 'ibmvideo.com' 'intermediaceli.com' 'adtrade.ro' 'www.adtrade.ro' 'c0.amazingcounters.com' 'c1.amazingcounters.com' 'c2.amazingcounters.com' 'c3.amazingcounters.com' 'c4.amazingcounters.com' 'c5.amazingcounters.com' 'c6.amazingcounters.com' 'c7.amazingcounters.com' 'c8.amazingcounters.com' 'c9.amazingcounters.com' 'cb.amazingcounters.com' 'www.amazingcounters.com' 'ads.betanews.com' 'everydaygays.com' 'www.everydaygays.com' 'm.usersonline.com' 'gscounters.gigya.com' 'gscounters.us1.gigya.com' 'adserver.adsbyfpc.com' 'www.adultadbroker.com' 'www.buy404s.com' 'domainplayersclub.com' 'reviews.domainplayersclub.com' 'ebtmarketing.com' 'www.ebtmarketing.com' 'www.exitforcash.com' 'www.fpcpopunder.com' 'popunder.fpctraffic.com' 'www.fpctraffic.com' 'fpctraffic2.com' 'www.fpctraffic2.com' 'www.freeezinebucks.com' 'freeticketcash.com' 'frontpagecash.com' 'www.frontpagecash.com' 'www.toppornblogs.com' 'hitexchange.net' 'gif.hitexchange.net' 'img.hitexchange.net' 'www.hitexchange.net' 'hitx.net' 'gif.hitx.net' 'www.hitx.net' 'www.clickaction.net' 'server2.discountclick.com' 'a.hspvst.com' 'van.redlightcenter.com' 'webmaster.utherverse.com' 'www.cpx24.com' 'ourbesthits.com' 'thebighits.com' 'www.edomz.com' 'secure.gaug.es' 'flagcounter.com' 'spads.yamx.com' 'dft.cl.dynad.net' 'www.statsmachine.com' 'stat001.mylivepage.com' 'stat002.mylivepage.com' 'stat003.mylivepage.com' 'stat004.mylivepage.com' 'stat005.mylivepage.com' 'stat006.mylivepage.com' 'stat007.mylivepage.com' 'stat008.mylivepage.com' 'stat009.mylivepage.com' 'stat010.mylivepage.com' 'bounceexchange.com' 'ads.admnx.com' 'www.digiaquascr.com' 'wms-tools.com' 'www.777seo.com' 'www.adseo.net' 'www.affordablewebsitetraffic.com' 'codeads.com' 'www.codeads.com' '14.ca.enwebsearch.com' 'www.ewebse.com' 'www.freehitwebcounters.com' 'www.milesdebanners.com' 'redemptionengine.com' 'www.redemptionengine.com' 'ads.nwso.net' 'images-pw.secureserver.net' 'images.secureserver.net' 'ms-mvp.org' 'www.ms-mvp.org' 'apex-ad.com' 'www.standardinternet.com' 'max.gunggo.com' 'g.p.mybuys.com' 'errorkillers.net' 'highpro1.com' 'babanetwork.adk2x.com' 'hlamedia.adk2x.com' 'p.adpdx.com' 'static-trackers.adtarget.me' 'pureadexchange.com' 'www.pureadexchange.com' 'www.tradeadexchange.com' 'trackers.adtarget.me' 'conversion-pixel.invitemedia.com' 'mottnow.adk2x.com' 's.admtpmp123.com' 's.admtpmp127.com' 'www.adnetworkperformance.com' 'ads.adplxmd.com' 'ads.adsfirefly.com' 'js.ad-score.com' 'adcmtd.mac-torrent-download.net' 'www.totaladperformance.com' 'www.liveadexchanger.com' 'jp.admob.com' 'dp.g.doubleclick.net' 'service.urchin.com' 's.admtpmp124.com' 'analytics-api-samples.googlecode.com' '1435575.fls.doubleclick.net' '4053494.fls.doubleclick.net' '4236808.fls.doubleclick.net' 'www.googletagmanager.com' 'www3.webhostingtalk.com' 'trafficedge.adk2x.com' 'lesechos.ezakus.net' 'm1.2mdn.net' 'rmcdn.2mdn.net' 'rmcdn.f.2mdn.net' 'n339.asp-cc.com' 'ads.cc-dt.com' 'clickserve.cc-dt.com' 'creative.cc-dt.com' 'clickserve.dartsearch.net' 'clickserve.eu.dartsearch.net' 'clickserve.uk.dartsearch.net' 'ad2.doubleclick.net' 'ad.ae.doubleclick.net' 'ad.ar.doubleclick.net' 'ad.at.doubleclick.net' 'ad.au.doubleclick.net' 'ad.be.doubleclick.net' 'ad.br.doubleclick.net' 'ad.ca.doubleclick.net' 'ad.ch.doubleclick.net' 'ad.cl.doubleclick.net' 'ad.cn.doubleclick.net' 'ad.de.doubleclick.net' 'ad.dk.doubleclick.net' 'ad.es.doubleclick.net' 'ad.fi.doubleclick.net' 'ad.fr.doubleclick.net' 'ad.gr.doubleclick.net' 'ad.hk.doubleclick.net' 'ad.hr.doubleclick.net' 'ad.hu.doubleclick.net' 'ad.ie.doubleclick.net' 'ad.in.doubleclick.net' 'ad.jp.doubleclick.net' 'ad.kr.doubleclick.net' 'ad.it.doubleclick.net' 'ad.nl.doubleclick.net' 'ad.no.doubleclick.net' 'ad.nz.doubleclick.net' 'ad.pl.doubleclick.net' 'ad.pt.doubleclick.net' 'ad.ro.doubleclick.net' 'ad.ru.doubleclick.net' 'ad.se.doubleclick.net' 'ad.sg.doubleclick.net' 'ad.si.doubleclick.net' 'ad.terra.doubleclick.net' 'ad.th.doubleclick.net' 'ad.tw.doubleclick.net' 'ad.uk.doubleclick.net' 'ad.us.doubleclick.net' 'ad.za.doubleclick.net' 'ad.n2434.doubleclick.net' 'ad-emea.doubleclick.net' 'creatives.doubleclick.net' 'dfp.doubleclick.net' 'feedads.g.doubleclick.net' 'fls.doubleclick.net' 'fls.uk.doubleclick.net' 'ir.doubleclick.net' 'iv.doubleclick.net' 'm.doubleclick.net' 'motifcdn.doubleclick.net' 'motifcdn2.doubleclick.net' 'n4052ad.doubleclick.net' 'n4403ad.doubleclick.net' 'n479ad.doubleclick.net' 'paypalssl.doubleclick.net' 'pubads.g.doubleclick.net' 's2.video.doubleclick.net' 'static.doubleclick.net' 'survey.g.doubleclick.net' 'doubleclick.ne.jp' 'www3.doubleclick.net' 'www.doubleclick.net' 'doubleclick.com' 'www2.doubleclick.com' 'www3.doubleclick.com' 'www.doubleclick.com' 'www.bt.emsecure.net' 'tpc.googlesyndication.com' 'ad.rs.doubleclick.net' 'affiliate.2mdn.net' 'clickserve.us2.dartsearch.net' 'ad-apac.doubleclick.net' 'adclick.g.doubleclick.net' 'gan.doubleclick.net' 'googleads2.g.doubleclick.net' 'n4061ad.hk.doubleclick.net' 'securepubads.g.doubleclick.net' 'code.adtlgc.com' 'ip-geo.appspot.com' 'nojsstats.appspot.com' 'gae.caspion.com' 'ad.co-co-co.co' 'ad-ace.doubleclick.net' 'ad.bg.doubleclick.net' 'bid.g.doubleclick.net' 'cm.g.doubleclick.net' '4360661.fls.doubleclick.net' '4488352.fls.doubleclick.net' 'stats.g.doubleclick.net' 'fls.au.doubleclick.net' 'www.doubleclickbygoogle.com' 'video-stats.video.google.com' 'ssl.google-analytics.com' 'www.google-analytics.com' '4.afs.googleadservices.com' 'pagead2.googleadservices.com' 'partner.googleadservices.com' 'www.googleadservices.com' 'domains.googlesyndication.com' 'www.googletagservices.com' 'www.linksalpha.com' 'log2.quintelligence.com' 'web.acumenpi.com' 'ads.bloodhorse.com' 'st.magnify.net' 'stats.magnify.net' 'ads.thehorse.com' 'search.etargetnet.com' 'bg.search.etargetnet.com' 'cz.search.etargetnet.com' 'hr.search.etargetnet.com' 'hu.search.etargetnet.com' 'pl.search.etargetnet.com' 'ro.search.etargetnet.com' 'rs.search.etargetnet.com' 'sk.search.etargetnet.com' 'bg.static.etargetnet.com' 'cz.static.etargetnet.com' 'hr.static.etargetnet.com' 'hu.static.etargetnet.com' 'rs.static.etargetnet.com' 'ad.sitelement.sk' 'tracking.admail.am' 'www.adylalahb.ru' 'c.am11.ru' 'ads.gadget.ro' 'cdn.iqcontentplatform.de' 'l.lp4.io' 'p.lp4.io' 'rtbproxy.mgid.com' 'splitter.ndsplitter.com' 'switch.rtbsystem.com' 's62.research.de.com' 'show.smartcontext.pl' 't.goadservices.com' 'e.maxtraffic.com' 'track.recreativ.ru' 'adsfeed3.brabys.co.za' 'traffic.brand-wall.net' 'advertising.fussball-liveticker.eu' 'adv.medicine.bg' 'delivery1.topad.mobi' 'mp.pianomedia.eu' 'click.plista.com' 'farm.plista.com' 'app3.rutarget.ru' 'us-sonar.sociomantic.com' 'adserver.spritmonitor.de' 'xblasterads1.com' 'yieldads.com' 'scambiobanner.altervista.org' 'avazudsp.net' 'piwik.hboeck.de' 'ads2.opensubtitles.org' 'test.wiredminds.de' 'wm.wiredminds.de' 'eps-analyzer.de' 'openx.itsmassive.com' 'openads.motorrad-net.at' 'static.openads.motorrad-net.at' 'stats.ser4.de' 'stats.speak2us.net' 'ads.sysmesh.com' 'sonar.sociomantic.com' 'api.7segments.com' 'a.mobile.toboads.com' 'relay.mobile.toboads.com' 'count.yandeg.ru' 'adbuka.com' 'www.adbuka.com' 'www.blogads.de' 'ads.energy-torrent.com' 'hits.europuls.eu' 'ads.moitesdelki.bg' 'ads3.moitepari.bg' 'ad.propellerads.com' 'stats.warenform.de' 'media.adcarousel.pl' 'www.adcarousel.pl' 'www.adtraff.ru' 'advombat.ru' 'am15.net' 'ads.betweendigital.com' 'baypops.com' 'cdn.contentspread.net' 'ads.finzoom.com.tr' 'js.e-generator.com' 'target.e-generator.com' 'target.net.finam.ru' 'track.idtargeting.com' 'jadcenter.com' 'mediatex.in' 's300.meetrics.net' 'wh.motorpresse-statistik.de' 'js.smi2.ru' 'target.smi2.net' 'stats.virtuemart.net' 'park.beenetworks.net' 'lb.fruitflan.com' 'adcentre.it-advanced.com' 'dc61.s290.meetrics.net' 'partnerearning.com' 'eu-sonar.sociomantic.com' 'www2.stats4free.de' 'www.stats4free.de' 'ads.videofen.com' 'wmapp.wiredminds.de' 'adlimg05.com' 'www.adlimg05.com' 'dc56.s290.meetrics.net' 'ad10.play3.de' 'scripts.conversionattribution.com' 'banner.finzoom.ro' 'cpm.adspine.com' 'advbox.biz' 'ox.affiliation-int.com' 'de1.frosmo.com' 'goodsupportn.su' 'ireklama.mk' 'www.sitecounter.be' 'afx.tagcdn.com' 'pix.tagcdn.com' 'www.trafficrank.de' 'www.weitclick.de' 'wm-goldenclick.ru' 'br.comclick.com' 'bdx.comclick.com' 'ct2.comclick.com' 'fl01.ct2.comclick.com' 'ihm01.ct2.comclick.com' 'www.comclick.com' 'js.himediads.com' 'c.adforgeinc.com' 'www.adshost3.com' 'c7.adforgeinc.com' 'adstest.reklamstore.com' 'banner.ringofon.com' 'ad.db3nf.com' 'go.jetswap.com' 'tracksy.com' 'findfavour.com' 'get.mirando.de' 'r.refinedads.com' 'limg.adspirit.de' 'taz.adspirit.de' 'urban.adspirit.de' 'admention.adspirit.de' 'adx.adspirit.de' 'lidlretargeting.adspirit.de' 'ruemedia.adspirit.net' 'sgmedia.adspirit.net' 'ja.revolvermaps.com' 'jb.revolvermaps.com' 'jc.revolvermaps.com' 'jd.revolvermaps.com' 'je.revolvermaps.com' 'jf.revolvermaps.com' 'jg.revolvermaps.com' 'jh.revolvermaps.com' 'ji.revolvermaps.com' 'jk.revolvermaps.com' 'rb.revolvermaps.com' 'rc.revolvermaps.com' 'rd.revolvermaps.com' 're.revolvermaps.com' 'rg.revolvermaps.com' 'rh.revolvermaps.com' 'ri.revolvermaps.com' 'rk.revolvermaps.com' 'folkd.put.omnimon.de' 'openx.omniton.net' 'cdn.adspirit.de' 'ad4mat.de' 'serve.oxcluster.com' 'seekbang.com' 'www.seekbang.com' 'adbucks.brandreachsys.com' 'adc.brandreachsys.com' 'fe.brandreachsys.com' 'lg1.brandreachsys.com' 'mad2.brandreachsys.com' 'media.brandreachsys.com' 'clicks.equantum.com' 'adb.fling.com' 'br.fling.com' 'track.fling.com' 'kaizentraffic.com' 'br.meetlocals.com' 'promos.naked.com' 'br.naked.com' 'apps.nastydollars.com' 'clicks.nastydollars.com' 'graphics.nastydollars.com' 'webmasters.nastydollars.com' 'www-old.nastydollars.com' 'br.realitykings.com' 'track.realitykings.com' 'br.rk.com' 'promos.fling.com' 'promos.meetlocals.com' 'gallysorig.nastydollars.com' 'grab.nastydollars.com' 'hostedads.realitykings.com' 'promos.wealthymen.com' 'banners.sublimedirectory.com' 'ads.blitz.bg' 'ads.den.bg' 'b.grabo.bg' 'ads.hobyto.com' 'ads.popfolkstars.com' 'ad.sbb.bg' 'reklama.wisdom.bg' 'www.totalfax.net' 'www.disable-uac.com' 's2.tracemyip.org' 'www.tracemyip.org' 'www.visitdetails.com' 'searchnigeria.net' 'ads.adhall.com' 'px.adhigh.net' 'tracker.databrain.com' 'www.iperbanner.com' 'ads.iwannawatch.to' 'mgjmp.com' 'abs.beweb.com' 'bps.beweb.com' 'abs.proxistore.com' 'bps.tesial-tech.be' 'www.adroz.com' 'axsrv.com' 'adserver.gunaxin.com' 'tracker.u-link.me' 'hits.convergetrack.<EMAIL>' 'ads.worddictionary.co.uk' 'clicks.searchconscious.com' 'zde-affinity.edgecaching.net' 'ads.ninemsn.com.au' 'advertising.ninemsn.com.au' 'click.hotlog.ru' 'hit.hotlog.ru' 'hit1.hotlog.ru' 'hit2.hotlog.ru' 'hit3.hotlog.ru' 'hit4.hotlog.ru' 'hit5.hotlog.ru' 'hit6.hotlog.ru' 'hit7.hotlog.ru' 'hit8.hotlog.ru' 'hit9.hotlog.ru' 'hit10.hotlog.ru' 'hit13.hotlog.ru' 'hit14.hotlog.ru' 'hit15.hotlog.ru' 'hit16.hotlog.ru' 'hit17.hotlog.ru' 'hit18.hotlog.ru' 'hit19.hotlog.ru' 'hit20.hotlog.ru' 'hit21.hotlog.ru' 'hit22.hotlog.ru' 'hit23.hotlog.ru' 'hit24.hotlog.ru' 'hit25.hotlog.ru' 'hit26.hotlog.ru' 'hit27.hotlog.ru' 'hit28.hotlog.ru' 'hit29.hotlog.ru' 'hit30.hotlog.ru' 'hit40.hotlog.ru' 'www.hotlog.ru' 'relay-ba.ads.httpool.com' 'relay-bg.ads.httpool.com' 'relay-cz.ads.httpool.com' 'relay-ks.ads.httpool.com' 'relay-mk.ads.httpool.com' 'relay-rs.ads.httpool.com' 'static.httpool.com.mk' 'adtier.toboads.com' 'relay-ba.toboads.com' 'relay-bg.toboads.com' 'relay-si.toboads.com' 'tas2.toboads.si' 'tas-ba.toboads.com' 'tas-bg.toboads.com' 'tas-cz.toboads.com' 'tas-hr.toboads.com' 'tas-ks.toboads.com' 'tas-mk.toboads.com' 'tas-rs.toboads.com' 'tas-si.toboads.com' 'stat.axelspringer.hu' 'dubai.best-top.biz' 'it.best-top.biz' 'ru.best-top.biz' 'sk.best-top.biz' 'ua.best-top.biz' 'uk.best-top.biz' 'www.best-top.hu' 'top-fr.mconet.biz' 'top-it.mconet.biz' 'top-ru.mconet.biz' 'top-sk.mconet.biz' 'top-ua.mconet.biz' 'top-us.mconet.biz' 'bw.ads.t-online.de' 'data.ads.t-online.de' 'red.ads.t-online.de' 'a.ads.t-online.de' 'admin.ads.t-online.de' 's.ads.t-online.de' 'homepage.t-online.de' 'banners.directnic.com' 'dnads.directnic.com' 'stats.directnic.com' 'www.directnicparking.com' 'images.parked.com' 'www.searchnut.com' 'www.buycheapadvertising.com' 'stats.pusher.com' 'vpnaffiliates.com' 'revenue.com' 'ads.artsopolis.com' 'www.logging.to' 'configusa.veinteractive.com' 'cdn.mercent.com' 'ad.yabuka.com' 'ox-d.beforeitsnews.com' 'ad.epochtimes.com' 'www.e-traffic.com' 'www.etraffic.com' 'ads.footballmedia.com' 'o-oe.com' 'arsconsole.global-intermedia.com' 'feeds.global-intermedia.com' 'error.pimproll.com' 'promo.pimproll.com' 'www.noadnetwork.com' 'ads.burgasinfo.com' 'ads.manager.bg' 'ads.sport1.bg' 'ads.trafficnews.bg' 'ads.football24.bg' 'bgbaner.com' 'www.bgbaner.com' 'ads.icn.bg' 'ads.laptop.bg' 'ads.mixbg.net' 'ads.petvet.bg' 'advert.technews.bg' 'ad.thesimplecomplex.bg' 'advertisement.bg' 'adverts.novatv.bg' 'ad.petel.bg' 'ads.idgworldexpo.com' 'lycos-eu.imrworldwide.com' 'ninemsn.imrworldwide.com' 'nt-es.imrworldwide.com' 'safe-es.imrworldwide.com' 'secure-asia.imrworldwide.com' 'secure-au.imrworldwide.com' 'secure-dk.imrworldwide.com' 'secure-it.imrworldwide.com' 'secure-sg.imrworldwide.com' 'secure-jp.imrworldwide.com' 'secure-nz.imrworldwide.com' 'secure-uk.imrworldwide.com' 'secure-us.imrworldwide.com' 'secure-za.imrworldwide.com' 'server-au.imrworldwide.com' 'server-br.imrworldwide.com' 'server-by.imrworldwide.com' 'server-de.imrworldwide.com' 'server-dk.imrworldwide.com' 'server-ee.imrworldwide.com' 'server-fi.imrworldwide.com' 'server-it.imrworldwide.com' 'server-jp.imrworldwide.com' 'server-lv.imrworldwide.com' 'server-lt.imrworldwide.com' 'server-no.imrworldwide.com' 'server-nz.imrworldwide.com' 'server-oslo.imrworldwide.com' 'server-pl.imrworldwide.com' 'server-se.imrworldwide.com' 'server-sg.imrworldwide.com' 'server-stockh.imrworldwide.com' 'server-uk.imrworldwide.com' 'server-us.imrworldwide.com' 'telstra.imrworldwide.com' 'adserve.doteasy.com' 'pbg2cs01.doteasy.com' 'hitcounter01.xspp.com' '9am.count.brat-online.ro' '24fun.count.brat-online.ro' 'onefm.count.brat-online.ro' 'bestjobs.count.brat-online.ro' 'capital.count.brat-online.ro' 'cotidianul.count.brat-online.ro' 'g-f5fun.count.brat-online.ro' 'g-f5news.count.brat-online.ro' 'g-protv.count.brat-online.ro' 'gsp.count.brat-online.ro' 'hotnews.count.brat-online.ro' 'profm.count.brat-online.ro' 'mtv.count.brat-online.ro' 'myvideo.count.brat-online.ro' 'qds.count.brat-online.ro' 'realitatea.count.brat-online.ro' 'sport.count.brat-online.ro' 'viva.count.brat-online.ro' 'wall-streetro.count.brat-online.ro' 'ads.didactic.ro' 'error.intuitext.ro' 'promo.intuitext.ro' 'admon1.count.brat-online.ro' 'link4link.com' 'plus.link4link.com' 'ad.sexcount.de' 'www.sexcount.de' 'count.xhit.com' 'www.erotikcounter.org' 'show.communiad.com' 'data.kataweb.it' 'oasjs.kataweb.it' 'adagiof3.repubblica.it' 'www.down1oads.com' 'm.exactag.com' 'pxc.otto.de' 'banner.adtrgt.com' 'popunder.adtrgt.com' 'transition.adtrgt.com' 'url.adtrgt.com' 'data.coremetrics.com' 'jsfp.coremetrics.com' 'test.coremetrics.com' 'twci.coremetrics.com' 'redirect.ad-feeds.net' 'roitrack.adtrgt.com' 'redirect.ad-feeds.com' '113693url.displayadfeed.com' 'redirect.xmladfeed.com' 'c1024.ic-live.com' 'c10014.ic-live.com' 'spiegel.met.vgwort.de' 'de.ioam.de' 'bm.met.vgwort.de' 'focus.met.vgwort.de' 'handelsblatt.met.vgwort.de' 'n-tv.met.vgwort.de' 'rp-online.met.vgwort.de' 'sz.met.vgwort.de' 'zeit.met.vgwort.de' 'static.dynad.net' 'www.freestats.tv' 'om.metacrawler.com' 'om.webcrawler.com' 'is2.websearch.com' 'adserv.brandaffinity.net' 'dp.specificclick.net' 'smp.specificmedia.com' 'specificmedia.com' 'www.specificmedia.com' 'clients.bluecava.com' 'ads.iwon.com' 'c4.iwon.com' 'cc.iwon.com' 'docs1.iwon.com' 'my.iwon.com' 'plus.iwon.com' 'prizemachine.games.iwon.com' 'search.iwon.com' 'searchassistant.iwon.com' 'www1.iwon.com' 'c4.mysearch.com' 'cm.myway.com' 'speedbar.myway.com' 'cm.need2find.com' 'utm.cursormania.com' 'utm.trk.cursormania.com' 'utm.excite.co.uk' 'utm.trk.excite.com' 'utm.excite.it' 'utm.myfuncards.com' 'utm.trk.myfuncards.com' 'utm.trk.myway.com' 'utm.myway.com' 'utm.popswatter.com' 'utm.trk.popswatter.com' 'utm.popularscreensavers.com' 'utm.trk.popularscreensavers.com' 'utm.smileycentral.com' 'utm2.smileycentral.com' 'utm.trk.smileycentral.com' 'utmtrk2.smileycentral.com' 'utm.webfetti.com' 'utm.trk.webfetti.com' 'utm.zwinky.com' 'utm.trk.zwinky.com' 'buddies.funbuddyicons.com' 'www.funbuddyicons.com' 'download.funwebproducts.com' 'www.funwebproducts.com' 'image.i1img.com' 'help.mysearch.com' 'msalt.mysearch.com' 'www.mysearch.com' 'bar.mytotalsearch.com' 'www.mytotalsearch.com' 'mywebsearch.com' 'bar.mywebsearch.com' 'cfg.mywebsearch.com' 'download.mywebsearch.com' 'edits.mywebsearch.com' 'search.mywebsearch.com' 'weatherbugbrowserbar.mywebsearch.com' 'www.mywebsearch.com' 'ka.bar.need2find.com' 'kc.search.need2find.com' 'kz.search.need2find.com' 'www.erodynamics.nl' 'ads.happyidiots.nl' 'ads3.ipon.lt' 'v2.ads3.ipon.lt' 'sa1.ipon.lt' 'sa2.ipon.lt' 'keytarget.adnet.lt' 'keisu02.eproof.com' 'control.adap.tv' 'ads.shopstyle.com' 'elv3-tslogging.touchcommerce.com' 'ad.batanga.net' 'tracking.batanga.com' 'horizon.mashable.com' 'cdn.viglink.com' 's.webtrends.com' '0532a9.r.axf8.net' '064bdf.r.axf8.net' '0d7292.r.axf8.net' '0f36f3.r.axf8.net' '1bb261.r.axf8.net' '247590.r.axf8.net' '276bf6.r.axf8.net' '332645.r.axf8.net' '3bb4f0.r.axf8.net' '51af72.r.axf8.net' '5b008e.r.axf8.net' '5ebec5.r.axf8.net' '72d329.r.axf8.net' '8b3439.r.axf8.net' '8cb8a3.r.axf8.net' '8d6274.r.axf8.net' '8d6274.t.axf8.net' '9dacbd.r.axf8.net' '9d060c.r.axf8.net' '994119.r.axf8.net' '1018d7.r.axf8.net' 'ab44aa.r.axf8.net' 'ac9d98.r.axf8.net' 'b3a70b.t.axf8.net' 'b5057c.r.axf8.net' 'c2c738.r.axf8.net' 'caea4e.r.axf8.net' 'caea4e.t.axf8.net' 'c6530e.r.axf8.net' 'd077aa.r.axf8.net' 'd3fd89.r.axf8.net' 'd9d0e0.r.axf8.net' 'e3f364.r.axf8.net' 'fdff44.r.axf8.net' 'fdff44.t.axf8.net' 'connexity.net' 'cti.w55c.net' 'pixel.admedia.com' 'exit.silvercash.com' 'ads.mrskin.com' 'p.chango.com' 'bannerads.mantecabulletin.com' 'adserver.sitesense.com' 'ebdr2.com' 'p.ebdr2.com' 'ebdr3.com' 'cdn.visiblemeasures.com' 'affiliate.trk4.com' 'clickboothlnk.com' 'www.clickboothlnk.com' 'ad.viewablemedia.net' 'recs.richrelevance.com' 'u-ads.adap.tv' 'log.adap.tv' 'qlog.adap.tv' 'ad.adlegend.com' 'media.adlegend.com' 'media.customeracquisitionsite.com' 'media.nyadmcncserve-05y06a.com' 'b.admedia.com' 'footerroll.admedia.com' 'g.admedia.com' 'inline.admedia.com' 'm.admedia.com' 'v.admedia.com' 'vslider.admedia.com' 'pixel.adadvisor.net' 'www.adadvisor.net' 'click.cheapstuff.com' 'delivery.first-impression.com' 'click.mrrage.com' 'click.rateit.com' 'sftrack.searchforce.net' 'click.top10sites.com' 'usadserver.com' 'www.usadserver.com' 'analytics.vast.com' 'ad.turn.com' 'r.turn.com' 'adsharenetwork.com' 'rs.gwallet.com' 'www.ojrq.net' 'feed.afy11.net' 'hpr.outbrain.com' 'log.outbrain.com' 'tracking.skyword.com' 'ads.adap.tv' 't-ads.adap.tv' 'media1.ancestry.com' 'media.gsimedia.net' 'ads.revsci.net' 'js.revsci.net' 'jsl.revsci.net' 'pix01.revsci.net' 'pix03.revsci.net' 'pix04.revsci.net' 'revsci.tvguide.com' 'ad.afy11.net' 'beacon.afy11.net' 'ads.yankscash.com' 'ads.healthline.com' 'a.rfihub.com' 'ads.p.veruta.com' 'pq-direct.revsci.net' 'containertags.belboon.de' 'adserver-live.yoc.mobi' 'go.goldbachpoland.bbelements.com' 'bbcdn.go.adevolution.bbelements.com' 'go.adevolution.bbelements.com' 'go.adlt.bbelements.com' 'bbcdn.go.evolutionmedia.bbelements.com' 'go.evolutionmedia.bbelements.com' 'bbcdn.go.idmnet.bbelements.com' 'bbcdn.go.pl.bbelements.com' 'go.gba.bbelements.com' 'bbnaut.ibillboard.com' 'as.yl.impact-ad.jp' 'cdn.brsrvr.com' 'launch.zugo.com' 'gamersad.com' 'adserver.startnow.com' 'go.startnow.com' 'minisearch.startnow.com' 'nav.startnow.com' 'search.startnow.com' 'srch.startnow.com' 'toolbar.startnow.com' 'www.startnow.com' 'i.zugo.com' 'zoek.zugo.com' 'www.zugo.com' 'rotor6.newzfind.com' 'sutra.newzfind.com' 'outwar.com' 'fabar.outwar.com' 'sigil.outwar.com' 'torax.outwar.com' 'www.outwar.com' 'php4you.biz' 'ads.rampidads.com' 'main.rampidads.com' 'www.rampidads.com' 'track.zugo.com' 'www.classifieds1000.com' 'ads.meredithads.com' 'ads.ero-advertising.com' 'adspaces.ero-advertising.com' 'api.ero-advertising.com' 'apo.ero-advertising.com' 'banners.ero-advertising.com' 'data.ero-advertising.com' 'invideo.ero-advertising.com' 'layerads.ero-advertising.com' 'redirects.ero-advertising.com' 'speedclicks.ero-advertising.com' 'thumbs.ero-advertising.com' 'adc-serv.net' 'ad.adc-serv.net' 'r.adc-serv.net' 'ad.adserver01.de' 'r.adserver01.de' 'adin.bigpoint.com' 'ad.e-sport.com' 'advert.leo.org' 'm1.webstats4u.com' 'www.webstats4u.com' 'adx.chip.de' 'douglas01.webtrekk.net' 'handelsblatt01.webtrekk.net' 'jade01.webtrekk.net' 'lastampa01.webtrekk.net' 'prosieben01.webtrekk.net' 'sapato01.webtrekk.net' 'sofa01.webtrekk.net' 'tiscaliadv01.webtrekk.net' 'track.webtrekk.de' 'trendmicroeuropa01.webtrekk.net' 'triboo01.webtrekk.net' 'vnumedia01.webtrekk.net' 'weltonline01.webtrekk.net' 'zeit01.webtrekk.net' 'www.counti.de' 'statistiq.com' 'www.topsites24.de' 'ads.webtools24.net' 'banner.webtools24.net' 'main.exoclick.com' 'syndication.exoclick.com' 'www.gbcash.com' 'syndication.jsadapi.com' 'peakclick.com' 'feed.peakclick.com' 'www.peakclick.com' 'www.stats.net' 'g.promosrv.com' 'www.singlesadnetwork.com' 'mf.sitescout.com' 'reboot.sitescout.com' 'revcontent.sitescout.com' 'vom.sitescout.com' 'wam-ads.sitescout.com' 'madbid.sitescoutadserver.com' 'monk.sitescoutadserver.com' 'www.ads180.com' 'clicksagent.com' 'www.clicksagent.com' 'easyadservice.com' 'www.exitmoney.com' 'aff.naughtyconnect.com' 'www.pillsmoney.com' 'track.oainternetservices.com' 'oxcash.com' 'clicks2.oxcash.com' 'popup.oxcash.com' 'track.oxcash.com' 'exit.oxcash2.com' 'realbannerads.com' 'www.realtextads.com' 'www.ruclicks.com' 'banners.thiswillshockyou.com' 'banners.amfibi.com' 'promo.badoink.com' 'adsgen.bangbros.com' 'adsrv.bangbros.com' 'newads.bangbros.com' 'tck.bangbros.com' 'tracking.craktraffic.com' 'www.fuckbookdating.com' 'webmasters.h2porn.com' 'ads.nudereviews.com' 'www.oainternet.com' 'iframes.prettyincash.com' 'stepnation.com' 'ads.whaleads.com' 'images.ads.whaleads.com' 'banners.advidi.com' 'www.loading-delivery1.com' 'www.loading-delivery2.com' 'banners.meccahoo.com' 'cdn.banners.scubl.com' 'banners.swingers-match.com' 'www.targetingnow.com' 'media.trafficfactory.biz' 'rpc-php.trafficfactory.biz' 'banners.askmecca.com' 'avenfeld.com' 'www2.drunkenstepfather.com' 'panzertraffic.com' 'd.plugrush.com' 'mobile.plugrush.com' 'slider.plugrush.com' 'w.plugrush.com' 'widget.supercounters.com' 'vip.adstatic.com' 'ads.crakmedia.com' 'corporate.crakmedia.com' 'www.crakmedia.com' 'ftvcash.com' '404.fuckyoucash.com' 'bloggers.fuckyoucash.com' 'internal.fuckyoucash.com' 'affiliates.lifeselector.com' 'ads.program3.com' 'lead.program3.com' 'media.lead.program3.com' 'www.program3.com' 'moo.sitescout.com' 'ads2.vasmg.com' 'checktraf.com' 'flash4promo.ru' 'dev.visualwebsiteoptimizer.com' 'actvtrack.com' 'fb.cashtraffic.com' 'image.cecash.com' 'image1.cecash.com' 'coolwebstats.com' 'www.coolwebstats.com' 'flashmediaportal.com' 'flttracksecure.com' 'ads.ibtracking.com' 'sascentral.com' 'community.adlandpro.com' 'ads.affbuzzads.com' 'www.affbuzzads.com' 'www.yourdedicatedhost.com' 'radarurl.com' 'srv.overlay-ad.com' 'ads.iawsnetwork.com' 'oreo.iawsnetwork.com' 'stats.parstools.com' 'revotrack.revotas.com' 'ads2.iweb.cortica.com' 'adserver-static1.iweb.cortica.com' 'ads.mondogames.com' 'bannerco-op.com' 'www.regdefense.com' 'bannersgomlm.com' 'www.bannersgomlm.com' 'ads.cinemaden.com' 'www.freestat.ws' 'www.hiperstat.com' 'www.specialstat.com' 'stat.superstat.info' 'www.superstat.info' 'www.blogrankers.com' 'counter.awempire.com' 'counter.jasmin.hu' 'adson.awempire.com' 'iframes.awempire.com' 'promo.awempire.com' 'static.awempire.com' 'creatives.livejasmin.com' 'live-cams-0.livejasmin.com' 'live-cams-1.livejasmin.com' 'static.creatives.livejasmin.com' 'www.2.livejasmin.com' 'ads.gofuckyourself.com' 'analytics.unister-gmbh.de' 'analytics-static.unister-gmbh.de' 'static.unister-adservices.com' 'ad.adnet.de' 'exchangecash.de' 'pr-cy.ru' 's1.rotaban.ru' 'adimg1.chosun.com' 'cad.chosun.com' 'hitlog2.chosun.com' 'counter.joins.com' 'adplus.yonhapnews.co.kr' 'allerinternett.tns-cs.net' 'amedia.tns-cs.net' 'api.tns-cs.net' 'e24dp.tns-cs.net' 'eddamedia.tns-cs.net' 'eniro.tns-cs.net' 'hmortensen.tns-cs.net' 'idg.tns-cs.net' 'med-tek.tns-cs.net' 'na.tns-cs.net' 'mno.tns-cs.net' 'mtg.tns-cs.net' 'nrk.tns-cs.net' 'polaris.tns-cs.net' 'test.tns-cs.net' 'tunmedia.tns-cs.net' 'vg.tns-cs.net' 'www.adcell.de' 'openx.4shared.com' 'www.easycounter.com' 'www.fastusersonline.com' 'adsnew.gsmarena.com' 'url.nossopark.com.br' 'pingomatic.com' 'ads.phonearena.com' 'bannerexchange.troglod.com' 'www.usersonlinecounter.com' 'botd2.wordpress.com' 'xxx-r.com' 'pagerank.scambiositi.com' 'www.statsforever.com' 'www.widebanner.com' 'feeds.wise-click.com' 'tgptraffic.biz' 'd.nster.net' 'js.nster.net' 'payn.me' 'static.hotjar.com' 'www.start4ads.net' 'ads.directcorp.de' 'adserver.directcorp.de' 'exit-ad.de' 'www.exit-ad.de' 'www.little-help.com' 'promo-m.bongacash.com' 'www.awmads.com' 'vktr073.net' 'assculo.com' 'sellpic.in' 'ads.adhood.com' 'www.ad-skills.nl' 'www.hubtraffic.com' 'hubxt.pornhub.com' 'img.clicksagent.com' 'rubanners.com' '2.rubanners.com' 'img.ruclicks.com' 'zhirok.com' 'promo.bongacash.com' '3animalsex.com' 'www.3animalsex.com' 'www.adcode.ws' 'api.adlure.net' 'a.adorika.net' 'adv.adultpartnership.com' 'counter.cam-content.com' 'piwik.cam-content.com' 'www.crackserver.com' 'ads2.ero-advertising.com' 'askjolene.ero-advertising.com' 'banners2.ero-advertising.com' 'imads.ero-advertising.com' 'js.ero-advertising.com' 'popads.ero-advertising.com' 'tracker.ero-advertising.com' 'adman.kathimerini.gr' 'penix.nl' 'www.promotion-campaigns.com' 'ads.rude.com' 'banners.rude.com' 'banners.content.rude.com' 'www.sexleech.com' 'stat-tracker.net' 'uberads.net' 'ad.velmedia.net' 'www.velmedia.net' 'smartinit.webads.nl' 'www.wmsonic.com' 'www.zoo-fuck.net' 'artwork.aim4media.com' 'www.aim4media.com' 'popupmoney.com' 'www.popupmoney.com' 'n.adonweb.ru' 'pc.adonweb.ru' 'wu.adonweb.ru' 'n.pcads.ru' 'www.ipcounter.de' 'counter.xeanon.com' 'park.affiliation-int.com' 'tcm.affiliation-int.com' 'a.1nimo.com' 'adv.protraffic.com' 'www.adhood.com' 'amateurdevils.com' 'webdata.vidz.com' 'free-lesbian-pic.in' 'www.turkeyrank.com' 'ads.ad4max.com' 'router.adlure.net' 'furious.adman.gr' 'static.adman.gr' 'ads.adone.com' 'cache.ad-serverparc.nl' 'cluster.ad-serverparc.nl' 'clickbux.ru' 'adserve.donanimhaber.com' 'ads.discreetad.com' 'pops.ero-advertising.com' 'a.heavy-r.com' 'openx.iamexpat.nl' 'inndl.com' 'itmcash.com' 'ads.itmcash.com' 's6.lebenna.com' 'linktarget.com' 'lw.lnkworld.com' 'mymediadownloadseighteen.com' 'mymediadownloadsseventeen.com' 'wwa.pacific-yield.com' 'adv.rockstar.bg' 'webmasters.videarn.com' 'ad.wingads.com' 'db0.net-filter.com' 'db2.net-filter.com' 'db3.net-filter.com' 'db4.net-filter.com' 'db5.net-filter.com' 'db6.net-filter.com' 'db7.net-filter.com' 'sitestats.com' 'db0.sitestats.com' 'db1.sitestats.com' 'db2.sitestats.com' 'db3.sitestats.com' 'db4.sitestats.com' 'db5.sitestats.com' 'db6.sitestats.com' 'db7.sitestats.com' 'www.sitestats.com' 'stats-newyork1.bloxcms.com' 'cdn1.traffichaus.com' 'sscdn.banners.advidi.com' 'promo.lifeselector.com' 'media.b.lead.program3.com' 'rcm-images.amazon.com' 'cdnads.cam4.com' 'ad.insightexpress.com' 'invite.insightexpress.com' 'www.insightexpress.com' 'ad.insightexpressai.com' 'icompass.insightexpressai.com' 'core.insightexpressai.com' 'rb.insightexpressai.com' 'insightexpresserdd.com' 'srv2trking.com' 'extreme-dm.com' 'e0.extreme-dm.com' 'e1.extreme-dm.com' 'e2.extreme-dm.com' 'nht-2.extreme-dm.com' 'nht-3.extreme-dm.com' 'reports.extreme-dm.com' 't.extreme-dm.com' 't0.extreme-dm.com' 't1.extreme-dm.com' 'u.extreme-dm.com' 'u0.extreme-dm.com' 'u1.extreme-dm.com' 'v.extreme-dm.com' 'v0.extreme-dm.com' 'v1.extreme-dm.com' 'w.extreme-dm.com' 'w0.extreme-dm.com' 'w1.extreme-dm.com' 'x3.extreme-dm.com' 'y.extreme-dm.com' 'y0.extreme-dm.com' 'y1.extreme-dm.com' 'z.extreme-dm.com' 'z0.extreme-dm.com' 'z1.extreme-dm.com' 'extremetracking.com' 'adsfac.us' 'level3.applifier.com' 'a.dlqm.net' 'ads-v-darwin.hulu.com' 'nbc.interpolls.com' 'pollserver.interpolls.com' 'ps2.interpolls.com' 'ps.interpolls.com' 'sw.interpolls.com' 'wb.interpolls.com' 'cdn.program3.com' 'm.sancdn.net' 'udm.ri1.scorecardresearch.com' 'udm.ri2.scorecardresearch.com' 'udm.ri3.scorecardresearch.com' 'udm.ri4.scorecardresearch.com' 'udm.ri5.scorecardresearch.com' 'udm.ri6.scorecardresearch.com' 'udm.ri7.scorecardresearch.com' 'udm.ri8.scorecardresearch.com' 'udm.ri9.scorecardresearch.com' 'cv.apprupt.com' 'www.clickmanage.com' 'www.abcjmp.com' '3151.77152.blueseek.com' '4802.170.blueseek.com' '5740.4785.blueseek.com' '5882.1158.blueseek.com' '5990.findit.blueseek.com' '7457.accessaw.blueseek.com' '7457.pownit.blueseek.com' '7979.nosubid.blueseek.com' 'itc.2081.blueseek.com' 'itcg3.c5369.blueseek.com' '2183.jsjmlejl.clickshield.net' 'redirect.clickshield.net' 'www.find-fast-answers.com' 'www.icityfind.com' 'primosearch.com' '4133.88.primosearch.com' '4654.2465.primosearch.com' '5490.spedads.primosearch.com' '5486.winxp.primosearch.com' '6266.570204.primosearch.com' 'www.primosearch.com' 'whatseek.com' 'ads.empoweringmedia.net' 'ad.71i.de' 'cdn.adstatic.com' 'www.advconversion.com' 'exityield.advertise.com' 'network.advertise.com' 'www.advertise.com' 'd.aggregateknowledge.com' 'd.agkn.com' 'cdn.alleliteads.com' 'adbcache.brandreachsys.com' 'cdn1.ads.brazzers.com' 'i.cdnpark.com' 'connect5364.com' 'coreclickhoo.com' 'ads.cracked.com' 'track.cracked.com' 'ping.crowdscience.com' 'click.dealshark.com' 'ads.deviantart.com' 'adsvr.deviantart.com' 'ads.exoclick.com' 'msnads-wm9.fplive.net' 'cdntest.gand.de' 'ips-invite.iperceptions.com' 'ads.mediaforge.com' 'img.metaffiliation.com' 'a.global.msads.net' 'global.msads.net' 'ads.msn.com' 'ads1.msn.com' 'ads2.msn.com' 'a.ads1.msn.com' 'b.ads1.msn.com' 'a.ads2.msn.com' 'cdn.promo.pimproll.com' 'cdn.g.promosrv.com' 'rd-direct.com' 'cdn.redlightcenter.com' 'http100.content.ru4.com' 'http300.content.ru4.com' 'http.content.ru4.com' 'bcbb.rubiconproject.com' 'banners.securedataimages.com' 'e.sexad.net' 'pod.sexsearch.com' 'pixel.solvemedia.com' 'fms2.pointroll.speedera.net' 'ad-cdn.technoratimedia.com' 'demoq.use-trade.com' 'ads2.vortexmediagroup.com' 'richmedia.yimg.com' 'stats.lightningcast.net' 'stats2.lightningcast.net' 'blueadvertise.com' 'adserver2.blueadvertise.com' 'cbpublishing.blueadvertise.com' 'cdxninteractive.blueadvertise.com' 'creditburner.blueadvertise.com' 'my.blueadvertise.com' 'ads.opensubtitles.org' 'll.atdmt.com' 's.atemda.com' 'static.ifa.camads.net' 'qlipsodigital.checkm8.com' 'static.contentabc.com' 'static.cpalead.com' 'cache.daredorm.com' 'cachewww.europacasino.com' 'cdn.intermarkets.net' 'cdn.inskinmedia.com' 'intermrkts.vo.llnwd.net' 'wbads.vo.llnwd.net' 'scripts.mofos.com' 'cdn.opencandy.com' 'cache.realitykings.com' 'media.sexinyourcity.com' 'cdn.taboolasyndication.com' 'cdn1.telemetryverification.net' 'ff1.telemetryverification.net' 'cdn.banner.thumbplay.com' 'media.trafficjunky.net' 'creativeby2.unicast.com' 'pl.yumenetworks.com' 'pl1.yumenetworks.com' 'cdn.cpmstar.com' 'static.ads.crakmedia.com' 'static.fleshlight.com' 'content.ipro.com' 'cdn-01.yumenetworks.com' 'tealium.hs.llnwd.net' 'im.afy11.net' 'cdn.content.exoticads.com' 'munchkin.marketo.net' 'ox.fashion.bg' 'e.freewebhostingarea.com' 'spns.seriousads.net' 'ads.adgarden.net' 'ad-rotator.com' 'serv.adspeed.com' 'www.adspeed.com' 'clickthru.net' 'nbrtrack.com' 'filter.eclickz.com' 'ads.localyokelmedia.com' 'tracki112.com' 'attribution.webmarketing123.com' 'www.adimpact.com' 'blogadswap.com' 'clixtk.com' 'www.iwstats.com' 'maxtracker.net' 'bgmenu.postaffiliatepro.com' 'www.tarakc1.net' 'www.adworkmedia.com' 'www.bannerflux.com' 'www.onlineuserscounter.com' 'quik2link.com' 'uptodatecontent.net' 'ctrck.com' 'search.eclickz.com' 'www.freeusersonline.com' 'www.linkcounter.com' 'www.adcash.com' 'adspserving.com' 'www.adversal.com' 'adv.blogupp.com' 'www.chrumedia.com' 'www.hit-counts.com' 'www.validview.com' 'ads.peoplespharmacy.com' 'www.yieldtraffic.com' 'ads.3e-news.net' 'b.detetoigrae.com' 'a.kik.bg' 'openx.stand.bg' 'ads.start.bg' 'www.banners.bgcatalog.net' 'track.make-a-site.net' 'ads.assistance.bg' 'delivery.ads.assistance.bg' 'ads.pik.bg' 'o.ibg.bg' 'r01.ibg.bg' 'reklama.bgads.net' 'banners.citybuild.bg' 'www.cpmfun.com' 'ex-traffic.com' 'forexadv.eu' 'stat.ganbox.com' 'ads.ka6tata.com' 'ads.lifesport.bg' 'adds.misiamoiatdom.com' 'ad.moreto.net' 'banner.sedem.bg' 'openx.vizzia.bg' 'ads.webcafe.bg' 'analytic.gatewayinterface.com' 'analyticcdn.globalmailer.com' 'mediaview.globalmailer.com' 'rt.globalmailer.com' 'pcash.globalmailer5.com' 'pcash.imlive.com' 'ads.sexier.com' 'ads.streamlivesex.com' 'pcash.wildmatch.com' 'ad.crwdcntrl.net' 'ag.tags.crwdcntrl.net' 'bb.crwdcntrl.net' 'bcp.crwdcntrl.net' 'bebo.crwdcntrl.net' 'blogtalkradio.crwdcntrl.net' 'cdn.crwdcntrl.net' 'celebslam.tags.crwdcntrl.net' 'cnnmoney.tags.crwdcntrl.net' 'coop.crwdcntrl.net' 'deviantart.crwdcntrl.net' 'fotolog.crwdcntrl.net' 'huffingtonpost.crwdcntrl.net' 'justjared.crwdcntrl.net' 'livejournal.tags.crwdcntrl.net' 'multiply.crwdcntrl.net' 'nbcu.tags.crwdcntrl.net' 'perfspot.crwdcntrl.net' 'sociallitelife.tags.crwdcntrl.net' 'sportsillustrated.tags.crwdcntrl.net' 'superficial.crwdcntrl.net' 'tags.crwdcntrl.net' 'videogum.tags.crwdcntrl.net' 'vidilife.crwdcntrl.net' 'wwtdd.tags.crwdcntrl.net' 'yardbarker.tags.crwdcntrl.net' 'ads2.jubii.dk' 'fe.lea.jubii.dk' 'fe.lea.lycos.de' 'fe.lea.spray.se' 'top-fwz1.mail.ru' 'list.ru' 'top.list.ru' 'top1.list.ru' 'top3.list.ru' 'top6.list.ru' 'host4.list.ru' 'drivelinemedia.com' 'images.drivelinemedia.com' 'www.drivelinemedia.com' 'images.enhance.com' 'www.enhance.com' 'gflinks.industrybrains.com' 'ilinks.industrybrains.com' 'imglinks.industrybrains.com' 'jlinks.industrybrains.com' 'links.industrybrains.com' 'shlinks.industrybrains.com' 'c.openclick.com' 'mdnhinc.com' 'www.siteboxparking.com' 'www.ultsearch.com' 'c.enhance.com' 'goclick.com' 'c.mdnhinc.com' 'cb.mdnhinc.com' 'title.mximg.com' 'cb.openclick.com' 'images.ultsearch.com' 'imagesb.ultsearch.com' 'adtrack.voicestar.com' 'banners.yllix.com' 'click2.yllix.com' 'promo.love-money.de' 'www.adwurkz.com' 'data.emimino.cz' 'expressdelivery.biz' 'secure.expressdelivery.biz' 'www.expressdelivery.biz' 'www.fleshlightreviews.net' 'www.hypercounter.com' 'engine.turboroller.ru' 'aa.newsblock.dt00.net' 'foreign.dt00.net' 'mytraf.info' 'www.mytraf.info' 'mytraf.ru' 'www.mytraf.ru' 'banners.adfox.ru' 'rq.adfox.ru' 'sup.adfox.ru' 'sedu.adhands.ru' 'img.dt00.net' 'mg.dt00.net' 'nbimg.dt00.net' 'counter.hitmir.ru' 'marketgid.com' 'aa-gb.marketgid.com' 'ab-nb.marketgid.com' 'ac-nb.marketgid.com' 'af-gb.marketgid.com' 'ai-gb.marketgid.com' 'ak-gb.marketgid.com' 'al-gb.marketgid.com' 'autocounter.marketgid.com' 'c.marketgid.com' 'counter.marketgid.com' 'c209.actionteaser.ru' 'i209.actionteaser.ru' 'v.actionteaser.ru' 'stat.adlabs.ru' 'cs01.trafmag.com' 'cs77.trafmag.com' 'cs00.trafmag.com' 'cs01.trafmag.com' 'cs02.trafmag.com' 'cs03.trafmag.com' 'cs04.trafmag.com' 'cs05.trafmag.com' 'cs06.trafmag.com' 'cs07.trafmag.com' 'cs08.trafmag.com' 'cs09.trafmag.com' 'cs10.trafmag.com' 'cs11.trafmag.com' 'cs12.trafmag.com' 'cs13.trafmag.com' 'cs14.trafmag.com' 'cs15.trafmag.com' 'cs16.trafmag.com' 'cs17.trafmag.com' 'cs18.trafmag.com' 'cs19.trafmag.com' 'cs20.trafmag.com' 'cs21.trafmag.com' 'cs22.trafmag.com' 'cs23.trafmag.com' 'cs24.trafmag.com' 'cs25.trafmag.com' 'cs26.trafmag.com' 'cs27.trafmag.com' 'cs28.trafmag.com' 'cs29.trafmag.com' 'cs30.trafmag.com' 'cs31.trafmag.com' 'cs32.trafmag.com' 'cs33.trafmag.com' 'cs34.trafmag.com' 'cs35.trafmag.com' 'cs36.trafmag.com' 'cs37.trafmag.com' 'cs38.trafmag.com' 'cs39.trafmag.com' 'cs40.trafmag.com' 'cs41.trafmag.com' 'cs42.trafmag.com' 'cs43.trafmag.com' 'cs44.trafmag.com' 'cs45.trafmag.com' 'cs46.trafmag.com' 'cs47.trafmag.com' 'cs48.trafmag.com' 'cs49.trafmag.com' 'cs50.trafmag.com' 'cs51.trafmag.com' 'cs52.trafmag.com' 'cs53.trafmag.com' 'cs54.trafmag.com' 'cs55.trafmag.com' 'cs56.trafmag.com' 'cs57.trafmag.com' 'cs58.trafmag.com' 'cs59.trafmag.com' 'cs60.trafmag.com' 'cs61.trafmag.com' 'cs62.trafmag.com' 'cs63.trafmag.com' 'cs64.trafmag.com' 'cs65.trafmag.com' 'cs66.trafmag.com' 'cs67.trafmag.com' 'cs68.trafmag.com' 'cs69.trafmag.com' 'cs70.trafmag.com' 'cs71.trafmag.com' 'cs72.trafmag.com' 'cs73.trafmag.com' 'cs74.trafmag.com' 'cs75.trafmag.com' 'cs76.trafmag.com' 'cs77.trafmag.com' 'cs78.trafmag.com' 'cs79.trafmag.com' 'cs80.trafmag.com' 'cs81.trafmag.com' 'cs82.trafmag.com' 'cs83.trafmag.com' 'cs84.trafmag.com' 'cs85.trafmag.com' 'cs86.trafmag.com' 'cs87.trafmag.com' 'cs88.trafmag.com' 'cs89.trafmag.com' 'cs90.trafmag.com' 'cs91.trafmag.com' 'cs92.trafmag.com' 'cs93.trafmag.com' 'cs94.trafmag.com' 'cs95.trafmag.com' 'cs96.trafmag.com' 'cs97.trafmag.com' 'cs98.trafmag.com' 'cs99.trafmag.com' 'parking.reg.ru' 'com.adv.vz.ru' '234x120.adv.vz.ru' 'p2p.adv.vz.ru' 'txt.adv.vz.ru' 'tizer.adv.vz.ru' 'counter.aport.ru' 'gs.spylog.ru' 'spylog.com' 'hits.spylog.com' 'www.spylog.com' 'spylog.ru' 'tools.spylog.ru' 'www.spylog.ru' 'promotion.partnercash.de' 'advert.rare.ru' 'www.cpaempire.com' 'ekmas.com' 'js.cybermonitor.com' 'estat.com' 'perso.estat.com' 'prof.estat.com' 'prof.beta.estat.com' 's.estat.com' 'sky.estat.com' 'w.estat.com' 'www.estat.com' 'tracking.opencandy.com' 'www.adpeepshosted.com' 'ping.hellobar.com' 'adklip.com' 'topads.rrstar.com' 'get.lingospot.com' 'd.castplatform.com' 'iact.atdmt.com' 'c.atdmt.com' 'flex.atdmt.com' 'flex.msn.com' 'otf.msn.com' 'trafficgateway.research-int.se' 'my.trackjs.com' 'image.atdmt.com' 'img.atdmt.com' 'www.atdmt.com' 'analytics.newsvine.com' 'tracking.bannerflow.com' 'analytics-eu.clickdimensions.com' 'universal.iperceptions.com' 'api.atdmt.com' 'bidclix.net' 'www.bidclix.net' 'collector.deepmetrix.com' 'www.deepmetrix.com' 'adsyndication.msn.com' 'c.no.msn.com' 'log.newsvine.com' 'c.ninemsn.com.au' 'e3.adpushup.com' 'mt.adquality.ch' 'api.iperceptions.com' 'data.queryly.com' 'adserver2.shoutz.com' 'aidps.atdmt.com' 'analytics.atdmt.com' 'c1.atdmt.com' 'ec.atdmt.com' 'h.atdmt.com' 'bat.bing.com' 'c.bing.com' 'analytics.breakingnews.com' 'analytics.clickdimensions.com' 'databroker-us.coremotives.com' 'analytics.live.com' 'digg.analytics.live.com' 'madserver.net' 'analytics.microsoft.com' 'ads1.msads.net' 'a.ads1.msads.net' 'a.ads2.msads.net' 'b.ads2.msads.net' 'analytics.msn.com' 'ads.eu.msn.com' 'images.adsyndication.msn.com' 'analytics.msnbc.msn.com' 'arc2.msn.com' 'arc3.msn.com' 'arc9.msn.com' 'blu.mobileads.msn.com' 'col.mobileads.msn.com' 'popup.msn.com' 'analytics.r.msn.com' '0.r.msn.com' 'a.rad.msn.com' 'b.rad.msn.com' 'rmads.msn.com' 'rmads.eu.msn.com' 'rpt.rad.msn.com' 'udc.msn.com' 'analytics.msnbc.com' 'msn.serving-sys.com' 'click.atdmt.com' 'jact.atdmt.com' 'sact.atdmt.com' 'beacon.clickequations.net' 'js.clickequations.net' 'cachebanner.europacasino.com' 'servedby.o2.co.uk' 'tags.tagcade.com' 'cachebanner.titanpoker.com' 'creativeby1.unicast.com' 'ping1.unicast.com' 'cachebanner.vegasred.com' 'i.w55c.net' 'v10.xmlsearch.miva.com' 'partners.10bet.com' 'affiliates.bet-at-home.com' 'partners.betfredaffiliates.com' 'sportingbeteur.adsrv.eacdn.com' 'partners.fanduel.com' 'banner.goldenpalace.com' 'affiliates.neteller.com' 'affiliates.pinnaclesports.com' 'partner.sbaffiliates.com' 'banners.victor.com' 'ecess1.cdn.continent8.com' 'one.cam4ads.com' 'ads.yvmads.com' 'adserver.gallerytrafficservice.com' 'www.gallerytrafficservice.com' 'beta.galleries.paperstreetcash.com' 'pepipo.com' 'www.pepipo.com' 'a.adnium.com' 'popit.mediumpimpin.com' 'promo.sensationalcash.com' 'ads.gtsads.com' 'static.cdn.gtsads.com' 'engine.gtsads.com' 'geoip.gtsads.com' 'nimages.gtsads.com' 'images.gtsads.com' 'creative.nscash.com' 'www.spunkycash.com' 'as.ad-411.com' 'chokertraffic.com' 'new.chokertraffic.com' 'www.chokertraffic.com' 'flashadtools.com' 'www.flashadtools.com' 'geo.gexo.com' 'ads.hornypharaoh.com' 'tools.pacinocash.com' 'analytics.pimproll.com' 'dev.trafficforce.com' 'ads.voyit.com' 'board.classifieds1000.com' 'edmedsnow.com' 'pk.adlandpro.com' 'te.adlandpro.com' 'trafficex.adlandpro.com' 'www.adlandpro.com' '247nortonsupportpc.com' 'advancedsoftwaresupport.com' 'www.errornuker.com' 'www.evidencenuker.com' 'spamnuker.com' 'www.spamnuker.com' 'www.spywarenuker.com' 'openx.vivthomas.com' 'adserver.adklik.com.tr' 's.adklik.com.tr' 'ads2.mynet.com' 'betaffs.com' 'getmailcounter.com' '1empiredirect.com' 'hstraffa.com' 'redirects.coldhardcash.com' 'gen2server.com' 'peelads.hustler.com' 'redroomnetwork.com' 'www.redroomnetwork.com' 'ads.trafficpimps.com' 'www.traffic-trades.com' 'bob.crazyshit.com' 'www.ninjadollars.com' 'www.99stats.com' 'static.99widgets.com' 'advertising.justusboys.net' 'lo2.me' 'ocxxx.com' 'ads.oxymoronent.com' 'advertising.rockettube.net' 'stats.xxxrewards.com' 'rewards.macandbumble.com' 'secure6.platinumbucks.com' 'ayboll.sgsrv.com' 'sureads.com' 'www.adregistry.com' 'applicationstat.com' 'scrollingads.hustlermegapass.com' 'www.mediareps.com' 'tools.naughtyamerica.com' 'www.secretbehindporn.com' 'link.siccash.com' 'vmn.net' 'sony.tcliveus.com' 'tc.zionsbank.com' 'commons.pajamasmedia.com' 'realtimeads.com' 'ads.eqads.com' 'e-ads.eqads.com' 'broadspring.com' 'www.broadspring.com' 'api.content.ad' 'partners.content.ad' 'xml.intelligenttrafficsystem.com' 'adserver.matchcraft.com' 'engine.4dsply.com' 'engine.adsupply.com' 'tracking.1betternetwork.com' 'cpatrack.leadn.com' 'tracking.opienetwork.com' 'www.adminder.com' 'analytics.atomiconline.com' 'widget.crowdignite.com' 'geo.gorillanation.com' 'cms.springboard.gorillanation.com' 'analytics.springboardvideo.com' 'analytics.stg.springboardvideo.com' 'stats.thoughtcatalog.com' 'img.linkstorm.net' 'tracking.onespot.com' 'seeclickfix.com' 'www.seeclickfix.com' 'stats.triggit.com' 'ads.softure.com' 'adserver.softure.com' 'log.trafic.ro' 'www.trafic.ro' 'ads.dijitalvarliklar.com' 'banner-img.haber7.com' 'a.kickass.to' 'www.coolfreehost.com' 'e2yth.tv' 'schoorsteen.geenstijl.nl' 'as.adwise.bg' 'i.adwise.bg' 'www.adwise.bg' 'ads.jenite.bg' 'banners.alo.bg' 'adserver.economic.bg' 'adv.starozagorci.com' 'openx.vsekiden.com' 'ads.3bay.bg' 'ads.biznews.bg' 'adv.alo.bg' 'adsys.insert.bg' 'ads.kulinar.bg' 'reklama.topnovini.bg' 'adv.webvariant.com' 'adv.consadbg.com' 'www.revisitors.com' 'affiliates.thrixxx.com' 'content.thrixxx.com' 'cz2.clickzs.com' 'cz3.clickzs.com' 'cz4.clickzs.com' 'cz5.clickzs.com' 'cz6.clickzs.com' 'cz7.clickzs.com' 'cz8.clickzs.com' 'cz9.clickzs.com' 'cz11.clickzs.com' 'js3.clickzs.com' 'js4.clickzs.com' 'js5.clickzs.com' 'js6.clickzs.com' 'js7.clickzs.com' 'js8.clickzs.com' 'js9.clickzs.com' 'js11.clickzs.com' 'jsp.clickzs.com' 'jsp2.clickzs.com' 'vip.clickzs.com' 'vip2.clickzs.com' 'www.clickzs.com' 'www.hit-now.com' 'www.netdirect.nl' 'startpunt.nu.site-id.nl' 'www.site-id.nl' 'nedstat.nl' 'www.nedstat.nl' 'm1.nedstatpro.net' 'www.nedstat.co.uk' 'fr.sitestat.com' 'uk.sitestat.com' 'www.sitestat.com' 'www.nedstat.com' 'nedstat.net' 'be.nedstat.net' 'es.nedstat.net' 'uk.nedstat.net' 'usa.nedstat.net' 'nl.nedstatpro.net' 'uk.nedstatpro.net' 'sitestat.com' 'be.sitestat.com' 'de.sitestat.com' 'es.sitestat.com' 'fi.sitestat.com' 'int.sitestat.com' 'se.sitestat.com' 'us.sitestat.com' 'geoaddicted.net' 'promotools.islive.nl' 'promotools.vpscash.nl' 'www.xxx-hitz.org' 'sms-ads.com' 'affiliate.bfashion.com' 'ads2.nextmedia.bg' 'ads.bg-mamma.com' 'adx.darikweb.com' 'stats.darikweb.com' 'adedy.com' 'adserver.hardsextube.com' 'realmedia.nana.co.il' 'xwbe.wcdn.co.il' 'dm.mlstat.com' 'www.mlstat.com' 'www.shareaza.com' 'download.shareazaweb.com' 'ads.downloadaccelerator.com' 'ad1.speedbit.com' 'ad2.speedbit.com' 'ad3.speedbit.com' 'ad4.speedbit.com' 'ad5.speedbit.com' 'ad6.speedbit.com' 'ad7.speedbit.com' 'ad8.speedbit.com' 'ad9.speedbit.com' 'ad10.speedbit.com' 'ads1.speedbit.com' 'ads2.speedbit.com' 'ads3.speedbit.com' 'ads4.speedbit.com' 'ads5.speedbit.com' 'ads6.speedbit.com' 'ads7.speedbit.com' 'ads8.speedbit.com' 'ads9.speedbit.com' 'ads10.speedbit.com' 'mirrorsearch.speedbit.com' 'ads.cursorinfo.co.il' 'protizer.ru' 'rm.tapuz.co.il' 'x4u.ru' 'geo.yad2.co.il' 'pics.yad2.co.il' 'walla.yad2.co.il' 'yad1.yad2.co.il' 'www.adoptim.com' 'ariboo.com' 'www.ariboo.com' 'ads.globescale.com' 'cursor.kvada.globescale.com' 'cetrk.com' 'crazyegg.com' 'ads.kyalon.net' 'www.antarasystems.com' 'ads.netsol.com' 'stats.netsolads.com' 'ads.networksolutions.com' 'code.superstats.com' 'counter.superstats.com' 'stats.superstats.com' 'hjlas.com' 'kvors.com' 'nbjmp.com' 'rotator.nbjmp.com' 'codead.impresionesweb.com' 'codenew.impresionesweb.com' 'gad.impresionesweb.com' 'alt.impresionesweb.com' 'code.impresionesweb.com' 'gb.impresionesweb.com' 'paneles.impresionesweb.com' 'www.impresionesweb.com' 'alternativos.iw-advertising.com' 'ads.abqjournal.com' 'ads.accessnorthga.com' 'adireland.com' 'www3.adireland.com' 'www.adireland.com' 'ads.admaxasia.com' 'ads.albawaba.com' 'ads.angop.ao' 'ads.mm.ap.org' 'adnet.asahi.com' 'ads.bangkokpost.co.th' 'stats.bbc.co.uk' 'visualscience.external.bbc.co.uk' 'ads.bcnewsgroup.com' 'ads.bninews.com' 'rmedia.boston.com' 'ads.businessweek.com' 'ads.butlereagle.com' 'ads5.canoe.ca' 'oasad.cantv.net' 'ads1.capitalinteractive.co.uk' 'ads.casinocity.com' 'as1.casinocity.com' 'dart.chron.com' 'adtrack.cimedia.net' 'realaudio.cimedia.net' 'fr.classic.clickintext.net' 'fr.64.clickintext.net' 'ads.clubplanet.com' 'ads3.condenast.co.uk' 'clips.coolerads.com' 'ads.cnpapers.com' 'openx.cnpapers.com' 'ads.dixcom.com' 'www.dnps.com' 'www.dolanadserver.com' 'ads.eastbayexpress.com' 'adv.ecape.com' 'advertising.embarcaderopublishing.com' 'iklan.emedia.com.my' 'ads.emol.com' 'ads.empowher.com' 'unit2.euro2day.gr' 'adverts.f-1.com' 'campaigns.f2.com.au' 'ads.fairfax.com.au' 'images.ads.fairfax.com.au' 'tracking.fccinteractive.com' 'redirect.fairfax.com.au' 'ad1.firehousezone.com' 'ad2.firehousezone.com' 'klipmart.forbes.com' 'onset.freedom.com' 'ads.ft.com' 'track.ft.com' 'ads.globalsportsmedia.com' 'www.gcmadvertising.com' 'ads.grupozeta.es' 'adimage.guardian.co.uk' 'ads.guardian.co.uk' 'ad.hankooki.com' 'log.hankooki.com' 'web2.harris-pub.com' 'ad.hbinc.com' 'ads.hellomagazine.com' 'id.hellomagazine.com' 'webtrend25.hemscott.com' 'adserver.heraldextra.com' 'tag-stats.huffingtonpost.com' 'advertising.illinimedia.com' 'www.indiads.com' 'ads.indiatimes.com' 'adscontent2.indiatimes.com' 'adstil.indiatimes.com' 'netspiderads.indiatimes.com' 'netspiderads2.indiatimes.com' 'netspiderads3.indiatimes.com' 'adsrv.iol.co.za' 'html.knbc.com' 'ads.lavoix.com' 'ad1.logger.co.kr' 'trk14.logger.co.kr' 'oas.mainetoday.com' 'utils.media-general.com' 'ads.mgnetwork.com' 'tracking.military.com' 'ad.mirror.co.uk' 'ads1.moneycontrol.com' 'partners.cfl.mybrighthouse.com' 'mouads.com' 'ads.movieweb.com' 'adserv.mywebtimes.com' 'html.nbc10.com' 'adserver.news.com.au' 'promos.newsok.com' 'collector.newsx.cc' 'ads.northjersey.com' 'adserver.nydailynews.com' 'ads.nytimes.com' 'up.nytimes.com' 'rm.ocregister.com' 'ads.online.ie' 'ads.pagina12.com.ar' 'adserver.passagemaker.com' 'adserv.postbulletin.com' 'webtrends.randallpub.com' 'bst.reedbusiness.com' 'oas.roanoke.com' 'adman.rep-am.com' 'ads.rttnews.com' 'ads.ruralpress.com' 'maxads.ruralpress.com' 'ads.sabah.com.tr' 'ads.sddt.com' 'ads.signonsandiego.com' 'ads.space.com' 'ads.sportingnews.com' 'ads.stephensmedia.com' 'adzone.stltoday.com' 'applets.sulekha.com' 'suads.sulekha.com' 'te.suntimes.com' 'ads.swiftnews.com' 'dcs.swiftnews.com' 'm.teamsugar.com' 'ads.telegraph.co.uk' 'ads.thecrimson.com' 'test.theeagle.com' 'ad.thehill.com' 'ads.thehour.com' 'ads.thestar.com' 'te.thestar.com' 'mercury.tiser.com.au' 'ads.townhall.com' 'adsys.townnews.com' 'stats.townnews.com' 'ads.trackentertainment.com' 'ads.victoriaadvocate.com' 'ads2.victoriaadvocate.com' 'adserver.virgin.net' 'admanage.wescompapers.com' 'ads.wfmz.com' 'html.wnbc.com' 'ads.wnd.com' 'ads.advance.net' 'ads.al.com' 'ads.cleveland.com' 'geoip.cleveland.com' 'ads.gulflive.com' 'geoip.gulflive.com' 'ads.lehighvalleylive.com' 'geoip.lehighvalleylive.com' 'ads.masslive.com' 'geoip.masslive.com' 'ads.mlive.com' 'geoip.mlive.com' 'science.mlive.com' 'ads.nj.com' 'geoip.nj.com' 'ads.nola.com' 'geoip.nola.com' 'ads.oregonlive.com' 'geoip.oregonlive.com' 'ads.pennlive.com' 'geoip.pennlive.com' 'ads.silive.com' 'geoip.silive.com' 'ads.syracuse.com' 'geoip.syracuse.com' 'ads1.ami-admin.com' 'cms1.ami-admin.com' 'ads.fitpregnancy.com' 'ads.muscleandfitness.com' 'ads.muscleandfitnesshers.com' 'ads.starmagazine.com' 'ads.belointeractive.com' 'ads4.clearchannel.com' 'dart.clearchannel.com' 'w10.centralmediaserver.com' 'atpco.ur.gcion.com' 'q.azcentral.com' 'q.pni.com' 'ad.usatoday.com' 'ads.usatoday.com' 'c.usatoday.com' 'gannett.gcion.com' 'apptap.scripps.com' 'railads.scripps.com' 'adsremote.scrippsnetworks.com' 'adindex.laweekly.com' 'adindex.ocweekly.com' 'adindex.villagevoice.com' 'oas.villagevoice.com' 'bestoffers.activeshopper.com' 'e-zshopper.activeshopper.com' 'mini.activeshopper.com' 'mobile.activeshopper.com' 'uk.activeshopper.com' 'ads2.mediashakers.com' 'admez.com' 'www.admez.com' 'andr.net' 'www.andr.net' 'ads.identads.com' 'justns.com' 'v2.urlads.net' 'www.urlcash.net' 'media.ventivmedia.com' 'bugsforum.com' 'date.ventivmedia.com' 'stats.ventivmedia.com' 'ads.ventivmedia.com' 'ad.naver.com' 'adcreative.naver.com' 'nv1.ad.naver.com' 'nv2.ad.naver.com' 'nv3.ad.naver.com' 'ad.amiadogroup.com' 'vistabet-affiliate.host.bannerflow.com' 'cdn.beaconads.com' 'assets.customer.io' 'cdn.app.exitmonitor.com' 'pixels.mentad.com' 'cdn.ndparking.com' 'cdn.popcash.net' 'media.struq.com' 'tags.api.umbel.com' 'cdnm.zapunited.com' 'backfill.ph.affinity.com' 'inm.affinitymatrix.com' 'cdn.chitika.net' 'adn.fusionads.net' 'cdn.petametrics.com' 'ad.reachppc.com' 'pubs.hiddennetwork.com' 'pixel1097.everesttech.net' 'pixel1324.everesttech.net' 'pixel1350.everesttech.net' 'pixel1370.everesttech.net' 'pixel1553.everesttech.net' 'pixel1739.everesttech.net' 'raskrutka.ucoz.com' 'ad.nozonedata.com' 'ad.digitimes.com.tw' 'www.ad-souk.com' 'ads.mediatwo.com' 'mads.dailymail.co.uk' 'in-cdn.effectivemeasure.net' 'scripts.chitika.net' 'rtbcdn.doubleverify.com' 's.marketwatch.com' 'stags.peer39.net' 'www.secure-processingcenter.com' 'www.spywarebegone.com' 'www.zipitfast.com' 'ads.drugs.com' 'www.spyarsenal.com' 'www.tsgonline.com' 'nana10.checkm8.com' 'nana10digital.checkm8.com' 'nrg.checkm8.com' 'nrgdigital.checkm8.com' 'sport5.checkm8.com' 'sport5digital.checkm8.com' 'affiliate.dtiserv.com' 'ds.eyeblaster.com' 'ads.lesbianpersonals.com' 'contextlinks.netseer.com' 'asd.tynt.com' 'c04.adsummos.net' 'cdn.at.atwola.com' 'ads.chango.ca' 'me-cdn.effectivemeasure.net' 'za-cdn.effectivemeasure.net' 'www8.effectivemeasure.net' 'cdn.flashtalking.com' 'servedby.flashtalking.com' 'stat.flashtalking.com' 'video.flashtalking.com' 'ads.germanfriendfinder.com' 'a.huluad.com' 'adt.m7z.net' 'download.realtimegaming.com' 'tap-cdn.rubiconproject.com' 'bridgetrack.speedera.r3h.net' 'media-1.vpptechnologies.com' 'media-2.vpptechnologies.com' 'media-4.vpptechnologies.com' 'media-5.vpptechnologies.com' 'media-6.vpptechnologies.com' 'media-8.vpptechnologies.com' 'media-a.vpptechnologies.com' 'media-b.vpptechnologies.com' 'media-c.vpptechnologies.com' 'media-d.vpptechnologies.com' 'media-e.vpptechnologies.com' 'media-f.vpptechnologies.com' 'static.vpptechnologies.com' 'web.checkm8.com' 'web2.checkm8.com' 'stats.homestead.com' 'track.homestead.com' 'track2.homestead.com' 'www.shareasale.com' 'ads.boursorama.com' 'analytics.youramigo.com' '24m.nuggad.net' 'abcno.nuggad.net' 'axdget-sync.nuggad.net' 'capital.nuggad.net' 'dol.nuggad.net' 'ebayit-dp.nuggad.net' 'jip.nuggad.net' 'lokalavisendk.nuggad.net' 'lpm-francetv.nuggad.net' 'lpm-lagardere.nuggad.net' 'lpm-tf1.nuggad.net' 'mobilede-dp.nuggad.net' 'n24se.nuggad.net' 'naftemporiki.nuggad.net' 'noa.nuggad.net' 'om.nuggad.net' 'pegasus.nuggad.net' 'pressbox.nuggad.net' 'prime.nuggad.net' 'ri.nuggad.net' 'teletypos.nuggad.net' 'tv2dk.nuggad.net' '3w.nuggad.net' '71i.nuggad.net' 'ad.u.nuggad.net' 'adcloud-dp.nuggad.net' 'adselect.nuggad.net' 'arbomedia.nuggad.net' 'arbomediacz.nuggad.net' 'asqlesechos.nuggad.net' 'asv.nuggad.net' 'attica.nuggad.net' 'bei.nuggad.net' 'berldk.nuggad.net' 'billboard.nuggad.net' 'ci.nuggad.net' 'derstandard.nuggad.net' 'dbadk.nuggad.net' 'eu.nuggad.net' 'gwp.nuggad.net' 'httpool.nuggad.net' 'httpoolat.nuggad.net' 'httpoolbg.nuggad.net' 'httpoolbih.nuggad.net' 'httpoolcr.nuggad.net' 'httpoolro.nuggad.net' 'httpoolsr.nuggad.net' 'interia.nuggad.net' 'ip.nuggad.net' 'jpdk.nuggad.net' 'jobzdk.nuggad.net' 'jubdk.nuggad.net' 'jppol.nuggad.net' 'krone.nuggad.net' 'medienhaus.nuggad.net' 'mobilede.nuggad.net' 'msnad.nuggad.net' 'mtv.nuggad.net' 'nettno.nuggad.net' 'nuggad.nuggad.net' 'oms.nuggad.net' 'poldk.nuggad.net' 'rmsi.nuggad.net' 'si.nuggad.net' 'survey.nuggad.net' 'yahoo.nuggad.net' 'www.retrostats.com' 'counter.dt07.net' 'ads.xxxbunker.com' 'blue.sexer.com' 'hello.sexer.com' 'white.sexer.com' 'it.bannerout.com' 'www.firebanner.com' 'www.scambiobanner.tv' 's3.pageranktop.com' 'bbg.d1.sc.omtrdc.net' 'buzzfeed.d1.sc.omtrdc.net' 'idgenterprise.d1.sc.omtrdc.net' 'lakeshore.d1.sc.omtrdc.net' 'pcworldcommunication.d2.sc.omtrdc.net' 'foxnews.tt.omtrdc.net' 'lowes.tt.omtrdc.net' 'nautilus.tt.omtrdc.net' 'toysrus.tt.omtrdc.net' 'som.aeroplan.com' 'tracking.everydayhealth.com' 'omni.focus.de' 'metrics.ilsole24ore.com' 'metrics.laredoute.fr' 'stats2.luckymag.com' 'metrics.necn.com' '1und1internetag.d3.sc.omtrdc.net' 'cafemom.d2.sc.omtrdc.net' 'centricabritishgas.d3.sc.omtrdc.net' 'citicorpcreditservic.tt.omtrdc.net' 'comcastresidentialservices.tt.omtrdc.net' 'comvelgmbh.d1.sc.omtrdc.net' 'condenast.insight.omtrdc.net' 'cri.d1.sc.omtrdc.net' 'daimlerag.d2.sc.omtrdc.net' 'espndotcom.tt.omtrdc.net' 'fairfaxau.d1.sc.omtrdc.net' 'hm.d1.sc.omtrdc.net' 'internetretailer.d2.sc.omtrdc.net' 'marchofdimes.d2.sc.omtrdc.net' 'mashable.d2.sc.omtrdc.net' 'nascardigitalsap.d2.sc.omtrdc.net' 'nzz.d3.sc.omtrdc.net' 'nydailynews.d1.sc.omtrdc.net' 'petfooddirect.d1.sc.omtrdc.net' 'rtve.d1.sc.omtrdc.net' 'seb.d1.sc.omtrdc.net' 'softlayer.d1.sc.omtrdc.net' 'tacobell.d1.sc.omtrdc.net' 'metrics.rcsmetrics.it' 'metrics.td.com' 'tracking.whattoexpect.com' '2o7.net' '102.112.207.net' '102.112.2o7.net' '102.122.2o7.net' '192.168.112.2o7.net' '192.168.122.2o7.net' '1105governmentinformationgroup.122.2o7.net' '3gupload.112.2o7.net' '10xhellometro.112.2o7.net' 'acckalaharinet.112.2o7.net' 'acpmagazines.112.2o7.net' 'adbrite.122.2o7.net' 'advertisingcom.122.2o7.net' 'advertisementnl.112.2o7.net' 'aehistory.112.2o7.net' 'aetv.112.2o7.net' 'affilcrtopcolle.112.2o7.net' 'agamgreetingscom.112.2o7.net' 'agbmcom.112.2o7.net' 'agegreetings.112.2o7.net' 'agmsnag.112.2o7.net' 'agwebshots.112.2o7.net' 'agyahooag.112.2o7.net' 'albanytimesunion.122.2o7.net' 'allbritton.122.2o7.net' 'amazonmerchants.122.2o7.net' 'amazonshopbop.122.2o7.net' 'amdvtest.112.2o7.net' 'ameritradeogilvy.112.2o7.net' 'ameritradeamerivest.112.2o7.net' 'amznshopbop.122.2o7.net' 'angiba.112.2o7.net' 'angmar.112.2o7.net' 'angmil.112.2o7.net' 'angpar.112.2o7.net' 'sa.aol.com.122.2o7.net' 'aolbks.122.2o7.net' 'aolcamember.122.2o7.net' 'aolcg.122.2o7.net' 'aolcmp.122.2o7.net' 'aolcommem.122.2o7.net' 'aolcommvid.122.2o7.net' 'aolcsmen.122.2o7.net' 'aoldlama.122.2o7.net' 'aoldrambuie.122.2o7.net' 'aolgam.122.2o7.net' 'aolgamedaily.122.2o7.net' 'aoljournals.122.2o7.net' 'aollatblog.122.2o7.net' 'aollove.122.2o7.net' 'aolmov.122.2o7.net' 'aolmus.122.2o7.net' 'aolnews.122.2o7.net' 'aolnssearch.122.2o7.net' 'aolpf.122.2o7.net' 'aolpolls.122.2o7.net' 'aolsearch.122.2o7.net' 'aolshred.122.2o7.net' 'aolsports.122.2o7.net' 'aolstylist.122.2o7.net' 'aolsvc.122.2o7.net' 'aolswitch.122.2o7.net' 'aoltruveo.122.2o7.net' 'aoltmz.122.2o7.net' 'aolturnercnnmoney.122.2o7.net' 'aolturnersi.122.2o7.net' 'aoluk.122.2o7.net' 'aolvideo.122.2o7.net' 'aolwinamp.122.2o7.net' 'aolwbautoblog.122.2o7.net' 'aolwbcinema.122.2o7.net' 'aolwbdnlsq.122.2o7.net' 'aolwbengadget.122.2o7.net' 'aolwbgadling.122.2o7.net' 'aolwbluxist.122.2o7.net' 'aolwbtvsq.122.2o7.net' 'aolwbpspfboy.122.2o7.net' 'aolwbwowinsd.122.2o7.net' 'aolwpmq.122.2o7.net' 'aolwpnscom.122.2o7.net' 'aolwpnswhatsnew.112.2o7.net' 'aolyedda.122.2o7.net' 'apdigitalorgovn.112.2o7.net' 'apdigitalorg.112.2o7.net' 'apnonline.112.2o7.net' 'aporg.112.2o7.net' 'associatedcontent.112.2o7.net' 'atlanticmedia.122.2o7.net' 'audible.112.2o7.net' 'aumo123usedcarscom.112.2o7.net' 'aumoautomotivectl.112.2o7.net' 'aumoautomotivecom.112.2o7.net' 'aumoautomobilemagcom.112.2o7.net' 'aumocarsbelowinvoice.112.2o7.net' 'aumointernetautoguidecom.112.2o7.net' 'aumomotortrend.112.2o7.net' 'aumonewcarcom.112.2o7.net' 'aumotradeinvaluecom.112.2o7.net' 'autobytel.112.2o7.net' 'autobytelcorppopup.112.2o7.net' 'autoanythingcom.112.2o7.net' 'autoscout24.112.2o7.net' 'autoweb.112.2o7.net' 'avgtechnologies.112.2o7.net' 'avon.112.2o7.net' 'awarenesstech.122.2o7.net' 'babycentercom.112.2o7.net' 'bankrate.112.2o7.net' 'bankwest.112.2o7.net' 'bbc.112.2o7.net' 'bhgdiabeticliving.112.2o7.net' 'bhgdiy.112.2o7.net' 'bhgkitchenbath.112.2o7.net' 'bhgscrap.112.2o7.net' 'bhgremodel.112.2o7.net' 'bhgquilting.112.2o7.net' 'bnkholic.112.2o7.net' 'bellglobemediapublishing.122.2o7.net' 'belointeractive.122.2o7.net' 'bertelwissenprod.122.2o7.net' 'bet.122.2o7.net' 'betterhg.112.2o7.net' 'bigpond.122.2o7.net' 'bizjournals.112.2o7.net' 'blethenmaine.112.2o7.net' 'bmwmoter.122.2o7.net' 'bnk30livejs.112.2o7.net' 'bnkr8dev.112.2o7.net' 'bonintnewsktarcom.112.2o7.net' 'bonneville.112.2o7.net' 'bonniercorp.122.2o7.net' 'boostmobile.112.2o7.net' 'bostoncommonpress.112.2o7.net' 'brightcove.112.2o7.net' 'brighthouse.122.2o7.net' 'bruceclay.112.2o7.net' 'btcom.112.2o7.net' 'builderonlinecom.112.2o7.net' 'businessweekpoc.112.2o7.net' 'buycom.122.2o7.net' 'buzznet.112.2o7.net' 'byubroadcast.112.2o7.net' 'canadapost.112.2o7.net' 'cancalgary.112.2o7.net' 'canfinancialpost.112.2o7.net' 'cannationalpost.112.2o7.net' 'canwestglobal.112.2o7.net' 'canoe.112.2o7.net' 'canottowa.112.2o7.net' 'canshowcase.112.2o7.net' 'cantire.122.2o7.net' 'canwest.112.2o7.net' 'capcityadvcom.112.2o7.net' 'capecodonlinecom.112.2o7.net' 'care2.112.2o7.net' 'carlsonradisson.112.2o7.net' 'cartoonnetwork.122.2o7.net' 'cba.122.2o7.net' 'cbc.122.2o7.net' 'cbcnewmedia.112.2o7.net' 'cbmsn.112.2o7.net' 'cbglobal.112.2o7.net' 'cbs.112.2o7.net' 'cbscom.112.2o7.net' 'cbsdigitalmedia.112.2o7.net' 'cbsnfl.112.2o7.net' 'cbspgatour.112.2o7.net' 'cbsspln.112.2o7.net' 'cbstelevisiondistribution.112.2o7.net' 'ccrgaviscom.112.2o7.net' 'cengagecsinfosec.112.2o7.net' 'chacha.112.2o7.net' 'chchoice.112.2o7.net' 'chghowardjohnson.112.2o7.net' 'chgsupereight.112.2o7.net' 'ciaocom.122.2o7.net' 'ciscowebex.112.2o7.net' 'cnhicrossvillechronicle.122.2o7.net' 'cnhidailyindependent.122.2o7.net' 'cnhienid.122.2o7.net' 'cnnireport.122.2o7.net' 'cnetasiapacific.122.2o7.net' 'chgwyndham.112.2o7.net' 'chicagosuntimes.122.2o7.net' 'chumtv.122.2o7.net' 'ciaoshopcouk.122.2o7.net' 'ciaoshopit.122.2o7.net' 'classicvacations.112.2o7.net' 'classmatescom.112.2o7.net' 'clubmed.112.2o7.net' 'clubmom.122.2o7.net' 'cmp.112.2o7.net' 'cmpdotnetjunkiescom.112.2o7.net' 'cmpglobalvista.112.2o7.net' 'cmtvia.112.2o7.net' 'cnetaustralia.122.2o7.net' 'cneteurope.122.2o7.net' 'cnetjapan.122.2o7.net' 'cnetnews.112.2o7.net' 'cnettech.112.2o7.net' 'cnetzdnet.112.2o7.net' 'cnheagletribune.112.2o7.net' 'cnhiautovertical.122.2o7.net' 'cnhibatesvilleheraldtribune.122.2o7.net' 'cnhibdtonline.122.2o7.net' 'cnhieagletribune.122.2o7.net' 'cnhijohnstown.122.2o7.net' 'cnhijoplinglobe.122.2o7.net' 'cnhinewscourier.122.2o7.net' 'cnhinewsservicedev.122.2o7.net' 'cnhirecordeagle.122.2o7.net' 'cnn.122.2o7.net' 'cnnglobal.122.2o7.net' 'cnocanoecaprod.112.2o7.net' 'cnoompprod.112.2o7.net' 'computerworldcom.112.2o7.net' 'condeconsumermarketing.112.2o7.net' 'condenast.112.2o7.net' 'conpst.112.2o7.net' 'cookingcom.112.2o7.net' 'corelcom.112.2o7.net' 'coreluk.112.2o7.net' 'costargroup.112.2o7.net' 'couhome.112.2o7.net' 'couponchief.122.2o7.net' 'coxhsi.112.2o7.net' 'coxnet.112.2o7.net' 'coxnetmasterglobal.112.2o7.net' 'cpusall.112.2o7.net' 'createthegroup.122.2o7.net' 'creditcardscom.112.2o7.net' 'cruisecritic.112.2o7.net' 'csoonlinecom.112.2o7.net' 'ctvcrimelibrary.112.2o7.net' 'ctvmaincom.112.2o7.net' 'ctvsmokinggun.112.2o7.net' 'ctvtsgtv.112.2o7.net' 'cwportal.112.2o7.net' 'cxociocom.112.2o7.net' 'cxocomdev.112.2o7.net' 'cyberdefender.122.2o7.net' 'dailyheraldpaddockpublication.112.2o7.net' 'dardenrestaurants.112.2o7.net' 'dealnews.122.2o7.net' 'delightful.112.2o7.net' 'dennispublishing.112.2o7.net' 'daimlerag.122.2o7.net' 'divx.112.2o7.net' 'dixonscouk.112.2o7.net' 'dmcontactmanagement.122.2o7.net' 'dmvguidecom.112.2o7.net' 'doctorsassociatesrx.112.2o7.net' 'dominionenterprises.112.2o7.net' 'dotster.112.2o7.net' 'dotsterdomaincom.112.2o7.net' 'dotsterdotsteraug08.112.2o7.net' 'dreamhome.112.2o7.net' 'eaeacom.112.2o7.net' 'eagamesuk.112.2o7.net' 'eaglemiles.112.2o7.net' 'eapogocom.112.2o7.net' 'earthlink.122.2o7.net' 'earthlnkpsplive.122.2o7.net' 'edietsmain.112.2o7.net' 'edmunds.112.2o7.net' 'edsa.122.2o7.net' 'efashionsolutions.122.2o7.net' 'ehadvicedev.112.2o7.net' 'eharmony.112.2o7.net' 'electronicarts.112.2o7.net' 'eloqua.122.2o7.net' 'emc.122.2o7.net' 'enterprisemediagroup.112.2o7.net' 'entrepreneur.122.2o7.net' 'entrepreneurpoc.122.2o7.net' 'epebuild.112.2o7.net' 'eplans.112.2o7.net' 'eremedia.112.2o7.net' 'eset.122.2o7.net' 'eurostar.122.2o7.net' 'eventbrite.122.2o7.net' 'evepdaikencom.112.2o7.net' 'evepdcharleston.112.2o7.net' 'evepdaggiesports.112.2o7.net' 'evepdbrazossports.112.2o7.net' 'evepdeagledev.112.2o7.net' 'ewsabilene.112.2o7.net' 'ewscorpuschristi.112.2o7.net' 'ewscripps.112.2o7.net' 'ewsmemphis.112.2o7.net' 'ewsnaples.112.2o7.net' 'ewsventura.112.2o7.net' 'examinercom.122.2o7.net' 'expedia1.112.2o7.net' 'expedia6vt.112.2o7.net' 'expedia8.112.2o7.net' 'experianservicescorp.122.2o7.net' 'expertsexchange.112.2o7.net' 'extrovert.122.2o7.net' 'ezgds.112.2o7.net' 'f2communitynews.112.2o7.net' 'f2nbt.112.2o7.net' 'f2network.112.2o7.net' 'f2nmycareer.112.2o7.net' 'f2nsmh.112.2o7.net' 'f2ntheage.112.2o7.net' 'facebookinc.122.2o7.net' 'factiva.122.2o7.net' 'fanatics.112.2o7.net' 'farecastcom.122.2o7.net' 'fbfredericksburgcom.112.2o7.net' 'figlobal.112.2o7.net' 'fim.122.2o7.net' 'flyingmag.com.122.2o7.net' 'ford.112.2o7.net' 'foxamw.112.2o7.net' 'foxcom.112.2o7.net' 'foxidol.112.2o7.net' 'foxinteractivemedia.122.2o7.net' 'furnlevitz.112.2o7.net' 'furniturecom.112.2o7.net' 'fusetv.112.2o7.net' 'gap.112.2o7.net' 'gatehousemedia.122.2o7.net' 'gateway.122.2o7.net' 'genetree.112.2o7.net' 'geosign.112.2o7.net' 'gifastcompanycom.112.2o7.net' 'gjfastcompanycom.112.2o7.net' 'gjincscobleizer.112.2o7.net' 'giftscom.122.2o7.net' 'gmgmacfs.112.2o7.net' 'gmgmacmortgage.112.2o7.net' 'gmgmcom.112.2o7.net' 'gmgoodwrenchdmaprod.112.2o7.net' 'gntbcstkare.112.2o7.net' 'gntbcstksdk.112.2o7.net' 'gntbcstkthv.112.2o7.net' 'gntbcstkxtv.112.2o7.net' 'gntbcstwbir.112.2o7.net' 'gntbcstwfmy.112.2o7.net' 'gntbcstwkyc.112.2o7.net' 'gntbcstwlbz.112.2o7.net' 'gntbcstwmaz.112.2o7.net' 'gntbcstwcsh.112.2o7.net' 'gntbcstwltx.112.2o7.net' 'gntbcstwtlv.112.2o7.net' 'gntbcstwtsp.112.2o7.net' 'gntbcstwusa.112.2o7.net' 'gntbcstwxia.112.2o7.net' 'gntbcstwzzm.112.2o7.net' 'gntbcstglobal.112.2o7.net' 'gntbcstkusa.112.2o7.net' 'gourmetgiftbaskets.112.2o7.net' 'gpapercareer.112.2o7.net' 'gpapermom104.112.2o7.net' 'grunerandjahr.112.2o7.net' 'guj.122.2o7.net' 'hallmarkibmcom.112.2o7.net' 'harconsumer.112.2o7.net' 'harrahscom.112.2o7.net' 'harpo.122.2o7.net' 'haymarketbusinesspublications.122.2o7.net' 'hchrmain.112.2o7.net' 'healthgrades.112.2o7.net' 'healthination.122.2o7.net' 'hearstdigital.122.2o7.net' 'hearstugo.112.2o7.net' 'hearstmagazines.112.2o7.net' 'heavycom.122.2o7.net' 'hertz.122.2o7.net' 'hickoryfarms.112.2o7.net' 'highbeam.122.2o7.net' 'himedia.112.2o7.net' 'hisnakiamotors.122.2o7.net' 'hollywood.122.2o7.net' 'homepjlconline.com.112.2o7.net' 'homepproav.112.2o7.net' 'homesteadtechnologies.122.2o7.net' 'homestore.122.2o7.net' 'hotelscom.122.2o7.net' 'hphqglobal.112.2o7.net' 'hswmedia.122.2o7.net' 'hulu.112.2o7.net' 'huludev.112.2o7.net' 'ibibo.112.2o7.net' 'ice.112.2o7.net' 'idgenterprise.112.2o7.net' 'ihc.112.2o7.net' 'imc2.122.2o7.net' 'imeem.112.2o7.net' 'imiliving.122.2o7.net' 'incisivemedia.112.2o7.net' 'indigio.122.2o7.net' 'infratotalduicom.122.2o7.net' 'infrastrategy.122.2o7.net' 'infoworldmediagroup.112.2o7.net' 'intelcorpchan.112.2o7.net' 'intelcorperror.112.2o7.net' 'intelcorpsupp.112.2o7.net' 'interchangecorporation.122.2o7.net' 'interland.122.2o7.net' 'intuitinc.122.2o7.net' 'insiderpagescom.122.2o7.net' 'instadia.112.2o7.net' 'ipcmarieclaireprod.122.2o7.net' 'ipcmedia.122.2o7.net' 'ipcnowprod.122.2o7.net' 'ipcuncut.122.2o7.net' 'ipcwebuserprod.122.2o7.net' 'ipcyachtingworldprod.122.2o7.net' 'itmedia.122.2o7.net' 'itv.112.2o7.net' 'iusacomlive.112.2o7.net' 'ivillageglobal.112.2o7.net' 'jackpot.112.2o7.net' 'jennycraig.112.2o7.net' 'jetbluecom2.112.2o7.net' 'jetbluepkgcs.112.2o7.net' 'jijsonline.112.2o7.net' 'jijsonline.122.2o7.net' 'jiktnv.122.2o7.net' 'jiwire.112.2o7.net' 'jiwtmj.122.2o7.net' 'jmsyap.112.2o7.net' 'johnlewis.112.2o7.net' 'jrcdelcotimescom.122.2o7.net' 'jrcom.112.2o7.net' 'journalregistercompany.122.2o7.net' 'kaboose.112.2o7.net' 'kasperthreatpostprod.112.2o7.net' 'kaspersky.122.2o7.net' 'kbbmain.112.2o7.net' 'kelleybluebook.112.2o7.net' 'kiplinger.112.2o7.net' 'lab88inc.112.2o7.net' 'laptopmag.122.2o7.net' 'lastminengb.112.2o7.net' 'laxnws.112.2o7.net' 'laxprs.112.2o7.net' 'laxpsd.112.2o7.net' 'laxtrb.112.2o7.net' 'laxwht.122.2o7.net' 'laxwht.112.2o7.net' 'ldsfch.112.2o7.net' 'leaitworldprod.112.2o7.net' 'leeenterprises.112.2o7.net' 'leveragemarketing.112.2o7.net' 'lintv.122.2o7.net' 'livedealcom.112.2o7.net' 'livenation.122.2o7.net' 'mailtribunecom.112.2o7.net' 'mapscom2.112.2o7.net' 'marinermarketing.112.2o7.net' 'marketlive.122.2o7.net' 'marketworksinc.122.2o7.net' 'marksandspencer.122.2o7.net' 'mattressusa.122.2o7.net' 'maxim.122.2o7.net' 'mcclatchy.112.2o7.net' 'mdjacksonville.112.2o7.net' 'mdpparents.112.2o7.net' 'mdwathens.112.2o7.net' 'mdwaugusta.112.2o7.net' 'mdwjuneau.112.2o7.net' 'mdwoakridge.112.2o7.net' 'mdwsavannah.112.2o7.net' 'mdwskirt.112.2o7.net' 'medhelpinternational.112.2o7.net' 'mediabistro.112.2o7.net' 'mediabistrocom.112.2o7.net' 'medialogic.122.2o7.net' 'mediamatters.112.2o7.net' 'meetupdev.122.2o7.net' 'memberservicesinc.122.2o7.net' 'metacafe.122.2o7.net' 'mgdothaneagle.112.2o7.net' 'mghickoryrecord.112.2o7.net' 'mgjournalnow.112.2o7.net' 'mgoanow.112.2o7.net' 'mngitwincities.112.2o7.net' 'mdstaugustine.112.2o7.net' 'mgstarexponent.112.2o7.net' 'mgtbo.112.2o7.net' 'mgtbopanels.112.2o7.net' 'mgtimesdispatch.112.2o7.net' 'mgwcbd.112.2o7.net' 'mgwjar.112.2o7.net' 'mgwnct.112.2o7.net' 'mgwsav.112.2o7.net' 'mgwsls.112.2o7.net' 'milbglobal.112.2o7.net' 'microsoftxbox.112.2o7.net' 'microsoftgamestudio.112.2o7.net' 'microsofteup.112.2o7.net' 'microsoftinternetexplorer.112.2o7.net' 'microsoftmachinetranslation.112.2o7.net' 'microsoftoffice.112.2o7.net' 'microsoftsto.112.2o7.net' 'microsoftuk.122.2o7.net' 'microsoftwga.112.2o7.net' 'microsoftwindows.112.2o7.net' 'microsoftwindowsmobile.122.2o7.net' 'microsoftwllivemkt.112.2o7.net' 'microsoftwlmailmkt.112.2o7.net' 'microsoftwlmessengermkt.112.2o7.net' 'microsoftwlmobilemkt.112.2o7.net' 'microsoftwlsearchcrm.112.2o7.net' 'midala.112.2o7.net' 'midar.112.2o7.net' 'midcru.112.2o7.net' 'midsen.112.2o7.net' 'mitsubishi.112.2o7.net' 'mkcthehomemarketplace.112.2o7.net' 'mkt10.122.2o7.net' 'mlarmani.122.2o7.net' 'mlbam.112.2o7.net' 'mlbatlanta.112.2o7.net' 'mlbcincinnati.112.2o7.net' 'mlbcom.112.2o7.net' 'mlbglobal.112.2o7.net' 'mlbglobal08.112.2o7.net' 'mlbsanfrancisco.112.2o7.net' 'mlsglobal.112.2o7.net' 'mmc.122.2o7.net' 'mngi.112.2o7.net' 'mngidailybreeze.112.2o7.net' 'mngimng.112.2o7.net' 'mngirockymtnnews.112.2o7.net' 'mngislctrib.112.2o7.net' 'mngisv.112.2o7.net' 'mngiyhnat.112.2o7.net' 'morningnewsonline.112.2o7.net' 'movitex.122.2o7.net' 'mpire.112.2o7.net' 'mngidmn.112.2o7.net' 'mngimercurynews.112.2o7.net' 'mseupwinxpfam.112.2o7.net' 'msna1com.112.2o7.net' 'msnaccountservices.112.2o7.net' 'msnbcom.112.2o7.net' 'msnbc.112.2o7.net' 'msnbcnewsvine.112.2o7.net' 'msneshopbase.112.2o7.net' 'msninvite.112.2o7.net' 'msninviteprod.112.2o7.net' 'msnlivefavorites.112.2o7.net' 'msnmercom.112.2o7.net' 'msnmercustacqprod.112.2o7.net' 'msnonecare.112.2o7.net' 'msnportalaffiliate.112.2o7.net' 'msnportalaunews.112.2o7.net' 'msnportalbeetoffice2007.112.2o7.net' 'msnportalhome.112.2o7.net' 'msnportalgame.112.2o7.net' 'msnportallatino.112.2o7.net' 'msnportalmsgboardsrvc.112.2o7.net' 'msnportalscp.112.2o7.net' 'msnportalvideo.112.2o7.net' 'msntrademarketing.112.2o7.net' 'msnwinonecare.112.2o7.net' 'msnportal.112.2o7.net' 'msnportallive.112.2o7.net' 'msnservices.112.2o7.net' 'mssbcprod.112.2o7.net' 'mswindowswolglobal.112.2o7.net' 'mswlspcmktdev.112.2o7.net' 'mswmwpapolloprod.122.2o7.net' 'mtvn.112.2o7.net' 'multiply.112.2o7.net' 'mxmacromedia.112.2o7.net' 'myfamilyancestry.112.2o7.net' 'nandomedia.112.2o7.net' 'nasdaq.122.2o7.net' 'natgeoedit.112.2o7.net' 'natgeoeditcom.112.2o7.net' 'natgeoglobal.112.2o7.net' 'natgeohomepage.112.2o7.net' 'natgeonavcom.112.2o7.net' 'natgeonews.112.2o7.net' 'natgeongkidsmagccom.112.2o7.net' 'natgeongmcom.112.2o7.net' 'natgeopeopleplaces.112.2o7.net' 'natgeotravelermagcom.112.2o7.net' 'natgeovideo.112.2o7.net' 'nautilus.122.2o7.net' 'nbcuniversal.122.2o7.net' 'neber.112.2o7.net' 'nebnr.112.2o7.net' 'neref.112.2o7.net' 'networksolutions.112.2o7.net' 'newcom.122.2o7.net' 'newlook.112.2o7.net' 'newsday.122.2o7.net' 'newsinteractive.112.2o7.net' 'newsinternational.122.2o7.net' 'newsok.112.2o7.net' 'newsquestdigitalmedia.122.2o7.net' 'newstimeslivecom.112.2o7.net' 'newyorkandcompany.112.2o7.net' 'newyorkmagazine.112.2o7.net' 'nhl.112.2o7.net' 'nielsen.112.2o7.net' 'nikefootball.112.2o7.net' 'nikefootballglobal.112.2o7.net' 'nikegoddess.112.2o7.net' 'nikehome.112.2o7.net' 'nikerunning.112.2o7.net' 'nikerunningglobal.112.2o7.net' 'njmvc.112.2o7.net' 'nmanchorage.112.2o7.net' 'nmbakersfieldca.112.2o7.net' 'nmbeaufort.112.2o7.net' 'nmbelleville.112.2o7.net' 'nmbradenton.112.2o7.net' 'nmcharlotte.112.2o7.net' 'nmcolumbia.112.2o7.net' 'nmcomnancomedia.112.2o7.net' 'nmeprod.122.2o7.net' 'nmfortworth.112.2o7.net' 'nmfresno.112.2o7.net' 'nmhiltonhead.112.2o7.net' 'nmkansascity.112.2o7.net' 'nmlexington.112.2o7.net' 'nmmclatchy.112.2o7.net' 'nmmerced.112.2o7.net' 'nmmiami.112.2o7.net' 'nmminneapolis.112.2o7.net' 'nmmodesto.112.2o7.net' 'nmraleigh.112.2o7.net' 'nmrockhill.112.2o7.net' 'nmsacramento.112.2o7.net' 'nmsanluisobispo.112.2o7.net' 'nmstatecollege.112.2o7.net' 'nmtacoma.112.2o7.net' 'nmthatsracin.112.2o7.net' 'nortelcom.112.2o7.net' 'northjersey.112.2o7.net' 'northwestairlines.112.2o7.net' 'novell.112.2o7.net' 'novellcom.112.2o7.net' 'nsdldlese.112.2o7.net' 'nttcommunications.122.2o7.net' 'nysun.com.112.2o7.net' 'nytbglobe.112.2o7.net' 'nytrflorence.112.2o7.net' 'nytrgainesville.112.2o7.net' 'nytrhendersonville.112.2o7.net' 'nytrlakeland.112.2o7.net' 'nytrlexington.112.2o7.net' 'nytrocala.112.2o7.net' 'nytrsantarosa.112.2o7.net' 'nytrsarasota.112.2o7.net' 'nytrthibodaux.112.2o7.net' 'nytrtuscaloosa.112.2o7.net' 'nytrwilmington.112.2o7.net' 'nytrworcester.112.2o7.net' 'nyttechnology.112.2o7.net' 'nytrwinterhaven.112.2o7.net' 'oberonincredig.112.2o7.net' 'oklahomadepartmentofcommerce.112.2o7.net' 'omniture.112.2o7.net' 'omniturecom.112.2o7.net' 'omniturebanners.112.2o7.net' 'omniscbt.112.2o7.net' 'omvisidtest1.112.2o7.net' 'onetoone.112.2o7.net' 'onlinegurupopularsitecom.112.2o7.net' 'oodpreprod.122.2o7.net' 'optimost.112.2o7.net' 'oraclecom.112.2o7.net' 'oracleglobal.112.2o7.net' 'osiristrading.112.2o7.net' 'ottdailytidingscom.112.2o7.net' 'ottacknet.112.2o7.net' 'overstockcom.112.2o7.net' 'overturecom.112.2o7.net' 'overturecomvista.112.2o7.net' 'pandasoftware.112.2o7.net' 'parade.122.2o7.net' 'parship.122.2o7.net' 'partygaming.122.2o7.net' 'partygamingglobal.122.2o7.net' 'patrickhillery.112.2o7.net' 'paypal.112.2o7.net' 'pch.122.2o7.net' 'pctoolscom.112.2o7.net' 'pcworldcommunication.122.2o7.net' 'pelmorexmedia.122.2o7.net' 'pentonmedia.122.2o7.net' 'pennwellcorp.112.2o7.net' 'petakfc.112.2o7.net' 'petamain.112.2o7.net' 'pfizer.122.2o7.net' 'philips.112.2o7.net' 'phillyburbscom.112.2o7.net' 'phillycom.112.2o7.net' 'phillymedia.112.2o7.net' 'pittsburghpostgazette.112.2o7.net' 'planetout.122.2o7.net' 'pldev.112.2o7.net' 'plsoyfoods.112.2o7.net' 'poacprod.122.2o7.net' 'poconorecordcom.112.2o7.net' 'popcapgames.122.2o7.net' 'popsci.com.122.2o7.net' 'powellsbooks.122.2o7.net' 'poweronemedia.122.2o7.net' 'premiumtv.122.2o7.net' 'primediabusiness.122.2o7.net' 'primestarmagazine.112.2o7.net' 'prisacom.112.2o7.net' 'prnewswire.122.2o7.net' 'primemensfitness.112.2o7.net' 'pulkauaiworld.112.2o7.net' 'pultheworldlink.112.2o7.net' 'questiacom.112.2o7.net' 'questsoftware.112.2o7.net' 'qwestfull.112.2o7.net' 'rainbowmedia.122.2o7.net' 'rakuten.112.2o7.net' 'rcci.122.2o7.net' 'rcntelecom.112.2o7.net' 'reagroup.122.2o7.net' 'rebtelnetworks.112.2o7.net' 'recordeaglecom.112.2o7.net' 'recordnetcom.112.2o7.net' 'recordonlinecom.112.2o7.net' 'registercom.122.2o7.net' 'remodelingonlinecom.112.2o7.net' 'rentcom.112.2o7.net' 'restoredchurchofgod.112.2o7.net' 'reunioncom.112.2o7.net' 'ringcentral.112.2o7.net' 'ringierag.112.2o7.net' 'riptownmedia.122.2o7.net' 'riverdeep.112.2o7.net' 'rmgparcelforcecom.112.2o7.net' 'rmgroyalmailcom.112.2o7.net' 'rrpartners.122.2o7.net' 'rtst.122.2o7.net' 'safaribooks.112.2o7.net' 'saksfifthavenue.122.2o7.net' 'santacruzsentinelcom.112.2o7.net' 'saxobutlereagle.122.2o7.net' 'saxoconcordmonitor.122.2o7.net' 'saxoeverett.122.2o7.net' 'saxofosters.122.2o7.net' 'saxogoerie.122.2o7.net' 'saxogreensboro.122.2o7.net' 'saxoorklamedia.122.2o7.net' 'saxopeninsuladailynews.122.2o7.net' 'saxorutland.122.2o7.net' 'saxosumteritem.122.2o7.net' 'saxotech.122.2o7.net' 'saxotechtylerpaper.122.2o7.net' 'saxotelegraph.122.2o7.net' 'saxotoledo.122.2o7.net' 'saxowatertowndailytimes.122.2o7.net' 'saxowenworld.122.2o7.net' 'saxowesterncommunications.122.2o7.net' 'sbsblukgov.112.2o7.net' 'sciamcom.112.2o7.net' 'scottrade.112.2o7.net' 'scrippsdiy.112.2o7.net' 'scrippsfineliving.112.2o7.net' 'scrippsfoodnet.112.2o7.net' 'scrippsfoodnetnew.112.2o7.net' 'scrippsgac.112.2o7.net' 'scrippshgtv.112.2o7.net' 'scrippshgtvpro.112.2o7.net' 'scrippsrecipezaar.112.2o7.net' 'seacoastonlinecom.112.2o7.net' 'sears.112.2o7.net' 'searscom.112.2o7.net' 'searskmartcom.112.2o7.net' 'sento.122.2o7.net' 'sevenoneintermedia.112.2o7.net' 'schaeffers.112.2o7.net' 'shawnewspapers.112.2o7.net' 'shopping.112.2o7.net' 'skyauction.122.2o7.net' 'slbbbcom.112.2o7.net' 'sltravelcom.112.2o7.net' 'smartmoney.112.2o7.net' 'smibs.112.2o7.net' 'smokingeverywhere.122.2o7.net' 'smokinggun.122.2o7.net' 'smpopmech.112.2o7.net' 'smwww.112.2o7.net' 'snagajob.122.2o7.net' 'snapfish.112.2o7.net' 'softonic.112.2o7.net' 'sonychina.112.2o7.net' 'sonycorporate.112.2o7.net' 'sonyscei.112.2o7.net' 'southcoasttodaycom.112.2o7.net' 'spamfighter.112.2o7.net' 'sparknetworks.112.2o7.net' 'spencergifts.112.2o7.net' 'sportingnews.122.2o7.net' 'sprintglobal.112.2o7.net' 'stampscom.112.2o7.net' 'starz.122.2o7.net' 'stpetersburgtimes.122.2o7.net' 'stubhub.122.2o7.net' 'stylincom.112.2o7.net' 'subaruofamerica.112.2o7.net' 'summitbusinessmedia.112.2o7.net' 'sunglobal.112.2o7.net' 'superpages.122.2o7.net' 'surfline.112.2o7.net' 'survey.122.2o7.net' 'svd.112.2o7.net' 'swsoft.122.2o7.net' 'sympmsnglobalen.112.2o7.net' 'sympmsnmusic.112.2o7.net' 'tangomedia.112.2o7.net' 'tbstv.112.2o7.net' 'techreview.112.2o7.net' 'tel3adv.112.2o7.net' 'tele2nl.112.2o7.net' 'telefloracom.112.2o7.net' 'tescostores.122.2o7.net' 'thayhoteldelcoronado.112.2o7.net' 'thayhiltonlongisland.112.2o7.net' 'thayvenetian.112.2o7.net' 'thedailystarcom.112.2o7.net' 'thegroup.112.2o7.net' 'thgalecom.112.2o7.net' 'thelibraryofcongress.122.2o7.net' 'thestar.122.2o7.net' 'thestardev.122.2o7.net' 'thinkgeek.112.2o7.net' 'thomasvillefurniture.122.2o7.net' 'thome.112.2o7.net' 'timecom.112.2o7.net' 'timecom.122.2o7.net' 'timeew.122.2o7.net' 'timeessence.122.2o7.net' 'timefoodandwine.122.2o7.net' 'timefortune.112.2o7.net' 'timehealthtips.122.2o7.net' 'timeinc.122.2o7.net' 'timelife.122.2o7.net' 'timeoutcommunications.122.2o7.net' 'timepeople.122.2o7.net' 'timepespanol.122.2o7.net' 'timespctenbest.122.2o7.net' 'timeteenpeople.122.2o7.net' 'tirerackcom.112.2o7.net' 'tgn.122.2o7.net' 'tjx.112.2o7.net' 'tmslexus.112.2o7.net' 'tmstoyota.112.2o7.net' 'tnttv.112.2o7.net' 'tomsshoes.122.2o7.net' 'torstardigital.122.2o7.net' 'toyotamotorcorporation.122.2o7.net' 'trailblazers.122.2o7.net' 'trane-ir-corp-ingersollrand.112.2o7.net' 'travidia.112.2o7.net' 'tribuneinteractive.122.2o7.net' 'trinitymirror.112.2o7.net' 'tumi.112.2o7.net' 'turnerclassic.112.2o7.net' 'turnersports.112.2o7.net' 'tvguide.112.2o7.net' 'uolfreeservers.112.2o7.net' 'uoljunocom2.112.2o7.net' 'uolnetzeronet2.112.2o7.net' 'uolphotosite.112.2o7.net' 'upi.112.2o7.net' 'usatoday1.112.2o7.net' 'usdm.122.2o7.net' 'usnews.122.2o7.net' 'ussearch.122.2o7.net' 'tbsveryfunnyads.112.2o7.net' 'vcomdeepdiscount.112.2o7.net' 'vcommerce.112.2o7.net' 'verisignwildcard.112.2o7.net' 'vermontteddybear.112.2o7.net' 'viaaddictingclips.112.2o7.net' 'viaaddictinggames.112.2o7.net' 'viaatom.112.2o7.net' 'viaatomv6.112.2o7.net' 'viabestweekever.112.2o7.net' 'viacomedycentral.112.2o7.net' 'viacomedycentralrl.112.2o7.net' 'viacomedyde.112.2o7.net' 'viagametrailers.112.2o7.net' 'vialogoonline.112.2o7.net' 'vialogorollup.112.2o7.net' 'viamtvcom.112.2o7.net' 'viamtvtr.112.2o7.net' 'vianickde.112.2o7.net' 'viasatsatelliteservices.112.2o7.net' 'viashockwave.112.2o7.net' 'viaspike.112.2o7.net' 'viamtv.112.2o7.net' 'viamtvukdev.112.2o7.net' 'viamtvnvideo.112.2o7.net' 'viamtvtr3s.112.2o7.net' 'vianewnownext.112.2o7.net' 'viaquiz.112.2o7.net' 'viaukplayer.112.2o7.net' 'viarnd.112.2o7.net' 'viavh1com.112.2o7.net' 'viay2m.112.2o7.net' 'victoriaadvocate.112.2o7.net' 'vintacom.112.2o7.net' 'vintadream.112.2o7.net' 'viamtvuk.112.2o7.net' 'viamtvromania.112.2o7.net' 'viavh1scandalist.112.2o7.net' 'viavh1video.112.2o7.net' 'virginmedia.112.2o7.net' 'virginmobile.122.2o7.net' 'vitacost.122.2o7.net' 'videotroncom.112.2o7.net' 'vodafonegroup.122.2o7.net' 'volkswagen.122.2o7.net' 'vpmc.122.2o7.net' 'walgrns.112.2o7.net' 'walmart.112.2o7.net' 'warnerbros.112.2o7.net' 'warnerbrothersrecords.112.2o7.net' 'waterfrontmedia.112.2o7.net' 'wbextecd.112.2o7.net' 'wbnews.112.2o7.net' 'wbprocurement.112.2o7.net' 'wcastrprod.122.2o7.net' 'webroot.112.2o7.net' 'westwickfarrow.122.2o7.net' 'whitecastle.122.2o7.net' 'wileypublishing.112.2o7.net' 'winecom.112.2o7.net' 'wineenthusiastcom.112.2o7.net' 'winmpmain.112.2o7.net' 'wissende.122.2o7.net' 'wlaptoplogic.122.2o7.net' 'worldnowboston.112.2o7.net' 'wpni.112.2o7.net' 'wpnipostcomjobs.112.2o7.net' 'wrigley.122.2o7.net' 'wwatchcomusa.112.2o7.net' 'wweconsumer.112.2o7.net' 'wwecorp2.112.2o7.net' 'xhealth.112.2o7.net' 'xhealthmobiltools.112.2o7.net' 'yamaha.122.2o7.net' 'yellcom.122.2o7.net' 'yellspain.112.2o7.net' 'yrkdsp.112.2o7.net' 'yukoyuko.112.2o7.net' 'zag.112.2o7.net' 'zango.112.2o7.net' 'zdau-builder.122.2o7.net' 'ziffdavisenterprise.112.2o7.net' 'ziffdavisenterpriseglobal.112.2o7.net' 'ziffdavisfilefront.112.2o7.net' 'ziffdavisglobal.112.2o7.net' 'ziffdavispennyarcade.112.2o7.net' 'ziffdaviseweek.112.2o7.net' 'stats.esomniture.com' 'www.omniture.com' 'www.touchclarity.com' 'nossl.aafp.org' 'metrics.aarp.org' 'ewstv.abc15.com' 'metrics.accuweather.com' 'metrics.acehardware.com' 'stats.adultswim.com' 'analytic.ae.com' 'metrics.aetn.com' 'metric.allrecipes.com' 'stats2.allure.com' 'b.alot.com' 'analytics.amakings.com' 'metrics.amd.com' 'metrics.americancityandcounty.com' 'a.americanidol.com' 'metric.angieslist.com' 'o.sa.aol.com' 's.sa.aol.com' 'metrics.apartmentfinder.com' 'metrics.ariba.com' 'omniture.artinstitutes.edu' 'stats2.arstechnica.com' 'vs.asianave.com' 'stats.askmen.com' 'metrics.autotrader.co.uk' 'metrics.autobytel.com' 'metrics.automobilemag.com' 'www2.autopartswarehouse.com' 'metrics.azfamily.com' 'metrics.babycenter.com' 'metrics.babycentre.co.uk' 'stats.backcountry.com' 'omni.basspro.com' 'sa.bbc.co.uk' 'metrics.beachbody.com' 'a.beliefnet.com' 'metrics.bestbuy.com' 'metrics.bet.com' 'n.betus.com' 'metrics.bhg.com' 'metrics.bitdefender.com' 'metric.bizjournals.com' 'metrics.blackberry.com' 'vs.blackplanet.com' 'om.blockbuster.com' 'metrics.bloomberg.com' 'o.bluewin.ch' 'n.bodybuilding.com' 'stats.bookingbuddy.com' 'metrics.bose.com' 'metrics.boston.com' 'om.businessweek.com' 'stats.buycostumes.com' 'stats.cafepress.com' 'omni.canadiantire.ca' 'metrics.car.com' 'metrics.caranddriver.com' 'metrics.cars.com' 'metrics.carbonite.com' 'metrics.carphonewarehouse.com' 'stats.cartoonnetwork.com' 'omni.cash.ch' 'metrics.cbc.ca' 'om.cbsi.com' 'mtrics.cdc.gov' 'metrics.centex.com' 'metrics.chacha.com' 'webstat.channel4.com' 'omniture.chip.de' 'metrics.chron.com' 'om.cnet.co.uk' 'metrics.cleveland.com' 'metrics.cnn.com' 'track.collegeboard.com' 'serviceo.comcast.net' 'metrics.compactappliance.com' 'stats.concierge.com' 'metrics.corus.ca' 'metrics.cosmopolitan.co.uk' 'omn.crackle.com' 'om.craftsman.com' 'smetrics.creditreport.com' 'metrics.crystalcruises.com' 'omni.csc.com' 'metrics.csmonitor.com' 'metrics.ctv.ca' 'metrics.dailymotion.com' 'metrics.dailystrength.org' 'metrics.dallasnews.com' 'metrics.delias.com' 'nsm.dell.com' 'metrics.delta.com' 'metrics.dentonrc.com' 'stats2.details.com' 'metrics.dickssportinggoods.com' 'stats.dice.com' 'img.discovery.com' 'metrics.discovery.com' 'omni.dispatch.com' 'metrics.divinecaroline.com' 'metrics.diy.com' 'metrics.doctoroz.com' 'metrics.dollargeneral.com' 'om.dowjoneson.com' 'stats.drugstore.com' 'metrics.dunkindonuts.com' 'stats.economist.com' 'metrics.ems.com' 'wa.eonline.com' 'stats.epicurious.com' 'wa.essent.nl' 'stats.examiner.com' 'om.expedia.com' 'metrics.express.com' 'metrics.expressen.se' 'o.fandango.com' 'metrics.fedex.com' 'metrics.finishline.com' 'metrics.fitnessmagazine.com' 'metrics.ford.com' 'metrics.foreignpolicy.com' 'metrics.foxnews.com' 'smetrics.freecreditreport.com' 'metrics.frontlineshop.com' 'metrics.flyingmag.com' 'metrics.fnac.es' 'sc-forbes.forbes.com' 'a.fox.com' 'stats.ft.com' 'track.futureshop.ca' 'metrics.gamestop.com' 'metrics.gcimetrics.com' 'stats2.gq.com' 'stats2.glamour.com' 'metrics.gnc.com' 'stats2.golfdigest.com' 'metrics.govexec.com' 'stats.grubstreet.com' 'hits.guardian.co.uk' 'metrics.harley-davidson.com' 'analytics.hayneedle.com' 'metrics.hbogo.com' 'minerva.healthcentral.com' 'metrics.hhgregg.com' 'metrics.homebase.co.uk' 'omt.honda.com' 'metrics.hoovers.com' 'metrics.howstuffworks.com' 'metrics.hrblock.com' 'my.iheartradio.com' 'sc.independent.co.uk' 'stats.ign.com' 'metrics.imvu.com' 'www91.intel.com' 'stats.investors.com' 'metrics.store.irobot.com' 'dc.kaboodle.com' 'metrics.kbb.com' 'ww9.kohls.com' 'metrics.lawyers.com' 'metrics.lehighvalleylive.com' 'metrics.us.levi.com' 'metrics.lexus.com' 'metrics.lhj.com' 'stats.libresse.no' 'om.lonelyplanet.com' 'analytics.mail-corp.com' 'metric.makemytrip.com' 'metric.marthastewart.com' 'metrics.mcafee.com' 'tracking.medpagetoday.com' 'metrics.mercola.com' 'report.mitsubishicars.com' 'an.mlb.com' 'metrics.mlive.com' 'metric.modcloth.com' 'metrics.moneymart.ca' 'metrics.more.com' 'stats.mvilivestats.com' 'metric.mylife.com' 'metrics.mysanantonio.com' 'metrics.nba.com' 'oimg.nbcuni.com' 'om.neimanmarcus.com' 'ometrics.netapp.com' 'metrics.newcars.com' 'metrics.nfl.com' 'metrics.nissanusa.com' 'metrics.nj.com' 'metrics.nola.com' 'metrics.nutrisystem.com' 'stats.nymag.com' 'om.onlineshoes.com' 'o.opentable.com' 'metrics.oprah.com' 'metrics.oregonlive.com' 'metrics.pagoda.com' 'stats.pandora.com' 'metrics.parents.com' 'metrics.pe.com' 'metrics.pennlive.com' 'metrics.penton.com' 'metric.petinsurance.com' 'metrics.petsmart.com' 'metrics.philly.com' 'metrics.us.playstation.com' 'metrics.politico.com' 'metrics.performgroup.com' 'metrics.radioshack.com' 'metrics.ralphlauren.com' 'mtrcs.redhat.com' 'metric.rent.com' 'metrics.retailmenot.com' 'data.ritzcarlton.com' 'om.rogersmedia.com' 'metrics.seattlepi.com' 'metrics.seenon.com' 'stats2.self.com' 'om.sfgate.com' 'metrics.sharecare.com' 'ou.shutterfly.com' 'metrics.shoedazzle.com' 'metrics.shopoon.fr' 'omniture.shopstyle.com' 'metrics.silive.com' 'b.skinstore.com' 'metrics.sky.com' 'metrics.skype.com' 'metrics.slate.com' 'stats.slashgear.com' 'metrics.speedousa.com' 'omni.sportingnews.com' 'metrics.sportsauthority.com' 'metrics.solarwinds.com' 'metrics.sony.com' 'omn.sonypictures.com' 'metrics.southwest.com' 'metrics.starwoodhotels.com' 'omniture.stuff.co.nz' 'stats.style.com' 'metrics.sun.com' 'metric.superpages.com' 'metrics.svd.se' 'om.symantec.com' 'metrics.syracuse.com' 'analytics.tbs.com' 'metrics.teambeachbody.com' 'stats2.teenvogue.com' 'info.telstra.com' 'metrics.tgw.com' 'hits.theguardian.com' 'metrics.thinkgeek.com' 'metrics.three.co.uk' 'metrics.ticketmaster.com' 'tgd.timesonline.co.uk' 'metrics.tlc.com' 'metrics.toptenreviews.com' 'metrics.toyota.com' 'metrics.toysrus.com' 'metrics.traderonline.com' 'om.truecar.com' 'metric.trulia.com' 'metrics.tulsaworld.com' 'metrics.turner.com' 'metrics.tvguide.com' 'metrics.uol.com.br' 'stats2.vanityfair.com' 'sleep.vermontteddybear.com' 'metrics.vividseats.com' 'sc.vmware.com' 'metrics.vodafone.co.uk' 'metric.volkswagen.com' 'webstats.volvo.com' 'stats.voyages-sncf.com' 'stats.vulture.com' 'wa.and.co.uk' 'webanalyticsnossl.websense.com' 'std.o.webmd.com' 'metrics.which.co.uk' 'metrics.windowsitpro.com' 'metrics.winsupersite.com' 'stats2.wmagazine.com' 'an.worldbaseballclassic.com' 'metric.worldcat.org' 'metrics.worldmarket.com' 's.xbox.com' 'smetrics.yellowbook.com' 'metric.yellowpages.com' 'track.www.zazzle.com' 'mbox.offermatica.intuit.com' 'mbox12.offermatica.com' 'metrics.iconfitness.com' 'crain.d1.sc.omtrdc.net' 'newjobs.d1.sc.omtrdc.net' 'rodale.d1.sc.omtrdc.net' 'siemens.d1.sc.omtrdc.net' 'truevalue.d2.sc.omtrdc.net' 'mbox3.offermatica.com' 'mbox3e.offermatica.com' 'mbox4.offermatica.com' 'mbox4e.offermatica.com' 'mbox5.offermatica.com' 'mbox9.offermatica.com' 'mbox9e.offermatica.com' 'americaneagleoutfitt.tt.omtrdc.net' 'angieslist.tt.omtrdc.net' 'carbonite.tt.omtrdc.net' 'comcast.tt.omtrdc.net' 'educationmanagementl.tt.omtrdc.net' 'dellinc.tt.omtrdc.net' 'readersdigest.tt.omtrdc.net' 'rentcom.tt.omtrdc.net' 'reunion.tt.omtrdc.net' 'geo.offermatica.com' 'mbox6.offermatica.com' 'a.advanstar.com' 'a.amd.com' 'a.answers.com' 'a.autoexpress.co.uk' 'a.bizarremag.com' 'a.cbc.ca' 'vendorweb.citibank.com' 'b.computerworlduk.com' 'a.custompc.co.uk' 'ap101.curves.com' 'b.digitalartsonline.co.uk' 'a.environmentaldefense.org' 'a.evo.co.uk' 'a.fandango.com' 'tracking.foxnews.com' 'wss.hbpl.co.uk' 'a.heretv.com' 'h.hollywood.com' 'a.independent.co.uk' 'a.itpro.co.uk' 'a.law.com' 'a.macuser.co.uk' 'a.modernmedicine.com' 'cs.montrealplus.ca' 'a.networkworld.com' 'a.pcpro.co.uk' 'a.pokerplayermagazine.co.uk' 'c.realtytrac.com' 'a.shop.com' 'a.spicetv.com' 'h.spill.com' 'a.tempurpedic.com' 'ngd.thesun.co.uk' 'a.tiscali.co.uk' 'a.venetian.com' 'a.vonage.com' 'ws.yellowpages.ca' 'www.freestats.ws' 'geoip.edagames.com' 'click.khingtracking.com' '5advertise.com' 'admediacpm.com' 'ads-cpm.com' 'adserver.ads-cpm.com' 's42.cpmaffiliation.com' 'www.cpmaffiliation.com' 'soft4update.forfreeupgrades.org' 'regiepublicitairecpm.com' 'code.d-agency.net' 'switch.d-agency.net' 'code.rtbsystem.com' 'ads-colruytgroup.adhese.com' 'ads-nrc.adhese.com' 'pool-nrc.adhese.com' 'ads.pebblemedia.adhese.com' 'pool.pebblemedia.adhese.com' 'ads.persgroep.adhese.com' 'pool-colruytgroup.adhese.com' 'pool.persgroep.adhese.com' 'ads.roularta.adhese.com' 'pool.roularta.adhese.com' 'pebble-adhese.gva.be' 'pebble-adhese.hbvl.be' 'ox-d.buddytv.com' 'ox-d.cloud9-media.net' 'ox-d.cordillera.tv' 'ox-d.dailyherald.com' 'ox-d.digiday.com' 'ox-d.eluniversal.com' 'ox-d.footballmedia.com' 'ox-d.gamer-network.net' 'ox-d.gamerpublishing.com' 'ox-d.globalpost.com' 'ox-d.hdcmedia.nl' 'ox-d.hypeads.org' 'ox-d.iflscience.com' 'ox-d.johnstonpress.co.uk' 'ox-d.majorgeeks.com' 'ox-d.makerstudios.com' 'ox-d.mirror-digital.com' 'ox-d.mm1x.nl' 'ox-d.mmaadnet.com' 'ox-d.motogp.com' 'ox-d.officer.com' 'bid.openx.net' 'prod-d.openx.com' 'u.openx.net' 'uk-ads.openx.net' 'us-u.openx.net' 'ox-d.openxadexchange.com' 'd.peoplesearchads.com' 'ox-d.photobucket.com' 'ax-d.pixfuture.net' 'ox-d.popmatters.com' 'ox-d.qz.com' 'ox-d.rantsports.com' 'ox-d.restaurant.com' 'ox-d.ads.revnm.com' 'ox-d.sbnation.com' 'ox-d.ask.servedbyopenx.com' 'ox-d.apax.servedbyopenx.com' 'ox-d.bauer.servedbyopenx.com' 'ox-d.boston.servedbyopenx.com' 'ox-d.cheezburger.servedbyopenx.com' 'ox-d.concourse.servedbyopenx.com' 'ox-d.curse.servedbyopenx.com' 'ox-d.futurenet.servedbyopenx.com' 'ox-d.ibt.servedbyopenx.com' 'ox-d.imgur.servedbyopenx.com' 'ox-d.leessp.servedbyopenx.com' 'ox-d.mediavine.servedbyopenx.com' 'ox-d.nydailynews.servedbyopenx.com' 'ox-d.philly.servedbyopenx.com' 'ox-d.publisherdesk.servedbyopenx.com' 'ox-d.ranker.servedbyopenx.com' 'ox-d.realtor.servedbyopenx.com' 'ox-d.venturebeat.servedbyopenx.com' 'ox-d.sidereel.com' 'adserv.bulletinmarketing.com' 'addelivery.thestreet.com' 'torr-d.torrpedoads.net' 'us-ads.openx.net' 'ox-d.secure-clicks.org' 'a.unanimis.co.uk' 'ox-d.verivox.de' 'ox-d.viralnova.com' 'ox-d.w00tmedia.net' 'ox-d.wahwahnetworks.com' 'ox-d.washingtonpost.servedbyopenx.com' 'ads.webcamclub.com' 'ox-d.whaler<EMAIL>' 'ox-d.zam.com' 'www.avnads.com' '314.hittail.com' '815.hittail.com' '922.hittail.com' '1262.hittail.com' '30811.hittail.com' '3241.hittail.com' '3415.hittail.com' '3463.hittail.com' '3918.hittail.com' '3933.hittail.com' '3957.hittail.com' '4134.hittail.com' '4560.hittail.com' '4612.hittail.com' '8260.hittail.com' '8959.hittail.com' '9394.hittail.com' '9446.hittail.com' '9547.hittail.com' '9563.hittail.com' '9571.hittail.com' '10006.hittail.com' '10168.hittail.com' '12877.hittail.com' '13223.hittail.com' '14228.hittail.com' '15141.hittail.com' '15628.hittail.com' '15694.hittail.com' '16565.hittail.com' '19097.hittail.com' '19500.hittail.com' '19533.hittail.com' '20909.hittail.com' '21807.hittail.com' '22537.hittail.com' '23315.hittail.com' '23837.hittail.com' '24725.hittail.com' '24809.hittail.com' '25057.hittail.com' '26288.hittail.com' '27460.hittail.com' '27891.hittail.com' '28305.hittail.com' '30001.hittail.com' '31335.hittail.com' '31870.hittail.com' '34673.hittail.com' '35385.hittail.com' '71158.hittail.com' '73091.hittail.com' '77266.hittail.com' '78843.hittail.com' '93367.hittail.com' '99400.hittail.com' '100065.hittail.com' '103532.hittail.com' '106242.hittail.com' '108411.hittail.com' 'tracking.hittail.com' 'tracking2.hittail.com' 'ads.neudesicmediagroup.com' 'domainsponsor.com' 'images.domainsponsor.com' 'spi.domainsponsor.com' 'dsparking.com' 'dsnetservices.com' 'dsnextgen.com' 'www.dsnextgen.com' 'www.kanoodle.com' 'content.pulse360.com' 'ads.videoadex.com' 'green.erne.co' 'geoloc4.geovisite.com' 'ibannerx.com' 'adyoulike.omnitagjs.com' 'prosearchs.in' 'whoads.net' 'creativecdn.com' 'www.efficienttraffic.com' 'adserver.magazyn.pl' 'banners.oxiads.fr' 'aff.tagcdn.com' 'hub.adlpartner.com' 'ad.asntown.net' 'marketingenhanced.com' 'www2.yidsense.com' 'sre.zemanta.com' 'www8.afsanalytics.com' 'www.yidsense.com' 'find-me-now.com' 'cdn.tapstream.com' 'static.canalstat.com' 'www.geoworldonline.com' 'metriweb.be' 'www.pagerank-gratuit.com' 'a1.x-traceur.com' 'a3.x-traceur.com' 'a12.x-traceur.com' 'a18.x-traceur.com' 'a20.x-traceur.com' 'logos.x-traceur.com' 'services.x-traceur.com' 'arecio.work' 'go27.net' 'eu1.heatmap.it' 'oxybe.com' 'pubted.com' 'ucoxa.work' 'www.frameptp.com' 'geoloc16.geovisite.com' 'xed.pl' 'www.xed.pl' 'c.ad6media.fr' 'fwg0b0sfig.s.ad6media.fr' 'www.adverteasy.fr' 'ads.databrainz.com' 'geoloc2.geovisite.com' 'u.heatmap.it' 'megapopads.com' 'sender.megapopads.com' 'tracking.veille-referencement.com' 'static.adbutter.net' 'j.adlooxtracking.com' 'ads.clipconverter.cc' 'fo-api.omnitagjs.com' 'analytics.safelinking.net' 'stabx.net' 'www.x-park.net' 'st-1.1fichier.com' 'r.ad6media.fr' 'adbanner.adxcore.com' 'l.adxcore.com' 'ad.adxcore.com' 'd.adxcore.com' 'ad.ohmyad.co' 'l.ohmyad.co' 'at.alenty.com' 'www.alenty.com' 'secure.audienceinsights.net' 'logger.cash-media.de' 'deplayer.net' 'www.drimads.com' 'server1.affiz.net' 'apicit.net' 'www.canalstat.com' 'stats.click-internet.fr' 'www.diffusionpub.com' 'dreamad.org' '3wregie.ezakus.net' 'overblog.ezakus.net' 'ads.freecaster.tv' 'geoloc12.geovisite.com' 'geoloc13.geovisite.com' 'geoloc14.geovisite.com' 'www.net-pratique.fr' 'ads1.nexdra.com' 'www.noowho.com' 'paulsnetwork.com' 'piwik.org' 'hit.reference-sexe.com' 'tracker.squidanalytics.com' 'ads.stickyadstv.com' 'script.yeb.biz' 'fr.1sponsor.com' 'adv.440network.com' 'fr.cim.clickintext.net' 'fr.slidein.clickintext.net' 'fr.85.clickintext.net' 'top.c-stat.eu' 'exgfsbucks.com' 'geoloc17.geovisite.com' 'www.livecount.fr' 'adtools.matrix-cash.com' 'adhosting.ohmyad.co' 'www.one-door.com' 'c.thestat.net' 'www.toptracker.ru' 'www.pro.webstat.pl' 'tracking.wisepops.com' 'www.xstat.pl' 'zbiornik.com' 'adbard.net' 'cache.adviva.net' 'cdn.amgdgt.com' 'media.baventures.com' 'js.bizographics.com' 'rkcache.brandreachsys.com' 's.clicktale.net' 'images.ddc.com' 'cdn.firstlook.com' 'm2.fwmrm.net' 'cache.gfrevenge.com' 'cache.izearanks.com' 'media.markethealth.com' 'crtv.mate1.com' 'cdn.media6degrees.com' 'static.meteorsolutions.com' 'tas.orangeads.fr' 'bannershotlink.perfectgonzo.com' 'iframes.perfectgonzo.com' 'pluginx.perfectgonzo.com' 'cache.specificmedia.com' 'www.traveladvertising.com' 'cdn.undertone.com' 'wp.vizu.com' 'cm.eyereturn.com' 'return.uk.domainnamesales.com' 'pixel.sitescout.com' 'www.adultmoda.com' 'btprmnav.com' 'bttrack.com' 'pixel.crosspixel.net' 'tracking.aimediagroup.com' 'www.maxbounty.com' 'www.mb01.com' 'as1.mistupid.com' 'delta.rspcdn.com' 'androidsdk.ads.mp.mydas.mobi' 'bank01.ads.dt.mydas.mobi' 'bank02.ads.dt.mydas.mobi' 'bank03.ads.dt.mydas.mobi' 'bank04.ads.dt.mydas.mobi' 'bank05.ads.dt.mydas.mobi' 'bank06.ads.dt.mydas.mobi' 'bank07.ads.dt.mydas.mobi' 'bank08.ads.dt.mydas.mobi' 'bank09.ads.dt.mydas.mobi' 'bank10.ads.dt.mydas.mobi' 'bank11.ads.dt.mydas.mobi' 'bank12.ads.dt.mydas.mobi' 'bank13.ads.dt.mydas.mobi' 'bank15.ads.dt.mydas.mobi' 'bank16.ads.dt.mydas.mobi' 'bank17.ads.dt.mydas.mobi' 'bank18.ads.dt.mydas.mobi' 'bank19.ads.dt.mydas.mobi' 'bank20.ads.dt.mydas.mobi' 'bank01.ads.mp.mydas.mobi' 'bank02.ads.mp.mydas.mobi' 'bank03.ads.mp.mydas.mobi' 'bank04.ads.mp.mydas.mobi' 'bank05.ads.mp.mydas.mobi' 'bank06.ads.mp.mydas.mobi' 'bank07.ads.mp.mydas.mobi' 'bank08.ads.mp.mydas.mobi' 'bank09.ads.mp.mydas.mobi' 'bank10.ads.mp.mydas.mobi' 'bank11.ads.mp.mydas.mobi' 'bank12.ads.mp.mydas.mobi' 'bank13.ads.mp.mydas.mobi' 'bank15.ads.mp.mydas.mobi' 'bank16.ads.mp.mydas.mobi' 'bank17.ads.mp.mydas.mobi' 'bank18.ads.mp.mydas.mobi' 'bank19.ads.mp.mydas.mobi' 'bank20.ads.mp.mydas.mobi' 'srv.buysellads.com' 'www.iboard.com' 'cg-global.maxymiser.com' 'www.mcsqd.com' 'ab163949.adbutler-kaon.com' 'ads.d-msquared.com' '1.ofsnetwork.com' 'ads.sportsblog.com' 'ab159015.adbutler-zilon.com' 'pub17.bravenet.com' 'www.countmypage.com' 'www.cpalist.com' 'click.icetraffic.com' 'pix.lfstmedia.com' 'map.media6degrees.com' 'd6y5.ads.pof.com' 't.ads.pof.com' 'clickserv.sitescout.com' 'www4search.net' 'archive.coolerads.com' 'counter.co.kz' 'hitmodel.net' 'openads.hiphopsite.com' 'delivery.serve.bluelinkmarketing.com' 'connexionsafe.com' 'geo.crtracklink.com' 'delivery.myswitchads.com' 'delivery.us.myswitchads.com' 'www.searchnet.com' 'delivery.c.switchadhub.com' 'banner.titanpoker.com' 'banner.vegasred.com' 'coolinc.info' 'www.mb57.com' 'banners.leadingedgecash.com' 'www2.leadingedgecash.com' 'www.leadingedgecash.com' 'd.adgear.com' 'o.adgear.com' 'www.albiondrugs.com' 'banner.casinotropez.com' 'banner.europacasino.com' 'www.favicon.com' 'purefuck.com' 'ads.purefuck.com' 'adwords2.paretologic.revenuewire.net' 'members.sexroulette.com' 'www.ab4tn.com' 'anti-virus-removal.info' 'bb.o2.eyereturn.com' 'www.full-edition.info' 'musicmembersarea.com' 'www.pdf-platinum.info' 'www.trackingindahouse.com' 'www.apponic.com' 'www.adelixir.com' 'geo.connexionsecure.com' 'ertya.com' 'eyereact.eyereturn.com' 'o2.eyereturn.com' 'timespent.eyereturn.com' 'voken.eyereturn.com' 'frtya.com' 'geo.hyperlinksecure.com' 'ads.linuxjournal.com' 'stats.polldaddy.com' 'geo.safelinktracker.com' 'www.safemobilelink.com' 'seethisinaction.com' 'spc.cefhdghhafdgceifiehdfdad.iban.telemetryverification.net' 'topqualitylink.com' 'www.webmoblink.com' 'botd.wordpress.com' 'stats.wordpress.com' 'top100italiana.com' 'www.adloader.com' 'ads.adtrustmedia.com' 'update.privdog.com' 'www.privdog.com' 'adserver.exgfnetwork.com' 'www.mycleanerpc.com' 'adskape.ru' 'p543.adskape.ru' 'p13178.adskape.ru' 'p1574.adskape.ru' 'p2408.adskape.ru' 'p4010.adskape.ru' 'p9762.adskape.ru' '1gavcom.popunder.ru' 'anrysys.popunder.ru' 'balakin.popunder.ru' 'basterr.popunder.ru' 'bizbor.popunder.ru' 'bugera.popunder.ru' 'clik2008.popunder.ru' 'darseo.popunder.ru' 'djeps.popunder.ru' 'ead-soft.popunder.ru' 'freegroupvideo.popunder.ru' 'gajime.popunder.ru' 'h0rnd0g.popunder.ru' 'jabu.popunder.ru' 'kamasutra.popunder.ru' 'kinofree.popunder.ru' 'low-hacker.popunder.ru' 'luksona.popunder.ru' 'milioner.popunder.ru' 'palmebi.popunder.ru' 'rapsubs.popunder.ru' 'sayhello.popunder.ru' 'soski.popunder.ru' 'spike669.popunder.ru' 'stepan007.popunder.ru' 'tengo.popunder.ru' 'the-kret.popunder.ru' 'tvzebra.popunder.ru' 'vaime.net.popunder.ru' 'viper.popunder.ru' 'vistas.popunder.ru' 'wera.popunder.ru' 'zampolit1990.popunder.ru' 'zonawm.biz.popunder.ru' 'popunder.ru' 'pop-under.ru' 'admanager.tvysoftware.com' 'adrotator.se' 'f8350e7c1.se' 'www.hit-counter-download.com' 'rotator.offpageads.com' 'ae.amgdgt.com' 'at.amgdgt.com' 'cdns.amgdgt.com' 'topcounts.com' 'astalavista.box.sk' 'www.customersupporthelp.com' 'www.platinumbucks.com' 'www.sexfind.com' 'pubs.lemonde.fr' 'realmedia.lesechos.fr' 'pvpub.paruvendu.fr' 'ad2play.ftv-publicite.fr' 'pub.ftv-publicite.fr' 'ox.forexbrokerz.com' 'ad.inmatads.info' 'ad.inpizdads.info' 'ad.inpulds.info' 'ad.lazynerd.info' 'adv.p2pbg.com' 'ad.philipstreehouse.info' 'ad.sethads.info' 'ad.theequalground.info' 'ad.thoughtsondance.info' 'pops.velmedia.net' 'ad.vikadsk.com' 'ad.vuiads.net' 'ad2.vuiads.net' 'ad2.ycasmd.info' 'www.zlothonline.info' 'ad.zoglafi.info' 'ads.9mp.ro' 'mouseflow.com' 'a.mouseflow.com' 'www.onlinewebservice3.de' 'ads.adbroker.de' 'track.celeb.gate.cc' 'www.hitmaster.de' 'www.webanalyser.net' 'evania.adspirit.de' 'www.counter4all.de' 'ad.ad24.ru' '234.adru.net' 'adserveonline.biz' 'bdgadv.ru' 'ads.dailystar.com.lb' 'openads.flagman.bg' 'www.klamm-counter.de' 'promoserver.net' 'scripts.psyma.com' 'aff.summercart.com' 'banners.tempobet.com' 'img6.adspirit.de' 'img7.adspirit.de' 'ev.ads.pointroll.com' 'speed.pointroll.com' 'pointroll.com' 'ads.pointroll.com' 'clk.pointroll.com' 'media.pointroll.com' 't.pointroll.com' 'track.pointroll.com' 'www.pointroll.com' 'statsv3.gaycash.com' 'carpediem.sv2.biz' 'dvdmanager-203.sv2.biz' 'ktu.sv2.biz' 'pub.sv2.biz' 'media.yesmessenger.com' 'outils.yes-messenger.com' 'www.dodostats.com' 'avalon.topbucks.com' 'botw.topbucks.com' 'clickheat.topbucks.com' 'cluster-03.topbucks.com' 'mainstream.topbucks.com' 'rainbow.topbucks.com' 'referral.topbucks.com' 'vod.topbucks.com' 'referral.vod.topbucks.com' 'webmaster.topbucks.com' 'dynamic.fmpub.net' 'keywords.fmpub.net' 'tenzing.fmpub.net' 'mapstats.blogflux.com' 'topsites.blogflux.com' 'www.blogtopsites.com' 'www.topblogs.com.ph' 'www.fickads.net' 'www.maxxxhits.com' 'novarevenue.com' 'techlifeconnected.com' 'hypertracker.com' 'www.bnmq.com' 'cnomy.com' 'pics.cnomy.com' 'pics.kolmic.com' 'mysearch-engine.com' 'www.searchacross.com' 'searchdiscovered.com' 'searchfwding.com' 'searchignited.com' 'searchtoexplore.com' 'taffr.com' 'tamprc.com' 'www.theuniquesearch.com' 'banner.ambercoastcasino.com' 'banner.cdpoker.com' 'banner.eurogrand.com' 'm.friendlyduck.com' 'www.webtrackerplus.com' 'search.keywordblocks.com' 'www.mnetads.com' 'tour.affbuzzads.com' 'www.friendlyduck.com' 's.krebsonsecurity.com' 'cloud-observer.ip-label.net' 'ad.caradisiac-publicite.com' 'ads.canalblog.com' 'geo.deepmetrix.com' 'banners.easydns.com' 'www.incentaclick.com' 'chlcotrk.com' 'www.mlinktracker.com' 'www.mmtracking.com' 'mpmotrk.com' 'mprptrk.com' 'mpxxtrk.com' 'sebcotrk.com' 'suscotrk.com' 'quantserve.com' 'edge.quantserve.com' 'www.edge.quantserve.com' 'flash.quantserve.com' 'pixel.quantserve.com' 'secure.quantserve.com' 'segapi.quantserve.com' 'cms.quantserve.com' 'ads.techweb.com' 'client.roiadtracker.com' 'ds-aksb-a.akamaihd.net' 'cdn.publicidad.net' 'get.whitesmoke.com' 'www.whitesmoke.com' 'www.whitesmoke.us' 'ak1.abmr.net' 'ads.xda-developers.com' 'ads.sidekick.condenast.com' 'cache.dtmpub.com' 't.omkt.co' 'ads.directnetadvertising.net' 'www.directnetadvertising.net' 'tiads.people.com' 'ads.vimg.net' 'hosting.conduit.com' 'apps.conduit-banners.com' 'www.conduit-banners.com' 'users.effectivebrand.com' 'www.effectivebrand.com' 'search.effectivebrand.com' 'pcbutts1.ourtoolbar.com' 'banners.affiliatefuel.com' 'r1.affiliatefuel.com' 'www.affiliatefuel.com' 'aftrk.com' 'banners.aftrk.com' 'cookies.cmpnet.com' 'ccc00.opinionlab.com' 'ccc01.opinionlab.com' 'rate.opinionlab.com' 'www.opinionlab.com' 'csma95349.analytics.edgesuite.net' 'an.secure.tacoda.net' 'ads.tarrobads.com' 'hu.2.cqcounter.com' 'highspeedtesting.com' 'adserver.highspeedtesting.com' 'creative.wwwpromoter.com' 'banners.18vision.com' 'banners.amateurtour.com' 'banners.celebtaboo.com' 'banners.dollarmachine.com' 'banners.exsluts.com' 'banners.totalaccessporn.com' 'c4tracking01.com' 'stats.sbstv.dk' 'analytics.juggle.com' 'adtradradservices.com' 'www.earnify.com' 'www.komodia.com' 'tracking.chooserocket.com' 'ads2.williamhill.com' 'api.cheatsheet.me' 'interyield.jmp9.com' 'track.blogmeetsbrand.com' 'interyield.td553.com' 'admarket.entireweb.com' 'ad.download.cnet.com' 'ml314.com' 'mlno6.com' 'api.adsnative.com' 'offers.affiliatetraction.com' 'stats.articlesbase.com' 'track.ionicmedia.com' 'api.mixpanel.com' 'live.monitus.net' 'log.olark.com' 'thesearchagency.net' 'adx.bixee.com' 'banners.brinkin.com' 'stats.buysellads.com' 'zfhg.digitaldesire.com' 'adsrv.ea.com' 'adx.ibibo.com' 'pixel.parsely.com' 'www.pixeltrack66.com' 'analytics.sonymusic.com' 'px.steelhousemedia.com' 'tag.tlvmedia.com' 'winknewsads.com' 'api.bounceexchange.com' 'iluv.clickbooth.com' 'cpatraffictracker.com' 'immanalytics.com' 'tracking.intermundomedia.com' 'cdnt.meteorsolutions.com' 'naughtyadserve.com' 'adsformula.sitescout.com' 'distillery.wistia.com' 'tools.ranker.com' 't.afftrackr.com' 'tcgtrkr.com' 'tsmtrk.com' 'www.clear-request.com' 'dcs.netbiscuits.net' 'lb.web-stat.com' 'server2.web-stat.com' 'www.electronicpromotion.com' 'api.opencandy.com' 'www.rewardszoneusa.com' 'www.webhostingcounter.com' 'www.trackingstatalytics.com' 'www.smartlinks.dianomi.com' 'www.dianomioffers.co.uk' 'n.ad-back.net' 'bcanalytics.bigcommerce.com' 'www.oktrk.com' 'pipedream.wistia.com' 's.svtrd.com' 'www.ist-track.com' 'www.ycctrk.co.uk' 'www.powerlinks.com' 'accutrk.com' 'comcluster.cxense.com' 'lfscpttracking.com' 'ads.referlocal.com' 'www.trkr1.com' 'trustedtrack.com' 'adexcite.com' 'q1mediahydraplatform.com' '123count.com' 'www.123count.com' 'www.123stat.com' 'count1.compteur.fr' 'www.countercentral.com' 'web-stat.com' 'server3.web-stat.com' 'server4.web-stat.com' 'www.web-stat.com' 'seomatrix.webtrackingservices.com' 'www.adfusion.com' 'adreadytractions.com' 'www.adversalservers.com' 'clickgooroo.com' 'bigapple.contextuads.com' 'cowboy.contextuads.com' 'loadus.exelator.com' 'www.gxplugin.com' 'winter.metacafe.com' 'container.pointroll.com' 'ads.sexinyourcity.com' 'www.sexinyourcity.com' 'www1.sexinyourcity.com' 'swtkes.com' 'ads.designtaxi.com' 'ads.gomonews.com' 'cdn.linksmart.com' 'www.registryfix.com' 'www.acez.com' 'www.acezsoftware.com' 'cpalead.com' 'data.cpalead.com' 'www.cpalead.com' 'dzxcq.com' 'www.performics.com' 'aetrk.com' 'members.commissionmonster.com' 'www.contextuads.com' 'www.couponsandoffers.com' 'track.dmipartners.com' 'ecdtrk.com' 'f5mtrack.com' 'www.free-counter.com' 'gd.geobytes.com' 'ism2trk.com' 'ads.jiwire.com' 'clk.madisonlogic.com' 'jsc.madisonlogic.com' 'clients.pointroll.com' 'ads.psxextreme.com' 'ads.queendom.com' 'secure2.segpay.com' 'adserver.sharewareonline.com' 'adserver.softwareonline.com' 'www.text-link-ads.com' 'www.textlinkads.com' 'www.vivo7.com' 'secure.w3track.com' 'www.adwareprofessional.com' 'centertrk.com' 'sinettrk.com' 'b.sli-spark.com' 'traktum.com' 'track.childrensalon.com' 'adserver.powerlinks.com' 'track.webgains.com' 'ads.adhsm.adhese.com' 'ads.nrc.adhese.com' 'pool.adhsm.adhese.com' 'pool.nrc.adhese.com' 'pool.sanoma.adhese.com' 'ads.bluesq.com' 'ads.comeon.com' 'inskinad.com' 'ads.mrgreen.com' 'ads.offsidebet.com' 'ads.o-networkaffiliates.com' 't.wowanalytics.co.uk' 'ads.betsafe.com' 'www.inskinad.com' 'ads.mybet.com' 'metering.pagesuite.com' 'adserv.adbonus.com' 'www.adbonus.com' 'ads.cc' 'ads.matchbin.com' 'analytics.matchbin.com' 'www.metricsimage.com' 'www.nitronetads.com' 'p.placemypixel.com' 'ads.radiatemedia.com' 'analytics.radiatemedia.com' 'www.silver-path.com' 'ad.rambler.ru' 'ad2.rambler.ru' 'ad3.rambler.ru' 'counter.rambler.ru' 'images.rambler.ru' 'info-images.rambler.ru' 'scnt.rambler.ru' 'scounter.rambler.ru' 'top100.rambler.ru' 'top100-images.rambler.ru' 'st.top100.ru' 'delivery.sid-ads.com' 'delivery.switchadhub.com' 'www.totemcash.com' 'banners.toteme.com' 'cachebanners.toteme.com' 'adserving.muppetism.com' 'scripts.adultcheck.com' 'gfx.webmasterprofitcenter.com' 'promo.webmasterprofitcenter.com' 'promo.worldprofitcenter.com' 'ads.profitsdeluxe.com' 'www.sexy-screen-savers.com' 'ads.playboy.com' 'a.submityourflicks.com' 'delivery.trafficforce.com' 'ads.traffichaus.com' 'syndication.traffichaus.com' 'www.traffichaus.com' 'aff.adsurve.com' 'ads.amakings.com' 'ads.amaland.com' 'ads.bigrebelads.com' 'adserver2.exgfnetwork.com' 'analytics.fuckingawesome.com' 'ads.jo-games.com' 'ads.myjizztube.com' 'www.tubehits.com' 'ads.watchmygf.net' 'openx.watchmygf.net' 'stats.watchmygf.com' 'aylarl.com' 'www.etahub.com' 'ads.mail3x.com' 'ctrack.trafficjunky.net' 'static.trafficjunky.net' 'xads.100links.com' 'optimized-by.simply.com' 'histats2014.simply-webspace.it' 'www.naughty-traffic.com' 'ads.host.camz.com' 'ads.amateurmatch.com' 'ads.datinggold.com' 'code.directadvert.ru' 'ad.oyy.ru' 'cityads.ru' 'promo.cityads.ru' 'www.cityads.ru' 'track.seorate.ru' '5726.bapi.adsafeprotected.com' '6063.bapi.adsafeprotected.com' 'dt.adsafeprotected.com' 'static.adsafeprotected.com' 'spixel.adsafeprotected.com' 'adlik.akavita.com' 'www.targetvisit.com' 'www.hobwelt.com' 'addfreestats.com' 'top.addfreestats.com' 'www.addfreestats.com' 'www1.addfreestats.com' 'www2.addfreestats.com' 'www3.addfreestats.com' 'www4.addfreestats.com' 'www5.addfreestats.com' 'www6.addfreestats.com' 'www7.addfreestats.com' 'www8.addfreestats.com' 'www9.addfreestats.com' 'www.mvav.com' 'admax.nexage.com' 'bbads.sx.atl.publicus.com' 'd.xp1.ru4.com' 'udm.ia6.scorecardresearch.com' 'udm.ia7.scorecardresearch.com' 'sa.scorecardresearch.com' 'click.silvercash.com' 'smc.silvercash.com' 'www.silvercash.com' 'banners.weboverdrive.com' 'ads.tripod.com' 'ads1.tripod.com' 'nedstat.tripod.com' 'cm8.lycos.com' 'images-aud.freshmeat.net' 'images-aud.slashdot.org' 'images-aud.sourceforge.net' 'events.webflowmetrics.com' 'track1.breakmedia.com' 'alt.webtraxs.com' 'www.webtraxs.com' 'www.scanspyware.net' 'pbid.pro-market.net' 'spd.atdmt.speedera.net' 'ads.fmwinc.com' 'images.specificclick.net' 'specificpop.com' 'www.specificpop.com' 'hitslink.com' 'counter.hitslink.com' 'counter2.hitslink.com' 'profiles.hitslink.com' 'www2.hitslink.com' 'www.hitslink.com' 'loc1.hitsprocessor.com' 'click.trafikkfondet.no' 'aa.oasfile.aftenposten.no' 'ap.oasfile.aftenposten.no' 'adcache.aftenposten.no' 'webhit.aftenposten.no' 'helios.finn.no' 's05.flagcounter.com' 'www.kickassratios.com' 'partners.badongo.com' 'ua.badongo.com' 'amo.servik.com' 'www.1adult.com' '11zz.com' 'i.11zz.com' 'in.11zz.com' 'www.11zz.com' 'www.acmexxx.com' 'adchimp.com' 'adultlinksco.com' 'www.adultlinksco.com' 'cashcount.com' 'www.cashcount.com' 'cecash.com' 'tats.cecash.com' 'www.cecash.com' 'cttracking08.com' 'in.cybererotica.com' 'in.ff5.com' 'in.joinourwebsite.com' 'www.joinourwebsite.com' 'tgp.pornsponsors.com' 'www.pornsponsors.com' 'in.riskymail4free.com' 'www.riskymail4free.com' 'img.xratedbucks.com' 'bigtits.xxxallaccesspass.com' 'nm.xxxeuropean.com' 't.adonly.com' 'tags.adonly.com' 'www.ccbilleu.com' 'c.pioneeringad.com' 'j.pioneeringad.com' 'banners.lativio.com' 'join4free.com' 'asians.join4free.com' 'clickthrough.wegcash.com' 'free.wegcash.com' 'programs.wegcash.com' 'promos.wegcash.com' 'serve.ads.chaturbate.com' 'bill.ecsuite.com' 'adserver.exoticads.com' 'promo.lonelywifehookup.com' 'www.trafficcashgold.com' 'promo.ulust.com' 'ads.xprofiles.com' 'www.adsedo.com' 'www.sedotracker.com' 'www.sedotracker.de' 'static.crowdscience.com' 'js.dmtry.com' 'static.parkingpanel.com' 'img.sedoparking.com' 'traffic.revenuedirect.com' 'sedoparking.com' 'www.sedoparking.com' 'www1.sedoparking.com' 'www.incentivenetworks2.com' 'ggo.directrev.com' 'itunesdownloadstore.com' 'searchatomic.com' 'ideoclick.com' 'partners.realgirlsmedia.com' 'www30a4.glam.com' 'ignitad.com' 'hookedmediagroup.com' 'ads.hookedmediagroup.com' 'beacon.hookedmediagroup.com' 'www.hookedmediagroup.com' 't4.trackalyzer.com' 't6.trackalyzer.com' 't5.trackalyzer.com' 'trackalyzer.com' 't1.trackalyzer.com' 't2.trackalyzer.com' 't3.trackalyzer.com' 'vizisense.net' 'beacon-1.newrelic.com' 'beacon-2.newrelic.com' 'beacon-3.newrelic.com' 'beacon-4.newrelic.com' 'beacon-6.newrelic.com' 'www.skassets.com' 'www.holika.com' 'fcds.affiliatetracking.net' 'our.affiliatetracking.net' 'www.affiliatetracking.net' 'www.affiliatetracking.com' 'ads.evtv1.com' 'roia.biz' 'ads.vidsense.com' 'wetrack.it' 'st.wetrack.it' 'vrp.outbrain.com' 'servads.fansshare.com' 'pagetracking.popmarker.com' 'beacon.mediahuis.be' 'prpops.com' 'prscripts.com' 'anm.intelli-direct.com' 'info.intelli-direct.com' 'oxfam.intelli-direct.com' 'tui.intelli-direct.com' 'www.intelli-direct.com' 'tags.transportdirect.info' 'cpc.trafiz.net' 't3.trafiz.net' 'track.trafiz.net' 'track-683.trafiz.net' 'track-711.trafiz.net' 'blogadvertising.me' 'ads1.blogadvertising.me' 'www.blogadvertising.me' 'adserver1.backbeatmedia.com' 'adserver1-images.backbeatmedia.com' 'bullseye.backbeatmedia.com' 'www.clickthruserver.com' 'advertising.bayoubuzz.com' 'adserve.cpmba.se' 'intadserver101.info' 'intadserver102.info' 'intadserver103.info' 'banners.popads.net' 'popadscdn.net' 'affiliates.date-connected.com' 'track.justcloud.com' 'www.liveadclicks.com' 'www.pixelpmm.info' 'www1.tudosearch.com' 'pix.impdesk.com' 'tally.upsideout.com' 'www.virtualsurfer.com' 'www.youho.com' 'a.gsmarena.com' 'tracksitetraffic1.com' 'www.universal-traffic.com' 'codice.shinystat.com' 'codicebusiness.shinystat.com' 'codicefl.shinystat.com' 'codiceisp.shinystat.com' 's1.shinystat.com' 's2.shinystat.com' 's3.shinystat.com' 's4.shinystat.com' 's9.shinystat.com' 'www.shinystat.com' 'codice.shinystat.it' 'codiceisp.shinystat.it' 's1.shinystat.it' 's2.shinystat.it' 's3.shinystat.it' 's4.shinystat.it' 'www.shinystat.it' 'worldsoftwaredownloads.com' 'yourfreesoftonline.com' 'youronlinesoft.com' 'yoursoftwareplace.com' 'didtheyreadit.com' 'www.didtheyreadit.com' 'www.readnotify.com' 'xpostmail.com' 'www.xtrafic.ro' 'sitemeter.com' 'ads.sitemeter.com' 'sm1.sitemeter.com' 'sm2.sitemeter.com' 'sm3.sitemeter.com' 'sm4.sitemeter.com' 'sm5.sitemeter.com' 'sm6.sitemeter.com' 'sm7.sitemeter.com' 'sm8.sitemeter.com' 'sm9.sitemeter.com' 's10.sitemeter.com' 's11.sitemeter.com' 's12.sitemeter.com' 's13.sitemeter.com' 's14.sitemeter.com' 's15.sitemeter.com' 's16.sitemeter.com' 's17.sitemeter.com' 's18.sitemeter.com' 's19.sitemeter.com' 's20.sitemeter.com' 's21.sitemeter.com' 's22.sitemeter.com' 's23.sitemeter.com' 's24.sitemeter.com' 's25.sitemeter.com' 's26.sitemeter.com' 's27.sitemeter.com' 's28.sitemeter.com' 's29.sitemeter.com' 's30.sitemeter.com' 's31.sitemeter.com' 's32.sitemeter.com' 's33.sitemeter.com' 's34.sitemeter.com' 's35.sitemeter.com' 's36.sitemeter.com' 's37.sitemeter.com' 's38.sitemeter.com' 's39.sitemeter.com' 's40.sitemeter.com' 's41.sitemeter.com' 's42.sitemeter.com' 's43.sitemeter.com' 's44.sitemeter.com' 's45.sitemeter.com' 's46.sitemeter.com' 's47.sitemeter.com' 's49.sitemeter.com' 's48.sitemeter.com' 's50.sitemeter.com' 's51.sitemeter.com' 'www.sitemeter.com' 'ads.net-ad-vantage.com' 'ia.spinbox.net' 'netcomm.spinbox.net' 'vsii.spinbox.net' 'www.spinbox.net' 'adtegrity.spinbox.net' 'ad.bannerhost.ru' 'ad2.bannerhost.ru' 'ads.photosight.ru' 'ad.yadro.ru' 'ads.yadro.ru' 'counter.yadro.ru' 'sticker.yadro.ru' 'upstats.yadro.ru' '100-100.ru' 'www.100-100.ru' 'business.lbn.ru' 'www.business.lbn.ru' 'fun.lbn.ru' 'www.fun.lbn.ru' '234.media.lbn.ru' 'adland.medialand.ru' 'adnet.medialand.ru' 'content.medialand.ru' 'flymedia-mladnet.medialand.ru' 'popunder-mladnet.medialand.ru' 'www.europerank.com' 'ads.glasove.com' 'delfin.bg' 'ads.delfin.bg' 'diff4.smartadserver.com' 'mobile.smartadserver.com' 'rtb-csync.smartadserver.com' 'www5.smartadserver.com' 'www6.smartadserver.com' 'ww38.smartadserver.com' 'ww62.smartadserver.com' 'ww147.smartadserver.com' 'ww150.smartadserver.com' 'ww206.smartadserver.com' 'ww400.smartadserver.com' 'ww690.smartadserver.com' 'ww691.smartadserver.com' 'ww797.smartadserver.com' 'ww965.smartadserver.com' 'ww1003.smartadserver.com' 'smart.styria-digital.com' 'ww881.smartadserver.com' 'www9.smartadserver.com' 'radar.network.coull.com' 'delivery.thebloggernetwork.com' 'logs.thebloggernetwork.com' 'www.adforgames.com' 'clkmon.com' 'clkrev.com' 'tag.navdmp.com' 'device.maxmind.com' 'rhtag.com' 'www.rightmedia.com' 'c.securepaths.com' 'www.securepaths.com' 'srvpub.com' 'dx.steelhousemedia.com' 'adr.adplus.co.id' 'd1.24counter.com' 'www.admixxer.com' 'affrh2019.com' 'analytics.bluekai.com' 'stags.bluekai.com' 'c.chango.com' 'd.chango.com' 'dnetshelter3.d.chango.com' 'clkfeed.com' 'clkoffers.com' 'creoads.com' 'realtime.services.disqus.com' 'tempest.services.disqus.com' 'eclkmpbn.com' 'eclkmpsa.com' 'eclkspbn.com' 'eclkspsa.com' 's4is.histats.com' 'ad5.netshelter.net' 'px.owneriq.net' 'session.owneriq.net' 'spx.owneriq.net' 'stats.snacktools.net' 'tags.t.tailtarget.com' 'h.verticalscope.com' 'w55c.net' 'tags.w55c.net' 'ads.wellsmedia.com' 'ad.looktraffic.com' 'www.1800banners.com' 'ads.ad4game.com' 'addjump.com' 'aff.adventory.com' 'www.besthitsnow.com' 'ad.blackystars.com' 'www.blog-hits.com' 'www.cashlayer.com' 'ads1.cricbuzz.com' 'juggler.services.disqus.com' 'www.e-googles.com' 'ads.imaging-resource.com' 'ad.leadbolt.net' 'optimum-hits.com' 'www.optimum-hits.com' 'ads.right-ads.com' 'ad.slashgear.com' 'www.supremehits.net' 'adserver.twitpic.com' 'bluebyt.com' 'ad.a-ads.com' 'convusmp.admailtiser.com' 'installm.net' 't4.liverail.com' 'navdmp.com' 'px.splittag.com' 's.weheartstats.com' 'analytics.bigcommerce.com' 'www.freenew.net' 'ping.qbaka.net' 'adultdatingtest.worlddatingforum.com' 'banners.adventory.com' 'as.autoforums.com' 'as2.autoforums.com' 'a.collective-media.net' 'b.collective-media.net' 'www.counters4u.com' 'odin.goo.mx' 'gostats.com' 'c1.gostats.com' 'c2.gostats.com' 'c3.gostats.com' 'c4.gostats.com' 'monster.gostats.com' 'gostats.ir' 'c3.gostats.ir' 'gostats.pl' 'gostats.ro' 'gostats.ru' 'c4.gostats.ru' 'monster.gostats.ru' 's4.histats.com' 's10.histats.com' 's11.histats.com' 's128.histats.com' 's129js.histats.com' 'sstatic1.histats.com' 'in-appadvertising.com' 'widget6.linkwithin.com' 'ad1.netshelter.net' 'ad2.netshelter.net' 'ad4.netshelter.net' 'peerfly.com' 'i.simpli.fi' 'ads.somd.com' 'webstats.thaindian.com' 'www.trafficpace.com' 'stats.vodpod.com' 'service.clicksvenue.com' 'eu-px.steelhousemedia.com' 'ww-eu.steelhousemedia.com' 'ads.eu.e-planning.net' 'ox-d.bannersbroker.com' 'probes.cedexis.com' 'files5.downloadnet1188.com' 'adplus.goo.mx' 'www.klixmedia.com' 'static.realmediadigital.com' 'files5.securedownload01.com' 'reseller.sexyads.com' 'www.sexyads.net' 'servedby.studads.com' 'a.thoughtleadr.com' 'wp-stats.com' 'ad01.advertise.com' 'adserver.bizhat.com' 'cn.clickable.net' 'clustrmaps.com' 'www2.clustrmaps.com' 'www3.clustrmaps.com' 'www4.clustrmaps.com' 'www.clustrmaps.com' 'referrer.disqus.com' 'www.easyspywarescanner.com' 'adv.elaana.com' 'hitstatus.com' 'hits.informer.com' 'rt.legolas-media.com' 'my.mobfox.com' 'banners.mynakedweb.com' 'pi.pardot.com' 'registrydefender.com' 'www.registrydefender.com' 'registrydefenderplatinum.com' 'www.registrydefenderplatinum.com' 'www.seekways.com' 'thesurfshield.com' 'www.thesurfshield.com' 'www.toplistim.com' 't.dtscout.com' 'r.bid4keywords.com' 'ads.abovetopsecret.com' 'adserverus.info' 'www.arcadebanners.com' 'www.autosurfpro.com' 'www.blogpatrol.com' 'tracking.fanbridge.com' 'www2.game-advertising-online.com' 'www3.game-advertising-online.com' 'ads.msn2go.com' 'mycounter.tinycounter.com' 'urlstats.com' 'ads.verticalscope.com' 'webcounter.com' 'www.webcounter.com' 'error.000webhost.com' 'arank.com' 'b3d.com' 'bde3d.com' 'www.b3d.com' 'track.blvdstatus.com' 'ads.us.e-planning.net' 'www.game-advertising-online.com' 'www.mypagerank.net' 'obeus.com' 'www.sacredphoenix.com' 'srv.sayyac.com' 'srv.sayyac.net' 'www.tangabilder.to' 'by.uservoice.com' 'www.vizury.com' 'window1.com' 'scripts.sophus3.com' 'gm.touchclarity.com' 'traffic.webtrafficagents.com' 'adv.aport.ru' 'stat.aport.ru' 'host1.list.ru' 'host3.list.ru' 'host7.list.ru' 'host11.list.ru' 'host13.list.ru' 'host14.list.ru' 'stat.stars.ru' 'engine.rbc.medialand.ru' 'click.readme.ru' 'img.readme.ru' 'adv.magna.ru' 'lstats.qip.ru' 'ads.fresh.bg' 'ads.standartnews.com' 'op.standartnews.com' 'openx.bmwpower-bg.net' 'vm3.parabol.object.bg' 'ads.tv7.bg' 'ads.tv7.sporta.bg' 'www.islamic-banners.com' 'js.adlink.net' 'tc.adlink.net' 'cdn.tracking.bannerflow.com' 'aka-cdn.adtech.de' 'adtag.asiaone.com' 'ads.casino.com' 'dws.reporting.dnitv.com' 'md.ournet-analytics.com' 'www.ournet-analytics.com' 'ads.dichtbij.adhese.com' 'pool.dichtbij.adhese.com' 'c.statcounter.com' 'c1.statcounter.com' 'c2.statcounter.com' 'c3.statcounter.com' 'c4.statcounter.com' 'c5.statcounter.com' 'c6.statcounter.com' 'c7.statcounter.com' 'c8.statcounter.com' 'c10.statcounter.com' 'c11.statcounter.com' 'c12.statcounter.com' 'c13.statcounter.com' 'c14.statcounter.com' 'c15.statcounter.com' 'c16.statcounter.com' 'c17.statcounter.com' 'c18.statcounter.com' 'c19.statcounter.com' 'c20.statcounter.com' 'c21.statcounter.com' 'c22.statcounter.com' 'c23.statcounter.com' 'c24.statcounter.com' 'c25.statcounter.com' 'c26.statcounter.com' 'c27.statcounter.com' 'c28.statcounter.com' 'c29.statcounter.com' 'c30.statcounter.com' 'c31.statcounter.com' 'c32.statcounter.com' 'c33.statcounter.com' 'c34.statcounter.com' 'c35.statcounter.com' 'c36.statcounter.com' 'c37.statcounter.com' 'c38.statcounter.com' 'c39.statcounter.com' 'c40.statcounter.com' 'c41.statcounter.com' 'c42.statcounter.com' 'c43.statcounter.com' 'c45.statcounter.com' 'c46.statcounter.com' 'my.statcounter.com' 'my8.statcounter.com' 's2.statcounter.com' 'secure.statcounter.com' 'www.statcounter.com' 'www.clixtrac.com' 'ic.tynt.com' 'freakads.com' 'poponclick.com' 'ads.kidssports.bg' 'hgads.silvercdn.com' 'cdn.adrotator.se' 'cdn.exactag.com' 'link.bannersystem.cz' 'counter.cnw.cz' 'counter.prohledat.cz' 'toplist.cz' 'www.toplist.cz' 'toplist.eu' 'toplist.sk' 'bannerlink.xxxtreams.com' 'monitoring.profi-webhosting.cz' 'reklama.vaseporno.eu' 'clicks2.traffictrader.net' 'clicks3.traffictrader.net' 'weownthetraffic.com' 'www.weownthetraffic.com' 'stats.xxxkey.com' 'clicks.traffictrader.net' 'clicks.eutopia.traffictrader.net' 'www.adultdvdhits.com' 'ads.contentabc.com' 'banners.dogfart.com' 'tour.brazzers.com' 'promo.twistyscash.com' 'syndication.cntrafficpro.com' 'ads.brazzers.com' 'ads2.brazzers.com' 'ads2.contentabc.com' 'ads.genericlink.com' 'ads.ghettotube.com' 'ads.iknowthatgirl.com' 'ads.ireel.com' 'ads.mofos.com' 'ads.trafficjunky.net' 'delivery.trafficjunky.net' 'tracking.trafficjunky.net' 'ads.videobash.com' 'ads.weownthetraffic.com' 'www.ypmadserver.com' 'an.tacoda.net' 'anad.tacoda.net' 'anat.tacoda.net' 'cashengines.com' 'click.cashengines.com' 'www.cashengines.com' 'qrcdownload.ibcustomerzone.com' 'click.interactivebrands.com' 'safepay2.interactivebrands.com' 'www.interactivebrands.com' 'helpdesk.marketbill.com' 'www.marketbill.com' 'download2.marketengines.com' 'secure.marketengines.com' 'secure3.marketengines.com' 'geotarget.info' 'www.geotarget.info' 'kt.tns-gallup.dk' 'ajakkirj.spring-tns.net' 'delfi.spring-tns.net' 'err.spring-tns.net' 'kainari.spring-tns.net' 'kotikokki.spring-tns.net' 'lehtimedia.spring-tns.net' 'is.spring-tns.net' 'mtv3.spring-tns.net' 'myyjaosta.spring-tns.net' 'ohtuleht.spring-tns.net' 'postimees.spring-tns.net' 'smf.spring-tns.net' 'talsa.spring-tns.net' 'telkku.spring-tns.net' 'valitutpal.spring-tns.net' 'vuokraovi.spring-tns.net' 'sdc.flysas.com' 'piwik.onlinemagasinet.no' 'dinsalgsvagt.adservinginternational.com' 'dr.adservinginternational.com' 'fynskemedieradmin.adservinginternational.com' 'media.adservinginternational.com' 'dk1.siteimprove.com' 'ssl.siteimprove.com' 'gaytrafficbroker.com' 'ads.lovercash.com' 'media.lovercash.com' 'ads.singlescash.com' 'www.cashthat.com' 'paime.com' 'www.adengage.com' 'au.effectivemeasure.net' 'id-cdn.effectivemeasure.net' 'me.effectivemeasure.net' 'my.effectivemeasure.net' 'sea.effectivemeasure.net' 'yahoo.effectivemeasure.net' 'www6.effectivemeasure.net' 'www8-ssl.effectivemeasure.net' 'www9.effectivemeasure.net' 'www.effectivemeasure.net' 'ads.netcommunities.com' 'adv2.expres.ua' 'ms.onscroll.com' 'www.cheekybanners.com' 'ping.onscroll.com' 'adgebra.co.in' 'marketing.888.com' 'platform.communicatorcorp.com' 'textads.sexmoney.com' 'www.cybilling.com' 'bannerrotation.sexmoney.com' 'click.sexmoney.com' 'imageads.sexmoney.com' 'pagepeels.sexmoney.com' 'www.sexmoney.com' 'counter.sexsuche.tv' 'de.hosting.adjug.com' 'com-cdiscount.netmng.com' 'adx.hendersonvillenews.com' 'adx.ocala.com' 'adx.starbanner.com' 'adx.starnewsonline.com' 'adx.telegram.com' 'adx.timesdaily.com' 'adx.theledger.com' 'nyads.ny.publicus.com' 'bbads.sv.publicus.com' 'beads.sx.atl.publicus.com' 'cmads.sv.publicus.com' 'crimg.sv.publicus.com' 'fdads.sv.publicus.com' 'nsads.sv.publicus.com' 'ptads.sv.publicus.com' 'rhads.sv.publicus.com' 'siads.sv.publicus.com' 'tpads.sv.publicus.com' 'wdads.sx.atl.publicus.com' 'lladinserts.us.publicus.com' 'ads.adhese.be' 'host2.adhese.be' 'host3.adhese.be' 'host4.adhese.be' 'adhese.standaard.be' 'eas1.emediate.eu' 'eas2.emediate.eu' 'eas3.emediate.eu' 'eas4.emediate.eu' 'ad2.emediate.se' 'e2.emediate.se' 'eas.hitta.se' 'rig.idg.no' 'a37.korrelate.net' 'a68.korrelate.net' 'anet.tradedoubler.com' 'anetch.tradedoubler.com' 'anetdk.tradedoubler.com' 'anetfi.tradedoubler.com' 'anetit.tradedoubler.com' 'anetlt.tradedoubler.com' 'anetse.tradedoubler.com' 'clk.tradedoubler.com' 'clkde.tradedoubler.com' 'clkuk.tradedoubler.com' 'hst.tradedoubler.com' 'hstde.tradedoubler.com' 'hstes.tradedoubler.com' 'hstfr.tradedoubler.com' 'hstgb.tradedoubler.com' 'hstit.tradedoubler.com' 'hstno.tradedoubler.com' 'hstpl.tradedoubler.com' 'hstus.tradedoubler.com' 'img.tradedoubler.com' 'imp.tradedoubler.com' 'impat.tradedoubler.com' 'impbe.tradedoubler.com' 'impch.tradedoubler.com' 'impcz.tradedoubler.com' 'impde.tradedoubler.com' 'impdk.tradedoubler.com' 'impes.tradedoubler.com' 'impfi.tradedoubler.com' 'impfr.tradedoubler.com' 'impgb.tradedoubler.com' 'impie.tradedoubler.com' 'impit.tradedoubler.com' 'implt.tradedoubler.com' 'impnl.tradedoubler.com' 'impno.tradedoubler.com' 'imppl.tradedoubler.com' 'impru.tradedoubler.com' 'impse.tradedoubler.com' 'pf.tradedoubler.com' 'tbl.tradedoubler.com' 'tbs.tradedoubler.com' 'tracker.tradedoubler.com' 'wrap.tradedoubler.com' 'active.cache.el-mundo.net' 'eas3.emediate.se' 'eas8.emediate.eu' 'adv.punto-informatico.it' 'anetno.tradedoubler.com' 'stardk.tradedoubler.com' 'tarno.tradedoubler.com' '24counter.com' 'clkads.com' 'flurry.com' 'data.flurry.com' 'dev.flurry.com' 'da.newstogram.com' 'redirectingat.com' 'aff.ringtonepartner.com' 'the-best-track.com' 'advertising.thediabetesnetwork.com' 'w-tres.info' 'adreactor.com' 'adserver.adreactor.com' 'adtactics.com' 'www.adtactics.com' 'adscampaign.net' 'www.adscampaign.net' 'adsvert.com' 'ads.betternetworker.com' 'xyz.freeweblogger.com' 'www.htmate2.com' 'secure.mymedcenter.net' 'www.pantanalvip.com.br' 'www.persianstat.com' 'ads.tritonmedia.com' 'mmaadnet.ad-control-panel.com' 'as.gostats.com' 'ded.gostats.com' 'www.searchmachine.com' 'advertisingnemesis.com' 'adportal.advertisingnemesis.com' 'ads.advertisingnemesis.com' 'adserver.hipertextual.com' 'adopt.specificclick.net' 'afe.specificclick.net' 'bp.specificclick.net' 'dg.specificclick.net' 'ads.freeonlinegames.com' 'stats.freeonlinegames.com' 'ads.desktopscans.com' 'hornytraffic.com' 'www.hornytraffic.com' 'stats.ircfast.com' '007.free-counter.co.uk' 'ads.adhostingsolutions.com' 'ads.asexstories.com' 'www.black-hole.co.uk' 'mm.chitika.net' 'freeonlineusers.com' 'ads.harpers.org' 'www.historykill.com' 'www.killercash.com' 'www.swanksoft.com' 'ads.thegauntlet.com' 'www.traffic4u.com' 'www.trustsoft.com' 'cm3.bnmq.com' 'images.bnmq.com' 'search.in' 'g.adspeed.net' 'tags.bluekai.com' 'www.dating-banners.com' 'ads.free-banners.com' 'www.free-hardcoresex.org' 'ad4.gueb.com' 'ad7.gueb.com' 'ext.host-tracker.com' 'ads.loveshack.org' 'www.megastats.com' 'meiluziai.info' 'search2007.info' 'banner.techarp.com' 'webads.tradeholding.com' 'www.worlds-best-online-casinos.com' 'www.adultdatingtraffic.com' 'counter.relmaxtop.com' 'www.relmaxtop.com' 'advertising.entensity.net' 'freemarketforever.com' 'www.1trac.com' 'www.adscampaign.com' 'www.adultdatelink.com' 'www.adultfriendsearch.com' 'www.atomictime.net' 'network.clickconversion.net' 'freelogs.com' 'bar.freelogs.com' 'goo.freelogs.com' 'htm.freelogs.com' 'ico.freelogs.com' 'joe.freelogs.com' 'mom.freelogs.com' 'xyz.freelogs.com' 'st1.freeonlineusers.com' 'affiliate.friendsearch.com' 'dating.friendsearch.com' 'www.friendsearch.com' 'www.herbalsmokeshops.com' 'service.persianstat.com' 'www.persianstat.ir' 'www.registrysweeper.com' 'russiantwinksecrets.com' 'ads.soft32.com' 'www.spywarecease.com' 'www.websitealive3.com' 'x2.xclicks.net' 'x3.xclicks.net' 'x4.xclicks.net' 'x5.xclicks.net' 'x6.xclicks.net' 'counter.yakcash.com' 'adsystem.adbull.com' 'www.adgroups.net' 'www.adszooks.com' 'www.adultblogtoplist.com' 'www.adultlinkexchange.com' 'www.blogtoplist.com' 'www.commissionempire.com' 'server.cpmstar.com' 'easyhitcounters.com' 'beta.easyhitcounters.com' 'fishclix.com' 'www.fishclix.com' 'affiliate.free-banners.com' 'home.free-banners.com' 'www.free-banners.com' 'partner.friendsearch.com' 'www.funklicks.com' 'www.gamertraffic.com' 'advertising.goldseek.com' 'ads.gravytrainproductions.com' 'ads.gusanito.com' 'tracking.hostgator.com' 'ads.infomediainc.com' 'kazaa.com' 'www.kazaa.com' 'www.knacads.com' 'ads.mindviz.com' 'traffic.mindviz.com' 'mvtracker.com' 'ft.mvtracker.com' 'www.mvtracker.com' 'sayac.onlinewebstat.com' 'ads2.radiocompanion.com' 'ads.retirementjobs.com' 'silveragesoftware.com' 'www.silveragesoftware.com' 'www.top1.ro' 'www.top90.ro' 'partners.visiads.com' 'adsrv.worldvillage.com' 'www.xclicks.net' 'counter.yakbucks.com' 'www.3bsoftware.com' 'www.blowadvertising.com' 'bunny-net.com' 'www.cbproads.com' 'www.downloadupload.com' 'www.filehog.com' 'www.handyarchive.com' 'www.pc-test.net' 'pulsix.com' 'www.pulsix.com' 'restore-pc.com' 'www.restore-pc.com' 'www.searchmagna.com' 'www.trackzapper.com' 'landing.trafficz.com' 'landings.trafficz.com' 'fcc.adjuggler.com' 'image.adjuggler.com' 'img1.adjuggler.com' 'rotator.adjuggler.com' 'www.adjuggler.com' 'adprudence.rotator.hadj7.adjuggler.net' 'amc.rotator.hadj1.adjuggler.net' 'bullzeye.rotator.hadj1.adjuggler.net' 'cdmedia.rotator.hadj7.adjuggler.net' 'csm.rotator.hadj7.adjuggler.net' 'fidelity.rotator.hadj7.adjuggler.net' 'forum.rotator.hadj7.adjuggler.net' 'ientry.rotator.hadj1.adjuggler.net' 'rebellionmedia.rotator.hadj7.adjuggler.net' 'ssprings.rotator.hadj7.adjuggler.net' 'traffiqexchange.rotator.hadj7.adjuggler.net' 'ads.bootcampmedia.com' 'aj.daniweb.com' 'ads.gamersmedia.com' 'ads.gamesbannernet.com' 'ads.greenerworldmedia.com' 'ads.heraldnet.com' '7.rotator.wigetmedia.com' 'ads.livenation.com' 'ads.as4x.tmcs.ticketmaster.com' 'ads.as4x.tmcs.net' 'api.bizographics.com' 'ak.sail-horizon.com' 'servedby.integraclick.com' 'fast.mtvn.demdex.net' 'ma211-r.analytics.edgesuite.net' 'sitestats.tiscali.co.uk' 'adsweb.tiscali.it' 'au-cdn.effectivemeasure.net' 'ma76-r.analytics.edgesuite.net' 'c.effectivemeasure.net' 'nz-cdn.effectivemeasure.net' 'ph-cdn.effectivemeasure.net' 'sg-cdn.effectivemeasure.net' 'fast.fairfax.demdex.net' '4qinvite.4q.iperceptions.com' 'tiads.timeinc.net' 'front.adproved.net' 'ads.msvp.net' 'piwik.iriscorp.co.uk' 'petsmovies.com' 'zoomovies.org' 'www.zoomovies.org' 'api.instantdollarz.com' 'dl.ezthemes.com' 'dl1.ezthemes.com' 'ezthemes.ezthemes.com' 'funskins.ezthemes.com' 'galtthemes.ezthemes.com' 'themexp.ezthemes.com' 'topdesktop.ezthemes.com' 'www.ezthemes.com' 'www.themexp.org' 'piwik.datawrapper.de' 'tags.expo9.exponential.com' 'tribalfusion.com' 'a.tribalfusion.com' 'cdn1.tribalfusion.com' 'cdn5.tribalfusion.com' 'ctxt.tribalfusion.com' 'm.tribalfusion.com' 's.tribalfusion.com' 'www.tribalfusion.com' 'a.websponsors.com' 'g.websponsors.com' 'cz4.clickzzs.nl' 'cz5.clickzzs.nl' 'cz7.clickzzs.nl' 'cz8.clickzzs.nl' 'cz11.clickzzs.nl' 'jsp.clickzzs.nl' 'jsp2.clickzzs.nl' 'js7.clickzzs.nl' 'js11.clickzzs.nl' 'vip.clickzzs.nl' 'vip2.clickzzs.nl' 'a3.adzs.nl' 'a4.adzs.nl' 'img.adzs.nl' 'www.cash4members.com' 'privatamateure.com' 'webmaster.privatamateure.com' 'www.privatamateure.com' 'servedby.ipromote.com' 'pureleads.com' 'boloz.com' 'feed3.hype-ads.com' 'testats.inuvo.com' 'tracking.inuvo.com' 'myap.liveperson.com' 'img1.ncsreporting.com' 'www.ncsreporting.com' 'aff.primaryads.com' 'images.primaryads.com' 'ads.proz.com' 'theaffiliateprogram.com' 'www.theaffiliateprogram.com' 'err.000webhost.com' 'error404.000webhost.com' 'www.pornobanner.com' 'ad.realist.gen.tr' 'www.adultvalleycash.com' 'www.leadxml.com' 'ehho.com' 'femeedia.com' 'gbscript.com' '403.hqhost.net' '404.hqhost.net' 'luckytds.ru' 'next-layers.com' 'petrenko.biz' 'www.petrenko.biz' 'tr-af.com' 'vug.in' 'xtds.info' 'zr0.net' 'adnet.pravda.com.ua' 'a.abnad.net' 'b.abnad.net' 'c.abnad.net' 'd.abnad.net' 'e.abnad.net' 't.abnad.net' 'z.abnad.net' 'advert.ru.redtram.com' 'img2.ru.redtram.com' 'js.redtram.com' 'js.en.redtram.com' 'js.ru.redtram.com' 'n4p.ru.redtram.com' 'relestar.com' 'clk.relestar.com' 'ban.xpays.com' 'exit.xpays.com' 'www.xpays.com' 'banner.50megs.com' 'aboutwebservices.com' 'ad.aboutwebservices.com' 'downloadz.us' 'free-counter.5u.com' 'free-stats.com' 'free-stats.i8.com' 'freestats.com' 'banner.freeservers.com' 'eegad.freeservers.com' 'abbyssh.freestats.com' 'insurancejournal.freestats.com' 'hit-counter.5u.com' 'barafranca.iwarp.com' 'site-stats.i8.com' 'statistics.s5.com' 'sitetracker.com' 'pomeranian99.sitetracker.com' 'www.sitetracker.com' 'www2a.sitetracker.com' 'cyclops.prod.untd.com' 'nztv.prod.untd.com' 'track.untd.com' 'web-counter.5u.com' 'adv.drtuber.com' 'links-and-traffic.com' 'www.links-and-traffic.com' 'vdhu.com' 'promo.hdvbucks.com' 'bn.premiumhdv.com' 'clicktracks.com' 'stats.clicktracks.com' 'stats1.clicktracks.com' 'stats2.clicktracks.com' 'stats3.clicktracks.com' 'stats4.clicktracks.com' 'www.clicktracks.com' 'webalize.net' 'www.webalize.net' 'group11.iperceptions.com' 'ca.ientry.net' 'www.moviedollars.com' 'webconnect.net' 'secure.webconnect.net' 'www.webconnect.net' 'www.worldata.com' 'ads.adagent.chacha.com' 'adecn-w.atdmt.com' 'srch.atdmt.com' 'atlasdmt.com' 'www.atlasdmt.com' 'www.avenuea.com' 'ads.bidclix.com' 'www.bidclix.com' 'serving.xxxwebtraffic.com' 'www.afcyhf.com' 'www.anrdoezrs.net' 'mp.apmebf.com' 'www.apmebf.com' 'www.awltovhc.com' 'www.commission-junction.com' 'www.dpbolvw.net' 'www.emjcd.com' 'www.ftjcfx.com' 'www.jdoqocy.com' 'www.kqzyfj.com' 'www.lduhtrp.net' 'qksrv.com' 'www.qksrv.net' 'www.qksz.net' 'www.tkqlhce.com' 'www.tqlkg.com' 'csp.fastclick.net' 'cdn.mplxtms.com' 'n.mplxtms.com' 't.mplxtms.com' 'krs.ymxpb.com' 'cj.dotomi.com' 'adfarm.mediaplex.com' 'imgserv.adbutler.com' 'servedbyadbutler.com' 'adrotator.com' 'www.adrotator.com' 'counter.sparklit.com' 'vote.sparklit.com' 'webpoll.sparklit.com' 'abtracker.adultbouncer.com' 'ads.xbiz.com' 'exchange.xbiz.com' 'www62.prevention.com' 'diet.rodale.com' 'data.cmcore.com' 'analytics.harpercollins.com' 'd1.playboy.com' 'www62.runningtimes.com' 'www9.swansonvitamins.com' 'www2.kiehls.com' 'www62.bicycling.com' 'log.aebn.net' 'cerberus.entertainment.com' 'c.maccosmetics.com' 'site.puritan.com' 'www3.bloomingdales.com' 'core.bluefly.com' 'www9.collectiblestoday.com' 'cmd.customink.com' 'rpt.footlocker.com' 'ww62.hsn.com' '1901.nordstrom.com' 'sd.play.com' 'www25.victoriassecret.com' 'webtrends1.britishgas.co.uk' 'secure-eu.imrworldwide.com' 'mv.treehousei.com' 'ap.lijit.com' 'beacon.lijit.com' 'www.lijit.com' 'www.hugedomains.com' 'server1.103092804.com' 'server2.103092804.com' 'server3.103092804.com' 'server4.103092804.com' 'www.103092804.com' 'www.dicarlotrack.com' 'tracking.gajmp.com' 'www.jmpads.com' 'www.leadtrackgo.com' 'www.rsptrack.com' 'www.sq2trk2.com' 'www.xy7track.com' 'affiliates.yourapprovaltracker.com' 'ssl.clickbank.net' 'www.liqwid.net' 'www.shopathome.com' 'intellitxt.com' 'de.intellitxt.com' 'images.intellitxt.com' 'pixel.intellitxt.com' 'uk.intellitxt.com' 'us.intellitxt.com' 'www.intellitxt.com' 'mamamia.au.intellitxt.com' 'zdnet.be.intellitxt.com' 'ad-hoc-news.de.intellitxt.com' 'atspace.de.intellitxt.com' 'audio.de.intellitxt.com' 'awardspace.de.intellitxt.com' 'bild.de.intellitxt.com' 'chip.de.intellitxt.com' 'castingshow-news.de.intellitxt.com' 'computerbase.de.intellitxt.com' 'computerbild.de.intellitxt.com' 'computerhilfen.de.intellitxt.com' 'computerwoche.de.intellitxt.com' 'digital-world.de.intellitxt.com' 'ghacks.de.intellitxt.com' 'golem.de.intellitxt.com' 'gulli.de.intellitxt.com' 'inquake.de.intellitxt.com' 'loady.de.intellitxt.com' 'macwelt.de.intellitxt.com' 'msmobiles.de.intellitxt.com' 'news.de.intellitxt.com' 'pcwelt.de.intellitxt.com' 'php-mag.de.intellitxt.com' 'php-magnet.de.intellitxt.com' 'softonic.de.intellitxt.com' 'supernature-forum.de.intellitxt.com' 'supportnet.de.intellitxt.com' 'tecchannel.de.intellitxt.com' 'winfuture.de.intellitxt.com' 'wg-gesucht.de.intellitxt.com' 'womenshealth.de.intellitxt.com' 'actualite-de-stars.fr.intellitxt.com' 'telefonica.es.intellitxt.com' 'cowcotland.fr.intellitxt.com' 'froggytest.fr.intellitxt.com' 'generation-nt.fr.intellitxt.com' 'hiphopgalaxy.fr.intellitxt.com' 'infos-du-net.fr.intellitxt.com' 'memoclic.fr.intellitxt.com' 'neteco.fr.intellitxt.com' 'pcinpact.fr.intellitxt.com' 'pc-infopratique.fr.intellitxt.com' 'presence-pc.fr.intellitxt.com' 'programme-tv.fr.intellitxt.com' 'reseaux-telecoms.fr.intellitxt.com' 'tomshardware.fr.intellitxt.com' 'zataz.fr.intellitxt.com' 'techgadgets.in.intellitxt.com' 'telefonino.it.intellitxt.com' 'computeridee.nl.intellitxt.com' 'computertotaal.nl.intellitxt.com' 'techworld.nl.intellitxt.com' 'techzine.nl.intellitxt.com' 'topdownloads.nl.intellitxt.com' 'webwereld.nl.intellitxt.com' 'compulenta.ru.intellitxt.com' 'rbmods.se.intellitxt.com' 'tomshardware.se.intellitxt.com' '4thegame.uk.intellitxt.com' 'amygrindhouse.uk.intellitxt.com' 'anorak.uk.intellitxt.com' 'bink.uk.intellitxt.com' 'bit-tech.uk.intellitxt.com' 'biosmagazine.uk.intellitxt.com' 'cbronline.uk.intellitxt.com' 'computeractive.uk.intellitxt.com' 'computing.uk.intellitxt.com' 'contactmusic.uk.intellitxt.com' 'digit-life.uk.intellitxt.com' 'efluxmedia.uk.intellitxt.com' 'express.uk.intellitxt.com' 'femalefirst.uk.intellitxt.com' 'ferrago.uk.intellitxt.com' 'fhm.uk.intellitxt.com' 'footymad.uk.intellitxt.com' 'freedownloadcenter.uk.intellitxt.com' 'freedownloadmanager.uk.intellitxt.com' 'freewarepalm.uk.intellitxt.com' 'futurepublications.uk.intellitxt.com' 'gamesindustry.uk.intellitxt.com' 'handbag.uk.intellitxt.com' 'hellomagazine.uk.intellitxt.com' 'hexus.uk.intellitxt.com' 'itpro.uk.intellitxt.com' 'itreviews.uk.intellitxt.com' 'knowyourmobile.uk.intellitxt.com' 'legitreviews-uk.intellitxt.com' 'letsgodigital.uk.intellitxt.com' 'lse.uk.intellitxt.com' 'mad.uk.intellitxt.com' 'mobilecomputermag.uk.intellitxt.com' 'monstersandcritics.uk.intellitxt.com' 'newlaunches.uk.intellitxt.com' 'nodevice.uk.intellitxt.com' 'ok.uk.intellitxt.com' 'pcadvisor.uk.intellitxt.com' 'pcgamer.uk.intellitxt.com' 'pcpro.uk.intellitxt.com' 'pcw.uk.intellitxt.com' 'physorg.uk.intellitxt.com' 'playfuls.uk.intellitxt.com' 'pocketlint.uk.intellitxt.com' 'product-reviews.uk.intellitxt.com' 'sharecast.uk.intellitxt.com' 'sofeminine.uk.intellitxt.com' 'softpedia.uk.intellitxt.com' 'squarefootball.uk.intellitxt.com' 'tcmagazine.uk.intellitxt.com' 'teamtalk.uk.intellitxt.com' 'techradar.uk.intellitxt.com' 'thehollywoodnews.uk.intellitxt.com' 'theinquirer.uk.intellitxt.com' 'theregister.uk.intellitxt.com' 'thetechherald.uk.intellitxt.com' 'videojug.uk.intellitxt.com' 'vitalfootball.uk.intellitxt.com' 'vnunet.uk.intellitxt.com' 'webuser.uk.intellitxt.com' 'wi-fitechnology.uk.intellitxt.com' 'windows7news.uk.intellitxt.com' 'worldtravelguide.uk.intellitxt.com' '1up.us.intellitxt.com' '247wallstreet.us.intellitxt.com' '2snaps.us.intellitxt.com' '2spyware.us.intellitxt.com' '24wrestling.us.intellitxt.com' '411mania.us.intellitxt.com' '4w-wrestling.us.intellitxt.com' '5starsupport.us.intellitxt.com' '9down.us.intellitxt.com' '10best.us.intellitxt.com' 'able2know.us.intellitxt.com' 'accuweather.us.intellitxt.com' 'aceshowbiz.us.intellitxt.com' 'aclasscelebs.us.intellitxt.com' 'activewin.us.intellitxt.com' 'actionscript.us.intellitxt.com' 'advancedmn.us.intellitxt.com' 'adwarereport.us.intellitxt.com' 'afterdawn.us.intellitxt.com' 'afraidtoask.us.intellitxt.com' 'ajc.us.intellitxt.com' 'akihabaranews.us.intellitxt.com' 'alive.us.intellitxt.com' 'allcarselectric.us.intellitxt.com' 'allgetaways.us.intellitxt.com' 'allhiphop.us.intellitxt.com' 'allrefer.us.intellitxt.com' 'allwomenstalk.us.intellitxt.com' 'amdzone.us.intellitxt.com' 'americanmedia.us.intellitxt.com' 'andpop.us.intellitxt.com' 'androidandme.us.intellitxt.com' 'androidcentral.us.intellitxt.com' 'androidcommunity.us.intellitxt.com' 'answerbag.us.intellitxt.com' 'answers.us.intellitxt.com' 'antimusic.us.intellitxt.com' 'anythinghollywood.us.intellitxt.com' 'appscout.us.intellitxt.com' 'artistdirect.us.intellitxt.com' 'askmen.us.intellitxt.com' 'askmen2.us.intellitxt.com' 'aquasoft.us.intellitxt.com' 'architecturaldesigns.us.intellitxt.com' 'autoforums.us.intellitxt.com' 'automobilemag.us.intellitxt.com' 'automotive.us.intellitxt.com' 'autospies.us.intellitxt.com' 'autoworldnews.us.intellitxt.com' 'away.us.intellitxt.com' 'aximsite.us.intellitxt.com' 'b5media.us.intellitxt.com' 'backseatcuddler.us.intellitxt.com' 'balleralert.us.intellitxt.com' 'baselinemag.us.intellitxt.com' 'bastardly.us.intellitxt.com' 'beautyden.us.intellitxt.com' 'becomegorgeous.us.intellitxt.com' 'beliefnet.us.intellitxt.com' 'betanews.us.intellitxt.com' 'beyondhollywood.us.intellitxt.com' 'bigbigforums.us.intellitxt.com' 'bittenandbound.us.intellitxt.com' 'blacksportsonline.us.intellitxt.com' 'blastro.us.intellitxt.com' 'bleepingcomputer.us.intellitxt.com' 'blisstree.us.intellitxt.com' 'boldride.us.intellitxt.com' 'bootdaily.us.intellitxt.com' 'boxingscene.us.intellitxt.com' 'bradpittnow.us.intellitxt.com' 'bricksandstonesgossip.us.intellitxt.com' 'brighthub.us.intellitxt.com' 'brothersoft.us.intellitxt.com' 'bukisa.us.intellitxt.com' 'bullz-eye.us.intellitxt.com' 'bumpshack.us.intellitxt.com' 'businessinsider.us.intellitxt.com' 'businessknowhow.us.intellitxt.com' 'bustedcoverage.us.intellitxt.com' 'buzzfoto.us.intellitxt.com' 'buzzhumor.us.intellitxt.com' 'bolt.us.intellitxt.com' 'cafemom.us.intellitxt.com' 'canmag.us.intellitxt.com' 'car-stuff.us.intellitxt.com' 'cavemancircus.us.intellitxt.com' 'cbstv.us.intellitxt.com' 'newyork.cbslocal.us.intellitxt.com' 'cdreviews.us.intellitxt.com' 'cdrinfo.us.intellitxt.com' 'cdrom-guide.us.intellitxt.com' 'celebitchy.us.intellitxt.com' 'celebridoodle.us.intellitxt.com' 'celebrity-babies.us.intellitxt.com' 'celebritytoob.us.intellitxt.com' 'celebridiot.us.intellitxt.com' 'celebrifi.us.intellitxt.com' 'celebritymound.us.intellitxt.com' 'celebritynation.us.intellitxt.com' 'celebrityodor.us.intellitxt.com' 'celebrity-rightpundits.us.intellitxt.com' 'celebritysmackblog.us.intellitxt.com' 'celebrityviplounge.us.intellitxt.com' 'celebslam.us.intellitxt.com' 'celebrity-gossip.us.intellitxt.com' 'celebritypwn.us.intellitxt.com' 'celebritywonder.us.intellitxt.com' 'celebuzz.us.intellitxt.com' 'channelinsider.us.intellitxt.com' 'cheatcc.us.intellitxt.com' 'cheatingdome.us.intellitxt.com' 'chevelles.us.intellitxt.com' 'cmp.us.intellitxt.com' 'cnet.us.intellitxt.com' 'coedmagazine.us.intellitxt.com' 'collegefootballnews.us.intellitxt.com' 'comicbookmovie.us.intellitxt.com' 'comicbookresources.us.intellitxt.com' 'comingsoon.us.intellitxt.com' 'complex.us.intellitxt.com' 'compnet.us.intellitxt.com' 'consumerreview.us.intellitxt.com' 'contactmusic.us.intellitxt.com' 'cooksrecipes.us.intellitxt.com' 'cooltechzone.us.intellitxt.com' 'counselheal.us.intellitxt.com' 'countryweekly.us.intellitxt.com' 'courierpostonline.us.intellitxt.com' 'coxtv.us.intellitxt.com' 'crmbuyer.us.intellitxt.com' 'csharpcorner.us.intellitxt.com' 'csnation.us.intellitxt.com' 'ctv.us.intellitxt.com' 'dabcc.us.intellitxt.com' 'dailycaller.us.intellitxt.com' 'dailygab.us.intellitxt.com' 'dailystab.us.intellitxt.com' 'dailytech.us.intellitxt.com' 'damnimcute.us.intellitxt.com' 'danasdirt.us.intellitxt.com' 'daniweb.us.intellitxt.com' 'darkhorizons.us.intellitxt.com' 'darlamack.us.intellitxt.com' 'dbtechno.us.intellitxt.com' 'delawareonline.us.intellitxt.com' 'delconewsnetwork.us.intellitxt.com' 'destructoid.us.intellitxt.com' 'demonews.us.intellitxt.com' 'denguru.us.intellitxt.com' 'derekhail.us.intellitxt.com' 'dietsinreview.us.intellitxt.com' 'digitalhome.us.intellitxt.com' 'digitalmediaonline.us.intellitxt.com' 'digitalmediawire.us.intellitxt.com' 'digitaltrends.us.intellitxt.com' 'diyfood.us.intellitxt.com' 'dlmag.us.intellitxt.com' 'dnps.us.intellitxt.com' 'doubleviking.us.intellitxt.com' 'download32.us.intellitxt.com' 'drdobbs.us.intellitxt.com' 'driverguide.us.intellitxt.com' 'drugscom.us.intellitxt.com' 'eastsideboxing.us.intellitxt.com' 'eatingwell.us.intellitxt.com' 'ebaumsworld.us.intellitxt.com' 'ecanadanow.us.intellitxt.com' 'ecommercetimes.us.intellitxt.com' 'eepn.us.intellitxt.com' 'efanguide.us.intellitxt.com' 'egotastic.us.intellitxt.com' 'eharmony.us.intellitxt.com' 'ehomeupgrade.us.intellitxt.com' 'ehow.us.intellitxt.com' 'electronista.us.intellitxt.com' 'emaxhealth.us.intellitxt.com' 'encyclocentral.us.intellitxt.com' 'entrepreneur.us.intellitxt.com' 'entertainmentwise.us.intellitxt.com' 'eontarionow.us.intellitxt.com' 'estelle.us.intellitxt.com' 'eten-users.us.intellitxt.com' 'everyjoe.us.intellitxt.com' 'evilbeetgossip.us.intellitxt.com' 'eweek.us.intellitxt.com' 'examnotes.us.intellitxt.com' 'excite.us.intellitxt.com' 'experts.us.intellitxt.com' 'extntechnologies.us.intellitxt.com' 'extremeoverclocking.us.intellitxt.com' 'extremetech.us.intellitxt.com' 'eztracks.us.intellitxt.com' 'fangoria.us.intellitxt.com' 'faqts.us.intellitxt.com' 'fatbackandcollards.us.intellitxt.com' 'fatbackmedia.us.intellitxt.com' 'fatfreekitchen.us.intellitxt.com' 'feedsweep.us.intellitxt.com' 'fhmonline.us.intellitxt.com' 'fightline.us.intellitxt.com' 'filmdrunk.us.intellitxt.com' 'filedudes.us.intellitxt.com' 'filmstew.us.intellitxt.com' 'filmthreat.us.intellitxt.com' 'firingsquad.us.intellitxt.com' 'fixya.us.intellitxt.com' 'flashmagazine.us.intellitxt.com' 'flyingmag.us.intellitxt.com' 'forbes.us.intellitxt.com' 'fortunecity.us.intellitxt.com' 'forumediainc.us.intellitxt.com' 'foxnews.us.intellitxt.com' 'foxsports.us.intellitxt.com' 'foxtv.us.intellitxt.com' 'freecodecs.us.intellitxt.com' 'freewarehome.us.intellitxt.com' 'friendtest.us.intellitxt.com' 'futurelooks.us.intellitxt.com' 'g2.us.intellitxt.com' 'g3.us.intellitxt.com' 'g4.us.intellitxt.com' 'g5.us.intellitxt.com' 'gabsmash.us.intellitxt.com' 'gamedev.us.intellitxt.com' 'gamesradar.us.intellitxt.com' 'gamerstemple.us.intellitxt.com' 'gannettbroadcast.us.intellitxt.com' 'gannettwisconsin.us.intellitxt.com' 'gardenweb.us.intellitxt.com' 'gather.us.intellitxt.com' 'geek.us.intellitxt.com' 'geekstogo.us.intellitxt.com' 'genmay.us.intellitxt.com' 'gigwise.us.intellitxt.com' 'girlsaskguys.us.intellitxt.com' 'givememyremote.us.intellitxt.com' 'goal.us.intellitxt.com' 'gonintendo.us.intellitxt.com' 'gossipcenter.us.intellitxt.com' 'gossiponthis.us.intellitxt.com' 'gossipteen.us.intellitxt.com' 'gottabemobile.us.intellitxt.com' 'govpro.us.intellitxt.com' 'graytv.us.intellitxt.com' 'gsmarena.us.intellitxt.com' 'gtmedia.us.intellitxt.com' 'guardianlv.us.intellitxt.com' 'guru3d.us.intellitxt.com' 'hackedgadgets.us.intellitxt.com' 'hairboutique.us.intellitxt.com' 'hardcoreware.us.intellitxt.com' 'hardforum.us.intellitxt.com' 'hardocp.us.intellitxt.com' 'hardwaregeeks.us.intellitxt.com' 'hardwarezone.us.intellitxt.com' 'harmony-central.us.intellitxt.com' 'haveuheard.us.intellitxt.com' 'helium.us.intellitxt.com' 'hiphoprx.us.intellitxt.com' 'hiphopdx.us.intellitxt.com' 'hiphoplead.us.intellitxt.com' 'hngn.com.us.intellitxt.com' 'hollyrude.us.intellitxt.com' 'hollywood.us.intellitxt.com' 'hollywooddame.us.intellitxt.com' 'hollywoodbackwash.us.intellitxt.com' 'hollywoodchicago.us.intellitxt.com' 'hollywoodstreetking.us.intellitxt.com' 'hollywoodtuna.us.intellitxt.com' 'hometheaterhifi.us.intellitxt.com' 'hongkiat.us.intellitxt.com' 'hoopsworld.us.intellitxt.com' 'hoovers.us.intellitxt.com' 'horoscope.us.intellitxt.com' 'hostboard.us.intellitxt.com' 'hothardware.us.intellitxt.com' 'hotmommagossip.us.intellitxt.com' 'howardchui.us.intellitxt.com' 'hq-celebrity.us.intellitxt.com' 'huliq.us.intellitxt.com' 'i4u.us.intellitxt.com' 'iamnotageek.us.intellitxt.com' 'icentric.us.intellitxt.com' 'ichef.us.intellitxt.com' 'icydk.us.intellitxt.com' 'idontlikeyouinthatway.us.intellitxt.com' 'iesb.us.intellitxt.com' 'ign.us.intellitxt.com' 'india-forums.us.intellitxt.com' 'babes.ign.us.intellitxt.com' 'cars.ign.us.intellitxt.com' 'comics.ign.us.intellitxt.com' 'cube.ign.us.intellitxt.com' 'ds.ign.us.intellitxt.com' 'filmforcedvd.ign.us.intellitxt.com' 'gameboy.ign.us.intellitxt.com' 'music.ign.us.intellitxt.com' 'psp.ign.us.intellitxt.com' 'ps2.ign.us.intellitxt.com' 'psx.ign.us.intellitxt.com' 'revolution.ign.us.intellitxt.com' 'sports.ign.us.intellitxt.com' 'wireless.ign.us.intellitxt.com' 'xbox.ign.us.intellitxt.com' 'xbox360.ign.us.intellitxt.com' 'idm.us.intellitxt.com' 'i-hacked.us.intellitxt.com' 'imnotobsessed.us.intellitxt.com' 'impactwrestling.us.intellitxt.com' 'imreportcard.us.intellitxt.com' 'infopackets.us.intellitxt.com' 'insidemacgames.us.intellitxt.com' 'intermix.us.intellitxt.com' 'internetautoguide.us.intellitxt.com' 'intogossip.us.intellitxt.com' 'intomobile.us.intellitxt.com' 'investingchannel.us.intellitxt.com' 'investopedia.us.intellitxt.com' 'ittoolbox.us.intellitxt.com' 'itxt2.us.intellitxt.com' 'itxt3.us.intellitxt.com' 'itworld.us.intellitxt.com' 'ivillage.us.intellitxt.com' 's.ivillage.us.intellitxt.com' 'iwon.us.intellitxt.com' 'jacksonsun.us.intellitxt.com' 'jakeludington.us.intellitxt.com' 'jkontherun.us.intellitxt.com' 'joblo.us.intellitxt.com' 'juicyceleb.us.intellitxt.com' 'juicy-news.blogspot.us.intellitxt.com' 'jupiter.us.intellitxt.com' 'justjared.us.intellitxt.com' 'justmovietrailers.us.intellitxt.com' 'jutiagroup.us.intellitxt.com' 'kaboose.us.intellitxt.com' 'killerstartups.us.intellitxt.com' 'kissingsuzykolber.us.intellitxt.com' 'knac.us.intellitxt.com' 'kpopstarz.us.intellitxt.com' 'laboroflove.us.intellitxt.com' 'laineygossip.us.intellitxt.com' 'laptoplogic.us.intellitxt.com' 'laptopmag.us.intellitxt.com' 'lat34.us.intellitxt.com' 'latinpost.us.intellitxt.com' 'letsrun.us.intellitxt.com' 'latinoreview.us.intellitxt.com' 'lifescript.us.intellitxt.com' 'linuxdevcenter.us.intellitxt.com' 'linuxjournal.us.intellitxt.com' 'livescience.us.intellitxt.com' 'livestrong.us.intellitxt.com' 'lmcd.us.intellitxt.com' 'lockergnome.us.intellitxt.com' 'lohud.us.intellitxt.com' 'longhornblogs.us.intellitxt.com' 'lxer.us.intellitxt.com' 'lyrics.us.intellitxt.com' 'macdailynews.us.intellitxt.com' 'macnewsworld.us.intellitxt.com' 'macnn.us.intellitxt.com' 'macgamefiles.us.intellitxt.com' 'macmegasite.us.intellitxt.com' 'macobserver.us.intellitxt.com' 'madamenoire.us.intellitxt.com' 'madpenguin.us.intellitxt.com' 'mainstreet.us.intellitxt.com' 'majorgeeks.us.intellitxt.com' 'makeherup.us.intellitxt.com' 'makemeheal.us.intellitxt.com' 'makeushot.us.intellitxt.com' 'masalatalk.us.intellitxt.com' 'mazdaworld.us.intellitxt.com' 'medicinenet.us.intellitxt.com' 'medindia.us.intellitxt.com' 'memphisrap.us.intellitxt.com' 'meredithtv.us.intellitxt.com' 'methodshop.us.intellitxt.com' 'military.us.intellitxt.com' 'missjia.us.intellitxt.com' 'mobile9.us.intellitxt.com' 'mobileburn.us.intellitxt.com' 'mobiletechreview.us.intellitxt.com' 'mobilewhack.us.intellitxt.com' 'mobilityguru.us.intellitxt.com' 'modifiedlife.us.intellitxt.com' 'mommyish.us.intellitxt.com' 'morningstar.us.intellitxt.com' 'motortrend.us.intellitxt.com' 'moviehole.us.intellitxt.com' 'movie-list.us.intellitxt.com' 'movies.us.intellitxt.com' 'movieweb.us.intellitxt.com' 'msfn.us.intellitxt.com' 'msnbc.us.intellitxt.com' 'autos.msnbc.us.intellitxt.com' 'business.msnbc.us.intellitxt.com' 'health.msnbc.us.intellitxt.com' 'nbcsports.us.intellitxt.com' 'news.msnbc.us.intellitxt.com' 'sports.msnbc.us.intellitxt.com' 'technology.msnbc.us.intellitxt.com' 'travel-and-weather.msnbc.us.intellitxt.com' 'mmafighting.us.intellitxt.com' 'entertainment.msn.us.intellitxt.com' 'muscleandfitnesshers.us.intellitxt.com' 'mydigitallife.us.intellitxt.com' 'myfavoritegames.us.intellitxt.com' 'mydailymoment.us.intellitxt.com' 'nasioc.us.intellitxt.com' 'nationalledger.us.intellitxt.com' 'nationalenquirer.us.intellitxt.com' 'naturalhealth.us.intellitxt.com' 'natureworldnews.us.intellitxt.com' 'nbcnewyork.us.intellitxt.com' 'nbcuniversaltv.us.intellitxt.com' 'neoseeker.us.intellitxt.com' 'neowin.us.intellitxt.com' 'nextround.us.intellitxt.com' 'newsoxy.us.intellitxt.com' 'newstoob.us.intellitxt.com' 'nihoncar.us.intellitxt.com' 'ninjadude.us.intellitxt.com' 'ntcompatible.us.intellitxt.com' 'oceanup.us.intellitxt.com' 'octools.us.intellitxt.com' 'ocworkbench.us.intellitxt.com' 'officer.us.intellitxt.com' 'okmagazine.us.intellitxt.com' 'onlamp.us.intellitxt.com' 'ontheflix.us.intellitxt.com' 'oocenter.us.intellitxt.com' 'osdir.us.intellitxt.com' 'ostg.us.intellitxt.com' 'outofsightmedia.us.intellitxt.com' 'overclockersonline.us.intellitxt.com' 'overthelimit.us.intellitxt.com' 'pal-item.us.intellitxt.com' 'pcmag.us.intellitxt.com' 'pcper.us.intellitxt.com' 'penton.us.intellitxt.com' 'perezhilton.us.intellitxt.com' 'philadelphia_cbslocal.us.intellitxt.com' 'phonearena.us.intellitxt.com' 'pickmeupnews.us.intellitxt.com' 'pinkisthenewblog.us.intellitxt.com' 'popdirt.us.intellitxt.com' 'popfill.us.intellitxt.com' 'popoholic.us.intellitxt.com' 'poponthepop.us.intellitxt.com' 'popularmechanics.us.intellitxt.com' 'prettyboring.us.intellitxt.com' 'priusonline.us.intellitxt.com' 'profootballweekly.us.intellitxt.com' 'programmerworld.us.intellitxt.com' 'pro-networks.us.intellitxt.com' 'ps3news.us.intellitxt.com' 'punchjump.us.intellitxt.com' 'puppytoob.us.intellitxt.com' 'pwinsider.us.intellitxt.com' 'quickpwn.us.intellitxt.com' 'quinstreet.us.intellitxt.com' 'rankmytattoos.us.intellitxt.com' 'rantsports.us.intellitxt.com' 'rcpmag.us.intellitxt.com' 'realitytea.us.intellitxt.com' 'realitytvmagazine.us.intellitxt.com' 'recipeland.us.intellitxt.com' 'redbalcony.us.intellitxt.com' 'reelmovienews.us.intellitxt.com' 'rickey.us.intellitxt.com' 'ringsurf.us.intellitxt.com' 'rnbdirt.us.intellitxt.com' 'rumorfix.us.intellitxt.com' 'sports.rightpundits.us.intellitxt.com' 'rojakpot.us.intellitxt.com' 'rpg.us.intellitxt.com' 'rx8club.us.intellitxt.com' 'rydium.us.intellitxt.com' 'scanwith.us.intellitxt.com' 'scienceworldreport.us.intellitxt.com' 'screensavers.us.intellitxt.com' 'sdcexecs.us.intellitxt.com' 'shallownation.us.intellitxt.com' 'shebudgets.us.intellitxt.com' 'sheknows.us.intellitxt.com' 'shoutwire.us.intellitxt.com' 'siliconera.us.intellitxt.com' 'slashfilm.us.intellitxt.com' 'smartabouthealth.us.intellitxt.com' 'smartcarfinder.us.intellitxt.com' 'smartdevicecentral.us.intellitxt.com' 'sportingnews.us.intellitxt.com' 'soccergaming.us.intellitxt.com' 'socialanxietysupport.us.intellitxt.com' 'socialitelife.us.intellitxt.com' 'soft32.us.intellitxt.com' 'softpedia.us.intellitxt.com' 'sohh.us.intellitxt.com' 'space.us.intellitxt.com' 'speedguide.us.intellitxt.com' 'speedtv.us.intellitxt.com' 'sportscarillustrated.us.intellitxt.com' 'sprintusers.us.intellitxt.com' 'sqlservercentral.us.intellitxt.com' 'starcasm.us.intellitxt.com' 'starpulse.us.intellitxt.com' 'steadyhealth.us.intellitxt.com' 'stockgroup.us.intellitxt.com' 'storknet.us.intellitxt.com' 'stupidcelebrities.us.intellitxt.com' 'styleblazer.us.intellitxt.com' 'supercars.us.intellitxt.com' 'superherohype.us.intellitxt.com' 'surebaby.us.intellitxt.com' 'symbianone.us.intellitxt.com' 'symbian-freak.us.intellitxt.com' 'taletela.us.intellitxt.com' 'tbohiphop.us.intellitxt.com' 'techeblog.us.intellitxt.com' 'tech-faq.us.intellitxt.com' 'techgage.us.intellitxt.com' 'techguy.us.intellitxt.com' 'techimo.us.intellitxt.com' 'technobuffalo.us.intellitxt.com' 'technologyguide.us.intellitxt.com' 'techpowerup.us.intellitxt.com' 'techspot.us.intellitxt.com' 'techsupportforum.us.intellitxt.com' 'tenmagazines.us.intellitxt.com' 'tgdaily.us.intellitxt.com' 'thathappened.us.intellitxt.com' 'theadvertiser.us.intellitxt.com' 'theblemish.us.intellitxt.com' 'thebosh.us.intellitxt.com' 'thecarconnection.us.intellitxt.com' 'thecelebritycafe.us.intellitxt.com' 'theeldergeek.us.intellitxt.com' 'thefinalfantasy.us.intellitxt.com' 'theforce.us.intellitxt.com' 'thefrisky.us.intellitxt.com' 'thefutoncritic.us.intellitxt.com' 'thegauntlet.us.intellitxt.com' 'theglobeandmail.us.intellitxt.com' 'thegloss.us.intellitxt.com' 'thehdroom.us.intellitxt.com' 'thehollywoodgossip.us.intellitxt.com' 'themanroom.us.intellitxt.com' 'theonenetwork.us.intellitxt.com' 'thepaparazzis.us.intellitxt.com' 'thestreet.us.intellitxt.com' 'thesuperficial.us.intellitxt.com' 'thetechlounge.us.intellitxt.com' 'thetechzone.us.intellitxt.com' 'theunwired.us.intellitxt.com' 'theybf.us.intellitxt.com' 'thinkcomputers.us.intellitxt.com' 'thoughtsmedia.us.intellitxt.com' 'threadwatch.us.intellitxt.com' 'tmz.us.intellitxt.com' 'todayshow.us.intellitxt.com' 'toofab.us.intellitxt.com' 'toms.us.intellitxt.com' 'tomsforumz.us.intellitxt.com' 'tomshardware.us.intellitxt.com' 'tomsnetworking.us.intellitxt.com' 'topsocialite.us.intellitxt.com' 'topnews.us.intellitxt.com' 'toptechreviews.us.intellitxt.com' 'toptenreviews.us.intellitxt.com' 'topspeed.us.intellitxt.com' 'torquenews.us.intellitxt.com' 'tothecenter.us.intellitxt.com' 'traileraddict.us.intellitxt.com' 'trekweb.us.intellitxt.com' 'tribal.us.intellitxt.com' 'triumphrat.us.intellitxt.com' 'tsxclub.us.intellitxt.com' 'tutorialoutpost.us.intellitxt.com' 'tvfanatic.us.intellitxt.com' 'tv-now.us.intellitxt.com' 'tv-rightcelebrity.us.intellitxt.com' 'tweaks.us.intellitxt.com' 'tweaktown.us.intellitxt.com' 'tweakvista.us.intellitxt.com' 'tweetsoup.us.intellitxt.com' 'twitchguru.us.intellitxt.com' 'ubergizmo.us.intellitxt.com' 'unathleticmag.us.intellitxt.com' 'universityherald.us.intellitxt.com' 'upi.us.intellitxt.com' 'vault9.us.intellitxt.com' 'viaarena.us.intellitxt.com' 'vibe.us.intellitxt.com' 'videocodezone.us.intellitxt.com' 'vidnet.us.intellitxt.com' 'voodoofiles.us.intellitxt.com' 'warcry.us.intellitxt.com' 'washingtontimes.us.intellitxt.com' 'weightlossforall.us.intellitxt.com' 'whatthetech.us.intellitxt.com' 'whoateallthepies.uk.intellitxt.com' 'wincert.us.intellitxt.com' 'windowsbbs.us.intellitxt.com' 'windowsitpro.us.intellitxt.com' 'winmatrix.us.intellitxt.com' 'winterrowd.us.intellitxt.com' 'wiregirl.us.intellitxt.com' 'withleather.us.intellitxt.com' 'wm5fixsite.us.intellitxt.com' 'womensforum.us.intellitxt.com' 'worldnetdaily.us.intellitxt.com' 'wowinterface.us.intellitxt.com' 'wrestling-edge.us.intellitxt.com' 'wwtdd.us.intellitxt.com' 'x17online.us.intellitxt.com' 'xmlpitstop.us.intellitxt.com' 'yeeeah.us.intellitxt.com' 'yourtango.us.intellitxt.com' 'zatznotfunny.us.intellitxt.com' 'zeldalily.us.intellitxt.com' 'zug.us.intellitxt.com' 'vibrantmedia.com' 'itxt.vibrantmedia.com' 'www.vibrantmedia.com' 'click.maxxandmore.com' 'link.maxxandmore.com' 'promo.passioncams.com' 'banners.payserve.com' 'secure.vxsbill.com' 'video.od.visiblemeasures.com' 'googlenews.xorg.pl' '1.googlenews.xorg.pl' '2.googlenews.xorg.pl' '3.googlenews.xorg.pl' '4.googlenews.xorg.pl' '5.googlenews.xorg.pl' 'optimize.innity.com' 'api.adrenalads.com' 'cache.blogads.com' 'f.blogads.com' 'g.blogads.com' 'st.blogads.com' 'weblog.blogads.com' 't.blogreaderproject.com' 'ads.exactseek.com' 'tracer.perezhilton.com' 'ads.pressflex.com' 'adserver.pressflex.com' 'fishadz.pressflex.net' 'www.projectwonderful.com' 'mydmp.exelator.com' 'banners.absolpublisher.com' 'tracking.absolstats.com' 'img.blogads.com' 'stat.blogads.com' 'www.blogads.com' 'adms.physorg.com' 'loadeu.exelator.com' 'loadm.exelator.com' 'ads.imgur.com' 'tracking.m6r.eu' 'network.adsmarket.com' 'z.blogads.com' 'p.raasnet.com' 'ads.sfomedia.com' 'stats.twistage.com' 'stat.delo.ua' 'c.mystat-in.net' '___id___.c.mystat-in.net' '011707160008.c.mystat-in.net' '121807150325.c.mystat-in.net' '122907224924.c.mystat-in.net' '061606084448.c.mystat-in.net' '070806142521.c.mystat-in.net' '090906042103.c.mystat-in.net' '092706152958.c.mystat-in.net' '102106151057.c.mystat-in.net' '112006133326.c.mystat-in.net' '14713804a.l2m.net' '30280827a.l2m.net' 'jmm.livestat.com' 'www.livestat.com' 'analytics.clickpathmedia.com' 'trafficads.com' 'www.trafficads.com' 'click.zipcodez.com' 'ads-aa.wunderground.com' 'ads3.wunderground.com' 'ads.wunderground.com' 'server.as5000.com' 'server2.as5000.com' 'xml.ecpvads.com' 'cpanel.nativeads.com' 'xml.plusfind.net' 'cpv.popxml.com' 'app.super-links.net' 'cpm.super-links.net' 'cpm.tz4.com' 'adx.adosx.com' 'cdn.adosx.com' 'filter.adsparkmedia.net' 'xml.adsparkmedia.net' 'affiliates.hookup.com' 'xml.mxsads.com' 'ads.sexforums.com' 'pl3087.puhtml.com' 'pl5102.puhtml.com' 'pl106067.puhtml.com' 'pl107977.puhtml.com' 'pl108062.puhtml.com' 'pl109504.puhtml.com' 'pl137937.puhtml.com' 'exits.adultcash.com' 'popfree.adultcash.com' 'www.adultcash.com' 'www.bnhtml.com' 'www.crazyprotocol.com' 'cdn.dabhit.com' 'feedbackexplorer.com' 'www.lonelycheatingwives.com' 'www.spookylinks.com' 'dn.adzerver.com' 'temp.adzerver.com' 'www.clickterra.net' 'admanage.com' 'xml.admanage.com' 'www.professionalcash.com' 'pl136883.puhtml.com' 'www.terraclicks.com' 'www.terrapops.com' 'affiliate.adgtracker.com' 'go.ad2up.com' 'adsvids.com' 'adsvidsdouble.com' 'padsdel.cdnads.com' 'go.padsdel.com' 'go.padsdelivery.com' 'go.padstm.com' 'a2pub.com' 'cdn.adtrace.org' 'wateristian.com' 'rmbn.net' 'clickadu.com' '1phads.com' 'www2.acint.net' 'serve.adhance.com' 'jsc.adskeeper.co.uk' 'adsyst.biz' 'adultcomix.biz' 'free.adultcomix.biz' 'artcomix.com' 'top.artcomix.com' 'www.artcomix.com' 'cartoonpornguide.com' 'free.cartoonpornguide.com' 'www.cartoonpornguide.com' 'ads.depositfiles.com' 'jsn.dt00.net' 'dvdhentai.net' '9.ecounter.org' 'www.fhserve.com' 'secure.fhserve.com' 'www.ilovecheating.com' 'imgn.marketgid.com' 'jsn.marketgid.com' 'go.mobisla.com' 'go.mobtrks.com' 'go.mobytrks.com' 'go.oclasrv.com' 'go.oclaserver.com' 'go.onclasrv.com' 'onclickads.net' 'otherprofit.com' 't.otherprofit.com' 'popander.mobi' 'popunder.net' 'www.postads24.com' 'propellerpops.com' 'go.pub2srv.com' 'www.reduxmediia.com' 'xml.seekandsee.com' 'www.scoreadate.com' 'c1.smartclick.net' 'www.stamplive.com' 'toon-families.com' 'www.toon-families.com' 'toonfamilies.net' 'www.toonfamilies.net' 'traffic.ru' 'pu.trafficshop.com' 'webmasters.tubealliance.com' 'affiliates.upforitnetworks.com' 'stat.upforitnetworks.com' 'www.yourlustmedia.com' 'rotator.7x3.net' 'adultimate.net' 'ads.alphaporno.com' 'bestadbid.com' 'www.bravospots.com' 'www.crocoads.com' 'ad.depositfiles.com' 'ad3.depositfiles.com' 'jsc.dt07.net' 'www.feyads.com' 'helltraffic.com' 'www.helltraffic.com' 'jsu.mgid.com' 'mg.mgid.com' 'echo.teasernet.ru' 'tmserver-1.com' 'www.tubedspots.com' 'xxxreactor.com' 'webclients.net' 'www.webclients.net' 'websponsors.com' 'ocs.websponsors.com' 'www.websponsors.com' 'bi.medscape.com' 'adv.medscape.com' 'as.medscape.com' 'adv.webmd.com' 'as.webmd.com' 'www.gameplaylabs.com' 'img.jizzads.com' 'ads4pubs.com' 'fttcj.com' 'ads.socialreach.com' 'cc.webpower.com' 'clickcash.webpower.com' 'orders.webpower.com' 'apps.clickcash.com' 'promo.clickcash.com' 'www.clickcash.com' 'getclicky.com' 'in.getclicky.com' 'pmetrics.getclicky.com' 'static.getclicky.com' 'pmetrics.performancing.com' 'stats.webleads-tracker.com' 'verivox01.webtrekk.net' 'www.webtrends.net' 'hm.webtrends.com' 'scs.webtrends.com' 'webtrendslive.com' 'ctix8.cheaptickets.com' 'rd.clickshift.com' 'wt.o.nytimes.com' 'wt.ticketmaster.com' 'dc.webtrends.com' 'm.webtrends.com' 'statse.webtrendslive.com' 'dcs.wtlive.com' 'dcstest.wtlive.com' 'wtrs.101com.com' 'sdc.acc.org' 'sdc.caranddriver.com' 'dcs.mattel.com' 'sdc.brightcove.com' 'sdc.ca.com' 'sdc.dishnetwork.com' 'sdc.dn.no' 'sdc.dtag.com' 'sdc.entertainment.com' 'sdc.flyingmag.com' 'sdc.francetelecom.com' 'ssdc.icelandair.com' 'sdc.jumptheshark.com' 'sdc.lef.org' 'sdc.livingchoices.com' 'sdc.mcafee.com' 'sdc.netiq.com' 'sdc.plannedparenthood.org' 'sdc.radio-canada.ca' 'sdc.rbistats.com' 'sdc.roadandtrack.com' 'sdc.sanofi-aventis.us' 'sdc.traderonline.com' 'sdc.tvguide.com' 'sdc.usps.com' 'sdc.vml.com' 'sdc.windowsmarketplace.com' 'wdcs.trendmicro.com' 'webtrends.telegraph.co.uk' 'www.1sexsex.com' 'teenboobstube.com' 'tubeanalporn.com' 'adsystem.simplemachines.org' 'aidu.ivwbox.de' 'chip.ivwbox.de' 'ciao.ivwbox.de' 'daserste.ivwbox.de' 'faz.ivwbox.de' 'freecast.ivwbox.de' 'finatime.ivwbox.de' 'gsea.ivwbox.de' 'handbl.ivwbox.de' 'heise.ivwbox.de' 'heute.ivwbox.de' 'mclient.ivwbox.de' 'mdr.ivwbox.de' 'mobile.ivwbox.de' 'morgpost.ivwbox.de' 'netzeitu.ivwbox.de' 'newsclic.ivwbox.de' 'ntv.ivwbox.de' 'qs.ivwbox.de' 'reuterde.ivwbox.de' 'rtl.ivwbox.de' 'schuelvz.ivwbox.de' 'spoxcom.ivwbox.de' 'studivz.ivwbox.de' 'sueddeut.ivwbox.de' 'swr.ivwbox.de' 'rbb.ivwbox.de' 'tagessch.ivwbox.de' 'vanity.ivwbox.de' 'welten.ivwbox.de' 'wetteronl.ivwbox.de' 'wirtwoch.ivwbox.de' 'www.ivwbox.de' 'yahoo.ivwbox.de' 'zdf.ivwbox.de' 'zeitonl.ivwbox.de' 'superxmassavers.ru' 'www.yourxmasgifts.ru' 'www.yournewluxurywatch.ru' 'event.ohmyad.co' 'core.videoegg.com' 'content.dl-rms.com' 'imagenen1.247realmedia.com' 'imagec05.247realmedia.com' 'imagec07.247realmedia.com' 'imagec08.247realmedia.com' 'imagec09.247realmedia.com' 'imagec10.247realmedia.com' 'imagec11.247realmedia.com' 'imagec12.247realmedia.com' 'imagec14.247realmedia.com' 'imagec16.247realmedia.com' 'imagec17.247realmedia.com' 'imagec18.247realmedia.com' 'imageceu1.247realmedia.com' 'oasc05.247realmedia.com' 'oasc06.247realmedia.com' 'oasc08.247realmedia.com' 'oasc09.247realmedia.com' 'oasc10.247realmedia.com' 'oasc11.247realmedia.com' 'oasc12.247realmedia.com' 'oasc17.247realmedia.com' 'oasc02023.247realmedia.com' 'oasc03012.247realmedia.com' 'oasc03049.247realmedia.com' 'oasc04052.247realmedia.com' 'oasc05024.247realmedia.com' 'oasc05134.247realmedia.com' 'oasc05135.247realmedia.com' 'oasc05139.247realmedia.com' 'oasc06006.247realmedia.com' 'oasc08006.247realmedia.com' 'oasc08008.247realmedia.com' 'oasc08011.247realmedia.com' 'oasc08024.247realmedia.com' 'oasc10015.247realmedia.com' 'oasc11009.247realmedia.com' 'oasc12001.247realmedia.com' 'oasc12016.247realmedia.com' 'oasc12056.247realmedia.com' 'oasc14008.247realmedia.com' 'oasc18005.247realmedia.com' 'openadstream-eu1.247realmedia.com' 'ads.realmedia.com.br' 'ad.realmedia.co.kr' 'tech.realmedia.co.kr' 'tracking.247search.com' 'realmedia-a592.d4p.net' 'rusads.toysrus.com' 'oascentral.aeroplan.com' 'sifomedia.aftonbladet.se' 'oascentral.arkansasonline.com' 'as.bankrate.com' 'oascentral.beliefnet.com' 'ads.benefitspro.com' 'ads.bhmedianetwork.com' 'ads.bloomberg.com' 'ad.directrev.com' 'a.diximedia.es' 'oascentral.dominionenterprises.com' 'ads.epi.es' 'oascentral.fiercemarkets.com' 'ads.fora.tv' 'sifomedia.idg.se' 'ads.itzdigital.com' 'ads.lifehealthpro.com' 'oas.monster.com' 'b3.mookie1.com' 'premium.mookie1.com' 't.mookie1.com' 'ads.mrtones.com' 'mig.nexac.com' 'ads.nwsource.com' 'ads.propertycasualty360.com' 'oas.providencejournal.com' 'ads.seattletimes.com' 'a3.suntimes.com' 'ads.telecinco.es' 'ads.timesunion.com' 'adsrv.dispatch.com' 'mjx.ads.nwsource.com' 'oascentral.123greetings.com' 'oas.247sports.com' 'oascentral.abclocal.go.com' 'oascentral.adage.com' 'oas.ad-vice.biz' 'oascentral.alladultchannel.com' 'oascentral.hosted.ap.org' 'oascentral.artistdirect.com' 'oascentral.autoweek.com' 'oascentral.blackenterprise.com' 'oascentral.blogher.org' 'oascentral.bigfishgames.com' 'oascentral.bristolpress.com' 'oascentral.broadway.com' 'oascentral.browardpalmbeach.com' 'oascentral.businessinsurance.com' 'oascentral.businessweek.com' 'oascentral.buy.com' 'oascentral.buysell.com' 'oascentral.capecodonline.com' 'oascentral.careerbuilder.com' 'oascentral.citypages.com' 'oascentral.citypaper.com' 'realmedia.channel4.com' 'oascentral.charleston.net' 'oascentral.chicagobusiness.com' 'oascentral.chron.com' 'oascentral.comcast.net' 'oascentral.comics.com' 'oascentral.consumerreports.org' 'oascentral.courttv.com' 'oascentral.crainsdetroit.com' 'oascentral.crainsnewyork.com' 'oascentral.crimelibrary.com' 'oascentral.cygnusb2b.com' 'oascentral.dailybreeze.com' 'oascentral.dailyherald.com' 'oascentral.dailylocal.com' 'oas.dallasnews.com' 'oascentral.datasphere.com' 'oas.deejay.it' 'oascentral.discovery.com' 'oascentral.dollargeneral.com' 'oascentral.emarketer.com' 'oascentral.emedicine.com' 'oascentral.escapistmagazine.com' 'oascentral.feedroom.com' 'oas.five.tv' 'oascentral.fosters.com' 'oascentral.freedom.com' 'oascentral.goerie.com' 'oascentral.gotriad.com' 'oascentral.grandparents.com' 'oascentral.greenevillesun.com' 'oascentral.hamptonroads.com' 'oascentral.herald-dispatch.com' 'oascentral.hispanicbusiness.com' 'oascentral.hitfix.com' 'oascentral.hollywood.com' 'oascentral.houstonpress.com' 'oascentral.ibtimes.com' 'oascentral.internetretailer.com' 'oascentral.investingmediasolutions.com' 'oascentral.investmentnews.com' 'oascentral.katv.com' 'oascentral.laptopmag.com' 'oascentral.law.com' 'oascentral.laweekly.com' 'oascentral.lifetimetv.com' 'oascentral.lycos.com' 'oascentral.mailtribune.com' 'oas.maktoobblog.com' 'oascentral.mayoclinic.com' 'oascentral.metrotimes.com' 'oascentral.metrowestdailynews.com' 'oascentral.miaminewtimes.com' 'oascentral.minnpost.com' 'oascentral.mochila.com' 'oascentral.modernhealthcare.com' 'oascentral.movietickets.com' 'oascentral.nationalunderwriter.com' 'oascentral.necn.com' 'oascentral.nephrologynews.com' 'oascentral.nerve.com' 'oascentral.netnewscheck.com' 'oascentral.newsmax.com' 'oascentral.news-record.com' 'oascentral.newstimeslive.com' 'oas-fr.video.on.nytimes.com' 'oascentral.ocweekly.com' 'oascentral.onthesnow.com' 'oascentral.onwisconsin.com' 'oascentral.oprah.com' 'oascentral.phoenixnewtimes.com' 'oascentral.planetatv.com' 'oascentral.poconorecord.com' 'oascentral.post-gazette.com' 'oascentral.pressdemocrat.com' 'oascentral.prodivnet.com' 'oascentral.publicradio.org' 'oascentral.rcrnews.com' 'oascentral.recordnet.com' 'oascentral.recordonline.com' 'oascentral.record-eagle.com' 'oascentral.recroom.com' 'oascentral.recyclebank.com' 'oascentral.red7media.com' 'oascentral.redstate.com' 'oascentral.register.com' 'oascentral.registerguard.com' 'oas.repubblica.it' 'oas.rivals.com' 'oascentral.salemweb.net' 'oascentral.samsclub.com' 'oascentral.sfgate.com' 'oascentral.sfweekly.com' 'oascentral.sina.com' 'oascentral.spineuniverse.com' 'oascentral.southjerseylocalnews.com' 'oascentral.sportsfanlive.com' 'oascentral.s-t.com' 'oascentral.stackmag.com' 'oascentral.stansberryresearch.com' 'oascentral.stripes.com' 'oascentral.suntimes.com' 'oascentral.superpages.com' 'oascentral.surfline.com' 'ads.tdbank.com' 'oascentral.timesfreepress.com' 'oascentral.thechronicleherald.ca' 'oascentral.thedailymeal.com' 'oascentral.thepostgame.com' 'oascentral.theweek.com' 'oascentral.tmcnet.com' 'oascentral.tnr.com' 'oascentral.tophosts.com' 'oascentral.tourismvancouver.com' 'oascentral.tradingmarkets.com' 'oascentral.traffic.com' 'oascentral.travelzoo.com' 'oascentral.trentonian.com' 'oascentral.tripit.com' 'oas.trustnet.com' 'oascentral.tvnewscheck.com' 'oascentral.upi.com' 'oascentral.urbanspoon.com' 'oascentral.villagevoice.com' 'oascentral.virtualtourist.com' 'oascentral.walmartwom.com' 'oascentral.warcry.com' 'oascentral.washtimes.com' 'oascentral.wciv.com' 'oascentral.westword.com' 'oascentral.wickedlocal.com' 'oascentral.yakimaherald.com' 'oascentral.yellowpages.com' 'coriolis.accuweather.com' 'sifomedia.thelocal.se' 'panel.research-int.se' 'ads.augusta.com' 'oas.autotrader.co.uk' 'ads.ctvdigital.net' 'oas.guardian.co.uk' 'kantarmedia.guardian.co.uk' 'oas.guardiannews.com' 'oas.ilsecoloxix.it' 'ads.jacksonville.com' 'ads.juneauempire.com' 'deliv.lexpress.fr' 'b3-uk.mookie1.com' 'oas.northernandshell.co.uk' 'oas.offremedia.com' 'ads.onlineathens.com' 'ads.pennnet.com' 'oas.populisengage.com' 'oas.rcsadv.it' 'panel2.research-int.se' 'oascentral.riverfronttimes.com' 'oas.theguardian.com' 'ads.savannahnow.com' 'oas.stv.tv' 'jsn.dt07.net' 'jsc.mgid.com' 'jsn.mgid.com' 'www.adshost1.com' 'track.ad4mmo.com' 'n149adserv.com' 'n44adshostnet.com' 'cdn.trafficstars.com' 'toroadvertisingmedia.com' 'aka-root.com' 'ads.h2porn.com' 'adv.h2porn.com' 'hits.twittweb.com' 'www.xvika.net' 'www.xvika.org' 'adv.freepornvs.com' 'a.mgid.com' 'aa-gb.mgid.com' 'ab-gb.mgid.com' 'aa-nb.mgid.com' 'ab-nb.mgid.com' 'ac-gb.mgid.com' 'counter.mgid.com' 'i3.putags.com' 'http.edge.ru4.com' 'smartad.mercadolibre.com.ar' 'smartad.mercadolivre.com.br' '33universal.adprimemedia.com' 'video1.adprimemedia.com' 'www.balook.com' 'advert.funimation.com' 'webiq005.webiqonline.com' 'advertising.finditt.com' 'https.edge.ru4.com' 's.xp1.ru4.com' 'www.mediahighway.net' 'www.netpoll.nl' 'realtracker.com' 'adserver1.realtracker.com' 'adserver2.realtracker.com' 'business.realtracker.com' 'free.realtracker.com' 'layout1.realtracker.com' 'project2.realtracker.com' 'talkcity.realtracker.com' 'tpl1.realtracker.com' 'tpl2.realtracker.com' 'web1.realtracker.com' 'web2.realtracker.com' 'web4.realtracker.com' 'free1.usa.realtracker.com' 'www.realtracker.com' 'ntkrnlpa.info' 'banners.delivery.addynamo.com' 's01.delivery.addynamo.com' 's01-delivery.addynamo.net' 'static.addynamo.net' 'static-uk.addynamo.net' 'ad.wretch.cc' 'nz.adserver.yahoo.com' 'sg.adserver.yahoo.com' 'br.adserver.yahoo.com' 'cn.adserver.yahoo.com' 'tw.adserver.yahoo.com' 'mi.adinterax.com' 'e.yieldmanager.net' 'l.yieldmanager.net' 'ads.yimg.com' 'my.adtegrity.net' 'my.aim4media.com' 'ym.bannerconnect.net' 'reporting.cpxinteractive.com' 'api.yieldmanager.com' 'my.yieldmanager.com' 'be.adserver.yahoo.com' 'dk.adserver.yahoo.com' 'eu-pn4.adserver.yahoo.com' 'fr.adserver.yahoo.com' 'nl.adserver.yahoo.com' 'se.adserver.yahoo.com' 'uk.adserver.yahoo.com' 'de.adserver.yahoo.com' 'es.adserver.yahoo.com' 'gr.adserver.yahoo.com' 'it.adserver.yahoo.com' 'no.adserver.yahoo.com' 'gambling911.adrevolver.com' 'aps.media.adrevolver.com' 'media.adrevolver.com' 'track.adrevolver.com' 'hostingprod.com' 'geo.yahoo.com' 'nol.yahoo.com' 'advision.webevents.yahoo.com' 'partnerads.ysm.yahoo.com' 'ts.richmedia.yahoo.com' 'visit.webhosting.yahoo.com' 'syndication.streamads.yahoo.com' 'srv1.wa.marketingsolutions.yahoo.com' 'srv2.wa.marketingsolutions.yahoo.com' 'srv3.wa.marketingsolutions.yahoo.com' 'ad.creafi.com' 'ad.foxnetworks.com' 'ad.hi5.com' 'adserver.yahoo.com' 'ae.adserver.yahoo.com' 'ar.adserver.yahoo.com' 'au.adserver.yahoo.com' 'ca.adserver.yahoo.com' 'cn2.adserver.yahoo.com' 'hk.adserver.yahoo.com' 'in.adserver.yahoo.com' 'us.adserver.yahoo.com' 'pn1.adserver.yahoo.com' 'pn2.adserver.yahoo.com' 'tw2.adserver.yahoo.com' 'csc.beap.bc.yahoo.com' 'launch.adserver.yahoo.com' 'mx.adserver.yahoo.com' 'clicks.beap.ad.yieldmanager.net' 'csc.beap.ad.yieldmanager.net' 'open.ad.yieldmanager.net' 's.analytics.yahoo.com' 's201.indexstats.com' 'secure.indexstats.com' 'stats.indexstats.com' 'stats.indextools.com' 'adinterax.com' 'str.adinterax.com' 'tr.adinterax.com' 'www.adinterax.com' 'ads.bluelithium.com' 'np.lexity.com' 'beap.adx.yahoo.com' 'a.analytics.yahoo.com' 'o.analytics.yahoo.com' 'sp.analytics.yahoo.com' 'y.analytics.yahoo.com' 'y3.analytics.yahoo.com' 'z.analytics.yahoo.com' 'analytics.query.yahoo.com' 'gd.ads.vip.gq1.yahoo.com' 'geo.query.yahoo.com' 'ci.beap.ad.yieldmanager.net' 'ac.ybinst0.ec.yimg.com' 'ac.ybinst1.ec.yimg.com' 'ac.ybinst2.ec.yimg.com' 'ac.ybinst3.ec.yimg.com' 'ac.ybinst4.ec.yimg.com' 'ac.ybinst5.ec.yimg.com' 'ac.ybinst6.ec.yimg.com' 'ac.ybinst7.ec.yimg.com' 'ac.ybinst8.ec.yimg.com' 'ac.ybinst9.ec.yimg.com' 'ybinst0.ec.yimg.com' 'ybinst1.ec.yimg.com' 'ybinst2.ec.yimg.com' 'ybinst3.ec.yimg.com' 'ybinst4.ec.yimg.com' 'ybinst5.ec.yimg.com' 'ybinst6.ec.yimg.com' 'ybinst7.ec.yimg.com' 'ybinst8.ec.yimg.com' 'ybinst9.ec.yimg.com' 'advertising.yandex.ru' 'bs.yandex.ru' 'bs-meta.yandex.ru' 'grade.market.yandex.ru' 'yandexadexchange.net' 'serw.myroitracking.com' 'tr1.myroitracking.com' 'track.visitorpath.com' 'banner.adsrevenue.net' 'popunder.adsrevenue.net' 'clicksor.com' 'ads.clicksor.com' 'main.clicksor.com' 'mci12.clicksor.com' 'search.clicksor.com' 'serw.clicksor.com' 'track.clicksor.com' 'www.clicksor.com' 'mp.clicksor.net' 'myad.clicksor.net' 'pub.clicksor.net' 'www.infinityads.com' 'multipops.com' 'service.multi-pops.com' 'www1.multipops.com' 'www2.multipops.com' 'www.multipops.com' 'www.xxxwebtraffic.com' 'ads.adonion.com' 'serving.adsrevenue.clicksor.net' 'www.myroitracking.com' 'yourstats.net' 'www.yourstats.net' 'l7.zedo.com' 'click.zxxds.net' 'zedo.com' 'ads.zedo.com' 'c1.zedo.com' 'c2.zedo.com' 'c3.zedo.com' 'c4.zedo.com' 'c5.zedo.com' 'c6.zedo.com' 'c7.zedo.com' 'c8.zedo.com' 'd2.zedo.com' 'd3.zedo.com' 'd7.zedo.com' 'd8.zedo.com' 'g.zedo.com' 'gw.zedo.com' 'h.zedo.com' 'l1.zedo.com' 'l2.zedo.com' 'l3.zedo.com' 'l4.zedo.com' 'l5.zedo.com' 'l6.zedo.com' 'l8.zedo.com' 'r1.zedo.com' 'simg.zedo.com' 'ss1.zedo.com' 'ss2.zedo.com' 'ss7.zedo.com' 'xads.zedo.com' 'yads.zedo.com' 'www.zedo.com' 'c1.zxxds.net' 'c7.zxxds.net' 'ads.namiflow.com' 'adunit.namiflow.com' 'rt.udmserve.net' 'www.stickylogic.com' 'www.winadiscount.com' 'www.winaproduct.com' 'goatse.cx' 'www.goatse.cx' 'oralse.cx' 'www.oralse.cx' 'goatse.ca' 'www.goatse.ca' 'oralse.ca' 'www.oralse.ca' 'goat.cx' 'www.goat.cx' '1girl1pitcher.com' '1girl1pitcher.org' '1guy1cock.com' '1man1jar.org' '1man2needles.com' '1priest1nun.com' '1priest1nun.net' '2girls1cup.cc' '2girls1cup.com' '2girls1cup-free.com' '2girls1cup.nl' '2girls1cup.ws' '2girls1finger.com' '2girls1finger.org' '2guys1stump.org' '3guys1hammer.ws' '4girlsfingerpaint.com' '4girlsfingerpaint.org' 'bagslap.com' 'ballsack.org' 'bestshockers.com' 'bluewaffle.biz' 'bottleguy.com' 'bowlgirl.com' 'cadaver.org' 'clownsong.com' 'copyright-reform.info' 'cshacks.partycat.us' 'cyberscat.com' 'dadparty.com' 'detroithardcore.com' 'donotwatch.org' 'dontwatch.us' 'eelsoup.net' 'fruitlauncher.com' 'fuck.org' 'funnelchair.com' 'goatse.bz' 'goatsegirl.org' 'goatse.ru' 'hai2u.com' 'homewares.org' 'howtotroll.org' 'japscat.org' 'jarsquatter.com' 'jiztini.com' 'junecleeland.com' 'kids-in-sandbox.com' 'kidsinsandbox.info' 'lemonparty.biz' 'lemonparty.org' 'lolhello.com' 'lolshock.com' 'loltrain.com' 'meatspin.biz' 'meatspin.com' 'merryholidays.org' 'milkfountain.com' 'mudfall.com' 'mudmonster.org' 'nimp.org' 'nobrain.dk' 'nutabuse.com' 'octopusgirl.com' 'on.nimp.org' 'painolympics.info' 'painolympics.org' 'phonejapan.com' 'pressurespot.com' 'prolapseman.com' 'scrollbelow.com' 'selfpwn.org' 'sexitnow.com' 'sourmath.com' 'strawpoii.me' 'suckdude.com' 'thatsjustgay.com' 'thatsphucked.com' 'thehomo.org' 'themacuser.org' 'thepounder.com' 'tubgirl.me' 'tubgirl.org' 'turdgasm.com' 'vomitgirl.org' 'walkthedinosaur.com' 'whipcrack.org' 'wormgush.com' 'www.1girl1pitcher.org' 'www.1guy1cock.com' 'www.1man1jar.org' 'www.1man2needles.com' 'www.1priest1nun.com' 'www.1priest1nun.net' 'www.2girls1cup.cc' 'www.2girls1cup-free.com' 'www.2girls1cup.nl' 'www.2girls1cup.ws' 'www.2girls1finger.org' 'www.2guys1stump.org' 'www.3guys1hammer.ws' 'www.4girlsfingerpaint.org' 'www.bagslap.com' 'www.ballsack.org' 'www.bestshockers.com' 'www.bluewaffle.biz' 'www.bottleguy.com' 'www.bowlgirl.com' 'www.cadaver.org' 'www.clownsong.com' 'www.copyright-reform.info' 'www.cshacks.partycat.us' 'www.cyberscat.com' 'www.dadparty.com' 'www.detroithardcore.com' 'www.donotwatch.org' 'www.dontwatch.us' 'www.eelsoup.net' 'www.fruitlauncher.com' 'www.fuck.org' 'www.funnelchair.com' 'www.goatse.bz' 'www.goatsegirl.org' 'www.goatse.ru' 'www.hai2u.com' 'www.homewares.org' 'www.howtotroll.org' 'www.japscat.org' 'www.jiztini.com' 'www.junecleeland.com' 'www.kids-in-sandbox.com' 'www.kidsinsandbox.info' 'www.lemonparty.biz' 'www.lemonparty.org' 'www.lolhello.com' 'www.lolshock.com' 'www.loltrain.com' 'www.meatspin.biz' 'www.meatspin.com' 'www.merryholidays.org' 'www.milkfountain.com' 'www.mudfall.com' 'www.mudmonster.org' 'www.nimp.org' 'www.nobrain.dk' 'www.nutabuse.com' 'www.octopusgirl.com' 'www.on.nimp.org' 'www.painolympics.info' 'www.painolympics.org' 'www.phonejapan.com' 'www.pressurespot.com' 'www.prolapseman.com' 'www.punishtube.com' 'www.scrollbelow.com' 'www.selfpwn.org' 'www.sourmath.com' 'www.strawpoii.me' 'www.suckdude.com' 'www.thatsjustgay.com' 'www.thatsphucked.com' 'www.theexgirlfriends.com' 'www.thehomo.org' 'www.themacuser.org' 'www.thepounder.com' 'www.tubgirl.me' 'www.tubgirl.org' 'www.turdgasm.com' 'www.vomitgirl.org' 'www.walkthedinosaur.com' 'www.whipcrack.org' 'www.wormgush.com' 'www.xvideoslive.com' 'www.y8.com' 'www.youaresogay.com' 'www.ypmate.com' 'www.zentastic.com' 'youaresogay.com' 'zentastic.com' 'ads234.com' 'ads345.com' 'www.ads234.com' 'www.ads345.com' 'media.fastclick.net' '006.freecounters.co.uk' '06272002-dbase.hitcountz.net' '0stats.com' '123counter.mycomputer.com' '123counter.superstats.com' '2001-007.com' '20585485p.rfihub.com' '3bc3fd26-91cf-46b2-8ec6-b1559ada0079.statcamp.net' '3ps.go.com' '4-counter.com' 'a796faee-7163-4757-a34f-e5b48cada4cb.statcamp.net' 'abscbn.spinbox.net' 'adapi.ragapa.com' 'adclient.rottentomatoes.com' 'adcodes.aim4media.com' 'adcounter.globeandmail.com' 'adelogs.adobe.com' 'ademails.com' 'adlog.com.com' 'ad-logics.com' 'admanmail.com' 'ads.tiscali.com' 'ads.tiscali.it' 'adult.foxcounter.com' 'affiliate.ab1trk.com' 'affiliate.irotracker.com' 'ai062.insightexpress.com' 'ai078.insightexpressai.com' 'ai087.insightexpress.com' 'ai113.insightexpressai.com' 'ai125.insightexpressai.com' 'alert.mac-notification.com' 'alpha.easy-hit-counters.com' 'amateur.xxxcounter.com' 'amer.hops.glbdns.microsoft.com' 'amer.rel.msn.com' 'analytics.prx.org' 'ant.conversive.nl' 'antivirus-message.com' 'apac.rel.msn.com' 'api.gameanalytics.com' 'api.infinario.com' 'api.tumra.com' 'apprep.smartscreen.microsoft.com' 'app.yesware.com' 'au052.insightexpress.com' 'auspice.augur.io' 'au.track.decideinteractive.com' 'banners.webcounter.com' 'beacons.hottraffic.nl' 'best-search.cc' 'beta.easy-hit-counter.com' 'beta.easy-hit-counters.com' 'bilbo.counted.com' 'bin.clearspring.com' 'birta.stats.is' 'bkrtx.com' 'bluekai.com' 'bluestreak.com' 'bookproplus.com' 'brightroll.com' 'broadcastpc.tv' 'report.broadcastpc.tv' 'www.broadcastpc.tv' 'browser-message.com' 'bserver.blick.com' 'bstats.adbrite.com' 'b.stats.paypal.com' 'c1.thecounter.com' 'c1.thecounter.de' 'c2.thecounter.com' 'c2.thecounter.de' 'c3.thecounter.com' 'c4.myway.com' 'c9.statcounter.com' 'ca.cqcounter.com' 'cashcounter.com' 'cb1.counterbot.com' 'cdn.oggifinogi.com' 'cdxbin.vulnerap.com' 'cf.addthis.com' 'cgicounter.onlinehome.de' 'cgi.hotstat.nl' 'ci-mpsnare.iovation.com' 'citrix.tradedoubler.com' 'cjt1.net' 'click.fivemtn.com' 'click.investopedia.com' 'click.jve.net' 'clickmeter.com' 'click.payserve.com' 'clicks.emarketmakers.com' 'clicks.m4n.nl' 'clicks.natwest.com' 'clickspring.net' 'clicks.rbs.co.uk' 'clicktrack.onlineemailmarketing.com' 'clicktracks.webmetro.com' 'clk.aboxdeal.com' 'cnn.entertainment.printthis.clickability.com' 'cnt.xcounter.com' 'connectionlead.com' 'convertro.com' 'counter10.sextracker.be' 'counter11.sextracker.be' 'counter.123counts.com' 'counter12.sextracker.be' 'counter13.sextracker.be' 'counter14.sextracker.be' 'counter15.sextracker.be' 'counter16.sextracker.be' 'counter1.sextracker.be' 'counter.1stblaze.com' 'counter2.freeware.de' 'counter2.sextracker.be' 'counter3.sextracker.be' 'counter4all.dk' 'counter4.sextracker.be' 'counter4u.de' 'counter5.sextracker.be' 'counter6.sextracker.be' 'counter7.sextracker.be' 'counter8.sextracker.be' 'counter9.sextracker.be' 'counter.aaddzz.com' 'counterad.de' 'counter.adultcheck.com' 'counter.adultrevenueservice.com' 'counter.advancewebhosting.com' 'counteraport.spylog.com' 'counter.asexhound.com' 'counter.avp2000.com' 'counter.bloke.com' 'counterbot.com' 'counter.clubnet.ro' 'countercrazy.com' 'counter.credo.ru' 'counter.cz' 'counter.digits.com' 'counter.e-audit.it' 'counter.execpc.com' 'counter.gamespy.com' 'counter.hitslinks.com' 'counter.htmlvalidator.com' 'counter.impressur.com' 'counter.inetusa.com' 'counter.inti.fr' 'counter.kaspersky.com' 'counter.letssingit.com' 'counter.mycomputer.com' 'counter.netmore.net' 'counter.nowlinux.com' 'counter.pcgames.de' 'counters.auctionhelper.com' 'counters.auctionwatch.com' 'counters.auctiva.com' 'counter.sexhound.nl' 'counters.gigya.com' 'counter.surfcounters.com' 'counters.xaraonline.com' 'counter.times.lv' 'counter.topping.com.ua' 'counter.tripod.com' 'counter.uq.edu.au' 'counter.webcom.com' 'counter.webmedia.pl' 'counter.webtrends.com' 'counter.webtrends.net' 'counter.xxxcool.com' 'count.paycounter.com' 'c.thecounter.de' 'cw.nu' 'cyseal.cyveillance.com' 'da.ce.bd.a9.top.list.ru' 'data2.perf.overture.com' 'dclk.themarketer.com' 'delivery.loopingclick.com' 'detectorcarecenter.in' 'dgit.com' 'digistats.westjet.com' 'dimeprice.com' 'dkb01.webtrekk.net' 'dotcomsecrets.com' 'dpbolvw.net' 'ds.247realmedia.com' 'ds.amateurmatch.com' 'dwclick.com' 'e-2dj6wfk4ehd5afq.stats.esomniture.com' 'e-2dj6wfk4ggdzkbo.stats.esomniture.com' 'e-2dj6wfk4gkcpiep.stats.esomniture.com' 'e-2dj6wfk4skdpogo.stats.esomniture.com' 'e-2dj6wfkiakdjgcp.stats.esomniture.com' 'e-2dj6wfkiepczoeo.stats.esomniture.com' 'e-2dj6wfkikjd5glq.stats.esomniture.com' 'e-2dj6wfkiokc5odp.stats.esomniture.com' 'e-2dj6wfkiqjcpifp.stats.esomniture.com' 'e-2dj6wfkocjczedo.stats.esomniture.com' 'e-2dj6wfkokjajseq.stats.esomniture.com' 'e-2dj6wfkowkdjokp.stats.esomniture.com' 'e-2dj6wfkykpazskq.stats.esomniture.com' 'e-2dj6wflicocjklo.stats.esomniture.com' 'e-2dj6wfligpd5iap.stats.esomniture.com' 'e-2dj6wflikgdpodo.stats.esomniture.com' 'e-2dj6wflikiajslo.stats.esomniture.com' 'e-2dj6wflioldzoco.stats.esomniture.com' 'e-2dj6wfliwpczolp.stats.esomniture.com' 'e-2dj6wfloenczmkq.stats.esomniture.com' 'e-2dj6wflokmajedo.stats.esomniture.com' 'e-2dj6wfloqgc5mho.stats.esomniture.com' 'e-2dj6wfmysgdzobo.stats.esomniture.com' 'e-2dj6wgkigpcjedo.stats.esomniture.com' 'e-2dj6wgkisnd5abo.stats.esomniture.com' 'e-2dj6wgkoandzieq.stats.esomniture.com' 'e-2dj6wgkycpcpsgq.stats.esomniture.com' 'e-2dj6wgkyepajmeo.stats.esomniture.com' 'e-2dj6wgkyknd5sko.stats.esomniture.com' 'e-2dj6wgkyomdpalp.stats.esomniture.com' 'e-2dj6whkiandzkko.stats.esomniture.com' 'e-2dj6whkiepd5iho.stats.esomniture.com' 'e-2dj6whkiwjdjwhq.stats.esomniture.com' 'e-2dj6wjk4amd5mfp.stats.esomniture.com' 'e-2dj6wjk4kkcjalp.stats.esomniture.com' 'e-2dj6wjk4ukazebo.stats.esomniture.com' 'e-2dj6wjkosodpmaq.stats.esomniture.com' 'e-2dj6wjkouhd5eao.stats.esomniture.com' 'e-2dj6wjkowhd5ggo.stats.esomniture.com' 'e-2dj6wjkowjajcbo.stats.esomniture.com' 'e-2dj6wjkyandpogq.stats.esomniture.com' 'e-2dj6wjkycpdzckp.stats.esomniture.com' 'e-2dj6wjkyqmdzcgo.stats.esomniture.com' 'e-2dj6wjkysndzigp.stats.esomniture.com' 'e-2dj6wjl4qhd5kdo.stats.esomniture.com' 'e-2dj6wjlichdjoep.stats.esomniture.com' 'e-2dj6wjliehcjglp.stats.esomniture.com' 'e-2dj6wjlignajgaq.stats.esomniture.com' 'e-2dj6wjloagc5oco.stats.esomniture.com' 'e-2dj6wjlougazmao.stats.esomniture.com' 'e-2dj6wjlyamdpogo.stats.esomniture.com' 'e-2dj6wjlyckcpelq.stats.esomniture.com' 'e-2dj6wjlyeodjkcq.stats.esomniture.com' 'e-2dj6wjlygkd5ecq.stats.esomniture.com' 'e-2dj6wjmiekc5olo.stats.esomniture.com' 'e-2dj6wjmyehd5mfo.stats.esomniture.com' 'e-2dj6wjmyooczoeo.stats.esomniture.com' 'e-2dj6wjny-1idzkh.stats.esomniture.com' 'e-2dj6wjnyagcpkko.stats.esomniture.com' 'e-2dj6wjnyeocpcdo.stats.esomniture.com' 'e-2dj6wjnygidjskq.stats.esomniture.com' 'e-2dj6wjnyqkajabp.stats.esomniture.com' 'easy-web-stats.com' 'economisttestcollect.insightfirst.com' 'ehg.fedex.com' 'eitbglobal.ojdinteractiva.com' 'email.positionly.com' 'emea.rel.msn.com' 'engine.cmmeglobal.com' 'entry-stats.huffingtonpost.com' 'environmentalgraffiti.uk.intellitxt.com' 'e-n.y-1shz2prbmdj6wvny-1sez2pra2dj6wjmyepdzadpwudj6x9ny-1seq-2-2.stats.esomniture.com' 'e-ny.a-1shz2prbmdj6wvny-1sez2pra2dj6wjny-1jcpgbowsdj6x9ny-1seq-2-2.stats.esomniture.com' 'extremereach.com' 'fastcounter.bcentral.com' 'fastcounter.com' 'fastcounter.linkexchange.com' 'fastcounter.linkexchange.net' 'fastcounter.linkexchange.nl' 'fastcounter.onlinehoster.net' 'fcstats.bcentral.com' 'fdbdo.com' 'flycast.com' 'forbescollect.247realmedia.com' 'formalyzer.com' 'foxcounter.com' 'freeinvisiblecounters.com' 'freewebcounter.com' 'fs10.fusestats.com' 'ft2.autonomycloud.com' 'gator.com' 'gcounter.hosting4u.net' 'gd.mlb.com' 'geocounter.net' 'gkkzngresullts.com' 'go-in-search.net' 'goldstats.com' 'googfle.com' 'googletagservices.com' 'g-wizzads.net' 'highscanprotect.com' 'hit37.chark.dk' 'hit37.chart.dk' 'hit39.chart.dk' 'hit.clickaider.com' 'hit-counter.udub.com' 'hits.gureport.co.uk' 'http300.edge.ru4.com' 'iccee.com' 'ieplugin.com' 'iesnare.com' 'ig.insightgrit.com' 'ih.constantcontacts.com' 'image.masterstats.com' 'images1.paycounter.com' 'images.dailydiscounts.com' 'images.itchydawg.com' 'impacts.alliancehub.com' 'impit.tradedouble.com' 'in.paycounter.com' 'insightfirst.com' 'insightxe.looksmart.com' 'in.webcounter.cc' 'iprocollect.realmedia.com' 'izitracking.izimailing.com' 'jgoyk.cjt1.net' 'jkearns.freestats.com' 'journalism.uk.smarttargetting.com' 'jsonlinecollect.247realmedia.com' 'kissmetrics.com' 'kqzyfj.com' 'kt4.kliptracker.com' 'leadpub.com' 'liapentruromania.ro' 'lin31.metriweb.be' 'linkcounter.com' 'linkcounter.pornosite.com' 'link.masterstats.com' 'livestats.atlanta-airport.com' 'log1.countomat.com' 'log4.quintelligence.com' 'log999.goo.ne.jp' 'log.btopenworld.com' 'logc146.xiti.com' 'logc25.xiti.com' 'log.clickstream.co.za' 'logs.comics.com' 'logs.eresmas.com' 'logs.eresmas.net' 'log.statistici.ro' 'logv.xiti.com' 'lpcloudsvr302.com' 'luycos.com' 'lycoscollect.247realmedia.com' 'lycoscollect.realmedia.com' 'm1.nedstatbasic.net' 'mailcheckisp.biz' 'mailtrack.me' 'mama128.valuehost.ru' 'marketscore.com' 'mature.xxxcounter.com' 'media101.sitebrand.com' 'media.superstats.com' 'mediatrack.revenue.net' 'members2.hookup.com' 'metric.10best.com' 'metric.infoworld.com' 'metric.nationalgeographic.com' 'metric.nwsource.com' 'metric.olivegarden.com' 'metrics2.pricegrabber.com' 'metrics.al.com' 'metrics.att.com' 'metrics.elle.com' 'metrics.experts-exchange.com' 'metrics.fandome.com' 'metrics.gap.com' 'metrics.health.com' 'metrics.ioffer.com' 'metrics.ireport.com' 'metrics.kgw.com' 'metrics.ksl.com' 'metrics.ktvb.com' 'metrics.landolakes.com' 'metrics.maxim.com' 'metrics.mms.mavenapps.net' 'metrics.mpora.com' 'metrics.nextgov.com' 'metrics.npr.org' 'metrics.oclc.org' 'metrics.olivegarden.com' 'metrics.parallels.com' 'metrics.performancing.com' 'metrics.post-gazette.com' 'metrics.premiere.com' 'metrics.rottentomatoes.com' 'metrics.sephora.com' 'metrics.soundandvision.com' 'metrics.soundandvisionmag.com' 'metric.starz.com' 'metrics.technologyreview.com' 'metrics.theatlantic.com' 'metrics.thedailybeast.com' 'metrics.thefa.com' 'metrics.thefrisky.com' 'metrics.thenation.com' 'metrics.theweathernetwork.com' 'metrics.tmz.com' 'metrics.washingtonpost.com' 'metrics.whitepages.com' 'metrics.womansday.com' 'metrics.yellowpages.com' 'metrics.yousendit.com' 'metric.thenation.com' 'mktg.actonsoftware.com' 'mng1.clickalyzer.com' 'mpsnare.iesnare.com' 'msn1.com' 'msnm.com' 'mt122.mtree.com' 'mtcount.channeladvisor.com' 'mtrcs.popcap.com' 'mtv.247realmedia.com' 'multi1.rmuk.co.uk' 'mvs.mediavantage.de' 'mystats.com' 'nedstat.s0.nl' 'nethit-free.nl' 'net-radar.com' 'network.leadpub.com' 'nextgenstats.com' 'nl.nedstatbasic.net' 'o.addthis.com' 'okcounter.com' 'omniture.theglobeandmail.com' 'omtrdc.net' 'one.123counters.com' 'oss-crules.marketscore.com' 'oss-survey.marketscore.com' 'ostats.mozilla.com' 'other.xxxcounter.com' 'ourtoolbar.com' 'out.true-counter.com' 'partner.alerts.aol.com' 'partners.pantheranetwork.com' 'passpport.com' 'paxito.sitetracker.com' 'paycounter.com' 'pings.blip.tv' 'pix02.revsci.net' 'pixel-geo.prfct.co' 'pmg.ad-logics.com' 'pointclicktrack.com' 'postclick.adcentriconline.com' 'postgazettecollect.247realmedia.com' 'precisioncounter.com' 'p.reuters.com' 'printmail.biz' 'proxycfg.marketscore.com' 'proxy.ia2.marketscore.com' 'proxy.ia3.marketscore.com' 'proxy.ia4.marketscore.com' 'proxy.or3.marketscore.com' 'proxy.or4.marketscore.com' 'proxy.sj3.marketscore.com' 'proxy.sj4.marketscore.com' 'p.twitter.com' 'quareclk.com' 'raw.oggifinogi.com' 'remotrk.com' 'rightmedia.net' 'rightstats.com' 'roskatrack.roskadirect.com' 'rr2.xxxcounter.com' 'rr3.xxxcounter.com' 'rr4.xxxcounter.com' 'rr5.xxxcounter.com' 'rr7.xxxcounter.com' 's1.thecounter.com' 's2.youtube.com' 'sa.jumptap.com' 'scorecardresearch.com' 'scribe.twitter.com' 'scrooge.channelcincinnati.com' 'scrooge.channeloklahoma.com' 'scrooge.click10.com' 'scrooge.clickondetroit.com' 'scrooge.nbc11.com' 'scrooge.nbc4columbus.com' 'scrooge.nbc4.com' 'scrooge.nbcsandiego.com' 'scrooge.newsnet5.com' 'scrooge.thebostonchannel.com' 'scrooge.thedenverchannel.com' 'scrooge.theindychannel.com' 'scrooge.thekansascitychannel.com' 'scrooge.themilwaukeechannel.com' 'scrooge.theomahachannel.com' 'scrooge.wesh.com' 'scrooge.wftv.com' 'scrooge.wnbc.com' 'scrooge.wsoctv.com' 'scrooge.wtov9.com' 'sdogiu.bestamazontips.com' 'searchadv.com' 'sekel.ch' 'servedby.valuead.com' 'server11.opentracker.net' 'server12.opentracker.net' 'server13.opentracker.net' 'server14.opentracker.net' 'server15.opentracker.net' 'server16.opentracker.net' 'server17.opentracker.net' 'server18.opentracker.net' 'server2.opentracker.net' 'server3.opentracker.net' 'server4.opentracker.net' 'server5.opentracker.net' 'server6.opentracker.net' 'server7.opentracker.net' 'server8.opentracker.net' 'server9.opentracker.net' 'service.bfast.com' 'sexcounter.com' 'showcount.honest.com' 'smartstats.com' 'smetrics.att.com' 'socialize.eu1.gigya.com' 'softcore.xxxcounter.com' 'softonic.com' 'softonic.it' 'sostats.mozilla.com' 'sovereign.sitetracker.com' 'spinbox.maccentral.com' 'spklds.com' 's.statistici.ro' 'ss.tiscali.com' 'ss.tiscali.it' 'stast2.gq.com' 'stat1.z-stat.com' 'stat3.cybermonitor.com' 'stat.alibaba.com' 'statcounter.com' 'stat-counter.tass-online.ru' 'stat.discogs.com' 'static.kibboko.com' 'static.smni.com' 'statik.topica.com' 'statique.secureguards.eu' 'statistics.dynamicsitestats.com' 'statistics.elsevier.nl' 'statistics.reedbusiness.nl' 'statistics.theonion.com' 'stat.netmonitor.fi' 'stats1.corusradio.com' 'stats1.in' 'stats.24ways.org' 'stats2.gourmet.com' 'stats2.newyorker.com' 'stats2.rte.ie' 'stats2.unrulymedia.com' 'stats4all.com' 'stats5.lightningcast.com' 'stats6.lightningcast.net' 'stats.absol.co.za' 'stats.adbrite.com' 'stats.adotube.com' 'stats.airfarewatchdog.com' 'stats.allliquid.com' 'stats.becu.org' 'stats.big-boards.com' 'stats.blogoscoop.net' 'stats.bonzaii.no' 'stats.brides.com' 'stats.cts-bv.nl' 'stats.darkbluesea.com' 'stats.datahjaelp.net' 'stats.dziennik.pl' 'stats.fairmont.com' 'stats.fastcompany.com' 'stats.foxcounter.com' 'stats.free-rein.net' 'stats.f-secure.com' 'stats.gamestop.com' 'stats.globesports.com' 'stats.groupninetyfour.com' 'stats.idsoft.com' 'stats.independent.co.uk' 'stats.iwebtrack.com' 'stats.jippii.com' 'stats.klsoft.com' 'stats.ladotstats.nl' 'stats.macworld.com' 'stats.millanusa.com' 'stats.nowpublic.com' 'stats.paycounter.com' 'stats.platinumbucks.com' 'stats.popscreen.com' 'stats.reinvigorate.net' 'stats.resellerratings.com' 'stats.revenue.net' 'stats.searchles.com' 'stats.space-es.com' 'stats.sponsorafuture.org.uk' 'stats.srvasnet.info' 'stats.ssa.gov' 'stats.street-jeni.us' 'stats.styletechnology.me' 'stats.telegraph.co.uk' 'stats.ultimate-webservices.com' 'stats.unionleader.com' 'stats.video.search.yahoo.com' 'stats.www.ibm.com' 'stats.yourminis.com' 'stat.www.fi' 'stat.yellowtracker.com' 'stat.youku.com' 'stl.p.a1.traceworks.com' 'straighttangerine.cz.cc' 'st.sageanalyst.net' 'sugoicounter.com' 'superstats.com' 'systweak.com' 'tagging.outrider.com' 'targetnet.com' 'tates.freestats.com' 'tcookie.usatoday.com' 'tgpcounter.freethumbnailgalleries.com' 'thecounter.com' 'the-counter.net' 'themecounter.com' 'tipsurf.com' 'toolbarpartner.com' 'top.mail.ru' 'topstats.com' 'topstats.net' 'torstarcollect.247realmedia.com' 'tour.sweetdiscreet.com' 'tour.xxxblackbook.com' 'track2.mybloglog.com' 'track.adform.com' 'track.directleads.com' 'track.domainsponsor.com' 'tracker.bonnint.net' 'tracker.clicktrade.com' 'tracker.idg.co.uk' 'tracker.mattel.com' 'track.exclusivecpa.com' 'tracking.10e20.com' 'tracking.allposters.com' 'tracking.iol.co.za' 'tracking.msadcenter.msn.com' 'tracking.oggifinogi.com' 'tracking.rangeonlinemedia.com' 'tracking.summitmedia.co.uk' 'tracking.trutv.com' 'tracking.vindicosuite.com' 'track.lfstmedia.com' 'track.mybloglog.com' 'track.omg2.com' 'track.roiservice.com' 'track.searchignite.com' 'tracksurf.daooda.com' 'tradedoubler.com' 'tradedoubler.sonvideopro.com' 'traffic-stats.streamsolutions.co.uk' 'trax.gamespot.com' 'trc.taboolasyndication.com' 'trk.tidaltv.com' 'true-counter.com' 't.senaldos.com' 't.senaluno.com' 't.signaletre.com' 't.signauxdeux.com' 'tu.connect.wunderloop.net' 't.yesware.com' 'tynt.com' 'u1817.16.spylog.com' 'u3102.47.spylog.com' 'u3305.71.spylog.com' 'u3608.20.spylog.com' 'u4056.56.spylog.com' 'u432.77.spylog.com' 'u4396.79.spylog.com' 'u4443.84.spylog.com' 'u4556.11.spylog.com' 'u5234.87.spylog.com' 'u5234.98.spylog.com' 'u5687.48.spylog.com' 'u574.07.spylog.com' 'u604.41.spylog.com' 'u6762.46.spylog.com' 'u6905.71.spylog.com' 'u7748.16.spylog.com' 'u810.15.spylog.com' 'u920.31.spylog.com' 'u977.40.spylog.com' 'uip.semasio.net' 'uk.cqcounter.com' 'ultimatecounter.com' 'v1.nedstatbasic.net' 'v7.stats.load.com' 'valueclick.com' 'valueclick.net' 'virtualbartendertrack.beer.com' 'vsii.spindox.net' 'w1.tcr112.tynt.com' 'warlog.info' 'warning-message.com' 'wau.tynt.com' 'web3.realtracker.com' 'webanalytics.globalthoughtz.com' 'webbug.seatreport.com' 'webcounter.together.net' 'webhit.afterposten.no' 'webmasterkai.sitetracker.com' 'webpdp.gator.com' 'webtrends.telenet.be' 'webtrends.thisis.co.uk' 'webtrends.townhall.com' 'windows-tech-help.com' 'wtnj.worldnow.com' 'www.0stats.com' 'www101.coolsavings.com' 'www.123counter.superstats.com' 'www1.counter.bloke.com' 'www.1quickclickrx.com' 'www1.tynt.com' 'www.2001-007.com' 'www2.counter.bloke.com' 'www2.pagecount.com' 'www3.counter.bloke.com' 'www4.counter.bloke.com' 'www5.counter.bloke.com' 'www60.valueclick.com' 'www6.click-fr.com' 'www6.counter.bloke.com' 'www7.counter.bloke.com' 'www8.counter.bloke.com' 'www9.counter.bloke.com' 'www.addfreecounter.com' 'www.addtoany.com' 'www.ademails.com' 'www.affiliatesuccess.net' 'www.bar.ry2002.02-ry014.snpr.hotmx.hair.zaam.net' 'www.betcounter.com' 'www.bigbadted.com' 'www.bluestreak.com' 'www.c1.thecounter.de' 'www.c2.thecounter.de' 'www.clickclick.com' 'www.clickspring.net' 'www.connectionlead.com' 'www.counter10.sextracker.be' 'www.counter11.sextracker.be' 'www.counter12.sextracker.be' 'www.counter13.sextracker.be' 'www.counter14.sextracker.be' 'www.counter15.sextracker.be' 'www.counter16.sextracker.be' 'www.counter1.sextracker.be' 'www.counter2.sextracker.be' 'www.counter3.sextracker.be' 'www.counter4all.com' 'www.counter4.sextracker.be' 'www.counter5.sextracker.be' 'www.counter6.sextracker.be' 'www.counter7.sextracker.be' 'www.counter8.sextracker.be' 'www.counter9.sextracker.be' 'www.counter.bloke.com' 'www.counterguide.com' 'www.counter.sexhound.nl' 'www.counter.superstats.com' 'www.c.thecounter.de' 'www.cw.nu' 'www.directgrowthhormone.com' 'www.dwclick.com' 'www.emaildeals.biz' 'www.estats4all.com' 'www.fastcounter.linkexchange.nl' 'www.formalyzer.com' 'www.foxcounter.com' 'www.freestats.com' 'www.fxcounters.com' 'www.gator.com' 'www.googkle.com' 'www.iccee.com' 'www.iesnare.com' 'www.jellycounter.com' 'www.leadpub.com' 'www.marketscore.com' 'www.megacounter.de' 'www.metareward.com' 'www.naturalgrowthstore.biz' 'www.nextgenstats.com' 'www.ntsearch.com' 'www.originalicons.com' 'www.paycounter.com' 'www.pointclicktrack.com' 'www.popuptrafic.com' 'www.precisioncounter.com' 'www.premiumsmail.net' 'www.printmail.biz' 'www.quantserve.com' 'www.quareclk.com' 'www.remotrk.com' 'www.rightmedia.net' 'www.rightstats.com' 'www.searchadv.com' 'www.sekel.ch' 'www.shockcounter.com' 'www.simplecounter.net' 'www.specificclick.com' 'www.spklds.com' 'www.statcount.com' 'www.statsession.com' 'www.stattrax.com' 'www.stiffnetwork.com' 'www.testracking.com' 'www.thecounter.com' 'www.the-counter.net' 'www.toolbarcounter.com' 'www.tradedoubler.com' 'www.tradedoubler.com.ar' 'www.trafficmagnet.net' 'www.true-counter.com' 'www.tynt.com' 'www.ultimatecounter.com' 'www.v61.com' 'www.webstat.com' 'www.whereugetxxx.com' 'www.xxxcounter.com' 'x.cb.kount.com' 'xcnn.com' 'xxxcounter.com' '05tz2e9.com' '09killspyware.com' '11398.onceedge.ru' '2006mindfreaklike.blogspot.com' '20-yrs-1.info' '59-106-20-39.r-bl100.sakura.ne.jp' '662bd114b7c9.onceedge.ru' 'a15172379.alturo-server.de' 'aaukqiooaseseuke.org' 'abetterinternet.com' 'abruzzoinitaly.co.uk' 'acglgoa.com' 'acim.moqhixoz.cn' 'adshufffle.com' 'adwitty.com' 'adwords.google.lloymlincs.com' 'afantispy.com' 'afdbande.cn' 'a.kaytri.com' 'alegratka.eu' 'ale-gratka.pl' 'allhqpics.com' 'alltereg0.ru' 'alphabirdnetwork.com' 'ams1.ib.adnxs.com' 'antispywareexpert.com' 'antivirus-online-scan5.com' 'antivirus-scanner8.com' 'antivirus-scanner.com' 'a.oix.com' 'a.oix.net' 'a.openinternetexchange.com' 'a.phormlabs.com' 'apple.com-safetyalert.com' 'apple-protection.info' 'applestore.com-mobile.gift' 'armsart.com' 'articlefuns.cn' 'articleidea.cn' 'asianread.com' 'autohipnose.com' 'a.webwise.com' 'a.webwise.net' 'a.webwise.org' 'beloysoff.ru' 'binsservicesonline.info' 'blackhat.be' 'blenz-me.net' 'bluescreenalert.com' 'bluescreenerrors.net' 'bnvxcfhdgf.blogspot.com.es' 'b.oix.com' 'b.oix.net' 'bonuscashh.com' 'br.phorm.com' 'brunga.at' 'bt.phorm.com' 'bt.webwise.com' 'bt.webwise.net' 'bt.webwise.org' 'b.webwise.com' 'b.webwise.net' 'b.webwise.org' 'callawaypos.com' 'callbling.com' 'cambonanza.com' 'ccudl.com' 'changduk26.com' 'chelick.net' 'cioco-froll.com' 'cira.login.cqr.ssl.igotmyloverback.com' 'cleanchain.net' 'click.get-answers-fast.com' 'clien.net' 'cnbc.com-article906773.us' 'co8vd.cn' 'c.oix.com' 'c.oix.net' 'conduit.com' 'cra-arc.gc.ca.bioder.com.tr' 'cra-arc-gc-ca.noads.biz' 'custom3hurricanedigitalmedia.com' 'c.webwise.com' 'c.webwise.net' 'c.webwise.org' 'dbios.org' 'dhauzja511.co.cc' 'dietpharmacyrx.net' 'documents-signature.com' 'd.oix.com' 'download.abetterinternet.com' 'd.phormlabs.com' 'drc-group.net' 'dubstep.onedumb.com' 'east.05tz2e9.com' 'e-kasa.w8w.pl' 'en.likefever.org' 'enteryouremail.net' 'err1.9939118.info' 'err2.9939118.info' 'err3.9939118.info' 'eviboli576.o-f.com' 'facebook-repto1040s2.ahlamountada.com' 'faceboook-replyei0ki.montadalitihad.com' 'facemail.com' 'faggotry.com' 'familyupport1.com' 'feaecebook.com' 'fengyixin.com' 'filosvybfimpsv.ru.gg' 'fr.apple.com-services-assistance-recuperations-des-comptes.com' 'freedailydownload.com' 'froling.bee.pl' 'fromru.su' 'ftdownload.com' 'fu.golikeus.net' 'gamelights.ru' 'gasasthe.freehostia.com' 'get-answers-fast.com' 'gglcash4u.info' 'girlownedbypolicelike.blogspot.com' 'goggle.com' 'greatarcadehits.com' 'gyros.es' 'h1317070.stratoserver.net' 'hackerz.ir' 'hakerzy.net' 'hatrecord.ru' 'hellwert.biz' 'hieruu.apicultoresweb.com' 'hotchix.servepics.com' 'hsb-canada.com' 'hsbconline.ca' 'icecars.com' 'idea21.org' 'iframecash.biz' 'ig.fp.oix.net' 'infopaypal.com' 'installmac.com' 'invite.gezinti.com' 'ipadzu.net' 'ircleaner.com' 'istartsurf.com' 'itwititer.com' 'ity.elusmedic.ru' 'jajajaj-thats-you-really.com' 'janezk.50webs.co' 'jujitsu-ostrava.info' 'jump.ewoss.net' 'juste.ru' 'kaytri.com' 'kczambians.com' 'kentsucks.youcanoptout.com' 'keybinary.com' 'kirgo.at' 'klowns4phun.com' 'konflow.com' 'kplusd.far.ru' 'kpremium.com' 'kr.phorm.com' 'lank.ru' 'lighthouse2k.com' 'like.likewut.net' 'likeportal.com' 'likespike.com' 'likethislist.biz' 'likethis.mbosoft.com' 'loseweight.asdjiiw.com' 'lucibad.home.ro' 'luxcart.ro' 'm01.oix.com' 'm01.oix.net' 'm01.webwise.com' 'm01.webwise.net' 'm01.webwise.org' 'm02.oix.com' 'm02.oix.net' 'm02.webwise.com' 'm02.webwise.net' 'm02.webwise.org' 'mac-protection.info' 'mail.cyberh.fr' 'mail.youcanoptout.com' 'mail.youcanoptout.net' 'mail.youcanoptout.org' 'malware-live-pro-scanv1.com' 'maxi4.firstvds.ru' 'megasurfin.com' 'miercuri.gq' 'monitor.phorm.com' 'monkeyball.osa.pl' 'movies.701pages.com' 'mplayerdownloader.com' 'mshelp247.weebly.com' 'murcia-ban.es' 'mx01.openinternetexchange.com' 'mx01.openinternetexchange.net' 'mx01.webwise.com' 'mx03.phorm.com' 'mylike.co.uk' 'myprivateemails.com' 'my-uq.com' 'nactx.com' 'natashyabaydesign.com' 'navegador.oi.com.br' 'navegador.telefonica.com.br' 'new-dating-2012.info' 'new-vid-zone-1.blogspot.com.au' 'newwayscanner.info' 'nextbestgame.org' 'novemberrainx.com' 'ns1.oix.com' 'ns1.oix.net' 'ns1.openinternetexchange.com' 'ns1.phorm.com' 'ns1.webwise.com' 'ns1.webwise.net' 'ns1.webwise.org' 'ns2.oix.com' 'ns2.oix.net' 'ns2.openinternetexchange.com' 'ns2.phorm.com' 'ns2.webwise.com' 'ns2.webwise.net' 'ns2.webwise.org' 'ns2.youcanoptout.com' 'ns3.openinternetexchange.com' 'nufindings.info' 'oferty-online.com' 'office.officenet.co.kr' 'oi.webnavegador.com.br' 'oix.com' 'oixcrv-lab.net' 'oixcrv.net' 'oixcrv-stage.net' 'oix.net' 'oix.phorm.com' 'oixpre.net' 'oixpre-stage.net' 'oixssp-lab.net' 'oixssp.net' 'oix-stage.net' 'oj.likewut.net' 'online-antispym4.com' 'onlinewebfind.com' 'oo-na-na-pics.com' 'openinternetexchange.com' 'openinternetexchange.net' 'ordersildenafil.com' 'otsserver.com' 'outerinfo.com' 'outlets-online.pl' 'paincake.yoll.net' 'pchealthcheckup.net' 'pc-scanner16.com' 'personalantispy.com' 'phatthalung.go.th' 'phorm.biz.tr' 'phorm.ch' 'phormchina.com' 'phorm.cl' 'phorm.co.in' 'phorm.com' 'phorm.com.br' 'phorm.com.es' 'phorm.com.mx' 'phorm.com.tr' 'phorm.co.uk' 'phormdev.com' 'phormdiscover.com' 'phorm.dk' 'phorm.es' 'phorm.hk' 'phorm.in' 'phorm.info.tr' 'phorm.jp' 'phormkorea.com' 'phorm.kr' 'phormlabs.com' 'phorm.nom.es' 'phorm.org.es' 'phormprivacy.com' 'phorm.ro' 'phormservice.com' 'phormsolution.com' 'phorm.tv.tr' 'phorm.web.tr' 'picture-uploads.com' 'pilltabletsrxbargain.net' 'powabcyfqe.com' 'premium-live-scan.com' 'premiumvideoupdates.com' 'prm-ext.phorm.com' 'products-gold.net' 'proflashdata.com' 'protectionupdatecenter.com' 'puush.in' 'pv.wantsfly.com' 'qip.ru' 'qy.corrmedic.ru' 'rd.alphabirdnetwork.com' 'rickrolling.com' 'roifmd.info' 'romdiscover.com' 'rtc.romdiscover.com' 'russian-sex.com' 's4d.in' 'safedownloadsrus166.com' 'scan.antispyware-free-scanner.com' 'scanner.best-click-av1.info' 'scanner.best-protect.info' 'scottishstuff-online.com' 'sc-spyware.com' 'search.buzzdock.com' 'search.conduit.com' 'search.privitize.com' 'securedliveuploads.com' 'securitas232maximus.xyz' 'securitas25maximus.xyz' 'securitas493maximus.xyz' 'securitas611maximus.xyz' 'securityandroidupdate.dinamikaprinting.com' 'securityscan.us' 'sexymarissa.net' 'shell.xhhow4.com' 'shoppstop.comood.opsource.net' 'shop.skin-safety.com' 'signin-ebay-com-ws-ebayisapi-dll-signin-webscr.ocom.pl' 'simplyfwd.com' 'sinera.org' 'sjguild.com' 'smarturl.it' 'smile-angel.com' 'software-updates.co' 'software-wenc.co.cc' 'someonewhocares.com' 'sousay.info' 'speedtestbeta.com' 'standardsandpraiserepurpose.com' 'start.qip.ru' 'stats.oix.com' 'stopphoulplay.com' 'stopphoulplay.net' 'suddenplot.com' 'superegler.net' 'supernaturalart.com' 'superprotection10.com' 'sverd.net' 'sweet55ium55.com' 'system-kernel-disk-errorx001dsxx-microsoft-windows.55errors5353.net' 'tahoesup.com' 'tanieaukcje.com' 'taniezakupy.pl' 'tattooshaha.info' 'tech9638514.ru' 'technicalconsumerreports.com' 'technology-revealed.com' 'telefonica.webnavegador.com.br' 'terra.fp.oix.net' 'test.ishvara-yoga.com' 'thebizmeet.com' 'thedatesafe.com' 'themoneyclippodcast.com' 'themusicnetwork.co.uk' 'thinstall.abetterinternet.com' 'tivvitter.com' 'tomorrownewstoday.com' 'toolbarbest.biz' 'toolbarbucks.biz' 'toolbarcool.biz' 'toolbardollars.biz' 'toolbarmoney.biz' 'toolbarnew.biz' 'toolbarsale.biz' 'toolbarweb.biz' 'traffic.adwitty.com' 'trialreg.com' 'trovi.com' 'tvshowslist.com' 'twitter.login.kevanshome.org' 'twitter.secure.bzpharma.net' 'uawj.moqhixoz.cn' 'ughmvqf.spitt.ru' 'ui.oix.net' 'uqz.com' 'users16.jabry.com' 'utenti.lycos.it' 'vcipo.info' 'videos.dskjkiuw.com' 'videos.twitter.secure-logins01.com' 'virus-notice.com' 'vxiframe.biz' 'waldenfarms.com' 'weblover.info' 'webnavegador.com.br' 'webpaypal.com' 'webwise.com' 'webwise.net' 'webwise.org' 'west.05tz2e9.com' 'wewillrocknow.com' 'willysy.com' 'wm.maxysearch.info' 'w.oix.net' 'womo.corrmedic.ru' 'www1.bmo.com.hotfrio.com.br' 'www1.firesavez5.com' 'www1.firesavez6.com' 'www1.realsoft34.com' 'www4.gy7k.net' 'www.abetterinternet.com' 'www.adshufffle.com' 'www.adwords.google.lloymlincs.com' 'www.afantispy.com' 'www.akoneplatit.sk' 'www.allhqpics.com' 'www.alrpost69.com' 'www.anatol.com' 'www.articlefuns.cn' 'www.articleidea.cn' 'www.asianread.com' 'www.backsim.ru' 'www.bankofamerica.com.ok.am' 'www.be4life.ru' 'www.blenz-me.net' 'www.bumerang.cc' 'www.cambonanza.com' 'www.chelick.net' 'www.didata.bw' 'www.dietsecret.ru' 'www.eroyear.ru' 'www.exbays.com' 'www.faggotry.com' 'www.feaecebook.com' 'www.fictioncinema.com' 'www.fischereszter.hu' 'www.freedailydownload.com' 'www.froling.bee.pl' 'www.gezinti.com' 'www.gns-consola.com' 'www.goggle.com' 'www.gozatar.com' 'www.grouphappy.com' 'www.hakerzy.net' 'www.haoyunlaid.com' 'www.icecars.com' 'www.indesignstudioinfo.com' 'www.infopaypal.com' 'www.keybinary.com' 'www.kinomarathon.ru' 'www.kpremium.com' 'www.likeportal.com' 'www.likespike.com' 'www.likethislist.biz' 'www.likethis.mbosoft.com' 'www.lomalindasda.org' 'www.lovecouple.ru' 'www.lovetrust.ru' 'www.mikras.nl' 'www.monkeyball.osa.pl' 'www.monsonis.net' 'www.movie-port.ru' 'www.mplayerdownloader.com' 'www.mshelp247.weebly.com' 'www.mylike.co.uk' 'www.mylovecards.com' 'www.nine2rack.in' 'www.novemberrainx.com' 'www.nu26.com' 'www.oix.com' 'www.oix.net' 'www.onlyfreeoffersonline.com' 'www.openinternetexchange.com' 'www.oreidofitilho.com.br' 'www.otsserver.com' 'www.pay-pal.com-cgibin-canada.4mcmeta4v.cn' 'www.phormlabs.com' 'www.picture-uploads.com' 'www.portaldimensional.com' 'www.poxudeli.ru' 'www.proflashdata.com' 'www.puush.in' 'www.rickrolling.com' 'www.russian-sex.com' 'www.scotiaonline.scotiabank.salferreras.com' 'www.sdlpgift.com' 'www.securityscan.us' 'www.servertasarimbu.com' 'www.sexytiger.ru' 'www.shinilchurch.net' 'www.sinera.org' 'www.someonewhocares.com' 'www.speedtestbeta.com' 'www.stopphoulplay.com' 'www.tanger.com.br' 'www.tattooshaha.info' 'www.te81.net' 'www.thedatesafe.com' 'www.trucktirehotline.com' 'www.tvshowslist.com' 'www.upi6.pillsstore-c.com' 'www.uqz.com' 'www.venturead.com' 'www.via99.org' 'www.videolove.clanteam.com' 'www.videostan.ru' 'www.vippotexa.ru' 'www.wantsfly.com' 'www.webpaypal.com' 'www.webwise.com' 'www.webwise.net' 'www.webwise.org' 'www.wewillrocknow.com' 'www.willysy.com' 'www.youcanoptout.com' 'www.youcanoptout.net' 'www.youcanoptout.org' 'www.youfiletor.com' 'xfotosx01.fromru.su' 'xponlinescanner.com' 'xvrxyzba253.hotmail.ru' 'xxyyzz.youcanoptout.com' 'ymail-activate1.bugs3.com' 'youcanoptout.com' 'youcanoptout.net' 'youcanoptout.org' 'yrwap.cn' 'zarozinski.info' 'zb1.zeroredirect1.com' 'zenigameblinger.org' 'zettapetta.com' 'zfotos.fromru.su' 'zip.er.cz' 'ztrf.net' 'zviframe.biz' '3ad.doubleclick.net' 'ad.3au.doubleclick.net' 'ad.ve.doubleclick.net' 'ad-yt-bfp.doubleclick.net' 'amn.doubleclick.net' 'doubleclick.de' 'ebaycn.doubleclick.net' 'ebaytw.doubleclick.net' 'exnjadgda1.doubleclick.net' 'exnjadgda2.doubleclick.net' 'exnjadgds1.doubleclick.net' 'exnjmdgda1.doubleclick.net' 'exnjmdgds1.doubleclick.net' 'gd10.doubleclick.net' 'gd11.doubleclick.net' 'gd12.doubleclick.net' 'gd13.doubleclick.net' 'gd14.doubleclick.net' 'gd15.doubleclick.net' 'gd16.doubleclick.net' 'gd17.doubleclick.net' 'gd18.doubleclick.net' 'gd19.doubleclick.net' 'gd1.doubleclick.net' 'gd20.doubleclick.net' 'gd21.doubleclick.net' 'gd22.doubleclick.net' 'gd23.doubleclick.net' 'gd24.doubleclick.net' 'gd25.doubleclick.net' 'gd26.doubleclick.net' 'gd27.doubleclick.net' 'gd28.doubleclick.net' 'gd29.doubleclick.net' 'gd2.doubleclick.net' 'gd30.doubleclick.net' 'gd31.doubleclick.net' 'gd3.doubleclick.net' 'gd4.doubleclick.net' 'gd5.doubleclick.net' 'gd7.doubleclick.net' 'gd8.doubleclick.net' 'gd9.doubleclick.net' 'ln.doubleclick.net' 'm1.ae.2mdn.net' 'm1.au.2mdn.net' 'm1.be.2mdn.net' 'm1.br.2mdn.net' 'm1.ca.2mdn.net' 'm1.cn.2mdn.net' 'm1.de.2mdn.net' 'm1.dk.2mdn.net' 'm1.doubleclick.net' 'm1.es.2mdn.net' 'm1.fi.2mdn.net' 'm1.fr.2mdn.net' 'm1.it.2mdn.net' 'm1.jp.2mdn.net' 'm1.nl.2mdn.net' 'm1.no.2mdn.net' 'm1.nz.2mdn.net' 'm1.pl.2mdn.net' 'm1.se.2mdn.net' 'm1.sg.2mdn.net' 'm1.uk.2mdn.net' 'm1.ve.2mdn.net' 'm1.za.2mdn.net' 'm2.ae.2mdn.net' 'm2.au.2mdn.net' 'm2.be.2mdn.net' 'm2.br.2mdn.net' 'm2.ca.2mdn.net' 'm2.cn.2mdn.net' 'm2.cn.doubleclick.net' 'm2.de.2mdn.net' 'm2.dk.2mdn.net' 'm2.doubleclick.net' 'm2.es.2mdn.net' 'm2.fi.2mdn.net' 'm2.fr.2mdn.net' 'm2.it.2mdn.net' 'm2.jp.2mdn.net' 'm.2mdn.net' 'm2.nl.2mdn.net' 'm2.no.2mdn.net' 'm2.nz.2mdn.net' 'm2.pl.2mdn.net' 'm2.se.2mdn.net' 'm2.sg.2mdn.net' 'm2.uk.2mdn.net' 'm2.ve.2mdn.net' 'm2.za.2mdn.net' 'm3.ae.2mdn.net' 'm3.au.2mdn.net' 'm3.be.2mdn.net' 'm3.br.2mdn.net' 'm3.ca.2mdn.net' 'm3.cn.2mdn.net' 'm3.de.2mdn.net' 'm3.dk.2mdn.net' 'm3.doubleclick.net' 'm3.es.2mdn.net' 'm3.fi.2mdn.net' 'm3.fr.2mdn.net' 'm3.it.2mdn.net' 'm3.jp.2mdn.net' 'm3.nl.2mdn.net' 'm3.no.2mdn.net' 'm3.nz.2mdn.net' 'm3.pl.2mdn.net' 'm3.se.2mdn.net' 'm3.sg.2mdn.net' 'm3.uk.2mdn.net' 'm3.ve.2mdn.net' 'm3.za.2mdn.net' 'm4.ae.2mdn.net' 'm4.au.2mdn.net' 'm4.be.2mdn.net' 'm4.br.2mdn.net' 'm4.ca.2mdn.net' 'm4.cn.2mdn.net' 'm4.de.2mdn.net' 'm4.dk.2mdn.net' 'm4.doubleclick.net' 'm4.es.2mdn.net' 'm4.fi.2mdn.net' 'm4.fr.2mdn.net' 'm4.it.2mdn.net' 'm4.jp.2mdn.net' 'm4.nl.2mdn.net' 'm4.no.2mdn.net' 'm4.nz.2mdn.net' 'm4.pl.2mdn.net' 'm4.se.2mdn.net' 'm4.sg.2mdn.net' 'm4.uk.2mdn.net' 'm4.ve.2mdn.net' 'm4.za.2mdn.net' 'm5.ae.2mdn.net' 'm5.au.2mdn.net' 'm5.be.2mdn.net' 'm5.br.2mdn.net' 'm5.ca.2mdn.net' 'm5.cn.2mdn.net' 'm5.de.2mdn.net' 'm5.dk.2mdn.net' 'm5.doubleclick.net' 'm5.es.2mdn.net' 'm5.fi.2mdn.net' 'm5.fr.2mdn.net' 'm5.it.2mdn.net' 'm5.jp.2mdn.net' 'm5.nl.2mdn.net' 'm5.no.2mdn.net' 'm5.nz.2mdn.net' 'm5.pl.2mdn.net' 'm5.se.2mdn.net' 'm5.sg.2mdn.net' 'm5.uk.2mdn.net' 'm5.ve.2mdn.net' 'm5.za.2mdn.net' 'm6.ae.2mdn.net' 'm6.au.2mdn.net' 'm6.be.2mdn.net' 'm6.br.2mdn.net' 'm6.ca.2mdn.net' 'm6.cn.2mdn.net' 'm6.de.2mdn.net' 'm6.dk.2mdn.net' 'm6.doubleclick.net' 'm6.es.2mdn.net' 'm6.fi.2mdn.net' 'm6.fr.2mdn.net' 'm6.it.2mdn.net' 'm6.jp.2mdn.net' 'm6.nl.2mdn.net' 'm6.no.2mdn.net' 'm6.nz.2mdn.net' 'm6.pl.2mdn.net' 'm6.se.2mdn.net' 'm6.sg.2mdn.net' 'm6.uk.2mdn.net' 'm6.ve.2mdn.net' 'm6.za.2mdn.net' 'm7.ae.2mdn.net' 'm7.au.2mdn.net' 'm7.be.2mdn.net' 'm7.br.2mdn.net' 'm7.ca.2mdn.net' 'm7.cn.2mdn.net' 'm7.de.2mdn.net' 'm7.dk.2mdn.net' 'm7.doubleclick.net' 'm7.es.2mdn.net' 'm7.fi.2mdn.net' 'm7.fr.2mdn.net' 'm7.it.2mdn.net' 'm7.jp.2mdn.net' 'm7.nl.2mdn.net' 'm7.no.2mdn.net' 'm7.nz.2mdn.net' 'm7.pl.2mdn.net' 'm7.se.2mdn.net' 'm7.sg.2mdn.net' 'm7.uk.2mdn.net' 'm7.ve.2mdn.net' 'm7.za.2mdn.net' 'm8.ae.2mdn.net' 'm8.au.2mdn.net' 'm8.be.2mdn.net' 'm8.br.2mdn.net' 'm8.ca.2mdn.net' 'm8.cn.2mdn.net' 'm8.de.2mdn.net' 'm8.dk.2mdn.net' 'm8.doubleclick.net' 'm8.es.2mdn.net' 'm8.fi.2mdn.net' 'm8.fr.2mdn.net' 'm8.it.2mdn.net' 'm8.jp.2mdn.net' 'm8.nl.2mdn.net' 'm8.no.2mdn.net' 'm8.nz.2mdn.net' 'm8.pl.2mdn.net' 'm8.se.2mdn.net' 'm8.sg.2mdn.net' 'm8.uk.2mdn.net' 'm8.ve.2mdn.net' 'm8.za.2mdn.net' 'm9.ae.2mdn.net' 'm9.au.2mdn.net' 'm9.be.2mdn.net' 'm9.br.2mdn.net' 'm9.ca.2mdn.net' 'm9.cn.2mdn.net' 'm9.de.2mdn.net' 'm9.dk.2mdn.net' 'm9.doubleclick.net' 'm9.es.2mdn.net' 'm9.fi.2mdn.net' 'm9.fr.2mdn.net' 'm9.it.2mdn.net' 'm9.jp.2mdn.net' 'm9.nl.2mdn.net' 'm9.no.2mdn.net' 'm9.nz.2mdn.net' 'm9.pl.2mdn.net' 'm9.se.2mdn.net' 'm9.sg.2mdn.net' 'm9.uk.2mdn.net' 'm9.ve.2mdn.net' 'm9.za.2mdn.net' 'm.de.2mdn.net' 'n3302ad.doubleclick.net' 'n3349ad.doubleclick.net' 'n4061ad.doubleclick.net' 'optimize.doubleclick.net' 'pagead.l.doubleclick.net' 'rd.intl.doubleclick.net' 'twx.2mdn.net' 'twx.doubleclick.net' 'ukrpts.net' 'uunyadgda1.doubleclick.net' 'uunyadgds1.doubleclick.net' 'www.ukrpts.net' '5starhiphop.us.intellitxt.com' 'bargainpda.us.intellitxt.com' 'businesspundit.us.intellitxt.com' 'canadafreepress.us.intellitxt.com' 'designtechnica.us.intellitxt.com' 'devshed.us.intellitxt.com' 'drizzydrake.us.intellitxt.com' 'entertainment.msnbc.us.intellitxt.com' 'filmschoolrejects.us.intellitxt.com' 'filmwad.us.intellitxt.com' 'firstshowing.us.intellitxt.com' 'gadgets.fosfor.se.intellitxt.com' 'gorillanation.us.intellitxt.com' 'hotonlinenews.us.intellitxt.com' 'johnchow.us.intellitxt.com' 'linuxforums.us.intellitxt.com' 'maccity.it.intellitxt.com' 'macuser.uk.intellitxt.com' 'macworld.uk.intellitxt.com' 'metro.uk.intellitxt.com' 'moviesonline.ca.intellitxt.com' 'mustangevolution.us.intellitxt.com' 'newcarnet.uk.intellitxt.com' 'nexys404.us.intellitxt.com' 'ohgizmo.us.intellitxt.com' 'pcgameshardware.de.intellitxt.com' 'physorg.us.intellitxt.com' 'postchronicle.us.intellitxt.com' 'projectorreviews.us.intellitxt.com' 'psp3d.us.intellitxt.com' 'pspcave.uk.intellitxt.com' 'qj.us.intellitxt.com' 'rasmussenreports.us.intellitxt.com' 'rawstory.us.intellitxt.com' 'savemanny.us.intellitxt.com' 'sc.intellitxt.com' 'slashphone.us.intellitxt.com' 'somethingawful.us.intellitxt.com' 'splashnews.uk.intellitxt.com' 'spymac.us.intellitxt.com' 'technewsworld.us.intellitxt.com' 'technologyreview.us.intellitxt.com' 'the-gadgeteer.us.intellitxt.com' 'thelastboss.us.intellitxt.com' 'tmcnet.us.intellitxt.com' 'universetoday.us.intellitxt.com' 'warp2search.us.intellitxt.com' 'devfw.imrworldwide.com' 'fe1-au.imrworldwide.com' 'fe1-fi.imrworldwide.com' 'fe1-it.imrworldwide.com' 'fe2-au.imrworldwide.com' 'fe3-au.imrworldwide.com' 'fe3-gc.imrworldwide.com' 'fe3-uk.imrworldwide.com' 'fe4-uk.imrworldwide.com' 'fe-au.imrworldwide.com' 'imrworldwide.com' 'rc-au.imrworldwide.com' 'redsheriff.com' 'server-ca.imrworldwide.com' 'server-fr.imrworldwide.com' 'server-hk.imrworldwide.com' 'server-ru.imrworldwide.com' 'server-ua.imrworldwide.com' 'server-za.imrworldwide.com' 'survey1-au.imrworldwide.com' 'www.imrworldwide.com' 'www.imrworldwide.com.au' 'www.redsheriff.com' 'cydoor.com' 'j.2004cms.com' 'jbaventures.cjt1.net' 'jbeet.cjt1.net' 'jbit.cjt1.net' 'jcollegehumor.cjt1.net' 'jcontent.bns1.net' 'jdownloadacc.cjt1.net' 'jgen10.cjt1.net' 'jgen11.cjt1.net' 'jgen12.cjt1.net' 'jgen13.cjt1.net' 'jgen14.cjt1.net' 'jgen15.cjt1.net' 'jgen16.cjt1.net' 'jgen17.cjt1.net' 'jgen18.cjt1.net' 'jgen19.cjt1.net' 'jgen1.cjt1.net' 'jgen20.cjt1.net' 'jgen21.cjt1.net' 'jgen22.cjt1.net' 'jgen23.cjt1.net' 'jgen24.cjt1.net' 'jgen25.cjt1.net' 'jgen26.cjt1.net' 'jgen27.cjt1.net' 'jgen28.cjt1.net' 'jgen29.cjt1.net' 'jgen2.cjt1.net' 'jgen30.cjt1.net' 'jgen31.cjt1.net' 'jgen32.cjt1.net' 'jgen33.cjt1.net' 'jgen34.cjt1.net' 'jgen35.cjt1.net' 'jgen36.cjt1.net' 'jgen37.cjt1.net' 'jgen38.cjt1.net' 'jgen39.cjt1.net' 'jgen3.cjt1.net' 'jgen40.cjt1.net' 'jgen41.cjt1.net' 'jgen42.cjt1.net' 'jgen43.cjt1.net' 'jgen44.cjt1.net' 'jgen45.cjt1.net' 'jgen46.cjt1.net' 'jgen47.cjt1.net' 'jgen48.cjt1.net' 'jgen49.cjt1.net' 'jgen4.cjt1.net' 'jgen5.cjt1.net' 'jgen6.cjt1.net' 'jgen7.cjt1.net' 'jgen8.cjt1.net' 'jgen9.cjt1.net' 'jhumour.cjt1.net' 'jmbi58.cjt1.net' 'jnova.cjt1.net' 'jpirate.cjt1.net' 'jsandboxer.cjt1.net' 'jumcna.cjt1.net' 'jwebbsense.cjt1.net' 'www.cydoor.com' '112.2o7.net' '122.2o7.net' 'actforvictory.112.2o7.net' 'adbrite.112.2o7.net' 'americanbaby.112.2o7.net' 'ancestrymsn.112.2o7.net' 'ancestryuki.112.2o7.net' 'angtr.112.2o7.net' 'angts.112.2o7.net' 'angvac.112.2o7.net' 'anm.112.2o7.net' 'aolcareers.122.2o7.net' 'aolnsnews.122.2o7.net' 'aolpolls.112.2o7.net' 'aolturnercnnmoney.112.2o7.net' 'aolukglobal.122.2o7.net' 'aolwpaim.112.2o7.net' 'aolwpicq.122.2o7.net' 'aolwpmq.112.2o7.net' 'aolwpmqnoban.112.2o7.net' 'atlassian.122.2o7.net' 'bbcnewscouk.112.2o7.net' 'bellca.112.2o7.net' 'bellglovemediapublishing.122.2o7.net' 'bellserviceeng.112.2o7.net' 'bhgmarketing.112.2o7.net' 'bidentonrccom.122.2o7.net' 'biwwltvcom.112.2o7.net' 'biwwltvcom.122.2o7.net' 'blackpress.122.2o7.net' 'bntbcstglobal.112.2o7.net' 'bosecom.112.2o7.net' 'bulldog.122.2o7.net' 'bzresults.122.2o7.net' 'cablevision.112.2o7.net' 'canwestcom.112.2o7.net' 'capcityadvcom.122.2o7.net' 'careers.112.2o7.net' 'cbaol.112.2o7.net' 'cbcca.112.2o7.net' 'cbcca.122.2o7.net' 'cbcincinnatienquirer.112.2o7.net' 'cbsncaasports.112.2o7.net' 'ccrbudgetca.112.2o7.net' 'cfrfa.112.2o7.net' 'classifiedscanada.112.2o7.net' 'cnhimcalesternews.122.2o7.net' 'cnhipicayuneitemv.112.2o7.net' 'cnhitribunestar.122.2o7.net' 'cnhitribunestara.122.2o7.net' 'cnhregisterherald.122.2o7.net' 'coxpalmbeachpost.112.2o7.net' 'denverpost.112.2o7.net' 'diginet.112.2o7.net' 'digitalhomediscountptyltd.122.2o7.net' 'disccglobal.112.2o7.net' 'disccstats.112.2o7.net' 'dischannel.112.2o7.net' 'dixonslnkcouk.112.2o7.net' 'dogpile.112.2o7.net' 'donval.112.2o7.net' 'dowjones.122.2o7.net' 'dreammates.112.2o7.net' 'ebay1.112.2o7.net' 'ebaynonreg.112.2o7.net' 'ebayreg.112.2o7.net' 'ebayus.112.2o7.net' 'ebcom.112.2o7.net' 'ectestlampsplus1.112.2o7.net' 'edmundsinsideline.112.2o7.net' 'edsa.112.2o7.net' 'ehg-moma.hitbox.com.112.2o7.net' 'employ22.112.2o7.net' 'employ26.112.2o7.net' 'employment.112.2o7.net' 'enterprisenewsmedia.122.2o7.net' 'epost.122.2o7.net' 'ewstcpalm.112.2o7.net' 'execulink.112.2o7.net' 'expedia4.112.2o7.net' 'expedia.ca.112.2o7.net' 'f2ncracker.112.2o7.net' 'faceoff.112.2o7.net' 'fbkmnr.112.2o7.net' 'forbesattache.112.2o7.net' 'forbesauto.112.2o7.net' 'forbesautos.112.2o7.net' 'forbescom.112.2o7.net' 'foxsimpsons.112.2o7.net' 'georgewbush.112.2o7.net' 'georgewbushcom.112.2o7.net' 'gettyimages.122.2o7.net' 'gmchevyapprentice.112.2o7.net' 'gmhummer.112.2o7.net' 'gpaper104.112.2o7.net' 'gpaper105.112.2o7.net' 'gpaper107.112.2o7.net' 'gpaper108.112.2o7.net' 'gpaper109.112.2o7.net' 'gpaper110.112.2o7.net' 'gpaper111.112.2o7.net' 'gpaper112.112.2o7.net' 'gpaper113.112.2o7.net' 'gpaper114.112.2o7.net' 'gpaper115.112.2o7.net' 'gpaper116.112.2o7.net' 'gpaper117.112.2o7.net' 'gpaper118.112.2o7.net' 'gpaper119.112.2o7.net' 'gpaper120.112.2o7.net' 'gpaper121.112.2o7.net' 'gpaper122.112.2o7.net' 'gpaper123.112.2o7.net' 'gpaper124.112.2o7.net' 'gpaper125.112.2o7.net' 'gpaper126.112.2o7.net' 'gpaper127.112.2o7.net' 'gpaper128.112.2o7.net' 'gpaper129.112.2o7.net' 'gpaper131.112.2o7.net' 'gpaper132.112.2o7.net' 'gpaper133.112.2o7.net' 'gpaper138.112.2o7.net' 'gpaper139.112.2o7.net' 'gpaper140.112.2o7.net' 'gpaper141.112.2o7.net' 'gpaper142.112.2o7.net' 'gpaper144.112.2o7.net' 'gpaper145.112.2o7.net' 'gpaper147.112.2o7.net' 'gpaper149.112.2o7.net' 'gpaper151.112.2o7.net' 'gpaper154.112.2o7.net' 'gpaper156.112.2o7.net' 'gpaper157.112.2o7.net' 'gpaper158.112.2o7.net' 'gpaper162.112.2o7.net' 'gpaper164.112.2o7.net' 'gpaper166.112.2o7.net' 'gpaper167.112.2o7.net' 'gpaper169.112.2o7.net' 'gpaper170.112.2o7.net' 'gpaper171.112.2o7.net' 'gpaper172.112.2o7.net' 'gpaper173.112.2o7.net' 'gpaper174.112.2o7.net' 'gpaper176.112.2o7.net' 'gpaper177.112.2o7.net' 'gpaper180.112.2o7.net' 'gpaper183.112.2o7.net' 'gpaper184.112.2o7.net' 'gpaper191.112.2o7.net' 'gpaper192.112.2o7.net' 'gpaper193.112.2o7.net' 'gpaper194.112.2o7.net' 'gpaper195.112.2o7.net' 'gpaper196.112.2o7.net' 'gpaper197.112.2o7.net' 'gpaper198.112.2o7.net' 'gpaper202.112.2o7.net' 'gpaper204.112.2o7.net' 'gpaper205.112.2o7.net' 'gpaper212.112.2o7.net' 'gpaper214.112.2o7.net' 'gpaper219.112.2o7.net' 'gpaper223.112.2o7.net' 'heavycom.112.2o7.net' 'homesclick.112.2o7.net' 'hostdomainpeople.112.2o7.net' 'hostdomainpeopleca.112.2o7.net' 'hostpowermedium.112.2o7.net' 'hpglobal.112.2o7.net' 'hphqsearch.112.2o7.net' 'infomart.ca.112.2o7.net' 'infospace.com.112.2o7.net' 'intelcorpcim.112.2o7.net' 'intelglobal.112.2o7.net' 'jitmj4.122.2o7.net' 'kddi.122.2o7.net' 'krafteurope.112.2o7.net' 'ktva.112.2o7.net' 'ladieshj.112.2o7.net' 'lenovo.112.2o7.net' 'logoworksdev.112.2o7.net' 'losu.112.2o7.net' 'mailtribune.112.2o7.net' 'maxvr.112.2o7.net' 'mdamarillo.112.2o7.net' 'mdtopeka.112.2o7.net' 'mdwardmore.112.2o7.net' 'medbroadcast.112.2o7.net' 'meetupcom.112.2o7.net' 'mgwspa.112.2o7.net' 'microsoftconsumermarketing.112.2o7.net' 'mlbastros.112.2o7.net' 'mlbcolorado.112.2o7.net' 'mlbhouston.112.2o7.net' 'mlbstlouis.112.2o7.net' 'mlbtoronto.112.2o7.net' 'mmsshopcom.112.2o7.net' 'mnfidnahub.112.2o7.net' 'mngiyrkdr.112.2o7.net' 'mseuppremain.112.2o7.net' 'mtvu.112.2o7.net' 'natgeoeditco.112.2o7.net' 'nationalpost.112.2o7.net' 'nba.112.2o7.net' 'netrp.112.2o7.net' 'netsdartboards.122.2o7.net' 'nike.112.2o7.net' 'nikeplus.112.2o7.net' 'nmbrampton.112.2o7.net' 'nmcommancomedia.112.2o7.net' 'nmkawartha.112.2o7.net' 'nmmississauga.112.2o7.net' 'nmnandomedia.112.2o7.net' 'nmtoronto.112.2o7.net' 'nmtricity.112.2o7.net' 'nmyork.112.2o7.net' 'nytglobe.112.2o7.net' 'nythglobe.112.2o7.net' 'nytimesglobal.112.2o7.net' 'nytimesnonsampled.112.2o7.net' 'nytimesnoonsampled.112.2o7.net' 'nytmembercenter.112.2o7.net' 'nytrgadsden.112.2o7.net' 'nytrgainseville.112.2o7.net' 'nytrhouma.112.2o7.net' 'omnitureglobal.112.2o7.net' 'onlineindigoca.112.2o7.net' 'oracle.112.2o7.net' 'overstock.com.112.2o7.net' 'projectorpeople.112.2o7.net' 'publicationsunbound.112.2o7.net' 'pulharktheherald.112.2o7.net' 'pulpantagraph.112.2o7.net' 'rckymtnnws.112.2o7.net' 'rey3935.112.2o7.net' 'rezrezwhistler.112.2o7.net' 'rncgopcom.122.2o7.net' 'roxio.112.2o7.net' 'salesforce.122.2o7.net' 'santacruzsentinel.112.2o7.net' 'sciamglobal.112.2o7.net' 'scrippsbathvert.112.2o7.net' 'scrippswfts.112.2o7.net' 'scrippswxyz.112.2o7.net' 'sonycorporate.122.2o7.net' 'sonyglobal.112.2o7.net' 'southcoasttoday.112.2o7.net' 'spiketv.112.2o7.net' 'suncom.112.2o7.net' 'sunonesearch.112.2o7.net' 'survey.112.2o7.net' 'sympmsnsports.112.2o7.net' 'timebus2.112.2o7.net' 'timehealth.112.2o7.net' 'timeofficepirates.122.2o7.net' 'timepopsci.122.2o7.net' 'timerealsimple.112.2o7.net' 'timewarner.122.2o7.net' 'tmsscion.112.2o7.net' 'travidiathebrick.112.2o7.net' 'usun.112.2o7.net' 'vanns.112.2o7.net' 'verisonwildcard.112.2o7.net' 'vh1com.112.2o7.net' 'viaatomvideo.112.2o7.net' 'viasyndimedia.112.2o7.net' 'viralvideo.112.2o7.net' 'walmartcom.112.2o7.net' 'westjet.112.2o7.net' 'wileydumcom.112.2o7.net' 'wmg.112.2o7.net' 'wmgmulti.112.2o7.net' 'workopolis.122.2o7.net' 'xhealthmobiletools.112.2o7.net' 'youtube.112.2o7.net' 'yrkeve.112.2o7.net' 'afinder.oewabox.at' 'alphalux.oewabox.at' 'apodir.oewabox.at' 'arboe.oewabox.at' 'aschreib.oewabox.at' 'ascout24.oewabox.at' 'audi4e.oewabox.at' 'austria.oewabox.at' 'automobi.oewabox.at' 'automoto.oewabox.at' 'babyf.oewabox.at' 'bazar.oewabox.at' 'bdb.oewabox.at' 'bliga.oewabox.at' 'buschen.oewabox.at' 'car4you.oewabox.at' 'cinplex.oewabox.at' 'derstand.oewabox.at' 'dispatcher.oewabox.at' 'docfind.oewabox.at' 'doodle.oewabox.at' 'drei.oewabox.at' 'dropkick.oewabox.at' 'enerweb.oewabox.at' 'falstaff.oewabox.at' 'fanrep.oewabox.at' 'fflotte.oewabox.at' 'fitges.oewabox.at' 'fondprof.oewabox.at' 'fratz.oewabox.at' 'fscout24.oewabox.at' 'gamesw.oewabox.at' 'geizhals.oewabox.at' 'gillout.oewabox.at' 'gkueche.oewabox.at' 'gmx.oewabox.at' 'gofem.oewabox.at' 'heute.oewabox.at' 'immobili.oewabox.at' 'immosuch.oewabox.at' 'indumag.oewabox.at' 'induweb.oewabox.at' 'issges.oewabox.at' 'jobwohn.oewabox.at' 'karriere.oewabox.at' 'kinder.oewabox.at' 'kinowelt.oewabox.at' 'kronehit.oewabox.at' 'krone.oewabox.at' 'landwirt.oewabox.at' 'liportal.oewabox.at' 'mamilade.oewabox.at' 'manntv.oewabox.at' 'medpop.oewabox.at' 'megaplex.oewabox.at' 'metropol.oewabox.at' 'mmarkt.oewabox.at' 'monitor.oewabox.at' 'motorl.oewabox.at' 'msn.oewabox.at' 'nickde.oewabox.at' 'noen.oewabox.at' 'notori.oewabox.at' 'oeamtc.oewabox.at' 'oewa.oewabox.at' 'parent.oewabox.at' 'radioat.oewabox.at' 'rtl.oewabox.at' 'schlager.oewabox.at' 'seibli.oewabox.at' 'servustv.oewabox.at' 'skip.oewabox.at' 'skysport.oewabox.at' 'smedizin.oewabox.at' 'sms.oewabox.at' 'solidbau.oewabox.at' 'speising.oewabox.at' 'ssl-compass.oewabox.at' 'ssl-geizhals.oewabox.at' 'ssl-helpgvat.oewabox.at' 'ssl-karriere.oewabox.at' 'ssl-msn.oewabox.at' 'ssl-top.oewabox.at' 'ssl-uspgvat.oewabox.at' 'ssl-willhab.oewabox.at' 'ssl-wko.oewabox.at' 'starchat.oewabox.at' 'sunny.oewabox.at' 'supermed.oewabox.at' 'super.oewabox.at' 'svpro7.oewabox.at' 'szene1.oewabox.at' 'tagpress.oewabox.at' 'tele.oewabox.at' 'tennis.oewabox.at' 'tips.oewabox.at' 'tramarkt.oewabox.at' 'tripwolf.oewabox.at' 'uncut.oewabox.at' 'unimed.oewabox.at' 'uwz.oewabox.at' 'vcm.oewabox.at' 'viacom.oewabox.at' 'via.oewabox.at' 'warda.oewabox.at' 'webprog.oewabox.at' 'wfussb.oewabox.at' 'wienerz.oewabox.at' 'wiengvat.oewabox.at' 'wirtvlg.oewabox.at' 'woche.oewabox.at' 'wohnnet.oewabox.at' 'zfm.oewabox.at' '0101011.com' '0d79ed.r.axf8.net' '0pn.ru' '0qizz.super-promo.hoxo.info' '104231.dtiblog.com' '10fbb07a4b0.se' '10.im.cz' '121media.com' '123specialgifts.com' '1.adbrite.com' '1.allyes.com.cn' '1.forgetstore.com' '1.httpads.com' '1.primaryads.com' '207-87-18-203.wsmg.digex.net' '247adbiz.net' '247support.adtech.fr' '247support.adtech.us' '24ratownik.hit.gemius.pl' '24trk.com' '25184.hittail.com' '2754.btrll.com' '2.adbrite.com' '2-art-coliseum.com' '2leep.com' '2.marketbanker.com' '312.1d27c9b8fb.com' '321cba.com' '32red.it' '360ads.com' '3.adbrite.com' '3fns.com' '4.adbrite.com' '4c28d6.r.axf8.net' '59nmk4u.tech' '6159.genieessp.com' '7500.com' '76.a.boom.ro' '7adpower.com' '7bpeople.com' '7bpeople.data.7bpeople.com' '7cnbcnews.com' '829331534d183e7d1f6a-8d91cc88b27b979d0ea53a10ce8855ec.r96.cf5.rackcdn.com' '85103.hittail.com' '8574dnj3yzjace8c8io6zr9u3n.hop.clickbank.net' '86file.megajoy.com' '86get.joy.cn' '86log.joy.cn' '888casino.com' '961.com' 'a01.gestionpub.com' 'a.0day.kiev.ua' 'a1.greenadworks.net' 'a1.interclick.com' 'a200.yieldoptimizer.com' 'a2.websponsors.com' 'a3.websponsors.com' 'a4.websponsors.com' 'a5.websponsors.com' 'a.ad.playstation.net' 'a-ads.com' 'a.adstome.com' 'aads.treehugger.com' 'aams1.aim4media.com' 'aan.amazon.com' 'aa-nb.marketgid.com' 'aa.newsblock.marketgid.com' 'a.as-eu.falkag.net' 'a.as-us.falkag.net' 'aax-us-pdx.amazon-adsystem.com' 'a.baidu.com' 'abcnews.footprint.net' 'a.boom.ro' 'abrogatesdv.info' 'abseckw.adtlgc.com' 'ac.atpanel.com' 'a.cctv.com' 'achetezfacile.com' 'a.cntv.cn' 'ac.rnm.ca' 'acs.56.com' 'acs.agent.56.com' 'acs.agent.v-56.com' 'actiondesk.com' 'actionflash.com' 'action.ientry.net' 'actionsplash.com' 'ac.tynt.com' 'acvs.mediaonenetwork.net' 'acvsrv.mediaonenetwork.net' 'ad001.ru' 'ad01.focalink.com' 'ad01.mediacorpsingapore.com' 'ad02.focalink.com' 'ad03.focalink.com' 'ad04.focalink.com' 'ad05.focalink.com' 'ad06.focalink.com' 'ad07.focalink.com' 'ad08.focalink.com' 'ad09.focalink.com' 'ad101com.adbureau.net' 'ad.103092804.com' 'ad10.bannerbank.ru' 'ad10.checkm8.com' 'ad10digital.checkm8.com' 'ad10.focalink.com' 'ad11.bannerbank.ru' 'ad11.checkm8.com' 'ad11digital.checkm8.com' 'ad11.focalink.com' 'ad12.bannerbank.ru' 'ad12.checkm8.com' 'ad12digital.checkm8.com' 'ad12.focalink.com' 'ad13.checkm8.com' 'ad13digital.checkm8.com' 'ad13.focalink.com' 'ad14.checkm8.com' 'ad14digital.checkm8.com' 'ad14.focalink.com' 'ad15.checkm8.com' 'ad15digital.checkm8.com' 'ad15.focalink.com' 'ad16.checkm8.com' 'ad16digital.checkm8.com' 'ad16.focalink.com' 'ad17.checkm8.com' 'ad17digital.checkm8.com' 'ad17.focalink.com' 'ad18.checkm8.com' 'ad18digital.checkm8.com' 'ad18.focalink.com' 'ad19.checkm8.com' 'ad19digital.checkm8.com' 'ad19.focalink.com' 'ad1.bannerbank.ru' 'ad1.checkm8.com' 'ad1.clickhype.com' 'ad1digital.checkm8.com' 'ad1.gamezone.com' 'ad1.hotel.com' 'ad1.lbn.ru' 'ad1.peel.com' 'ad1.popcap.com' 'ad1.yomiuri.co.jp' 'ad20.checkm8.com' 'ad20digital.checkm8.com' 'ad20.net' 'ad21.checkm8.com' 'ad21digital.checkm8.com' 'ad22.checkm8.com' 'ad22digital.checkm8.com' 'ad234.prbn.ru' 'ad.23blogs.com' 'ad23.checkm8.com' 'ad23digital.checkm8.com' 'ad24.checkm8.com' 'ad24digital.checkm8.com' 'ad25.checkm8.com' 'ad25digital.checkm8.com' 'ad26.checkm8.com' 'ad26digital.checkm8.com' 'ad27.checkm8.com' 'ad27digital.checkm8.com' 'ad28.checkm8.com' 'ad28digital.checkm8.com' 'ad29.checkm8.com' 'ad29digital.checkm8.com' 'ad2.adecn.com' 'ad2.bannerbank.ru' 'ad2.bbmedia.cz' 'ad2.checkm8.com' 'ad2digital.checkm8.com' 'ad2.hotel.com' 'ad2.lbn.ru' 'ad2.nationalreview.com' 'ad2.pamedia.com' 'ad2.parom.hu' 'ad2.peel.com' 'ad2.pl' 'ad2.sbisec.co.jp' 'ad2.smni.com' 'ad2.tr.mediainter.net' 'ad2.zapmedya.com' 'ad2.zophar.net' 'ad30.checkm8.com' 'ad30digital.checkm8.com' 'ad31.checkm8.com' 'ad31digital.checkm8.com' 'ad32.checkm8.com' 'ad32digital.checkm8.com' 'ad33.checkm8.com' 'ad33digital.checkm8.com' 'ad34.checkm8.com' 'ad34digital.checkm8.com' 'ad35.checkm8.com' 'ad35digital.checkm8.com' 'ad36.checkm8.com' 'ad36digital.checkm8.com' 'ad37.checkm8.com' 'ad37digital.checkm8.com' 'ad38.checkm8.com' 'ad38digital.checkm8.com' 'ad39.checkm8.com' 'ad39digital.checkm8.com' 'ad3.bannerbank.ru' 'ad3.bb.ru' 'ad3.checkm8.com' 'ad3digital.checkm8.com' 'ad.3dnews.ru' 'ad3.eu' 'ad3.l3go.com' 'ad3.lbn.ru' 'ad3.nationalreview.com' 'ad40.checkm8.com' 'ad40digital.checkm8.com' 'ad-411.com' 'ad41.atlas.cz' 'ad41.checkm8.com' 'ad41digital.checkm8.com' 'ad42.checkm8.com' 'ad42digital.checkm8.com' 'ad43.checkm8.com' 'ad43digital.checkm8.com' 'ad44.checkm8.com' 'ad44digital.checkm8.com' 'ad45.checkm8.com' 'ad45digital.checkm8.com' 'ad46.checkm8.com' 'ad46digital.checkm8.com' 'ad47.checkm8.com' 'ad47digital.checkm8.com' 'ad48.checkm8.com' 'ad48digital.checkm8.com' 'ad49.checkm8.com' 'ad49digital.checkm8.com' 'ad4.bannerbank.ru' 'ad4.checkm8.com' 'ad4digital.checkm8.com' 'ad4game.com' 'ad4.lbn.ru' 'ad4partners.com' 'ad50.checkm8.com' 'ad50digital.checkm8.com' 'ad5.bannerbank.ru' 'ad5.checkm8.com' 'ad5digital.checkm8.com' 'ad5.lbn.ru' 'ad6.bannerbank.ru' 'ad6.checkm8.com' 'ad6digital.checkm8.com' 'ad6.horvitznewspapers.net' 'ad6.liverail.com' 'ad6media.fr' 'ad7.bannerbank.ru' 'ad7.checkm8.com' 'ad7digital.checkm8.com' 'ad8.adfarm1.adition.com' 'ad8.bannerbank.ru' 'ad8.checkm8.com' 'ad8digital.checkm8.com' 'ad9.bannerbank.ru' 'ad9.checkm8.com' 'ad9digital.checkm8.com' 'ad.abcnews.com' 'ad.accessmediaproductions.com' 'ad.adfunky.com' 'ad.adition.de' 'ad.adlantis.jp' 'ad.admarketplace.net' 'ad.adnetwork.com.br' 'ad.adnetwork.net' 'ad.adorika.com' 'ad.adperium.com' 'ad.adserve.com' 'ad.adserverplus.com' 'ad.adsmart.net' 'ad.adtegrity.net' 'ad.aftenposten.no' 'ad.aftonbladet.se' 'ad.agilemedia.jp' 'adagiobanner.s3.amazonaws.com' 'ad.agkn.com' 'ad.airad.com' 'ad.ajanshaber.com' 'ad.allyes.cn' 'adaos-ads.net' 'adapd.com' 'adap.tv' 'ad.asv.de' 'ad-audit.tubemogul.com' 'ad.axyzconductor.jp' 'ad-balancer.net' 'ad.bannerbank.ru' 'ad.bannerconnect.net' 'adbit.co' 'adblade.com' 'adblockanalytics.com' 'adbnr.ru' 'adbot.theonion.com' 'ad.brainer.jp' 'adbrite.com' 'adc2.adcentriconline.com' 'adcanadian.com' 'adcash.com' 'ad.cctv.com' 'adcentriconline.com' 'adcentric.randomseed.com' 'ad.cibleclick.com' 'ad.clickdistrict.com' 'ad.clickotmedia.com' 'ad-clicks.com' 'adcode.adengage.com' 'adcontent.reedbusiness.com' 'adcontent.videoegg.com' 'adcontroller.unicast.com' 'adcontrol.tudou.com' 'adcount.ohmynews.com' 'adcreative.tribuneinteractive.com' 'adcycle.footymad.net' 'adcycle.icpeurope.net' 'ad-delivery.net' 'ad.designtaxi.com' 'ad.deviantart.com' 'add.f5haber.com' 'ad.dic.nicovideo.jp' 'ad.directmirror.com' 'ad.doganburda.com' 'ad.download.net' 'addserver.mtv.com.tr' 'addthiscdn.com' 'addthis.com' 'ad.duga.jp' 'adecn.com' 'ad.egloos.com' 'ad.ekonomikticaret.com' 'adengine.rt.ru' 'ad.eporner.com' 'ad.espn.starwave.com' 'ade.wooboo.com.cn' 'adexpansion.com' 'adexprt.com' 'adexprt.me' 'adexprts.com' 'adextensioncontrol.tudou.com' 'adext.inkclub.com' 'adfactor.nl' 'adfarm.mserve.ca' 'ad.favod.net' 'ad-feeds.com' 'adfiles.pitchforkmedia.com' 'ad.filmweb.pl' 'ad.firstadsolution.com' 'ad.floq.jp' 'ad-flow.com' 'ad.fnnews.com' 'ad.fo.net' 'adforce.ads.imgis.com' 'adforce.adtech.de' 'adforce.adtech.fr' 'adforce.adtech.us' 'adforce.imgis.com' 'adform.com' 'ad.fout.jp' 'adfu.blockstackers.com' 'ad.funpic.de' 'adfusion.com' 'ad.garantiarkadas.com' 'adgardener.com' 'ad-gb.mgid.com' 'ad-gbn.com' 'ad.ghfusion.com' 'ad.goo.ne.jp' 'adgraphics.theonion.com' 'ad.gra.pl' 'ad.greenmarquee.com' 'adgroup.naver.com' 'ad.groupon.be' 'ad.groupon.com' 'ad.groupon.co.uk' 'ad.groupon.de' 'ad.groupon.fr' 'ad.groupon.net' 'ad.groupon.nl' 'ad.groupon.pl' 'adguanggao.eee114.com' 'ad.harrenmedianetwork.com' 'adhearus.com' 'adhese.be' 'adhese.com' 'adhese.nieuwsblad.be' 'ad.horvitznewspapers.net' 'ad.host.bannerflow.com' 'ad.howstuffworks.com' 'adhref.pl' 'ad.icasthq.com' 'ad.iconadserver.com' 'adidm.supermedia.pl' 'ad.imad.co.kr' 'adimage.asia1.com.sg' 'adimage.asiaone.com' 'adimage.asiaone.com.sg' 'adimage.blm.net' 'adimages.earthweb.com' 'adimages.mp3.com' 'adimages.omroepzeeland.nl' 'adimages.watchmygf.net' 'adi.mainichi.co.jp' 'adimg.activeadv.net' 'adimg.com.com' 'ad.impressbm.co.jp' 'adincl.gopher.com' 'ad-indicator.com' 'ad.indomp3z.us' 'ad.investopedia.com' 'adipics.com' 'ad.ir.ru' 'ad.isohunt.com' 'adition.com' 'ad.iwin.com' 'adj10.thruport.com' 'adj11.thruport.com' 'adj12.thruport.com' 'adj13.thruport.com' 'adj14.thruport.com' 'adj15.thruport.com' 'adj16r1.thruport.com' 'adj16.thruport.com' 'adj17.thruport.com' 'adj18.thruport.com' 'adj19.thruport.com' 'adj1.thruport.com' 'adj22.thruport.com' 'adj23.thruport.com' 'adj24.thruport.com' 'adj25.thruport.com' 'adj26.thruport.com' 'adj27.thruport.com' 'adj28.thruport.com' 'adj29.thruport.com' 'adj2.thruport.com' 'adj30.thruport.com' 'adj31.thruport.com' 'adj32.thruport.com' 'adj33.thruport.com' 'adj34.thruport.com' 'adj35.thruport.com' 'adj36.thruport.com' 'adj37.thruport.com' 'adj38.thruport.com' 'adj39.thruport.com' 'adj3.thruport.com' 'adj40.thruport.com' 'adj41.thruport.com' 'adj43.thruport.com' 'adj44.thruport.com' 'adj45.thruport.com' 'adj46.thruport.com' 'adj47.thruport.com' 'adj48.thruport.com' 'adj49.thruport.com' 'adj4.thruport.com' 'adj50.thruport.com' 'adj51.thruport.com' 'adj52.thruport.com' 'adj53.thruport.com' 'adj54.thruport.com' 'adj55.thruport.com' 'adj56.thruport.com' 'adj5.thruport.com' 'adj6.thruport.com' 'adj7.thruport.com' 'adj8.thruport.com' 'adj9.thruport.com' 'ad.jamba.net' 'ad.jamster.ca' 'adjmps.com' 'ad.jokeroo.com' 'ad.jp.ap.valu.com' 'adjuggler.net' 'adjuggler.yourdictionary.com' 'ad.kataweb.it' 'ad.kat.ph' 'ad.kau.li' 'adkontekst.pl' 'ad.krutilka.ru' 'ad.land.to' 'ad.leadcrunch.com' 'ad.lgappstv.com' 'ad.lijit.com' 'ad.linkexchange.com' 'ad.linksynergy.com' 'ad.livere.co.kr' 'ad.lyricswire.com' 'adm.265g.com' 'ad.mainichi.jp' 'ad.maist.jp' 'admanager1.collegepublisher.com' 'admanager2.broadbandpublisher.com' 'admanager3.collegepublisher.com' 'admanager.adam4adam.com' 'admanager.beweb.com' 'admanager.btopenworld.com' 'admanager.collegepublisher.com' 'adman.freeze.com' 'ad.mangareader.net' 'adman.gr' 'adman.se' 'admarkt.marktplaats.nl' 'ad.mastermedia.ru' 'admatcher.videostrip.com' 'admatch-syndication.mochila.com' 'admax.quisma.com' 'adm.baidu.com' 'admd.yam.com' 'admedia.com' 'ad.media-servers.net' 'admedias.net' 'admedia.xoom.com' 'admeld.com' 'admerize.be' 'admeta.vo.llnwd.net' 'adm.funshion.com' 'adm.fwmrm.net' 'admin.digitalacre.com' 'admin.hotkeys.com' 'admin.inq.com' 'ad.moscowtimes.ru' 'adm.shacknews.com' 'adm.shinobi.jp' 'adm.xmfish.com' 'ad.my.doubleclick.net' 'ad.mygamesol.com' 'ad.nate.com' 'adn.ebay.com' 'ad.ne.com' 'ad.net' 'adnet.biz' 'adnet.chicago.tribune.com' 'adnet.com' 'adnet.de' 'ad.network60.com' 'adnetwork.nextgen.net' 'adnetwork.rovicorp.com' 'adnetxchange.com' 'adng.ascii24.com' 'ad.nicovideo.jp' 'adn.kinkydollars.com' 'ad-noise.net' 'adnxs.com' 'adnxs.revsci.net' 'adobee.com' 'adobe.tt.omtrdc.net' 'adobur.com' 'adoburcrv.com' 'adobur.net' 'adocean.pl' 'ad.ohmynews.com' 'adopt.euroclick.com' 'adopt.precisead.com' 'ad.oret.jp' 'adotube.com' 'ad.ourgame.com' 'ad.pandora.tv' 'ad.parom.hu' 'ad.partis.si' 'adpepper.dk' 'ad.pgwticketshop.nl' 'ad.ph-prt.tbn.ru' 'ad.pickple.net' 'adpick.switchboard.com' 'adplay.tudou.com' 'ad-plus.cn' 'ad.pravda.ru' 'ad.preferences.com' 'ad.premiumonlinemedia.com' 'ad.pro-advertising.com' 'ad.proxy.sh' 'adpulse.ads.targetnet.com' 'adpush.dreamscape.com' 'ad.qq.com' 'ad.qwapi.com' 'ad.qyer.com' 'ad.realmcdn.net' 'ad.reduxmediia.com' 'adremote.pathfinder.com' 'adremote.timeinc.aol.com' 'adremote.timeinc.net' 'ad.repubblica.it' 'ad.response.jp' 'adriver.ru' 'ads01.com' 'ads01.focalink.com' 'ads01.hyperbanner.net' 'ads02.focalink.com' 'ads02.hyperbanner.net' 'ads03.focalink.com' 'ads03.hyperbanner.net' 'ads04.focalink.com' 'ads04.hyperbanner.net' 'ads05.focalink.com' 'ads05.hyperbanner.net' 'ads06.focalink.com' 'ads06.hyperbanner.net' 'ads07.focalink.com' 'ads07.hyperbanner.net' 'ads08.focalink.com' 'ads08.hyperbanner.net' 'ads09.focalink.com' 'ads09.hyperbanner.net' 'ads0.okcupid.com' 'ads10.focalink.com' 'ads10.hyperbanner.net' 'ads10.udc.advance.net' 'ads11.focalink.com' 'ads11.hyperbanner.net' 'ads11.udc.advance.net' 'ads12.focalink.com' 'ads12.hyperbanner.net' 'ads12.udc.advance.net' 'ads13.focalink.com' 'ads13.hyperbanner.net' 'ads13.udc.advance.net' 'ads14.bpath.com' 'ads14.focalink.com' 'ads14.hyperbanner.net' 'ads14.udc.advance.net' 'ads15.bpath.com' 'ads15.focalink.com' 'ads15.hyperbanner.net' 'ads15.udc.advance.net' 'ads16.advance.net' 'ads16.focalink.com' 'ads16.hyperbanner.net' 'ads16.udc.advance.net' 'ads17.focalink.com' 'ads17.hyperbanner.net' 'ads18.focalink.com' 'ads18.hyperbanner.net' 'ads19.focalink.com' 'ads1.activeagent.at' 'ads1.ad-flow.com' 'ads1.admedia.ro' 'ads1.advance.net' 'ads1.advertwizard.com' 'ads1.canoe.ca' 'ads1.destructoid.com' 'ads1.empiretheatres.com' 'ads1.erotism.com' 'ads1.eudora.com' 'ads1.globeandmail.com' 'ads1.itadnetwork.co.uk' 'ads1.jev.co.za' 'ads1.perfadbrite.com.akadns.net' 'ads1.performancingads.com' 'ads1.realcities.com' 'ads1.revenue.net' 'ads1.sptimes.com' 'ads1.ucomics.com' 'ads1.udc.advance.net' 'ads1.updated.com' 'ads1.virtumundo.com' 'ads1.zdnet.com' 'ads20.focalink.com' 'ads21.focalink.com' 'ads22.focalink.com' 'ads23.focalink.com' 'ads24.focalink.com' 'ads25.focalink.com' 'ads2.adbrite.com' 'ads2.ad-flow.com' 'ads2ads.net' 'ads2.advance.net' 'ads2.advertwizard.com' 'ads2.canoe.ca' 'ads2.clearchannel.com' 'ads2.clickad.com' 'ads2.collegclub.com' 'ads2.collegeclub.com' 'ads2.drivelinemedia.com' 'ads2.emeraldcoast.com' 'ads2.exhedra.com' 'ads2.firingsquad.com' 'ads2.gamecity.net' 'ads2.haber3.com' 'ads2.ihaberadserver.com' 'ads2.ljworld.com' 'ads2.newtimes.com' 'ads2.osdn.com' 'ads2.pittsburghlive.com' 'ads2.realcities.com' 'ads2.revenue.net' 'ads2.rp.pl' 'ads2srv.com' 'ads2.theglobeandmail.com' 'ads2.udc.advance.net' 'ads2.virtumundo.com' 'ads2.zdnet.com' 'ads2.zeusclicks.com' 'ads360.com' 'ads36.hyperbanner.net' 'ads3.ad-flow.com' 'ads3.advance.net' 'ads3.advertwizard.com' 'ads3.canoe.ca' 'ads3.freebannertrade.com' 'ads3.gamecity.net' 'ads3.haber3.com' 'ads3.ihaberadserver.com' 'ads3.jubii.dk' 'ads3.realcities.com' 'ads3.udc.advance.net' 'ads3.virtumundo.com' 'ads3.zdnet.com' 'ads4.ad-flow.com' 'ads4.advance.net' 'ads4.advertwizard.com' 'ads4.canoe.ca' 'ads4cheap.com' 'ads4.gamecity.net' 'ads4homes.com' 'ads4.realcities.com' 'ads4.udc.advance.net' 'ads4.virtumundo.com' 'ads5.ad-flow.com' 'ads5.advance.net' 'ads5.advertwizard.com' 'ads.5ci.lt' 'ads5.mconetwork.com' 'ads5.sabah.com.tr' 'ads5.udc.advance.net' 'ads5.virtumundo.com' 'ads6.ad-flow.com' 'ads6.advance.net' 'ads6.advertwizard.com' 'ads6.gamecity.net' 'ads6.udc.advance.net' 'ads7.ad-flow.com' 'ads7.advance.net' 'ads7.advertwizard.com' 'ads.7days.ae' 'ads7.gamecity.net' 'ads7.udc.advance.net' 'ads80.com' 'ads.8833.com' 'ads8.ad-flow.com' 'ads8.advertwizard.com' 'ads8.com' 'ads8.udc.advance.net' 'ads9.ad-flow.com' 'ads9.advertwizard.com' 'ads9.udc.advance.net' 'ads.abs-cbn.com' 'ads.accelerator-media.com' 'ads.aceweb.net' 'ads.activeagent.at' 'ads.active.com' 'ads.adbrite.com' 'ads.adcorps.com' 'ads.addesktop.com' 'ads.addynamix.com' 'ads.adengage.com' 'ads.ad-flow.com' 'ads.adhearus.com' 'ads.admaximize.com' 'adsadmin.aspentimes.com' 'adsadmin.corusradionetwork.com' 'adsadmin.vaildaily.com' 'ads.admonitor.net' 'ads.adn.com' 'ads.adroar.com' 'ads.adsag.com' 'ads.adshareware.net' 'ads.adsinimages.com' 'ads.adsrvmedia.com' 'ads.adsrvmedia.net' 'ads.adsrvr.org' 'ads.adtegrity.net' 'ads.adultswim.com' 'ads.adverline.com' 'ads.advolume.com' 'ads.adworldnetwork.com' 'ads.adx.nu' 'ads.adxpose.com' 'ads.adxpose.mpire.akadns.net' 'ads.ahds.ac.uk' 'ads.ah-ha.com' 'ads.aintitcool.com' 'ads.airamericaradio.com' 'ads.ak.facebook.com' 'ads.allsites.com' 'ads.allvertical.com' 'ads.amarillo.com' 'ads.amazingmedia.com' 'ads.amgdgt.com' 'ads.ami-admin.com' 'ads.anm.co.uk' 'ads.anvato.com' 'ads.aol.com' 'ads.apartmenttherapy.com' 'ads.apn.co.nz' 'ads.apn.co.za' 'ads.appleinsider.com' 'ads.araba.com' 'ads.arcadechain.com' 'ads.arkitera.net' 'ads.aroundtherings.com' 'ads.as4x.tmcs.ticketmaster.ca' 'ads.asia1.com' 'ads.aspentimes.com' 'ads.asp.net' 'ads.associatedcontent.com' 'ads.astalavista.us' 'ads.atlantamotorspeedway.com' 'ads.auctions.yahoo.com' 'ads.avazu.net' 'ads.aversion2.com' 'ads.aws.sitepoint.com' 'ads.azjmp.com' 'ads.b10f.jp' 'ads.baazee.com' 'ads.banner.t-online.de' 'ads.barnonedrinks.com' 'ads.battle.net' 'ads.bauerpublishing.com' 'ads.baventures.com' 'ads.bbcworld.com' 'ads.beeb.com' 'ads.beliefnet.com' 'ads.beta.itravel2000.com' 'ads.bfast.com' 'ads.bfm.valueclick.net' 'ads.bianca.com' 'ads.bigcitytools.com' 'ads.biggerboat.com' 'ads.bitsonthewire.com' 'ads.bizhut.com' 'adsbizsimple.com' 'ads.bizx.info' 'ads.blixem.nl' 'ads.blp.calueclick.net' 'ads.blp.valueclick.net' 'ads.bluemountain.com' 'ads.bonnint.net' 'ads.box.sk' 'ads.brabys.com' 'ads.britishexpats.com' 'ads.buscape.com.br' 'ads.calgarysun.com' 'ads.callofdutyblackopsforum.net' 'ads.camrecord.com' 'ads.canoe.ca' 'ads.cardea.se' 'ads.cardplayer.com' 'ads.carltononline.com' 'ads.carocean.co.uk' 'ads.catholic.org' 'ads.cavello.com' 'ads.cbc.ca' 'ads.cdfreaks.com' 'ads.cdnow.com' 'ads.centraliprom.com' 'ads.cgchannel.com' 'ads.chalomumbai.com' 'ads.champs-elysees.com' 'ads.checkm8.co.za' 'ads.chipcenter.com' 'adscholar.com' 'ads.chumcity.com' 'ads.cineville.nl' 'ads.cjonline.com' 'ads.clamav.net' 'ads.clara.net' 'ads.clearchannel.com' 'ads.clickability.com' 'ads.clickad.com.pl' 'ads.clickagents.com' 'ads.clickhouse.com' 'adsclick.qq.com' 'ads.clickthru.net' 'ads.clubzone.com' 'ads.cluster01.oasis.zmh.zope.net' 'ads.cmediaworld.com' 'ads.cmg.valueclick.net' 'ads.cnn.com' 'ads.cnngo.com' 'ads.cobrad.com' 'ads.collegclub.com' 'ads.collegehumor.com' 'ads.collegemix.com' 'ads.com.com' 'ads.comediagroup.hu' 'ads.comicbookresources.com' 'ads.coopson.com' 'ads.corusradionetwork.com' 'ads.courierpostonline.com' 'ads.cpsgsoftware.com' 'ads.crapville.com' 'ads.crosscut.com' 'ads.currantbun.com' 'ads.cvut.cz' 'ads.cyberfight.ru' 'ads.cybersales.cz' 'ads.cybertrader.com' 'ads.danworld.net' 'adsdaq.com' 'ads.darkhardware.com' 'ads.dbforums.com' 'ads.ddj.com' 'ads.democratandchronicle.com' 'ads.desmoinesregister.com' 'ads-de.spray.net' 'ads.detelefoongids.nl' 'ads.developershed.com' 'ads-dev.youporn.com' 'ads.digitalacre.com' 'ads.digital-digest.com' 'ads.digitalhealthcare.com' 'ads.dimcab.com' 'ads.directionsmag.com' 'ads-direct.prodigy.net' 'ads.discovery.com' 'ads.dk' 'ads.doclix.com' 'ads.domeus.com' 'ads.dontpanicmedia.com' 'ads.dothads.com' 'ads.doubleviking.com' 'ads.drf.com' 'ads.drivelinemedia.com' 'ads.dumpalink.com' 'ad.search.ch' 'ad.searchina.ne.jp' 'adsearch.pl' 'ads.ecircles.com' 'ads.economist.com' 'ads.ecosalon.com' 'ads.edirectme.com' 'ads.einmedia.com' 'ads.eircom.net' 'ads.emeraldcoast.com' 'ads.enliven.com' 'ads.enrd.co' 'ad.sensismediasmart.com' 'adsentnetwork.com' 'adserer.ihigh.com' 'ads.erotism.com' 'adserv001.adtech.de' 'adserv001.adtech.fr' 'adserv001.adtech.us' 'adserv002.adtech.de' 'adserv002.adtech.fr' 'adserv002.adtech.us' 'adserv003.adtech.de' 'adserv003.adtech.fr' 'adserv003.adtech.us' 'adserv004.adtech.de' 'adserv004.adtech.fr' 'adserv004.adtech.us' 'adserv005.adtech.de' 'adserv005.adtech.fr' 'adserv005.adtech.us' 'adserv006.adtech.de' 'adserv006.adtech.fr' 'adserv006.adtech.us' 'adserv007.adtech.de' 'adserv007.adtech.fr' 'adserv007.adtech.us' 'adserv008.adtech.de' 'adserv008.adtech.fr' 'adserv008.adtech.us' 'adserv2.bravenet.com' 'adserv.aip.org' 'adservant.guj.de' 'adserve.adtoll.com' 'adserve.city-ad.com' 'adserve.ehpub.com' 'adserve.gossipgirls.com' 'adserve.mizzenmedia.com' 'adserv.entriq.net' 'adserve.profit-smart.com' 'adserver01.ancestry.com' 'adserver.100free.com' 'adserver.163.com' 'adserver1.adserver.com.pl' 'adserver1.adtech.com.tr' 'adserver1.economist.com' 'adserver1.eudora.com' 'adserver1.harvestadsdepot.com' 'adserver1.hookyouup.com' 'adserver1.isohunt.com' 'adserver1.lokitorrent.com' 'adserver1.mediainsight.de' 'adserver1.ogilvy-interactive.de' 'adserver1.sonymusiceurope.com' 'adserver1.teracent.net' 'adserver1.wmads.com' 'adserver.2618.com' 'adserver2.adserver.com.pl' 'adserver2.atman.pl' 'adserver2.christianitytoday.com' 'adserver2.condenast.co.uk' 'adserver2.creative.com' 'adserver2.eudora.com' 'adserver-2.ig.com.br' 'adserver2.mediainsight.de' 'adserver2.news-journalonline.com' 'adserver2.popdata.de' 'adserver2.teracent.net' 'adserver.3digit.de' 'adserver3.eudora.com' 'adserver-3.ig.com.br' 'adserver4.eudora.com' 'adserver-4.ig.com.br' 'adserver-5.ig.com.br' 'adserver9.contextad.com' 'adserver.ad-it.dk' 'adserver.adremedy.com' 'adserver.ads360.com' 'adserver.adserver.com.pl' 'adserver.adsimsar.net' 'adserver.adsincontext.com' 'adserver.adtech.fr' 'adserver.adtech.us' 'adserver.advertist.com' 'adserver.affiliatemg.com' 'adserver.affiliation.com' 'adserver.aim4media.com' 'adserver.a.in.monster.com' 'adserver.airmiles.ca' 'adserver.akqa.net' 'adserver.allheadlinenews.com' 'adserver.amnews.com' 'adserver.ancestry.com' 'adserver.anemo.com' 'adserver.anm.co.uk' 'adserver.archant.co.uk' 'adserver.artempireindustries.com' 'adserver.arttoday.com' 'adserver.atari.net' 'adserverb.conjelco.com' 'adserver.betandwin.de' 'adserver.billiger-surfen.de' 'adserver.billiger-telefonieren.de' 'adserver.bizland-inc.net' 'adserver.bluereactor.com' 'adserver.bluereactor.net' 'adserver.buttonware.com' 'adserver.buttonware.net' 'adserver.cantv.net' 'adserver.cebu-online.com' 'adserver.cheatplanet.com' 'adserver.chickclick.com' 'adserver.click4cash.de' 'adserver.clubic.com' 'adserver.clundressed.com' 'adserver.co.il' 'adserver.colleges.com' 'adserver.com' 'adserver.comparatel.fr' 'adserver.com-solutions.com' 'adserver.conjelco.com' 'adserver.corusradionetwork.com' 'ad-server.co.za' 'adserver.creative-asia.com' 'adserver.creativeinspire.com' 'adserver.dayrates.com' 'adserver.dbusiness.com' 'adserver.developersnetwork.com' 'adserver.devx.com' 'adserver.digitalpartners.com' 'adserver.digitoday.com' 'adserver.directforce.com' 'adserver.directforce.net' 'adserver.dnps.com' 'adserver.dotcommedia.de' 'adserver.dotmusic.com' 'adserver.eham.net' 'adserver.emapadserver.com' 'adserver.emporis.com' 'adserver.emulation64.com' 'adserver-espnet.sportszone.net' 'adserver.eudora.com' 'adserver.eva2000.com' 'adserver.expatica.nxs.nl' 'adserver.ezzhosting.com' 'adserver.filefront.com' 'adserver.fmpub.net' 'adserver.fr.adtech.de' 'adserver.freecity.de' 'adserver.gameparty.net' 'adserver.gamesquad.net' 'adserver.garden.com' 'adserver.gecce.com' 'adserver.gorillanation.com' 'adserver.gr' 'adserver.harktheherald.com' 'adserver.harvestadsdepot.com' 'adserver.hellasnet.gr' 'adserver.hg-computer.de' 'adserver.hi-m.de' 'adserver.hispavista.com' 'adserver.hk.outblaze.com' 'adserver.home.pl' 'adserver.hostinteractive.com' 'adserver.humanux.com' 'adserver.hwupgrade.it' 'adserver.ifmagazine.com' 'adserver.ig.com.br' 'adserver.ign.com' 'adserver-images.adikteev.com' 'adserver.infinit.net' 'adserver.infotiger.com' 'adserver.interfree.it' 'adserver.inwind.it' 'adserver.ision.de' 'adserver.isonews.com' 'adserver.ixm.co.uk' 'adserver.jacotei.com.br' 'adserver.janes.com' 'adserver.janes.net' 'adserver.janes.org' 'adserver.jolt.co.uk' 'adserver.journalinteractive.com' 'adserver.kcilink.com' 'adserver.killeraces.com' 'adserver.kimia.es' 'adserver.kylemedia.com' 'adserver.lanacion.com.ar' 'adserver.lanepress.com' 'adserver.latimes.com' 'adserver.legacy-network.com' 'adserver.linktrader.co.uk' 'adserver.livejournal.com' 'adserver.lostreality.com' 'adserver.lunarpages.com' 'adserver.lycos.co.jp' 'adserver.m2kcore.com' 'adserver.merc.com' 'adserver.mindshare.de' 'adserver.mobsmith.com' 'adserver.monster.com' 'adserver.monstersandcritics.com' 'adserver.motonews.pl' 'adserver.myownemail.com' 'adserver.netcreators.nl' 'adserver.netshelter.net' 'adserver.newdigitalgroup.com' 'adserver.newmassmedia.net' 'adserver.news.com' 'adserver.news-journalonline.com' 'adserver.newtimes.com' 'adserver.ngz-network.de' 'adserver.nzoom.com' 'adserver.omroepzeeland.nl' 'adserver.onwisconsin.com' 'ad-serverparc.nl' 'adserver.phatmax.net' 'adserver.phillyburbs.com' 'adserver.pl' 'adserver.planet-multiplayer.de' 'adserver.plhb.com' 'adserver.pollstar.com' 'adserver.portalofevil.com' 'adserver.portal.pl' 'adserver.portugalmail.pt' 'adserver.prodigy.net' 'adserver.proteinos.com' 'adserver.radio-canada.ca' 'adserver.ratestar.net' 'adserver.revver.com' 'adserver.ro' 'adserver.sabc.co.za' 'adserver.sabcnews.co.za' 'adserver.sandbox.cxad.cxense.com' 'adserver.sanomawsoy.fi' 'adserver.scmp.com' 'adserver.securityfocus.com' 'adserver.singnet.com' 'adserver.sl.kharkov.ua' 'adserver.smashtv.com' 'adserver.softonic.com' 'adserver.soloserver.com' 'adserversolutions.com' 'adserver.swiatobrazu.pl' 'adserver.synergetic.de' 'adserver.telalink.net' 'adserver.te.pt' 'adserver.teracent.net' 'adserver.terra.com.br' 'adserver.terra.es' 'adserver.theknot.com' 'adserver.theonering.net' 'adserver.thirty4.com' 'adserver.thisislondon.co.uk' 'adserver.tilted.net' 'adserver.tqs.ca' 'adserver.track-star.com' 'adserver.trader.ca' 'adserver.trafficsyndicate.com' 'adserver.trb.com' 'adserver.tribuneinteractive.com' 'adserver.tsgadv.com' 'adserver.tulsaworld.com' 'adserver.tweakers.net' 'adserver.ugo.com' 'adserver.ugo.nl' 'adserver.ukplus.co.uk' 'adserver.uproxx.com' 'adserver.usermagnet.com' 'adserver.van.net' 'adserver.virtualminds.nl' 'adserver.virtuous.co.uk' 'adserver.voir.ca' 'adserver.wemnet.nl' 'adserver.wietforum.nl' 'adserver.x3.hu' 'adserver.ya.com' 'adserver.zaz.com.br' 'adserver.zeads.com' 'adserve.splicetoday.com' 'adserve.viaarena.com' 'adserv.free6.com' 'adserv.geocomm.com' 'adserv.iafrica.com' 'adservices.google.com' 'adservicestats.com' 'ad-servicestats.net' 'adservingcentral.com' 'adserving.cpxinteractive.com' 'adserv.internetfuel.com' 'adserv.jupiter.com' 'adserv.lwmn.net' 'adserv.maineguide.com' 'adserv.muchosucko.com' 'adserv.pitchforkmedia.com' 'adserv.qconline.com' 'adserv.usps.com' 'adserwer.o2.pl' 'ads.espn.adsonar.com' 'ads.eudora.com' 'ads.euniverseads.com' 'ads.examiner.net' 'ads.exhedra.com' 'ads.fark.com' 'ads.fayettevillenc.com' 'ads.filecloud.com' 'ads.fileindexer.com' 'adsfile.qq.com' 'ads.filmup.com' 'ads.first-response.be' 'ads.flabber.nl' 'ads.flashgames247.com' 'ads.fling.com' 'ads.floridatoday.com' 'ads.fool.com' 'ads.forbes.net' 'ads.fortunecity.com' 'ads.fox.com' 'ads.fredericksburg.com' 'ads.freebannertrade.com' 'ads.freeskreen.com' 'ads.freshmeat.net' 'ads.fresnobee.com' 'ads.gamblinghit.com' 'ads.gamecity.net' 'ads.gamecopyworld.no' 'ads.gameinformer.com' 'ads.gamelink.com' 'ads.game.net' 'ads.gamershell.com' 'ads.gamespy.com' 'ads.gateway.com' 'ads.gawker.com' 'ads.gettools.com' 'ads.gigaom.com.php5-12.websitetestlink.com' 'ads.gmg.valueclick.net' 'ads.gmodules.com' 'ads.god.co.uk' 'ads.golfweek.com' 'ads.gorillanation.com' 'ads.gplusmedia.com' 'ads.granadamedia.com' 'ads.greenbaypressgazette.com' 'ads.greenvilleonline.com' 'adsgroup.qq.com' 'ads.guardianunlimited.co.uk' 'ads.gunaxin.com' 'ads.haber3.com' 'ads.haber7.net' 'ads.haberler.com' 'ads.halogennetwork.com' 'ads.hamptonroads.com' 'ads.hamtonroads.com' 'ads.hardwarezone.com' 'ads.hbv.de' 'ads.heartlight.org' 'ads.herald-mail.com' 'ads.heraldonline.com' 'ads.heraldsun.com' 'ads.heroldonline.com' 'ads.he.valueclick.net' 'ads.hitcents.com' 'ads-hl.noktamedya.com.tr' 'ads.hlwd.valueclick.net' 'adshmct.qq.com' 'adshmmsg.qq.com' 'ads.hollandsentinel.com' 'ads.hollywood.com' 'ads.hooqy.com' 'ads.hosting.vcmedia.vn' 'ads.hothardware.com' 'ad.showbizz.net' 'ads.hulu.com.edgesuite.net' 'ads.humorbua.no' 'ads.i12.de' 'ads.i33.com' 'ads.iboost.com' 'ads.icq.com' 'ads.id-t.com' 'ads.iforex.com' 'ads.ihaberadserver.com' 'ads.illuminatednation.com' 'ads.imdb.com' 'ads.imposibil.ro' 'adsim.sabah.com.tr' 'ads.indeed.com' 'ads.indya.com' 'ads.indystar.com' 'ads.inedomedia.com' 'ads.inetdirectories.com' 'ads.inetinteractive.com' 'ads.infi.net' 'ads.infospace.com' 'adsinimages.com' 'ads.injersey.com' 'ads.insidehighered.com' 'ads.intellicast.com' 'ads.internic.co.il' 'ads.inthesidebar.com' 'adsintl.starwave.com' 'ads.iol.co.il' 'ads.ireport.com' 'ads.isat-tech.com' 'ads.isum.de' 'ads.itv.com' 'ads.jeneauempire.com' 'ads.jetphotos.net' 'ads.jimworld.com' 'ads.jlisting.jp' 'ads.joetec.net' 'ads.jokaroo.com' 'ads.jornadavirtual.com.mx' 'ads.jossip.com' 'ads.jubii.dk' 'ads.jwtt3.com' 'ads.kazaa.com' 'ads.keywordblocks.com' 'ads.kixer.com' 'ads.kleinman.com' 'ads.kmpads.com' 'ads.kokteyl.com' 'ads.koreanfriendfinder.com' 'ads.ksl.com' 'ads.kure.tv' 'ads.leo.org' 'ads.lilengine.com' 'ads.link4ads.com' 'ads.linksponsor.com' 'ads.linktracking.net' 'ads.linuxsecurity.com' 'ads.list-universe.com' 'ads.live365.com' 'ads.ljworld.com' 'ads.lmmob.com' 'ads.lnkworld.com' 'ads.localnow.com' 'ads-local.sixapart.com' 'ads.lubbockonline.com' 'ads.lucidmedia.com.gslb.com' 'adslvfile.qq.com' 'adslvseed.qq.com' 'ads.lycos.com' 'ads.lycos-europe.com' 'ads.macnews.de' 'ads.macupdate.com' 'ads.madisonavenue.com' 'ads.madison.com' 'ads.magnetic.is' 'ads.mail.com' 'ads.maksimum.net' 'ads.mambocommunities.com' 'ads.mariuana.it' 'ad.smartclip.net' 'adsmart.com' 'adsmart.co.uk' 'adsmart.net' 'ads.mdchoice.com' 'ads.mediamayhemcorp.com' 'ads.mediaturf.net' 'ads.mefeedia.com' 'ads.megaproxy.com' 'ads.meropar.jp' 'ads.metblogs.com' 'ads.metropolis.co.jp' 'ads.mindsetnetwork.com' 'ads.miniclip.com' 'ads.mininova.org' 'ads.mircx.com' 'ads.mixi.jp' 'ads.mixtraffic.com' 'ads.mndaily.com' 'ad.smni.com' 'ads.mobiledia.com' 'ads.mobygames.com' 'ads.modbee.com' 'ads.monster.com' 'ads.morningstar.com' 'ads.mouseplanet.com' 'ads.mp3searchy.com' 'adsm.soush.com' 'ads.mt.valueclick.net' 'ads.multimania.lycos.fr' 'ads.musiccity.com' 'ads.mustangworks.com' 'ads.mycricket.com' 'ads.mysimon.com' 'ads.mytelus.com' 'ads.nandomedia.com' 'ads.nationalreview.com' 'ads.nativeinstruments.de' 'ads.neoseeker.com' 'ads.neowin.net' 'ads.nerve.com' 'ads.netbul.com' 'ads.nethaber.com' 'ads.netmechanic.com' 'ads.networkwcs.net' 'ads.networldmedia.net' 'ads.newcity.com' 'ads.newcitynet.com' 'adsnew.internethaber.com' 'ads.newsbtc.com' 'ads.newsminerextra.com' 'ads.newsobserver.com' 'ads.newsquest.co.uk' 'ads.newtimes.com' 'adsnew.userfriendly.org' 'ads.ngenuity.com' 'ads.nicovideo.jp' 'adsniper.ru' 'ads.novem.pl' 'ads.nowrunning.com' 'ads.npr.valueclick.net' 'ads.ntadvice.com' 'ads.nudecards.com' 'ads.nwsource.com.edgesuite.net' 'ads.nyjournalnews.com' 'ads.nyootv.com' 'ads.nypost.com' 'adsoftware.com' 'adsoldier.com' 'ads.ole.com' 'ads.omaha.com' 'adsomenoise.cdn01.rambla.be' 'adsonar.com' 'ads.onvertise.com' 'ads.open.pl' 'ads.orsm.net' 'ads.osdn.com' 'ad-souk.com' 'adspace.zaman.com.tr' 'ads.pandora.tv.net' 'ads.panoramtech.net' 'ads.paper.li' 'ads.parrysound.com' 'ads.partner2profit.com' 'ads.pastemagazine.com' 'ads.paxnet.co.kr' 'adsp.ciner.com.tr' 'ads.pcper.com' 'ads.pdxguide.com' 'ads.peel.com' 'ads.peninsulaclarion.com' 'ads.penny-arcade.com' 'ads.pennyweb.com' 'ads.people.com.cn' 'ads.persgroep.net' 'ads.peteava.ro' 'ads.pg.valueclick.net' 'adsp.haberturk.com' 'ads.phillyburbs.com' 'ads.phpclasses.org' 'ad.spielothek.so' 'ads.pilotonline.com' 'adspirit.net' 'adspiro.pl' 'ads.pitchforkmedia.com' 'ads.pittsburghlive.com' 'ads.pixiq.com' 'ads.place1.com' 'ads.planet-f1.com' 'ads.plantyours.com' 'ads.pni.com' 'ads.pno.net' 'ads.poconorecord.com' 'ads.pof.com' 'ad-sponsor.com' 'ad.sponsoreo.com' 'ads.portlandmercury.com' 'ads.premiumnetwork.com' 'ads.premiumnetwork.net' 'ads.pressdemo.com' 'adspr.haber7.net' 'ads.pricescan.com' 'ads.primaryclick.com' 'ads.primeinteractive.net' 'ads.profootballtalk.com' 'ads.pro-market.net.edgesuite.net' 'ads.pruc.org' 'adsqqclick.qq.com' 'ads.quicken.com' 'adsr3pg.com.br' 'ads.rackshack.net' 'ads.rasmussenreports.com' 'ads.ratemyprofessors.com' 'adsrc.bankrate.com' 'ads.rdstore.com' 'ads.realcastmedia.com' 'ads.realcities.com' 'ads.realmedia.de' 'ads.realtechnetwork.net' 'ads.reason.com' 'ads.redorbit.com' 'ads.reklamatik.com' 'ads.reklamlar.net' 'adsremote.scripps.com' 'adsremote.scrippsnetwork.com' 'ads.revenews.com' 'ads.revenue.net' 'adsrevenue.net' 'ads.rim.co.uk' 'ads-rm.looksmart.com' 'ads.roanoke.com' 'ads.rockstargames.com' 'ads.rodale.com' 'ads.roiserver.com' 'ads-rolandgarros.com' 'ads.rondomondo.com' 'ads.rootzoo.com' 'ads.rottentomatoes.com' 'ads-rouge.haber7.com' 'ads-roularta.adhese.com' 'ads.rp-online.de' 'adsrv2.wilmingtonstar.com' 'adsrv.bankrate.com' 'adsrv.emporis.com' 'adsrv.heraldtribune.com' 'adsrv.hpg.com.br' 'adsrv.lua.pl' 'ad-srv.net' 'adsrv.news.com.au' 'adsrvr.com' 'adsrvr.org' 'adsrv.tuscaloosanews.com' 'adsrv.wilmingtonstar.com' 'ads.sacbee.com' 'ads.satyamonline.com' 'ads.scabee.com' 'ads.schwabtrader.com' 'ads.scifi.com' 'ads.scott-sports.com' 'ads.scottusa.com' 'ads.seriouswheels.com' 'ads.sfusion.com' 'ads.shiftdelete.net' 'ads.shizmoo.com' 'ads.shoppingads.com' 'ads.shoutfile.com' 'ads.shovtvnet.com' 'ads.showtvnet.com' 'ads.sify.com' 'ads.simpli.fi' 'ads.simtel.com' 'ads.simtel.net' 'ads.sixapart.com' 'adssl01.adtech.de' 'adssl01.adtech.fr' 'adssl01.adtech.us' 'adssl02.adtech.de' 'adssl02.adtech.fr' 'adssl02.adtech.us' 'ads.sl.interpals.net' 'ads.smartclick.com' 'ads.smartclicks.com' 'ads.smartclicks.net' 'ads.snowball.com' 'ads.socialmedia.com' 'ads.socialtheater.com' 'ads.sohh.com' 'ads.somethingawful.com' 'ads.songs.pk' 'adsspace.net' 'ads.specificclick.com' 'ads.specificmedia.com' 'ads.specificpop.com' 'ads.spilgames.com' 'ads.spintrade.com' 'ads.sptimes.com' 'ads.spymac.net' 'ads.starbanner.com' 'ads-stats.com' 'ads.stileproject.com' 'ads.stoiximan.gr' 'ads.stupid.com' 'ads.sumotorrent.com' 'ads.sunjournal.com' 'ads.superonline.com' 'ads.switchboard.com' 'ads.tbs.com' 'ads.teamyehey.com' 'ads.technoratimedia.com' 'ads.techtv.com' 'ads.techvibes.com' 'ads.telegraaf.nl' 'adstextview.qq.com' 'ads.the15thinternet.com' 'ads.theawl.com' 'ads.thebugs.ws' 'ads.thecoolhunter.net' 'ads.thefrisky.com' 'ads.theglobeandmail.com' 'ads.theindependent.com' 'ads.theolympian.com' 'ads.thesmokinggun.com' 'ads.thestranger.com' 'ads.thewebfreaks.com' 'ads.tiscali.fr' 'ads.tmcs.net' 'ads.tnt.tv' 'adstogo.com' 'adstome.com' 'ads.top500.org' 'ads.top-banners.com' 'ads.toronto.com' 'ads.tracfonewireless.com' 'ads.trackitdown.net' 'ads.track.net' 'ads.traffikings.com' 'adstream.cardboardfish.com' 'adstreams.org' 'ads.treehugger.com' 'ads.tricityherald.com' 'ads.trinitymirror.co.uk' 'ads.tripod.lycos.co.uk' 'ads.tripod.lycos.de' 'ads.tripod.lycos.es' 'ads.tromaville.com' 'ads-t.ru' 'ads.trutv.com' 'ads.tucows.com' 'ads.turkticaret.net' 'ads.ucomics.com' 'ads.uigc.net' 'ads.ukclimbing.com' 'ads.unixathome.org' 'ads.update.com' 'ad.suprnova.org' 'ads.uproar.com' 'ads.urbandictionary.com' 'ads.us.e-planning.ne' 'ads.userfriendly.org' 'ads.v3.com' 'ads.v3exchange.com' 'ads.vaildaily.com' 'ads.veloxia.com' 'ads.veoh.com' 'ads.verkata.com' 'ads.vesperexchange.com' 'ads.vg.basefarm.net' 'ads.viddler.com' 'ads.videoadvertising.com' 'ads.viewlondon.co.uk' 'ads.virginislandsdailynews.com' 'ads.virtualcountries.com' 'ads.vnuemedia.com' 'ads.vs.co' 'ads.vs.com' 'ads.waframedia1.com' 'ads.wanadooregie.com' 'ads.waps.cn' 'ads.wapx.cn' 'ads.warcry.com' 'ads.watershed-publishing.com' 'ads.weather.com' 'ads.web21.com' 'ads.web.alwayson-network.com' 'ads.webattack.com' 'ads.web.compuserve.com' 'ads.webcoretech.com' 'ads.web.cs.com' 'ads.web.de' 'ads.webfeat.com' 'ads.webheat.com' 'ads.webindia123.com' 'ads.webisleri.com' 'ads-web.mail.com' 'ads.webmd.com' 'ads.webnet.advance.net' 'ads.websponsors.com' 'adsweb.tiscali.cz' 'ads.weissinc.com' 'ads.whi.co.nz' 'ads.winsite.com' 'ads.x10.com' 'ads.x10.net' 'ads.x17online.com' 'ads.xboxic.com' 'ads.xbox-scene.com' 'ads.xposed.com' 'ads.xtra.ca' 'ads.xtramsn.co.nz' 'ads.yahoo.com' 'ads.yieldmedia.net' 'ads.yimg.com.edgesuite.net' 'adsyndication.yelldirect.com' 'adsynergy.com' 'ads.youporn.com' 'ads.youtube.com' 'ads.zamunda.se' 'ads.zap2it.com' 'ads.zynga.com' 'adtag.msn.ca' 'adtaily.com' 'adtaily.pl' 'adtcp.ru' 'adtech.com' 'ad.technoramedia.com' 'adtech.panthercustomer.com' 'adtech.sabitreklam.com' 'adtechus.com' 'adtext.pl' 'ad.tgdaily.com' 'ad.thetyee.ca' 'ad.thisav.com' 'adthru.com' 'adtigerpl.adspirit.net' 'ad.tiscali.com' 'adtlgc.com' 'adtology3.com' 'ad.tomshardware.com' 'adtotal.pl' 'adtracking.vinden.nl' 'adtrader.com' 'ad.trafficmp.com' 'ad.traffmonster.info' 'adtrak.net' 'ad.twitchguru.com' 'ad.ubnm.co.kr' 'ad-u.com' 'ad.uk.tangozebra.com' 'ad-uk.tiscali.com' 'adultadworld.com' 'ad.userporn.com' 'adv0005.247realmedia.com' 'adv0035.247realmedia.com' 'adv.440net.com' 'adv.adgates.com' 'adv.adview.pl' 'ad.valuecalling.com' 'advancing-technology.com' 'adv.bannercity.ru' 'adv.bbanner.it' 'adv.bookclubservices.ca' 'adveng.hiasys.com' 'adveraction.pl' 'adver.pengyou.com' 'advert.bayarea.com' 'adverterenbijnh.nl' 'adverterenbijsbs.nl' 'adverteren.vakmedianet.nl' 'advertere.zamunda.net' 'advert.gittigidiyor.com' 'advertise.com' 'advertisers.federatedmedia.net' 'advertising.aol.com' 'advertisingbay.com' 'advertising.bbcworldwide.com' 'advertising.gfxartist.com' 'advertising.hiasys.com' 'advertising.online-media24.de' 'advertising.paltalk.com' 'advertising.wellpack.fr' 'advertising.zenit.org' 'advert.istanbul.net' 'advertlets.com' 'advertpro.investorvillage.com' 'adverts.digitalspy.co.uk' 'adverts.ecn.co.uk' 'adverts.freeloader.com' 'adverts.im4ges.com' 'advertstream.com' 'advert.uzmantv.com' 'adv.federalpost.ru' 'advice-ads-cdn.vice.com' 'ad-vice.biz' 'advicepl.adocean.pl' 'ad.vidaroo.com' 'adview.pl' 'ad.vippers.jp' 'adviva.net' 'adv.lampsplus.com' 'advmaker.ru' 'adv.merlin.co.il' 'adv.netshelter.net' 'ad-void.com' 'adv-op2.joygames.me' 'advplace.com' 'advplace.nuggad.net' 'adv.publy.net' 'advstat.xunlei.com' 'adv.strategy.it' 'adv.surinter.net' 'advt.webindia123.com' 'ad.vurts.com' 'adv.virgilio.it' 'adv.zapal.ru' 'advzilla.com' 'adware.kogaryu.com' 'ad.watch.impress.co.jp' 'ad.webisleri.com' 'ad.webprovider.com' 'ad.wiredvision.jp' 'adw.sapo.pt' 'adx.adrenalinesk.sk' 'adx.gainesvillesun.com' 'adx.gainesvillsun.com' 'adx.groupstate.com' 'adx.heraldtribune.com' 'adxpose.com' 'ad.xtendmedia.com' 'ad.yemeksepeti.com' 'ad.yieldmanager.com' 'adz.afterdawn.net' 'ad.zaman.com' 'ad.zaman.com.tr' 'adzerk.net' 'ad.zodera.hu' 'adzone.ro' 'adzservice.theday.com' 'ae-gb.mgid.com' 'ae.goodsblock.marketgid.com' 'aff1.gittigidiyor.com' 'aff2.gittigidiyor.com' 'aff3.gittigidiyor.com' 'aff4.gittigidiyor.com' 'aff.foxtab.com' 'aff.gittigidiyor.com' 'affiliate.a4dtracker.com' 'affiliate.baazee.com' 'affiliate.cfdebt.com' 'affiliate.exabytes.com.my' 'affiliate-fr.com' 'affiliate.fr.espotting.com' 'affiliate.googleusercontent.com' 'affiliate.hbytracker.com' 'affiliate.kitapyurdu.com' 'affiliate.mlntracker.com' 'affiliates.arvixe.com' 'affiliates.eblastengine.com' 'affiliates.genealogybank.com' 'affiliates.globat.com' 'affiliation-france.com' 'affimg.pop6.com' 'afform.co.uk' 'affpartners.com' 'aff.promodeals.nl' 'afftracking.justanswer.com' 'afi.adocean.pl' 'afilo.pl' 'afkarehroshan.com' 'afp.qiyi.com' 'afunnygames.com' 'agkn.com' 'aimg.haber3.com' 'ajcclassifieds.com' 'akaads-espn.starwave.com' 'akamai.invitemedia.com' 'a.karmatrail.club' 'ak.buyservices.com' 'a.kerg.net' 'ak.maxserving.com' 'ako.cc' 'ak.p.openx.net' 'aksdk-images.adikteev.com' 'aktif.haberx.com' 'al1.sharethis.com' 'alert.police-patrol-agent.com' 'a.ligatus.de' 'alliance.adbureau.net' 'altfarm.mediaplex.com' 'amazinggreentechshop.com' 'americansingles.click-url.com' 'a.mktw.net' 'amplifypixel.outbrain.com' 'amscdn.btrll.com' 'analysis.fc2.com' 'analytics.ku6.com' 'analytics.kwebsoft.com' 'analytics.onesearch.id' 'analytics.percentmobile.com' 'analytics.services.kirra.nl' 'analytics.spotta.nl' 'analytics.verizonenterprise.com' 'analyzer51.fc2.com' 'andpolice.com' 'ankieta-online.pl' 'annuaire-autosurf.com' 'anonymousstats.keefox.org' 'anrtx.tacoda.net' 'aos.gw.youmi.net' 'api.adcalls.nl' 'api.addthis.com' 'api.admob.com' 'api.affinesystems.com' 'api.linkgist.com' 'api.linkz.net' 'api.optnmnstr.com' 'api-public.addthis.com' 'api.sagent.io' 'api.shoppingminds.net' 'apopt.hbmediapro.com' 'apparelncs.com' 'apparel-offer.com' 'app.datafastguru.info' 'appdev.addthis.com' 'appnexus.com' 'apps5.oingo.com' 'appsrv1.madserving.cn' 'a.prisacom.com' 'apx.moatads.com' 'arabtechmessenger.net' 'a.rad.live.com' 'arbomedia.pl' 'arbopl.bbelements.com' 'arm2pie.com' 'art-music-rewardpath.com' 'art-offer.com' 'art-offer.net' 'art-photo-music-premiumblvd.com' 'art-photo-music-rewardempire.com' 'art-photo-music-savingblvd.com' 'as1.falkag.de' 'as1image1.adshuffle.com' 'as1image2.adshuffle.com' 'as1.inoventiv.com' 'as2.falkag.de' 'as3.falkag.de' 'as4.falkag.de' 'as.5to1.com' 'asa.tynt.com' 'asb.tynt.com' 'asg01.casalemedia.com' 'asg02.casalemedia.com' 'asg03.casalemedia.com' 'asg04.casalemedia.com' 'asg05.casalemedia.com' 'asg06.casalemedia.com' 'asg07.casalemedia.com' 'asg08.casalemedia.com' 'asg09.casalemedia.com' 'asg10.casalemedia.com' 'asg11.casalemedia.com' 'asg12.casalemedia.com' 'asg13.casalemedia.com' 'ashow.pcpop.com' 'ask-gps.ru' 'asklots.com' 'askmen.thruport.com' 'asm2.z1.adserver.com' 'asm3.z1.adserver.com' 'asn.advolution.de' 'asn.cunda.advolution.biz' 'a.ss34.on9mail.com' 'assets.igapi.com' 'assets.percentmobile.com' 'as.vs4entertainment.com' 'a.tadd.react2media.com' 'at-adserver.alltop.com' 'at.campaigns.f2.com.au' 'at.ceofreehost.com' 'atdmt.com' 'athena-ads.wikia.com' 'at-img1.tdimg.com' 'at-img2.tdimg.com' 'at-img3.tdimg.com' 'at.m1.nedstatbasic.net' 'atm.youku.com' 'a.total-media.net' 'a.twiago.com' 'au.ads.link4ads.com' 'aud.pubmatic.com' 'aureate.com' 'auslieferung.commindo-media-ressourcen.de' 'auspolice.com' 'aussiemethod.com' 'aussieroadtosuccess.com' 'automotive-offer.com' 'automotive-rewardpath.com' 'avcounter10.com' 'avidnewssource.com' 'avpa.dzone.com' 'avpa.javalobby.org' 'awesomevipoffers.com' 'awrz.net' 'axbetb2.com' 'aynachatsrv.com' 'azcentra.app.ur.gcion.com' 'azoogleads.com' 'b1.adbrite.com' 'b1.azjmp.com' 'b2b.filecloud.me' 'babycenter.tt.omtrdc.net' 'b.admob.com' 'b.ads2.msn.com' 'badservant.guj.de' 'badults.se' 'baidutv.baidu.com' 'b.am15.net' 'bananacashback.com' 'banery.acr.pl' 'banery.netart.pl' 'banery.onet.pl' 'banki.onet.pl' 'bankofamerica.tt.omtrdc.net' 'banlv.baidu.com' 'banman.nepsecure.co.uk' 'banner.1and1.co.uk' 'banner2.inet-traffic.com' 'banner2.isobarturkiye.net' 'bannerads.anytimenews.com' 'bannerads.de' 'bannerads.zwire.com' 'banner.affactive.com' 'banner.betroyalaffiliates.com' 'banner.betwwts.com' 'bannerconnect.net' 'banner.diamondclubcasino.com' 'bannerdriven.ru' 'banner.easyspace.com' 'banner.free6.com' 'bannerhost.egamingonline.com' 'banner.joylandcasino.com' 'banner.media-system.de' 'banner.monacogoldcasino.com' 'banner.newyorkcasino.com' 'banner.northsky.com' 'banner.orb.net' 'banner.piratos.de' 'banner.playgatecasino.com' 'bannerpower.com' 'banner.prestigecasino.com' 'banner.publisher.to' 'banner.rbc.ru' 'banners1.linkbuddies.com' 'banners2.castles.org' 'banners3.spacash.com' 'banners.blogads.com' 'banners.bol.se' 'banners.broadwayworld.com' 'banners.celebritybling.com' 'banners.crisscross.com' 'banners.dnastudio.com' 'banners.easysolutions.be' 'banners.ebay.com' 'banners.expressindia.com' 'banners.flair.be' 'banners.free6.com' 'banners.fuifbeest.be' 'banners.globovision.com' 'banners.img.uol.com.br' 'banners.ims.nl' 'banners.iop.org' 'banners.ipotd.com' 'banners.japantoday.com' 'banners.kfmb.com' 'banners.ksl.com' 'banners.looksmart.com' 'banners.nbcupromotes.com' 'banners.netcraft.com' 'banners.newsru.com' 'banners.nextcard.com' 'banners.pennyweb.com' 'banners.primaryclick.com' 'banners.rspworldwide.com' 'banners.spiceworks.com' 'banners.thegridwebmaster.com' 'banners.thestranger.com' 'banners.thgimages.co.uk' 'banners.tribute.ca' 'banners.tucson.com' 'banners.unibet.com' 'bannersurvey.biz' 'banners.wunderground.com' 'banner.tattomedia.com' 'bannert.ru' 'bannerus1.axelsfun.com' 'bannerus3.axelsfun.com' 'banner.usacasino.com' 'banniere.reussissonsensemble.fr' 'banstex.com' 'bansys.onzin.com' 'bar.baidu.com' 'bargainbeautybuys.com' 'barnesandnoble.bfast.com' 'b.as-us.falkag.net' 'bayoubuzz.advertserve.com' 'bazandegan.com' 'bbcdn.delivery.reklamz.com' 'bbcdn.go.adlt.bbelements.com' 'bbcdn.go.adnet.bbelements.com' 'bbcdn.go.arbo.bbelements.com' 'bbcdn.go.eu.bbelements.com' 'bbcdn.go.ihned.bbelements.com' 'bbelements.com' 'bbnaut.bbelements.com' 'bc685d37-266c-488e-824e-dd95d1c0e98b.statcamp.net' 'bdnad1.bangornews.com' 'beacons.helium.com' 'beacon-us-west.rubiconproject.com' 'be.ads.justpremium.com' 'bell.adcentriconline.com' 'benimreklam.com' 'beseenad.looksmart.com' 'bestgift4you.cn' 'bestorican.com' 'bestshopperrewards.com' 'beta.hotkeys.com' 'bet-at-home.com' 'betterperformance.goldenopps.info' 'bfast.com' 'bhclicks.com' 'bidsystem.com' 'bidtraffic.com' 'bidvertiser.com' 'bigads.guj.de' 'bigbrandpromotions.com' 'bigbrandrewards.com' 'biggestgiftrewards.com' 'bill.agent.56.com' 'bill.agent.v-56.com' 'billing.speedboink.com' 'bitburg.adtech.de' 'bitburg.adtech.fr' 'bitburg.adtech.us' 'bitcast-d.bitgravity.com' 'biz5.sandai.net' 'biz-offer.com' 'bizographics.com' 'bizopprewards.com' 'blabla4u.adserver.co.il' 'blasphemysfhs.info' 'blatant8jh.info' 'b.liquidustv.com' 'blog.addthis.com' 'blogads.com' 'blogads.ebanner.nl' 'blogvertising.pl' 'bluediamondoffers.com' 'bl.wavecdn.de' 'bm.alimama.cn' 'bmvip.alimama.cn' 'b.myspace.com' 'bn.bfast.com' 'bnmgr.adinjector.net' 'bnrs.ilm.ee' 'boksy.dir.onet.pl' 'boksy.onet.pl' 'bookclub-offer.com' 'books-media-edu-premiumblvd.com' 'books-media-edu-rewardempire.com' 'books-media-rewardpath.com' 'bostonsubwayoffer.com' 'b.rad.live.com' 'brandrewardcentral.com' 'brandsurveypanel.com' 'brapolice.com' 'bravo.israelinfo.ru' 'bravospots.com' 'brittlefilet.com' 'broadcast.piximedia.fr' 'broadent.vo.llnwd.net' 'brokertraffic.com' 'bsads.looksmart.com' 'bs.israelinfo.ru' 'bt.linkpulse.com' 'bumerangshowsites.hurriyet.com.tr' 'burns.adtech.de' 'burns.adtech.fr' 'burns.adtech.us' 'businessdealsblog.com' 'businessdirectnessource.com' 'businessedgeadvance.com' 'business-made-fun.com' 'business-rewardpath.com' 'bus-offer.com' 'buttcandy.com' 'buttons.googlesyndication.com' 'buzzbox.buzzfeed.com' 'bwp.lastfm.com.com' 'bwp.news.com' 'c1.teaser-goods.ru' 'c2.l.qq.com' 'c4.maxserving.com' 'cache.addthiscdn.com' 'cache.addthis.com' 'cache.adm.cnzz.net' 'cache-dev.addthis.com' 'cacheserve.eurogrand.com' 'cacheserve.prestigecasino.com' 'cache.unicast.com' 'c.actiondesk.com' 'c.adroll.com' 'califia.imaginemedia.com' 'c.am10.ru' 'camgeil.com' 'campaign.iitech.dk' 'campaign.indieclick.com' 'campaigns.interclick.com' 'canadaalltax.com' 'canuckmethod.com' 'capath.com' 'cardgamespidersolitaire.com' 'cards.virtuagirlhd.com' 'careers.canwestad.net' 'careers-rewardpath.com' 'c.ar.msn.com' 'carrier.bz' 'car-truck-boat-bonuspath.com' 'car-truck-boat-premiumblvd.com' 'cashback.co.uk' 'cashbackwow.co.uk' 'cashflowmarketing.com' 'casino770.com' 'caslemedia.com' 'casting.openv.com' 'c.as-us.falkag.net' 'catalinkcashback.com' 'catchvid.info' 'c.at.msn.com' 'c.baidu.com' 'cb.alimama.cn' 'cb.baidu.com' 'c.be.msn.com' 'c.blogads.com' 'c.br.msn.com' 'c.ca.msn.com' 'ccas.clearchannel.com' 'cc-dt.com' 'c.cl.msn.com' 'cctv.adsunion.com' 'c.de.msn.com' 'c.dk.msn.com' 'cdn1.adexprt.com' 'cdn1.ads.contentabc.com' 'cdn1.ads.mofos.com' 'cdn1.rmgserving.com' 'cdn1.xlightmedia.com' 'cdn2.amateurmatch.com' 'cdn2.emediate.eu' 'cdn3.adexprts.com' 'cdn3.telemetryverification.net' 'cdn454.telemetryverification.net' 'cdn.8digits.com' 'cdn.adigniter.org' 'cdn.adikteev.com' 'cdn.adservingsolutionsinc.com' 'cdn.amateurmatch.com' 'cdn.assets.craveonline.com' 'cdn.augur.io' 'cdn.crowdignite.com' 'cdn.eyewonder.com' 'cdn.freefaits.com' 'cdn.go.arbo.bbelements.com' 'cdn.go.arbopl.bbelements.com' 'cdn.go.cz.bbelements.com' 'cdn.go.idmnet.bbelements.com' 'cdn.go.pol.bbelements.com' 'cdn.hadj7.adjuggler.net' 'cdn.innovid.com' 'cdn.mediative.ca' 'cdn.merchenta.com' 'cdn.mobicow.com' 'cdn.onescreen.net' 'cdn.sagent.io' 'cdn.shoppingminds.net' 'cdns.mydirtyhobby.com' 'cdns.privatamateure.com' 'cdn.stat.easydate.biz' 'cdn.stickyadstv.com' 'cdn.syn.verticalacuity.com' 'cdn.tabnak.ir' 'cdnt.yottos.com' 'cdn.usabilitytracker.com' 'cdn.wg.uproxx.com' 'cdnw.ringtonepartner.com' 'cdn.yieldmedia.net' 'cdn.yottos.com' 'cds.adecn.com' 'c.eblastengine.com' 'ced.sascdn.com' 'cell-phone-giveaways.com' 'cellphoneincentives.com' 'cent.adbureau.net' 'c.es.msn.com' 'cfg.adsmogo.com' 'cfg.datafastguru.info' 'c.fi.msn.com' 'cf.kampyle.com' 'c.fr.msn.com' 'cgirm.greatfallstribune.com' 'cgm.adbureau.ne' 'cgm.adbureau.net' 'c.gr.msn.com' 'chainsawoffer.com' 'charging-technology.com' 'charmedno1.com' 'chartbeat.com' 'checkintocash.data.7bpeople.com' 'cherryhi.app.ur.gcion.com' 'chip.popmarker.com' 'c.hk.msn.com' 'chkpt.zdnet.com' 'choicedealz.com' 'choicesurveypanel.com' 'christianbusinessadvertising.com' 'c.id.msn.com' 'c.ie.msn.com' 'cigape.net' 'c.il.msn.com' 'c.imedia.cz' 'c.in.msn.com' 'cithingy.info' 'c.it.msn.com' 'citrix.market2lead.com' 'cityads.telus.net' 'citycash2.blogspot.com' 'cjhq.baidu.com' 'c.jp.msn.com' 'cl21.v4.adaction.se' 'cl320.v4.adaction.se' 'claimfreerewards.com' 'clashmediausa.com' 'classicjack.com' 'c.latam.msn.com' 'click1.mainadv.com' 'click1.rbc.magna.ru' 'click2.rbc.magna.ru' 'click3.rbc.magna.ru' 'click4.rbc.magna.ru' 'clickad.eo.pl' 'click.am1.adm.cnzz.net' 'clickarrows.com' 'click.avenuea.com' 'clickbangpop.com' 'click-find-save.com' 'click.go2net.com' 'click.israelinfo.ru' 'clickit.go2net.com' 'clickmedia.ro' 'click.pulse360.com' 'clicks2.virtuagirl.com' 'clicks.adultplex.com' 'clicks.deskbabes.com' 'click-see-save.com' 'clicks.hurriyet.com.tr' 'clicksotrk.com' 'clicks.roularta.adhese.com' 'clicks.totemcash.com' 'clicks.toteme.com' 'clicks.virtuagirl.com' 'clicks.virtuagirlhd.com' 'clicks.virtuaguyhd.com' 'clicks.walla.co.il' 'clickthrunet.net' 'clickthruserver.com' 'clickthrutraffic.com' 'clicktorrent.info' 'clien.info' 'clipserv.adclip.com' 'clk.addmt.com' 'clk.atdmt.com' 'clk.cloudyisland.com' 'c.lomadee.com' 'closeoutproductsreview.com' 'cloudcrown.com' 'c.l.qq.com' 'cm1359.com' 'cmads.us.publicus.com' 'cmap.am.ace.advertising.com' 'cmap.an.ace.advertising.com' 'cmap.at.ace.advertising.com' 'cmap.dc.ace.advertising.com' 'cmap.ox.ace.advertising.com' 'cmap.pub.ace.advertising.com' 'cmap.rm.ace.advertising.com' 'cmap.rub.ace.advertising.com' 'c.mgid.com' 'cmhtml.overture.com' 'cmn1lsm2.beliefnet.com' 'cm.npc-hearst.overture.com' 'cmps.mt50ad.com' 'cmrpolice.com' 'cm.the-n.overture.com' 'cmweb.ilike.alibaba.com' 'c.my.msn.com' 'cnad1.economicoutlook.net' 'cnad2.economicoutlook.net' 'cnad3.economicoutlook.net' 'cnad4.economicoutlook.net' 'cnad5.economicoutlook.net' 'cnad6.economicoutlook.net' 'cnad7.economicoutlook.net' 'cnad8.economicoutlook.net' 'cnad9.economicoutlook.net' 'cn.ad.adon.vpon.com' 'cnad.economicoutlook.net' 'cnf.adshuffle.com' 'cn.img.adon.vpon.com' 'c.nl.msn.com' 'c.novostimira.biz' 'cnt1.xhamster.com' 'cnt.trafficstars.com' 'coffeehausblog.com' 'coinurl.com' 'comadverts.bcmpweb.co.nz' 'com.cool-premiums-now.com' 'come-see-it-all.com' 'com.htmlwww.youfck.com' 'commerce-offer.com' 'commerce-rewardpath.com' 'commerce.www.ibm.com' 'common.ziffdavisinternet.com' 'companion.adap.tv' 'compolice.com' 'compolice.net' 'computer-offer.com' 'computer-offer.net' 'computers-electronics-rewardpath.com' 'computersncs.com' 'computertechanalysis.com' 'com.shc-rebates.com' 'config.getmyip.com' 'config.sensic.net' 'connect.247media.ads.link4ads.com' 'consumergiftcenter.com' 'consumerincentivenetwork.com' 'consumerinfo.tt.omtrdc.net' 'consumer-org.com' 'contaxe.com' 'content.ad-flow.com' 'content.clipster.ws' 'content.codelnet.com' 'content.promoisland.net' 'contentsearch.de.espotting.com' 'context3.kanoodle.com' 'context5.kanoodle.com' 'contextad.pl' 'context.adshadow.net' 'contextweb.com' 'conv.adengage.com' 'conversantmedia.com' 'cookiecontainer.blox.pl' 'cookie.pebblemedia.be' 'cookingtiprewards.com' 'cookonsea.com' 'cool-premiums.com' 'cool-premiums-now.com' 'coolpremiumsnow.com' 'coolsavings.com' 'corba.adtech.de' 'corba.adtech.fr' 'corba.adtech.us' 'core0.node12.top.mail.ru' 'core2.adtlgc.com' 'core.adprotected.com' 'coreg.flashtrack.net' 'coreglead.co.uk' 'cornflakes.pathfinder.com' 'corusads.dserv.ca' 'cosmeticscentre.uk.com' 'count6.51yes.com' 'count.casino-trade.com' 'cover.m2y.siemens.ch' 'c.ph.msn.com' 'cpm2.admob.com' 'cpm.admob.com' 'cpmadvisors.com' 'cp.promoisland.net' 'cpro.baidu.com' 'c.prodigy.msn.com' 'c.pt.msn.com' 'cpu.firingsquad.com' 'creatiby1.unicast.com' 'creative.ad121m.com' 'creative.ad131m.com' 'creative.adshuffle.com' 'creatives.rgadvert.com' 'creatrixads.com' 'crediblegfj.info' 'creditsoffer.blogspot.com' 'creview.adbureau.net' 'cribdare2no.com' 'crisptic01.net' 'crosspixel.demdex.net' 'crowdgravity.com' 'crowdignite.com' 'c.ru.msn.com' 'crux.songline.com' 'crwdcntrl.net' 'c.se.msn.com' 'cserver.mii.instacontent.net' 'c.sg.msn.com' 'cs.prd.msys.playstation.net' 'csr.onet.pl' 'ctbdev.net' 'c.th.msn.com' 'ctnsnet.com' 'c.tr.msn.com' 'c.tw.msn.com' 'ctxtad.tribalfusion.com' 'c.uk.msn.com' 'customerscreensavers.com' 'cxoadfarm.dyndns.info' 'cxtad.specificmedia.com' 'cyber-incentives.com' 'cyppolice.com' 'c.za.msn.com' 'cz.bbelements.com' 'd.101m3.com' 'd10.zedo.com' 'd11.zedo.com' 'd12.zedo.com' 'd14.zedo.com' 'd1.openx.org' 'd1qqddufal4d58.cloudfront.net' 'd1ros97qkrwjf5.cloudfront.net' 'd1.zedo.com' 'd4.zedo.com' 'd5phz18u4wuww.cloudfront.net' 'd5.zedo.com' 'd6.c5.b0.a2.top.mail.ru' 'd6.zedo.com' 'd9.zedo.com' 'da.2000888.com' 'd.admob.com' 'd.adnetxchange.com' 'd.adserve.com' 'dads.new.digg.com' 'd.ads.readwriteweb.com' 'daily-saver.com' 'damamaty.tk' 'damavandkuh.com' 'darakht.com' 'darmowe-liczniki.info' 'dashboard.adcalls.nl' 'dashboardnew.adcalls.nl' 'data0.bell.ca' 'datingadvertising.com' 'dawnnationaladvertiser.com' 'dbbsrv.com' 'dcads.sina.com.cn' 'd.cntv.cn' 'dc.sabela.com.pl' 'dctracking.com' 'dead-pixel.tweakblogs.net' 'de.ads.justpremium.com' 'del1.phillyburbs.com' 'delb.mspaceads.com' 'delivery.adyea.com' 'delivery.reklamz.com' 'demr.mspaceads.com' 'demr.opt.fimserve.com' 'depo.realist.gen.tr' 'derkeiler.com' 'desb.mspaceads.com' 'descargas2.tuvideogratis.com' 'designbloxlive.com' 'desk.mspaceads.com' 'desk.opt.fimserve.com' 'dev.adforum.com' 'devart.adbureau.net' 'devlp1.linkpulse.com' 'dev.sfbg.com' 'dgm2.com' 'dgmaustralia.com' 'dietoftoday.ca.pn' 'diff1.smartadserver.com' 'diff5.smartadserver.com' 'dinoadserver1.roka.net' 'dinoadserver2.roka.net' 'directpowerrewards.com' 'directrev.cloudapp.net' 'dirtyrhino.com' 'discount-savings-more.com' 'discoverdemo.com' 'discoverecommerce.tt.omtrdc.net' 'display.gestionpub.com' 'dist.belnk.com' 'divx.adbureau.net' 'djbanners.deadjournal.com' 'djugoogs.com' 'dl.ncbuy.com' 'dl-plugin.com' 'dlvr.readserver.net' 'dnps.com' 'dnse.linkpulse.com' 'dock.inmobi.com' 'dosugcz.biz' 'dowelsobject.com' 'downloadcdn.com' 'do-wn-lo-ad.com' 'downloadmpplayer.com' 'downloads.larivieracasino.com' 'downloads.mytvandmovies.com' 'download.yesmessenger.com' 'dqs001.adtech.de' 'dqs001.adtech.fr' 'dqs001.adtech.us' 'dra.amazon-adsystem.com' 'drmcmm.baidu.com' 'drowle.com' 'dr.soso.com' 'd.serve-sys.com' 'ds.onet.pl' 'd.sspcash.adxcore.com' 'dt.linkpulse.com' 'dtm.advertising.com' 'dub.mobileads.msn.com' 'd.wiyun.com' 'dy.admerize.be' 'dzl.baidu.com' 'e1.addthis.com' 'e2.cdn.qnsr.com' 'e.admob.com' 'eads-adserving.com' 'ead.sharethis.com' 'earnmygift.com' 'earnpointsandgifts.com' 'e.as-eu.falkag.net' 'easyadvertonline.com' 'easyweb.tdcanadatrust.secureserver.host1.customer-identification-process.b88600d8.com' 'eatps.web.aol.com' 'eb.adbureau.net' 'e.baidu.com' 'ebayadvertising.com' 'ebayadvertising.triadretail.net' 'ebiads.ebiuniverse.com' 'eblastengine.upickem.net' 'ecomadserver.com' 'ecs1.engageya.com' 'eddamedia.linkpulse.com' 'edge.bnmla.com' 'edirect.hotkeys.com' 'education-rewardpath.com' 'edu-offer.com' 'egypolice.com' 'egypolice.net' 'eiv.baidu.com' 'electronics-bonuspath.com' 'electronics-offer.net' 'electronicspresent.com' 'electronics-rewardpath.com' 'e-ltvp.inmobi.com' 'emailadvantagegroup.com' 'emailproductreview.com' 'emapadserver.com' 'emea-bidder.mathtag.com' 'emisja.adsearch.pl' 'engage.everyone.net' 'engager.tmg.nl' 'engage.speedera.net' 'engine.adland.ru' 'engine.espace.netavenir.com' 'engine.influads.com' 'engine.rorer.ru' 'enirocode.adtlgc.com' 'enirodk.adtlgc.com' 'enn.advertserve.com' 'enquete-annuelle.info' 'entertainment-rewardpath.com' 'entertainment-specials.com' 'erie.smartage.com' 'ero-advertising.com' 'escape.insites.eu' 'espn.footprint.net' 'etad.telegraph.co.uk' 'etahub.com' 'eternal.reklamlab.com' 'ethpolice.com' 'etrk.asus.com' 'etype.adbureau.net' 'euniverseads.com' 'europe.adserver.yahoo.com' 'eu.xtms.net' 'eventtracker.videostrip.com' 'exclusivegiftcards.com' 'exits1.webquest.net' 'exits2.webquest.net' 'exity.info' 'exponential.com' 'eyewonder.com' 'ezboard.bigbangmedia.com' 'f1.p0y.com' 'f2.p0y.com' 'f3.p0y.com' 'f4.p0y.com' 'f.admob.com' 'falkag.net' 'family-offer.com' 'f.as-eu.falkag.net' 'fatcatrewards.com' 'fbcdn-creative-a.akamaihd.net' 'fbfreegifts.com' 'fbi.gov.id402037057-8235504608.d9680.com' 'fcg.casino770.com' 'fdimages.fairfax.com.au' 'feedads.googleadservices.com' 'fei.pro-market.net' 'fe.lea.lycos.es' 'fengfengtie.com.cn' 'fengfengtiecrv.com.cn' 'fengfengtiessp.com.cn' 'fhm.valueclick.net' 'fif49.info' 'file.ipinyou.com.cn' 'files.adbrite.com' 'fin.adbureau.net' 'finance-offer.com' 'finanzmeldungen.com' 'finder.cox.net' 'fixbonus.com' 'fliteilex.com' 'float.2693.bm-impbus.prod.ams1.adnexus.net' 'floatingads.madisonavenue.com' 'floridat.app.ur.gcion.com' 'flower.bg' 'flowers-offer.com' 'fls-na.amazon.com' 'flu23.com' 'fmads.osdn.com' 'fnlpic.com' 'focusbaiduafp.allyes.com' 'focusin.ads.targetnet.com' 'fodder.qq.com' 'fodder.tc.qq.com' 'following-technology.com' 'folloyu.com' 'food-drink-bonuspath.com' 'food-drink-rewardpath.com' 'foodmixeroffer.com' 'food-offer.com' 'foreignpolicy.advertserve.com' 'forgotten-deals.com' 'foroushi.net' 'fp.uclo.net' 'fp.valueclick.com' 'f.qstatic.com' 'freebiegb.co.uk' 'freecameraonus.com' 'freecameraprovider.com' 'freecamerasource.com' 'freecamerauk.co.uk' 'freecamsexposed.com' 'freecoolgift.com' 'freedesignerhandbagreviews.com' 'freedinnersource.com' 'freedvddept.com' 'freeelectronicscenter.com' 'freeelectronicsdepot.com' 'freeelectronicsonus.com' 'freeelectronicssource.com' 'freeentertainmentsource.com' 'freefoodprovider.com' 'freefoodsource.com' 'freefuelcard.com' 'freefuelcoupon.com' 'freegasonus.com' 'freegasprovider.com' 'free-gift-cards-now.com' 'freegiftcardsource.com' 'freegiftreward.com' 'free-gifts-comp.com' 'free.hotsocialz.com' 'freeipodnanouk.co.uk' 'freeipoduk.com' 'freeipoduk.co.uk' 'freelaptopgift.com' 'freelaptopnation.com' 'free-laptop-reward.com' 'freelaptopreward.com' 'freelaptopwebsites.com' 'freenation.com' 'freeoffers-toys.com' 'freepayasyougotopupuk.co.uk' 'freeplasmanation.com' 'freerestaurantprovider.com' 'freerestaurantsource.com' 'free-rewards.com-s.tv' 'freeshoppingprovider.com' 'freeshoppingsource.com' 'freevideodownloadforpc.com' 'frontend-loadbalancer.meteorsolutions.com' 'functional-business.com' 'fvid.atm.youku.com' 'fwdservice.com' 'fw.qq.com' 'g1.idg.pl' 'g3t4d5.madison.com' 'g4p.grt02.com' 'gadgeteer.pdamart.com' 'g.admob.com' 'g.adnxs.com' 'gameconsolerewards.com' 'games-toys-bonuspath.com' 'games-toys-free.com' 'games-toys-rewardpath.com' 'gar-tech.com' 'gate.hyperpaysys.com' 'gavzad.keenspot.com' 'gazetteextra.advertserve.com' 'gbp.ebayadvertising.triadretail.net' 'gcads.osdn.com' 'gcdn.2mdn.net' 'gc.gcl.ru' 'gcir.gannett-tv.com' 'gcirm2.indystar.com' 'gcirm.argusleader.com' 'gcirm.argusleader.gcion.com' 'gcirm.battlecreekenquirer.com' 'gcirm.burlingtonfreepress.com' 'gcirm.centralohio.com' 'gcirm.centralohio.gcion.com' 'gcirm.cincinnati.com' 'gcirm.citizen-times.com' 'gcirm.clarionledger.com' 'gcirm.coloradoan.com' 'gcirm.courier-journal.com' 'gcirm.courierpostonline.com' 'gcirm.customcoupon.com' 'gcirm.dailyrecord.com' 'gcirm.delawareonline.com' 'gcirm.democratandchronicle.com' 'gcirm.desmoinesregister.com' 'gcirm.detnews.com' 'gcirm.dmp.gcion.com' 'gcirm.dmregister.com' 'gcirm.dnj.com' 'gcirm.flatoday.com' 'gcirm.gannettnetwork.com' 'gcirm.gannett-tv.com' 'gcirm.greatfallstribune.com' 'gcirm.greenvilleonline.com' 'gcirm.greenvilleonline.gcion.com' 'gcirm.honoluluadvertiser.gcion.com' 'gcirm.idahostatesman.com' 'gcirm.idehostatesman.com' 'gcirm.indystar.com' 'gcirm.injersey.com' 'gcirm.jacksonsun.com' 'gcirm.laregionalonline.com' 'gcirm.lsj.com' 'gcirm.montgomeryadvertiser.com' 'gcirm.muskogeephoenix.com' 'gcirm.newsleader.com' 'gcirm.news-press.com' 'gcirm.ozarksnow.com' 'gcirm.pensacolanewsjournal.com' 'gcirm.press-citizen.com' 'gcirm.pressconnects.com' 'gcirm.rgj.com' 'gcirm.sctimes.com' 'gcirm.stargazette.com' 'gcirm.statesmanjournal.com' 'gcirm.tallahassee.com' 'gcirm.tennessean.com' 'gcirm.thedailyjournal.com' 'gcirm.thedesertsun.com' 'gcirm.theithacajournal.com' 'gcirm.thejournalnews.com' 'gcirm.theolympian.com' 'gcirm.thespectrum.com' 'gcirm.tucson.com' 'gcirm.wisinfo.com' 'gde.adocean.pl' 'gdeee.hit.gemius.pl' 'gdelt.hit.gemius.pl' 'gdyn.cnngo.com' 'gdyn.trutv.com' 'ge-0-0-1-edge1.sc9.admob.com' 'ge-0-0-43-crs1.sc9.admob.com' 'gemius.pl' 'gem.pl' 'geoads.osdn.com' 'geoloc11.geovisite.com' 'geopolice.com' 'geo.precisionclick.com' 'geoweb.e-kolay.net' 'getacool100.com' 'getacool500.com' 'getacoollaptop.com' 'getacooltv.com' 'getafreeiphone.org' 'getagiftonline.com' 'getmyfreebabystuff.com' 'getmyfreegear.com' 'getmyfreegiftcard.com' 'getmyfreelaptop.com' 'getmyfreelaptophere.com' 'getmyfreeplasma.com' 'getmylaptopfree.com' 'getmynumber.net' 'getmyplasmatv.com' 'getspecialgifts.com' 'getyour5kcredits0.blogspot.com' 'getyourfreecomputer.com' 'getyourfreetv.com' 'getyourgiftnow2.blogspot.com' 'getyourgiftnow3.blogspot.com' 'gezinti.com' 'gg.adocean.pl' 'ghalibaft.com' 'ghmtr.hit.gemius.pl' 'giftcardchallenge.com' 'giftcardsurveys.us.com' 'giftrewardzone.com' 'gifts-flowers-rewardpath.com' 'gimg.baidu.com' 'gimmethatreward.com' 'gingert.net' 'global.msmtrakk03a.com' 'globalnetworkanalys.com' 'global-promotions.internationalredirects.com' 'globalwebads.com' 'gm.preferences.com' 'go2.hit.gemius.pl' 'go.adee.bbelements.com' 'go.adlv.bbelements.com' 'go.adnet.bbelements.com' 'go.arbo.bbelements.com' 'go.arboru.bbelements.com' 'goautofinance.com' 'go.bb007.bbelements.com' 'go-free-gifts.com' 'gofreegifts.com' 'go.ihned.bbelements.com' 'go.intact.bbelements.com' 'goldadpremium.com' 'go.lfstmedia.com' 'go.lotech.bbelements.com' 'goodbizez.com' 'goodbookbook.com' 'goodsblock.marketgid.com' 'goody-garage.com' 'go.pl.bbelements.com' 'go.spaceshipads.com' 'got2goshop.com' 'goto.trafficmultiplier.com' 'gozatar.com' 'grabbit-rabbit.com' 'graphics.adultfriendfinder.com' 'gratkapl.adocean.pl' 'gravitron.chron.com' 'greasypalm.com' 'grfx.mp3.com' 'groupm.com' 'groupon.pl' 'grz67.com' 'gs1.idsales.co.uk' 'gserv.cneteu.net' 'guanjia.baidu.com' 'gug.ku6cdn.com' 'guiaconsumidor.com' 'guide2poker.com' 'gumpolice.com' 'guptamedianetwork.com' 'guru.sitescout.netdna-cdn.com' 'gwallet.com' 'gx-in-f109.1e100.net' 'hadik.info' 'h.admob.com' 'h-afnetwww.adshuffle.com' 'halfords.ukrpts.net' 'haouzy.info' 'happydiscountspecials.com' 'harvest176.adgardener.com' 'harvest284.adgardener.com' 'harvest285.adgardener.com' 'harvest.adgardener.com' 'hathor.eztonez.com' 'havakhosh.com' 'haynet.adbureau.net' 'hbads.eboz.com' 'hbadz.eboz.com' 'hc.baidu.com' 'healthbeautyncs.com' 'health-beauty-rewardpath.com' 'health-beauty-savingblvd.com' 'healthclicks.co.uk' 'hebdotop.com' 'help.adtech.de' 'help.adtech.fr' 'help.adtech.us' 'helpint.mywebsearch.com' 'hermes.airad.com' 'hightrafficads.com' 'himediads.com' 'histats.com' 'hit.8digits.com' 'hlcc.ca' 'hm.baidu.com' 'hm.l.qq.com' 'holiday-gift-offers.com' 'holidayproductpromo.com' 'holidayshoppingrewards.com' 'home4bizstart.ru' 'homeelectronicproducts.com' 'home-garden-premiumblvd.com' 'home-garden-rewardempire.com' 'home-garden-rewardpath.com' 'homeimprovementonus.com' 'honarkhabar.com' 'honarkhaneh.net' 'honolulu.app.ur.gcion.com' 'hooqy.com' 'host207.ewtn.com' 'hostedaje14.thruport.com' 'hotbar.dgndesign.com' 'hot-daily-deal.com' 'hotgiftzone.com' 'hot-product-hangout.com' 'housedman.com' 'hpad.www.infoseek.co.jp' 'htmlads.ru' 'html.atm.youku.com' 'html.centralmediaserver.com' 'htmlwww.youfck.com' 'httpads.com' 'httpring.qq.com' 'httpwwwadserver.com' 'huis.istats.nl' 'huiwiw.hit.gemius.pl' 'huntingtonbank.tt.omtrdc.net' 'huomdgde.adocean.pl' 'hyperion.adtech.de' 'hyperion.adtech.fr' 'hyperion.adtech.us' 'i1.teaser-goods.ru' 'iacas.adbureau.net' 'iad.anm.co.uk' 'iadc.qwapi.com' 'i.admob.com' 'ialaddin.genieesspv.jp' 'ibis.lgappstv.com' 'icanoptout.com' 'icon.clickthru.net' 'id11938.luxup.ru' 'id5576.al21.luxup.ru' 'idearc.tt.omtrdc.net' 'iebar.baidu.com' 'ieee.adbureau.net' 'if.bbanner.it' 'iftarvakitleri.net' 'ih2.gamecopyworld.com' 'i.hotkeys.com' 'i.interia.pl' 'ikcode.baidu.com' 'i.laih.com' 'ilovemobi.com' 'imageads.canoe.ca' 'image.click.livedoor.com' 'image.linkexchange.com' 'images2.laih.com' 'images3.linkwithin.com' 'images.blogads.com' 'images.bluetime.com' 'images-cdn.azoogleads.com' 'images.clickfinders.com' 'images.conduit-banners.com' 'images.emapadserver.com' 'imageserv.adtech.fr' 'imageserv.adtech.us' 'imageserver1.thruport.com' 'images.jambocast.com' 'images.linkwithin.com' 'images.mbuyu.nl' 'images.netcomvad.com' 'images.newsx.cc' 'images.people2people.com' 'images.persgroepadvertising.be' 'images.sohu.com' 'images.steamray.com' 'images.trafficmp.com' 'imarker.com' 'imarker.ru' 'imc.l.qq.com' 'i.media.cz' 'img0.ru.redtram.com' 'img1.ru.redtram.com' 'img4.cdn.adjuggler.com' 'img-a2.ak.imagevz.net' 'img-cdn.mediaplex.com' 'imgg.dt00.net' 'imgg.mgid.com' 'img.layer-ads.de' 'img.marketgid.com' 'imgn.dt07.com' 'img.sn00.net' 'img.soulmate.com' 'img.xnxx.com' 'im.of.pl' 'impact.cossette-webpact.com' 'imp.adsmogo.com' 'imp.partner2profit.com' 'impressionaffiliate.com' 'impressionaffiliate.mobi' 'impressionlead.com' 'impressionperformance.biz' 'imrkcrv.net' 'imrk.net' 'imserv001.adtech.de' 'imserv001.adtech.fr' 'imserv001.adtech.us' 'imserv002.adtech.de' 'imserv002.adtech.fr' 'imserv002.adtech.us' 'imserv003.adtech.de' 'imserv003.adtech.fr' 'imserv003.adtech.us' 'imserv004.adtech.de' 'imserv004.adtech.fr' 'imserv004.adtech.us' 'imserv005.adtech.de' 'imserv005.adtech.fr' 'imserv005.adtech.us' 'imserv006.adtech.de' 'imserv006.adtech.fr' 'imserv006.adtech.us' 'imserv00x.adtech.de' 'imserv00x.adtech.fr' 'imserv00x.adtech.us' 'imssl01.adtech.de' 'imssl01.adtech.fr' 'imssl01.adtech.us' 'im.xo.pl' 'incentivegateway.com' 'incentiverewardcenter.com' 'incentive-scene.com' 'indpolice.com' 'industry-deals.com' 'infinite-ads.com' 'infos-bourses.com' 'inklineglobal.com' 'inl.adbureau.net' 'inpagevideo.nl' 'input.insights.gravity.com' 'insightexpressai.com' 'insightxe.pittsburghlive.com' 'insightxe.vtsgonline.com' 'ins-offer.com' 'installer.zutrack.com' 'insurance-rewardpath.com' 'intela.com' 'intelliads.com' 'intensedigital.adk2x.com' 'interia.adsearch.adkontekst.pl' 'internet.billboard.cz' 'intnet-offer.com' 'intrack.pl' 'invitefashion.com' 'inv-nets.admixer.net' 'ipacc1.adtech.de' 'ipacc1.adtech.fr' 'ipacc1.adtech.us' 'ipad2free4u.com' 'i.pcp001.com' 'ipdata.adtech.de' 'ipdata.adtech.fr' 'ipdata.adtech.us' 'iq001.adtech.de' 'iq001.adtech.fr' 'iq001.adtech.us' 'i.qitrck.com' 'i.radzolo.com' 'is.casalemedia.com' 'i.securecontactinfo.com' 'isg01.casalemedia.com' 'isg02.casalemedia.com' 'isg03.casalemedia.com' 'isg04.casalemedia.com' 'isg05.casalemedia.com' 'isg06.casalemedia.com' 'isg07.casalemedia.com' 'isg08.casalemedia.com' 'isg09.casalemedia.com' 'islamicmarketing.net' 'i.static.zaplata.bg' 'istockbargains.com' 'itemagic.net' 'itrackerpro.com' 'itsfree123.com' 'iwantmyfreecash.com' 'iwantmy-freelaptop.com' 'iwantmyfree-laptop.com' 'iwantmyfreelaptop.com' 'iwantmygiftcard.com' 'iwstat.tudou.com' 'j.admob.com' 'jambocast.com' 'jb9clfifs6.s.ad6media.fr' 'jcarter.spinbox.net' 'jcrew.tt.omtrdc.net' 'jersey-offer.com' 'jgedads.cjt.net' 'jingjia.qq.com' 'jivox.com' 'jl29jd25sm24mc29.com' 'jmn.jangonetwork.com' 'jobs.nuwerk.monsterboard.nl' 'journal-des-bourses.com' 'js1.bloggerads.net' 'js77.neodatagroup.com' 'js.admngr.com' 'js.betburdaaffiliates.com' 'js.goods.redtram.com' 'js.hotkeys.com' 'js.selectornews.com' 'js.softreklam.com' 'js.zevents.com' 'juggler.inetinteractive.com' 'justwebads.com' 'jxliu.com' 'jzclick.soso.com' 'k5ads.osdn.com' 'kaartenhuis.nl.site-id.nl' 'k.admob.com' 'kansas.valueclick.com' 'katu.adbureau.net' 'kazaa.adserver.co.il' 'kermit.macnn.com' 'kestrel.ospreymedialp.com' 'keys.dmtracker.com' 'keywordblocks.com' 'keywords.adtlgc.com' 'khalto.info' 'kitaramarketplace.com' 'kitaramedia.com' 'kitaratrk.com' 'kithrup.matchlogic.com' 'kixer.com' 'klikk.linkpulse.com' 'klikmoney.net' 'kliks.affiliate4you.nl' 'kliksaya.com' 'klipads.dvlabs.com' 'klipmart.dvlabs.com' 'kmdl101.com' 'knc.lv' 'knight.economist.com' 'kona2.kontera.com' 'kona3.kontera.com' 'kona4.kontera.com' 'kona5.kontera.com' 'kona6.kontera.com' 'kona7.kontera.com' 'kona8.kontera.com' 'kontera.com' 'kos.interseek.si' 'kreaffiliation.com' 'ku6afp.allyes.com' 'ku6.allyes.com' 'kuhdi.com' 'l2.l.qq.com' 'l.5min.com' 'l.admob.com' 'ladyclicks.ru' 'land.purifier.cc' 'lanzar.publicidadweb.com' 'laptopreportcard.com' 'laptoprewards.com' 'laptoprewardsgroup.com' 'laptoprewardszone.com' 'larivieracasino.com' 'lasthr.info' 'lastmeasure.zoy.org' 'latestsearch.website' 'latribune.electronicpromotions2015.com' 'layer-ads.de' 'lb-adserver.ig.com.br' 'ld1.criteo.com' 'ldglob01.adtech.de' 'ldglob01.adtech.fr' 'ldglob01.adtech.us' 'ldglob02.adtech.de' 'ldglob02.adtech.fr' 'ldglob02.adtech.us' 'ldimage01.adtech.de' 'ldimage01.adtech.fr' 'ldimage01.adtech.us' 'ldimage02.adtech.de' 'ldimage02.adtech.fr' 'ldimage02.adtech.us' 'ldserv01.adtech.de' 'ldserv01.adtech.fr' 'ldserv01.adtech.us' 'ldserv02.adtech.de' 'ldserv02.adtech.fr' 'ldserv02.adtech.us' 'le1er.net' 'lead-analytics.nl' 'leader.linkexchange.com' 'leadsynaptic.go2jump.org' 'learning-offer.com' 'legal-rewardpath.com' 'leisure-offer.com' 'letsfinder.com' 'letssearch.com' 'lg.brandreachsys.com' 'liberty.gedads.com' 'ligtv.kokteyl.com' 'link2me.ru' 'link4ads.com' 'linktracker.angelfire.com' 'linuxpark.adtech.de' 'linuxpark.adtech.fr' 'linuxpark.adtech.us' 'liones.nl' 'liquidad.narrowcastmedia.com' 'listennewsnetwork.com' 'livingnet.adtech.de' 'lnads.osdn.com' 'load.focalex.com' 'loading321.com' 'local.promoisland.net' 'logc252.xiti.com' 'logger.virgul.com' 'login.linkpulse.com' 'logs.spilgames.com' 'looksmartcollect.247realmedia.com' 'louisvil.app.ur.gcion.com' 'louisvil.ur.gcion.com' 'lp1.linkpulse.com' 'lp4.linkpulse.com' 'lpcloudsvr405.com' 'lp.empire.goodgamestudios.com' 'lp.jeux-lk.com' 'l.qq.com' 'lsassoc.com' 'l-sspcash.adxcore.com' 'lstat.youku.com' 'lt.andomedia.com' 'lt.angelfire.com' 'lucky-day-uk.com' 'luxpolice.com' 'luxpolice.net' 'lw1.gamecopyworld.com' 'lw2.gamecopyworld.com' 'lycos.247realmedia.com' 'm1.emea.2mdn.net' 'm1.emea.2mdn.net.edgesuite.net' 'm2.media-box.co' 'm2.sexgarantie.nl' 'm3.2mdn.net' 'm4.afs.googleadservices.com' 'm4ymh0220.tech' 'ma.baidu.com' 'macaddictads.snv.futurenet.com' 'macads.net' 'mackeeperapp1.zeobit.com' 'mackeeperapp2.mackeeper.com' 'mackeeperapp3.mackeeper.com' 'mackeeperapp.mackeeper.com' 'mac.system-alert1.com' 'madadsmedia.com' 'm.adbridge.de' 'm.admob.com' 'mads.aol.com' 'mail.radar.imgsmail.ru' 'main.vodonet.net' 'manage001.adtech.de' 'manage001.adtech.fr' 'manage001.adtech.us' 'manager.rovion.com' 'mangler10.generals.ea.com' 'mangler1.generals.ea.com' 'mangler2.generals.ea.com' 'mangler3.generals.ea.com' 'mangler4.generals.ea.com' 'mangler5.generals.ea.com' 'mangler6.generals.ea.com' 'mangler7.generals.ea.com' 'mangler8.generals.ea.com' 'mangler9.generals.ea.com' 'manuel.theonion.com' 'marketing.hearstmagazines.nl' 'marketing-rewardpath.com' 'marketwatch.com.edgesuite.net' 'marriottinternationa.tt.omtrdc.net' 'mashinkhabar.com' 'mastertracks.be' 'matrix.mediavantage.de' 'maxadserver.corusradionetwork.com' 'maxbounty.com' 'maximumpcads.imaginemedia.com' 'maxmedia.sgaonline.com' 'maxserving.com' 'mb01.com' 'mbox2.offermatica.com' 'mcfg.sandai.net' 'mcopolice.com' 'mds.centrport.net' 'media10.popmarker.com' 'media1.popmarker.com' 'media2021.videostrip.com' 'media2.adshuffle.com' 'media2.legacy.com' 'media2.popmarker.com' 'media3.popmarker.com' 'media4021.videostrip.com' 'media4.popmarker.com' 'media5021.videostrip.com' 'media5.popmarker.com' 'media6021.videostrip.com' 'media6.popmarker.com' 'media6.sitebrand.com' 'media7.popmarker.com' 'media.888.com' 'media8.popmarker.com' 'media9.popmarker.com' 'media.adcentriconline.com' 'media.adrcdn.com' 'media.adrime.com' 'media.adshadow.net' 'media.betburdaaffiliates.com' 'media.bonnint.net' 'media.boomads.com' 'mediacharger.com' 'media.charter.com' 'media.elb-kind.de' 'media.espace-plus.net' 'media.fairlink.ru' 'media-fire.org' 'mediafr.247realmedia.com' 'media.funpic.de' 'medialand.relax.ru' 'media.naked.com' 'media.nk-net.pl' 'media.ontarionorth.com' 'media.popmarker.com' 'media.popuptraffic.com' 'mediapst.adbureau.net' 'mediapst-images.adbureau.net' 'mediative.ca' 'mediative.com' 'mediauk.247realmedia.com' 'mediaupdate41.com' 'media.viwii.net' 'media.xxxnavy.com' 'medical-offer.com' 'medical-rewardpath.com' 'medusa.reklamlab.com' 'medya.e-kolay.net' 'meevehdar.com' 'megapanel.gem.pl' 'melding-technology.com' 'mercury.bravenet.com' 'messagent.duvalguillaume.com' 'messagent.sanomadigital.nl' 'messagia.adcentric.proximi-t.com' 'metaapi.bulletproofserving.com' 'metrics.ikea.com' 'metrics.natmags.co.uk' 'metrics.sfr.fr' 'metrics.target.com' 'mexico-mmm.net' 'm.fr.2mdn.net' 'mgid.com' 'mhlnk.com' 'micraamber.net' 'microsof.wemfbox.ch' 'mightymagoo.com' 'mii-image.adjuggler.com' 'milyondolar.com' 'mimageads1.googleadservices.com' 'mimageads2.googleadservices.com' 'mimageads3.googleadservices.com' 'mimageads4.googleadservices.com' 'mimageads5.googleadservices.com' 'mimageads6.googleadservices.com' 'mimageads7.googleadservices.com' 'mimageads8.googleadservices.com' 'mimageads9.googleadservices.com' 'mimageads.googleadservices.com' 'mimicrice.com' 'mini.videostrip.com' 'mirror.pointroll.com' 'mjxads.internet.com' 'mklik.gazeta.pl' 'mktg-offer.com' 'mlntracker.com' 'mm1.vip.sc1.admob.com' 'mm.admob.com' 'mmv.admob.com' 'mobileanalytics.us-east-1.amazonaws.com' 'mobileanalytics.us-east-2.amazonaws.com' 'mobileanalytics.us-west-1.amazonaws.com' 'mobileanalytics.us-west-2.amazonaws.com' 'mobscan.info' 'mobularity.com' 'mochibot.com' 'mojofarm.mediaplex.com' 'moneybot.net' 'moneyraid.com' 'monster-ads.net' 'monstersandcritics.advertserve.com' 'moodoo.com.cn' 'moodoocrv.com.cn' 'm.openv.tv' 'morefreecamsecrets.com' 'morevisits.info' 'movieads.imgs.sapo.pt' 'mp3playersource.com' 'mpartner.googleadservices.com' 'm.pl.pornzone.tv' 'mp.tscapeplay.com' 'mpv.sandai.net' 'mr4evmd0r1.s.ad6media.fr' 'msn.allyes.com' 'msnbe-hp.metriweb.be' 'msn-cdn.effectivemeasure.net' 'msnsearch.srv.girafa.com' 'msn.tns-cs.net' 'msn.uvwbox.de' 'msn.wrating.com' 'ms.yandex.ru' 'mu-in-f167.1e100.net' 'm.uk.2mdn.net' 'multi.xnxx.com' 'mvonline.com' 'my2.hizliizlefilm.net' 'my2.teknoter.com' 'myasiantv.gsspcln.jp' 'mycashback.co.uk' 'my-cash-bot.co' 'mycelloffer.com' 'mychoicerewards.com' 'myclicknet.ro' 'myclicknet.romtelecom.ro' 'myexclusiverewards.com' 'myfreedinner.com' 'myfreegifts.co.uk' 'myfreemp3player.com' 'mygiftcardcenter.com' 'mygiftresource.com' 'mygreatrewards.com' 'myhousetechnews.com' 'myoffertracking.com' 'my-reward-channel.com' 'my-rewardsvault.com' 'myseostats.com' 'my.trgino.com' 'myusersonline.com' 'myyearbookdigital.checkm8.com' 'n01d05.cumulus-cloud.com' 'n4g.us.intellitxt.com' 'n.admob.com' 'nanocluster.reklamz.com' 'nationalissuepanel.com' 'nationalpost.adperfect.com' 'nationalsurveypanel.com' 'nbads.com' 'nbc.adbureau.net' 'nb.netbreak.com.au' 'nc.ru.redtram.com' 'nctracking.com' 'nd1.gamecopyworld.com' 'nearbyad.com' 'needadvertising.com' 'neirong.baidu.com' 'netads.hotwired.com' 'netadsrv.iworld.com' 'netads.sohu.com' 'netpalnow.com' 'netshelter.adtrix.com' 'netsponsors.com' 'networkads.net' 'network-ca.247realmedia.com' 'network.realmedia.com' 'network.realtechnetwork.net' 'newads.cmpnet.com' 'new-ads.eurogamer.net' 'newbs.hutz.co.il' 'newclk.com' 'newip427.changeip.net' 'newjunk4u.com' 'news6health.com' 'newsblock.marketgid.com' 'news-finances.com' 'new.smartcontext.pl' 'newssourceoftoday.com' 'newsterminalvelocity.com' 'newt1.adultworld.com' 'ngads.smartage.com' 'ng.virgul.com' 'nickleplatedads.com' 'nitrous.exitfuel.com' 'nitrous.internetfuel.com' 'nivendas.net' 'nkcache.brandreachsys.com' 'nospartenaires.com' 'nothing-but-value.com' 'noticiasftpsrv.com' 'novafinanza.com' 'novem.onet.pl' 'nowruzbakher.com' 'nrads.1host.co.il' 'nrkno.linkpulse.com' 'ns1.lalibco.com' 'ns1.primeinteractive.net' 'ns2.hitbox.com' 'ns2.lalibco.com' 'ns2.primeinteractive.net' 'nsads4.us.publicus.com' 'nsads.hotwired.com' 'nsads.us.publicus.com' 'nsclick.baidu.com' 'nspmotion.com' 'nstat.tudou.com' 'ns-vip1.hitbox.com' 'ns-vip2.hitbox.com' 'ns-vip3.hitbox.com' 'ntbanner.digitalriver.com' 'nuwerk.monsterboard.nl' 'nx-adv0005.247realmedia.com' 'nxs.kidcolez.cn' 'nxtscrn.adbureau.net' 'nysubwayoffer.com' 'nytadvertising.nytimes.com' 'o0.winfuture.de' 'o1.qnsr.com' 'o.admob.com' 'oads.cracked.com' 'oamsrhads.us.publicus.com' 'oas-1.rmuk.co.uk' 'oasads.whitepages.com' 'oasc02.247realmedia.com' 'oasc03.247realmedia.com' 'oasc04.247.realmedia.com' 'oasc05050.247realmedia.com' 'oasc16.247realmedia.com' 'oascenral.phoenixnewtimes.com' 'oascentral.videodome.com' 'oas.dn.se' 'oas-eu.247realmedia.com' 'oas.heise.de' 'oasis2.advfn.com' 'oasis.nysun.com' 'oasis.promon.cz' 'oasis.zmh.zope.com' 'oasis.zmh.zope.net' 'oasn03.247realmedia.com' 'oassis.zmh.zope.com' 'objects.abcvisiteurs.com' 'objects.designbloxlive.com' 'obozua.adocean.pl' 'observer.advertserve.com' 'obs.nnm2.ru' 'ocdn.adsterra.com' 'ocslab.com' 'offer.alibaba.com' 'offerfactory.click' 'offers.bycontext.com' 'offers.impower.com' 'offertrakking.info' 'offertunity.click' 'offerx.co.uk' 'oidiscover.com' 'oimsgad.qq.com' 'oinadserve.com' 'oix0.net' 'oix1.net' 'oix2.net' 'oix3.net' 'oix4.net' 'oix5.net' 'oix6.net' 'oix7.net' 'oix8.net' 'oix9.net' 'oixchina.com' 'oixcrv-rubyem.net' 'oixcrv-rubytest.net' 'oix-rubyem.net' 'oix-rubytest.net' 'oixssp-rubyem.net' 'old-darkroast.adknowledge.com' 'ometrics.warnerbros.com' 'online1.webcams.com' 'onlineads.magicvalley.com' 'onlinebestoffers.net' 'onocollect.247realmedia.com' 'open.4info.net' 'openad.infobel.com' 'openads.dimcab.com' 'openads.nightlifemagazine.ca' 'openads.smithmag.net' 'openads.zeads.com' 'openad.travelnow.com' 'opencandy.com' 'openload.info' 'opentable.tt.omtrdc.net' 'openx2.fotoflexer.com' 'openx.adfactor.nl' 'openx.coolconcepts.nl' 'openx.shinyads.com' 'openx.xenium.pl' 'openxxx.viragemedia.com' 'optimizedby.openx.com' 'optimzedby.rmxads.com' 'orange.fr-enqueteannuelle.xyz' 'orange.fr-enqueteofficielle2015.xyz' 'orange.fr-enqueteofficielle.online' 'orange.fr-felicitations.xyz' 'orange.fr-votre-opinion.xyz' 'orange.fr-votreopinion.xyz' 'orange.weborama.fr' 'ordie.adbureau.net' 'orientaltrading.com' 'origin.chron.com' 'ortaklik.mynet.com' 'outils.yesmessenger.com' 'overflow.adsoftware.com' 'overstock.tt.omtrdc.net' 'ox-d.hbr.org' 'ox-d.hulkshare.com' 'ox-d.zenoviagroup.com' 'ox-i.zenoviagroup.com' 'ozonemedia.adbureau.net' 'oz.valueclick.com' 'oz.valueclick.ne.jp' 'p0rnuha.com' 'p1.adhitzads.com' 'p2.l.qq.com' 'p3p.alibaba.com' 'p3p.mmstat.com' 'p4psearch.china.alibaba.com' 'pagead3.googlesyndication.com' 'pagesense.com' 'pages.etology.com' 'pagespeed.report.qq.com' 'paid.outbrain.com' 'paix1.sc1.admob.com' 'pakpolice.com' 'panel.adtify.pl' 'paperg.com' 'parskabab.com' 'partner01.oingo.com' 'partner02.oingo.com' 'partner03.oingo.com' 'partner.ah-ha.com' 'partner.ceneo.pl' 'partner.join.com.ua' 'partner.magna.ru' 'partner.pobieraczek.pl' 'partnerprogramma.bol.com' 'partners1.stacksocial.com' 'partners2.stacksocial.com' 'partners3.stacksocial.com' 'partners4.stacksocial.com' 'partners5.stacksocial.com' 'partners.salesforce.com' 'partners.sprintrade.com' 'partner-ts.groupon.be' 'partner-ts.groupon.com' 'partner-ts.groupon.co.uk' 'partner-ts.groupon.de' 'partner-ts.groupon.fr' 'partner-ts.groupon.net' 'partner-ts.groupon.nl' 'partner-ts.groupon.pl' 'partner.wapacz.pl' 'partner.wapster.pl' 'partnerwebsites.mistermedia.nl' 'pathforpoints.com' 'pb.tynt.com' 'pcads.ru' 'pc-gizmos-ssl.com' 'people-choice-sites.com' 'persgroepadvertising.nl' 'personalcare-offer.com' 'personalcashbailout.com' 'pg2.solution.weborama.fr' 'ph-ad01.focalink.com' 'ph-ad02.focalink.com' 'ph-ad03.focalink.com' 'ph-ad04.focalink.com' 'ph-ad05.focalink.com' 'ph-ad06.focalink.com' 'ph-ad07.focalink.com' 'ph-ad08.focalink.com' 'ph-ad09.focalink.com' 'ph-ad10.focalink.com' 'ph-ad11.focalink.com' 'ph-ad12.focalink.com' 'ph-ad13.focalink.com' 'ph-ad14.focalink.com' 'ph-ad15.focalink.com' 'ph-ad16.focalink.com' 'ph-ad17.focalink.com' 'ph-ad18.focalink.com' 'ph-ad19.focalink.com' 'ph-ad20.focalink.com' 'ph-ad21.focalink.com' 'phlpolice.com' 'phoenixads.co.in' 'phoneysoap.com' 'phormstandards.com' 'photos0.pop6.com' 'photos1.pop6.com' 'photos2.pop6.com' 'photos3.pop6.com' 'photos4.pop6.com' 'photos5.pop6.com' 'photos6.pop6.com' 'photos7.pop6.com' 'photos8.pop6.com' 'photos.daily-deals.analoganalytics.com' 'photos.pop6.com' 'phpads.astalavista.us' 'phpads.cnpapers.com' 'phpads.flipcorp.com' 'phpads.foundrymusic.com' 'phpads.i-merge.net' 'phpads.macbidouille.com' 'phpadsnew.gamefolk.de' 'php.fark.com' 'pic.casee.cn' 'pick-savings.com' 'p.ic.tynt.com' 'pingfore.qq.com' 'pingfore.soso.com' 'pink.habralab.ru' 'pix521.adtech.de' 'pix521.adtech.fr' 'pix521.adtech.us' 'pix522.adtech.de' 'pix522.adtech.fr' 'pix522.adtech.us' 'pix.revsci.net' 'pl.ads.justpremium.com' 'plasmatv4free.com' 'plasmatvreward.com' 'platads.com' 'playinvaders.com' 'playlink.pl' 'playtime.tubemogul.com' 'play.traffpartners.com' 'pl.bbelements.com' 'p.l.qq.com' 'pl.spanel.gem.pl' 'pmelon.com' 'pmstrk.mercadolivre.com.br' 'pm.w55c.net' 'pntm.adbureau.net' 'pntm-images.adbureau.net' 'pol.bbelements.com' 'pole.6rooms.com' 'politicalopinionsurvey.com' 'pool.admedo.com' 'pool-roularta.adhese.com' 'popclick.net' 'popunder.loading-delivery1.com' 'popunder.paypopup.com' 'popupclick.ru' 'popupdomination.com' 'popup.matchmaker.com' 'popups.ad-logics.com' 'popups.infostart.com' 'popup.softreklam.com' 'popup.taboola.com' 'pos.baidu.com' 'posed2shade.com' 'poster-op2joygames.me' 'postmasterdirect.com' 'post.rmbn.ru' 'pp2.pptv.com' 'pp.free.fr' 'p.profistats.net' 'p.publico.es' 'pq.stat.ku6.com' 'premium.ascensionweb.com' 'premiumholidayoffers.com' 'premiumproductsonline.com' 'premium-reward-club.com' 'prexyone.appspot.com' 'primetime.ad.primetime.net' 'privitize.com' 'prizes.co.uk' 'productopinionpanel.com' 'productresearchpanel.com' 'producttestpanel.com' 'profile.uproxx.com' 'pro.letv.com' 'promo.easy-dating.org' 'promo.mes-meilleurs-films.fr' 'promo.mobile.de' 'promo.streaming-illimite.net' 'promote-bz.net' 'promotion.partnercash.com' 'protection.alpolice.com' 'protection.aspolice.com' 'protection.aupolice.com' 'protection.azpolice.com' 'protection.bspolice.com' 'protection.btpolice.com' 'protection.bypolice.com' 'protection.capolice.com' 'protection.ccpolice.com' 'protection.dkpolice.com' 'protection.espolice.com' 'protection.frpolice.com' 'protection.fxpolice.com' 'protection.gapolice.com' 'protection.grpolice.com' 'protection.hkpolice.com' 'protection.hnpolice.com' 'protection.idpolice.com' 'protection.ilpolice.com' 'protection.iqpolice.com' 'protection.itpolice.com' 'protection.itpolice.net' 'protection.jmpolice.com' 'protection.kppolice.com' 'protection.kypolice.com' 'protection.lapolice.com' 'protection.lapolice.net' 'protection.lbpolice.com' 'protection.lcpolice.com' 'protection.lipolice.com' 'protection.lrpolice.com' 'protection.lspolice.com' 'protection.lvpolice.com' 'protection.mapolice.com' 'protection.mcpolice.com' 'protection.mdpolice.com' 'protection.mepolice.com' 'protection.mnpolice.com' 'protection.mopolice.com' 'protection.mspolice.net' 'protection.napolice.com' 'protection.napolice.net' 'protection.ncpolice.com' 'protection.nzpolice.com' 'protection.papolice.com' 'protection.pfpolice.com' 'protection.pgpolice.com' 'protection.phpolice.com' 'protection.pkpolice.com' 'protection.prpolice.com' 'protection.ptpolice.com' 'protection.sbpolice.com' 'protection.scpolice.com' 'protection.sdpolice.com' 'protection.sipolice.com' 'protection.skpolice.com' 'protection.stpolice.com' 'protection.tkpolice.com' 'protection.tnpolice.com' 'protection.topolice.com' 'protection.vapolice.com' 'protection.vipolice.com' 'proximityads.flipcorp.com' 'proxy.blogads.com' 'pr.ydp.yahoo.com' 'pstatic.datafastguru.info' 'pt21na.com' 'ptrads.mp3.com' 'ptreklam.com' 'ptreklam.com.tr' 'ptreklamcrv.com' 'ptreklamcrv.com.tr' 'ptreklamcrv.net' 'ptreklam.net' 'ptreklamssp.com' 'ptreklamssp.com.tr' 'ptreklamssp.net' 'pt.trafficjunky.net' 'pubdirecte.com' 'pubimgs.sapo.pt' 'publiads.com' 'publicidades.redtotalonline.com' 'publicis.adcentriconline.com' 'publish.bonzaii.no' 'publishers.adscholar.com' 'publishers.bidtraffic.com' 'publishers.brokertraffic.com' 'publishing.kalooga.com' 'pubshop.img.uol.com.br' 'pub.web.sapo.io' 'purgecolon.net' 'purryowl.com' 'px10.net' 'q.admob.com' 'q.b.h.cltomedia.info' 'qip.magna.ru' 'qqlogo.qq.com' 'qring-tms.qq.com' 'qss-client.qq.com' 'quickbrowsersearch.com' 'quickupdateserv.com' 'quik-serv.com' 'r1-ads.ace.advertising.com' 'r2.adwo.com' 'r.ace.advertising.com' 'radaronline.advertserve.com' 'rad.live.com' 'r.admob.com' 'rad.msn.com' 'rads.stackoverflow.com' 'rampagegramar.com' 'randevumads.com' 'rapidlyserv.com' 'ravel-rewardpath.com' 'rb.burstway.com' 'rb.newsru.com' 'rbqip.pochta.ru' 'rc.asci.freenet.de' 'rccl.bridgetrack.com' 'rcdna.gwallet.com' 'r.chitika.net' 'rc.hotkeys.com' 'rcm-it.amazon.it' 'rc.wl.webads.nl' 'r.domob.cn' 'rdsa2012.com' 'realads.realmedia.com' 'realgfsbucks.com' 'realmedia-a800.d4p.net' 'realmedia.advance.net' 'record.commissionlounge.com' 'recreation-leisure-rewardpath.com' 'red01.as-eu.falkag.net' 'red01.as-us.falkag.net' 'red02.as-eu.falkag.net' 'red02.as-us.falkag.net' 'red03.as-eu.falkag.net' 'red03.as-us.falkag.net' 'red04.as-eu.falkag.net' 'red04.as-us.falkag.net' 'red.as-eu.falkag.net' 'red.as-us.falkag.net' 'redherring.ngadcenter.net' 'redirect.click2net.com' 'redirect.hotkeys.com' 're.directrev.com' 'redirect.xmlheads.com' 'reg.coolsavings.com' 'regflow.com' 'regie.espace-plus.net' 'register.cinematrix.net' 'rehabretie.com' 'rek2.tascatlasa.com' 'reklam-1.com' 'reklam.arabul.com' 'reklam.ebiuniverse.com' 'reklam.memurlar.net' 'reklam.milliyet.com.tr' 'reklam.misli.com' 'reklam.mynet.com' 'reklam-one.com' 'reklam.softreklam.com' 'reklam.star.com.tr' 'reklam.vogel.com.tr' 'reklam.yonlendir.com' 'reklamy.sfd.pl' 're.kontera.com' 'report02.adtech.de' 'report02.adtech.fr' 'report02.adtech.us' 'reporter001.adtech.de' 'reporter001.adtech.fr' 'reporter001.adtech.us' 'reporter.adtech.de' 'reporter.adtech.fr' 'reporter.adtech.us' 'reportimage.adtech.de' 'reportimage.adtech.fr' 'reportimage.adtech.us' 'req.adsmogo.com' 'resolvingserver.com' 'restaurantcom.tt.omtrdc.net' 'reverso.refr.adgtw.orangeads.fr' 'revsci.net' 'rewardblvd.com' 'rewardhotspot.com' 'rewardsflow.com' 'rh.qq.com' 'rich.qq.com' 'ridepush.com' 'ringtonepartner.com' 'r.ligatus.com' 'rmbn.ru' 'rmm1u.checkm8.com' 'rms.admeta.com' 'ro.bbelements.com' 'romepartners.com' 'roosevelt.gjbig.com' 'rosettastone.tt.omtrdc.net' 'roshanavar.com' 'rotate.infowars.com' 'rotator.juggler.inetinteractive.com' 'rotobanner468.utro.ru' 'rovion.com' 'row-advil.waze.com' 'rpc.trafficfactory.biz' 'r.reklama.biz' 'rs1.qq.com' 'rs2.qq.com' 'rscounter10.com' 'rsense-ad.realclick.co.kr' 'rss.buysellads.com' 'rt2.infolinks.com' 'rtb10.adscience.nl' 'rtb11.adscience.nl' 'rtb12.adscience.nl' 'rtb13.adscience.nl' 'rtb14.adscience.nl' 'rtb15.adscience.nl' 'rtb16.adscience.nl' 'rtb17.adscience.nl' 'rtb18.adscience.nl' 'rtb19.adscience.nl' 'rtb1.adscience.nl' 'rtb20.adscience.nl' 'rtb21.adscience.nl' 'rtb22.adscience.nl' 'rtb23.adscience.nl' 'rtb24.adscience.nl' 'rtb25.adscience.nl' 'rtb26.adscience.nl' 'rtb27.adscience.nl' 'rtb28.adscience.nl' 'rtb29.adscience.nl' 'rtb2.adscience.nl' 'rtb30.adscience.nl' 'rtb3.adscience.nl' 'rtb4.adscience.nl' 'rtb5.adscience.nl' 'rtb6.adscience.nl' 'rtb7.adscience.nl' 'rtb8.adscience.nl' 'rtb9.adscience.nl' 'rtb-lb-event-sjc.tubemogul.com' 'rtb.pclick.yahoo.com' 'rts.sparkstudios.com' 'rt.visilabs.com' 'ru4.com' 'ru.bbelements.com' 'rubi4edit.com' 'rubiccrum.com' 'rubriccrumb.com' 'rubyfortune.com' 'rubylan.net' 'rubytag.net' 'ru.redtram.com' 'ruspolice.com' 'ruspolice.net' 'russ-shalavy.ru' 'rv.adcpx.v1.de.eusem.adaos-ads.net' 'rya.rockyou.com' 's0b.bluestreak.com' 's1.2mdn.net' 's1.buysellads.com' 's1.gratkapl.adocean.pl' 's1.symcb.com' 's2.buysellads.com' 's2.symcb.com' 's3.symcb.com' 's4.symcb.com' 's5.addthis.com' 's5.symcb.com' 's7.orientaltrading.com' 's.ad121m.com' 's.ad131m.com' 's.admob.com' 's-adserver.sandbox.cxad.cxense.com' 'sad.sharethis.com' 'safari-critical-alert.com' 'safe.hyperpaysys.com' 'safenyplanet.in' 'sagent.io' 'salesforcecom.tt.omtrdc.net' 'samsung3.solution.weborama.fr' 'sanalreklam.com' 'sas.decisionnews.com' 's.as-us.falkag.net' 'sat-city-ads.com' 'saturn.tiser.com.au' 'save-plan.com' 'savings-specials.com' 'savings-time.com' 'sayac.hurriyet.com.tr' 'sayfabulunamadi.com' 's.baidu.com' 'sb.freeskreen.com' 's.boom.ro' 'sc1.admob.com' 'sc9.admob.com' 'scdown.qq.com' 'schumacher.adtech.de' 'schumacher.adtech.fr' 'schumacher.adtech.us' 'schwab.tt.omtrdc.net' 'scoremygift.com' 'screen-mates.com' 'script.banstex.com' 'scripts.linkz.net' 'scripts.verticalacuity.com' 'scr.kliksaya.com' 's.di.com.pl' 's.domob.cn' 'search.addthis.com' 'search.freeonline.com' 'search.netseer.com' 'searchportal.information.com' 'searchstats.usa.gov' 'searchwe.com' 'seasonalsamplerspecials.com' 'sebar.thand.info' 'sec.hit.gemius.pl' 'secimage.adtech.de' 'secimage.adtech.fr' 'secimage.adtech.us' 'secserv.adtech.fr' 'secserv.adtech.us' 'secure.addthis.com' 'secureads.ft.com' 'secure.bidvertiser.com' 'secure.bidvertiserr.com' 'securecontactinfo.com' 'securerunner.com' 'seduction-zone.com' 'seks-partner.com' 'sel.as-eu.falkag.net' 'sel.as-us.falkag.net' 'select001.adtech.de' 'select001.adtech.fr' 'select001.adtech.us' 'select002.adtech.de' 'select002.adtech.fr' 'select002.adtech.us' 'select003.adtech.de' 'select003.adtech.fr' 'select003.adtech.us' 'select004.adtech.de' 'select004.adtech.fr' 'select004.adtech.us' 'selective-business.com' 'sergarius.popunder.ru' 'serv2.ad-rotator.com' 'serv.ad-rotator.com' 'servads.aip.org' 'serve.adplxmd.com' 'servedby.dm3adserver.com' 'servedby.netshelter.net' 'servedby.precisionclick.com' 'serve.freegaypix.com' 'serve.mediayan.com' 'serve.prestigecasino.com' 'server01.popupmoney.com' 'server1.adpolestar.net' 'server2.mediajmp.com' 'server3.yieldmanaged.com' 'server821.com' 'server.popads.net' 'server-ssl.yieldmanaged.com' 'server.zoiets.be' 'service001.adtech.de' 'service001.adtech.fr' 'service001.adtech.us' 'service002.adtech.de' 'service002.adtech.fr' 'service002.adtech.us' 'service003.adtech.de' 'service003.adtech.fr' 'service003.adtech.us' 'service004.adtech.fr' 'service004.adtech.us' 'service00x.adtech.de' 'service00x.adtech.fr' 'service00x.adtech.us' 'service.adtech.de' 'service.adtech.fr' 'service.adtech.us' 'services1.adtech.de' 'services1.adtech.fr' 'services1.adtech.us' 'services.adtech.de' 'services.adtech.fr' 'services.adtech.us' 'serving.plexop.net' 'serving-sys.com' 'serv-load.com' 'servserv.generals.ea.com' 'serv.tooplay.com' 'sexpartnerx.com' 'sexsponsors.com' 'sexzavod.com' 'sfads.osdn.com' 's.flite.com' 'sgs001.adtech.de' 'sgs001.adtech.fr' 'sgs001.adtech.us' 'sh4sure-images.adbureau.net' 'shareasale.com' 'sharebar.addthiscdn.com' 'share-server.com' 'shc-rebates.com' 'sherkatkonandeh.com' 'sherkhundi.com' 'shinystat.shiny.it' 'shopperpromotions.com' 'shoppingbox.partner.leguide.com' 'shoppingminds.net' 'shopping-offer.com' 'shoppingsiterewards.com' 'shops-malls-rewardpath.com' 'shoptosaveenergy.com' 'showads1000.pubmatic.com' 'showadsak.pubmatic.com' 'show-msgch.qq.com' 'shrek.6.cn' 'sifomedia.citypaketet.se' 'signup.advance.net' 'simba.6.cn' 'simpleads.net' 'simpli.fi' 'site.adform.com' 'siteimproveanalytics.com' 'sixapart.adbureau.net' 'sizzle-savings.com' 'skgde.adocean.pl' 'skill.skilljam.com' 'slayinglance.com' 'slimspots.com' 'smartadserver' 'smartadserver.com' 'smart.besonders.ru' 'smartclip.com' 'smartclip.net' 'smartcontext.pl' 'smart-scripts.com' 'smartshare.lgtvsdp.com' 's.media-imdb.com' 's.megaclick.com' 'smile.modchipstore.com' 'smm.sitescout.com' 'smokersopinionpoll.com' 'smsmovies.net' 'snaps.vidiemi.com' 'sn.baventures.com' 'snip.answers.com' 'snipjs.answcdn.com' 'sobar.baidu.com' 'sobartop.baidu.com' 'sochr.com' 'social.bidsystem.com' 'softlinkers.popunder.ru' 'sokrates.adtech.de' 'sokrates.adtech.fr' 'sokrates.adtech.us' 'sol.adbureau.net' 'sol-images.adbureau.net' 'solitairetime.com' 'solution.weborama.fr' 'somethingawful.crwdcntrl.net' 'sonycomputerentertai.tt.omtrdc.net' 'soongu.info' 's.oroll.com' 'spaces.slimspots.com' 'spanel.gem.pl' 'spanids.dictionary.com' 'spanids.thesaurus.com' 'spc.cekfmeoejdbfcfichgbfcgjf.vast2as3.glammedia-pubnet.northamerica.telemetryverification.net' 'spcode.baidu.com' 'specialgiftrewards.com' 'specialoffers.aol.com' 'specialonlinegifts.com' 'specials-rewardpath.com' 'speedboink.com' 'speed.lstat.youku.com' 'speedynewsclips.com' 'spinbox.com' 'spinbox.consumerreview.com' 'spinbox.freedom.com' 'spinbox.macworld.com' 'spinbox.techtracker.com' 'sponsor1.com' 'sponsors.behance.com' 'sponsors.ezgreen.com' 'sponsorships.net' 'sports-bonuspath.com' 'sports-fitness-rewardpath.com' 'sports-offer.com' 'sports-offer.net' 'sports-premiumblvd.com' 'spotxchange.com' 'sq2trk2.com' 's.rev2pub.com' 'ssads.osdn.com' 'ssl-nl.persgroep.edgekey.neto' 'sso.canada.com' 'ssp.adplus.co.id' 'sspcash.adxcore.com' 'staging.snip.answers.com' 'stampen.adtlgc.com' 'stampen.linkpulse.com' 'stampscom.tt.omtrdc.net' 'stanzapub.advertserve.com' 'star-advertising.com' 'start.badults.se' 'stat0.888.ku6.com' 'stat1.888.ku6.com' 'stat2.888.ku6.com' 'stat2.corp.56.com' 'stat3.888.ku6.com' 'stat.56.com' 'stat.dealtime.com' 'stat.detelefoongids.nl' 'stat.ebuzzing.com' 'stat.gw.youmi.net' 'static1.influads.com' 'static.2mdn.net' 'static.admaximize.com' 'staticads.btopenworld.com' 'static.adsonar.com' 'static.adwo.com' 'static.affiliation-france.com' 'static.aff-landing-tmp.foxtab.com' 'staticb.mydirtyhobby.com' 'static.carbonads.com' 'static.chartbeat.com' 'static.clicktorrent.info' 'staticd.cdn.adblade.com' 'static.everyone.net' 'static.exoclick.com' 'static.fastpic.ru' 'static.firehunt.com' 'static.fmpub.net' 'static.freenet.de' 'static.freeskreen.com' 'static.groupy.co.nz' 'static.hitfarm.com' 'static.ku6.com' 'static.l3.cdn.adbucks.com' 'static.l3.cdn.adsucks.com' 'static.linkz.net' 'static.lstat.youku.com' 'static.mediav.com' 'static.nrelate.com' 'static.oroll.com' 'static.plista.com' 'static.plugrush.com' 'static.pulse360.com' 'static.regiojobs.be' 'static.trackuity.com' 'static.trafficstars.com' 'static.virgul.com' 'static.way2traffic.com' 'static.wooboo.com.cn' 'static.youmi.net' 'statistik-gallup.dk' 'stat.rolledwil.biz' 'stats2.dooyoo.com' 'stats.askmoses.com' 'stats.buzzparadise.com' 'stats.defense.gov' 'stats.fd.nl' 'statsie.com' 'stats.ipinyou.com' 'stats.shopify.com' 'stats.tubemogul.com' 'stats.tudou.com' 'stats.x14.eu' 'stat.tudou.com' 'status.addthis.com' 's.tcimg.com' 'st.marketgid.com' 'stocker.bonnint.net' 'storage.bulletproofserving.com' 'storage.softure.com' 'stts.rbc.ru' 'st.valueclick.com' 'st.vq.ku6.cn' 'su.addthis.com' 'subad-server.com' 'subtracts.userplane.com' 'successful-marketing-now.com' 'sudokuwhiz.com' 'sunmaker.com' 'superbrewards.com' 'support.sweepstakes.com' 'supremeadsonline.com' 'suresafe1.adsovo.com' 'surplus-suppliers.com' 'surveycentral.directinsure.info' 'survey.china.alibaba.com' 'surveymonkeycom.tt.omtrdc.net' 'surveypass.com' 'susi.adtech.fr' 'susi.adtech.us' 'svd2.adtlgc.com' 'svd.adtlgc.com' 'sview.avenuea.com' 's.visilabs.com' 's.visilabs.net' 'sweetsforfree.com' 'symbiosting.com' 'synad2.nuffnang.com.cn' 'synad.nuffnang.com.sg' 'syncaccess.net' 'syndicated.mondominishows.com' 'syn.verticalacuity.com' 'sysadmin.map24.com' 'sysip.net' 't1.adserver.com' 't8t7frium3.s.ad6media.fr' 't.admob.com' 'tag1.webabacus.com' 'tag.admeld.com' 'tag.regieci.com' 'tags.toroadvertising.com' 'tag.webcompteur.com' 'taking-technology.com' 'taloussanomat.linkpulse.com' 't.atpanel.com' 'tbtrack.zutrack.com' 'tcadops.ca' 'tcimg.com' 't.cpmadvisors.com' 'tcss.qq.com' 'tdameritrade.tt.omtrdc.net' 'tdc.advertorials.dk' 'tdkads.ads.dk' 'team4heat.net' 'teatac4bath.com' 'techasiamusicsvr.com' 'technicads.com' 'technicaldigitalreporting.com' 'technicserv.com' 'technicupdate.com' 'techreview.adbureau.net' 'techreview-images.adbureau.net' 'techsupportpwr.com' 'tech.weeklytribune.net' 'teeser.ru' 'tel.geenstijl.nl' 'testapp.adhood.com' 'testpc24.profitableads.online' 'textads.madisonavenue.com' 'textad.traficdublu.ro' 'text-link-ads.com' 'text-link-ads-inventory.com' 'textsrv.com' 'tf.nexac.com' 'tgpmanager.com' 'the-binary-trader.biz' 'themaplemethod.com' 'the-path-gateway.com' 'thepiratetrader.com' 'the-smart-stop.com' 'thesuperdeliciousnews.com' 'theuploadbusiness.com' 'theuseful.com' 'theuseful.net' 'thinknyc.eu-adcenter.net' 'thinktarget.com' 'thinlaptoprewards.com' 'thirtydaychange.com' 'this.content.served.by.addshuffle.com' 'this.content.served.by.adshuffle.com' 'thoughtfully-free.com' 'thruport.com' 'timelywebsitehostesses.com' 'tk.baidu.com' 'tkweb.baidu.com' 'tmp3.nexac.com' 'tmsads.tribune.com' 'tmx.technoratimedia.com' 'tn.adserve.com' 'toads.osdn.com' 'tommysbookmarks.com' 'tommysbookmarks.net' 'tongji.baidu.com' 'tons-to-see.com' 'toofanshadid.com' 'toolbar.adperium.com' 'toolbar.baidu.com' 'toolbar.soso.com' 'top1site.3host.com' 'top5.mail.ru' 'topbrandrewards.com' 'topconsumergifts.com' 'topdemaroc.com' 'topica.advertserve.com' 'toplist.throughput.de' 'topmarketcenter.com' 'topsurvey-offers.com' 'touche.adcentric.proximi-t.com' 'tower.adexpedia.com' 'toy-offer.com' 'toy-offer.net' 'tpads.ovguide.com' 'tps30.doubleverify.com' 'tps31.doubleverify.com' 'trace.qq.com' 'track.adjal.com' 'trackadvertising.net' 'track-apmebf.cj.akadns.net' 'track.bigbrandpromotions.com' 'track.e7r.com.br' 'tracker.baidu.com' 'trackers.1st-affiliation.fr' 'tracker.twenga.nl' 'tracking.edvisors.com' 'tracking.eurowebaffiliates.com' 'tracking.internetstores.de' 'tracking.joker.com' 'tracking.keywordmax.com' 'tracking.veoxa.com' 'track.omgpl.com' 'track.roularta.adhese.com' 'track.the-members-section.com' 'track.tooplay.com' 'track.vscash.com' 'tradem.com' 'trafficbee.com' 'trafficrevenue.net' 'traffictraders.com' 'traffprofit.com' 'trafmag.com' 'trafsearchonline.com' 'travel-leisure-bonuspath.com' 'travel-leisure-premiumblvd.com' 'traveller-offer.com' 'traveller-offer.net' 'travelncs.com' 'tr.bigpoint.com' 'trekmedia.net' 'trendnews.com' 'trgde.adocean.pl' 'triangle.dealsaver.com' 'trk.alskeip.com' 'trk.etrigue.com' 'trk.yadomedia.com' 'tropiccritics.com' 'tr.tu.connect.wunderloop.net' 'trustsitesite.com' 'trvlnet.adbureau.net' 'trvlnet-images.adbureau.net' 'tr.wl.webads.nl' 'tsms-ad.tsms.com' 'tste.ivillage.com' 'tste.mcclatchyinteractive.com' 'tste.startribune.com' 'ttarget.adbureau.net' 'ttnet.yandex.com.tr' 'ttuk.offers4u.mobi' 'turn.com' 'turnerapac.d1.sc.omtrdc.net' 'tv2no.linkpulse.com' 'tvshowsnow.tvmax.hop.clickbank.net' 'twnads.weather.ca' 'ua2.admixer.net' 'u.admob.com' 'uav.tidaltv.com' 'ubmcmm.baidustatic.com' 'uc.csc.adserver.yahoo.com' 'ucstat.baidu.com' 'uedata.amazon.com' 'uelbdc74fn.s.ad6media.fr' 'uf2.svrni.ca' 'ugo.eu-adcenter.net' 'ui.ppjol.com' 'uleadstrk.com' 'ulic.baidu.com' 'ultimatefashiongifts.com' 'ultrabestportal.com' 'ultrasponsor.com' 'um.simpli.fi' 'uniclick.openv.com' 'union.56.com' 'union.6.cn' 'union.baidu.com' 'unite3tubes.com' 'unstat.baidu.com' 'unwashedsound.com' 'uole.ad.uol.com.br' 'upload.adtech.de' 'upload.adtech.fr' 'upload.adtech.us' 'uproar.com' 'uproar.fortunecity.com' 'upsellit.com' 'usads.vibrantmedia.com' 'usapolice.com' 'usatoday.app.ur.gcion.com' 'usatravel-specials.com' 'usatravel-specials.net' 'us-choicevalue.com' 'usemax.de' 'usr.marketgid.com' 'us-topsites.com' 'ut.addthis.com' 'utarget.ru' 'utility.baidu.com' 'utils.mediageneral.com' 'utk.baidu.com' 'uvimage.56.com' 'v0.stat.ku6.com' 'v16.56.com' 'v1.stat.ku6.com' 'v2.stat.ku6.com' 'v3.stat.ku6.com' 'v3.toolbar.soso.com' 'vad.adbasket.net' 'v.admob.com' 'vads.adbrite.com' 'valb.atm.youku.com' 'valc.atm.youku.com' 'valf.atm.youku.com' 'valo.atm.youku.com' 'valp.atm.youku.com' 'van.ads.link4ads.com' 'vast.bp3845260.btrll.com' 'vast.bp3846806.btrll.com' 'vast.bp3846885.btrll.com' 'vast.tubemogul.com' 'vclick.adbrite.com' 'venus.goclick.com' 've.tscapeplay.com' 'viamichelin.cdn11.contentabc.com' 'viamichelin.media.trafficjunky.net' 'vice-ads-cdn.vice.com' 'vid.atm.youku.com' 'videobox.com' 'videocop.com' 'videoegg.adbureau.net' 'video-game-rewards-central.com' 'videogamerewardscentral.com' 'videomediagroep.nl' 'videos.fleshlight.com' 'videoslots.888.com' 'videos.video-loader.com' 'view.atdmt.com' 'view.avenuea.com' 'view.iballs.a1.avenuea.com' 'view.jamba.de' 'view.netrams.com' 'views.m4n.nl' 'viglink.com' 'viglink.pgpartner.com' 'villagevoicecollect.247realmedia.com' 'vip1.tw.adserver.yahoo.com' 'vipfastmoney.com' 'vk.18sexporn.ru' 'vmcsatellite.com' 'vmix.adbureau.net' 'vms.boldchat.com' 'vnu.eu-adcenter.net' 'vnumedia02.webtrekk.net' 'vnumedia03.webtrekk.net' 'vnumedia04.webtrekk.net' 'vocal-mess.com' 'vodafoneit.solution.weborama.fr' 'voordeel.ad.nl' 'vp.tscapeplay.com' 'v.vomedia.tv' 'vzarabotke.ru' 'w100.am15.net' 'w101.am15.net' 'w102.am15.net' 'w103.am15.net' 'w104.am15.net' 'w105.am15.net' 'w106.am15.net' 'w107.am15.net' 'w108.am15.net' 'w109.am15.net' 'w10.am15.net' 'w110.am15.net' 'w111.am15.net' 'w112.am15.net' 'w113.am15.net' 'w114.am15.net' 'w115.am15.net' 'w116.am15.net' 'w117.am15.net' 'w118.am15.net' 'w119.am15.net' 'w11.am15.net' 'w11.centralmediaserver.com' 'w12.am15.net' 'w13.am15.net' 'w14.am15.net' 'w15.am15.net' 'w16.am15.net' 'w17.am15.net' 'w18.am15.net' 'w19.am15.net' 'w1.am15.net' 'w1.iyi.net' 'w1.webcompteur.com' 'w20.am15.net' 'w21.am15.net' 'w22.am15.net' 'w23.am15.net' 'w24.am15.net' 'w25.am15.net' 'w26.am15.net' 'w27.am15.net' 'w28.am15.net' 'w29.am15.net' 'w2.am15.net' 'w30.am15.net' 'w31.am15.net' 'w32.am15.net' 'w33.am15.net' 'w34.am15.net' 'w35.am15.net' 'w36.am15.net' 'w37.am15.net' 'w38.am15.net' 'w39.am15.net' 'w3.am15.net' 'w40.am15.net' 'w41.am15.net' 'w42.am15.net' 'w43.am15.net' 'w44.am15.net' 'w45.am15.net' 'w46.am15.net' 'w47.am15.net' 'w48.am15.net' 'w49.am15.net' 'w4.am15.net' 'w50.am15.net' 'w51.am15.net' 'w52.am15.net' 'w53.am15.net' 'w54.am15.net' 'w55.am15.net' 'w56.am15.net' 'w57.am15.net' 'w58.am15.net' 'w59.am15.net' 'w5.am15.net' 'w60.am15.net' 'w61.am15.net' 'w62.am15.net' 'w63.am15.net' 'w64.am15.net' 'w65.am15.net' 'w66.am15.net' 'w67.am15.net' 'w68.am15.net' 'w69.am15.net' 'w6.am15.net' 'w70.am15.net' 'w71.am15.net' 'w72.am15.net' 'w73.am15.net' 'w74.am15.net' 'w75.am15.net' 'w76.am15.net' 'w77.am15.net' 'w78.am15.net' 'w79.am15.net' 'w7.am15.net' 'w80.am15.net' 'w81.am15.net' 'w82.am15.net' 'w83.am15.net' 'w84.am15.net' 'w85.am15.net' 'w86.am15.net' 'w87.am15.net' 'w88.am15.net' 'w89.am15.net' 'w8.am15.net' 'w90.am15.net' 'w91.am15.net' 'w92.am15.net' 'w93.am15.net' 'w94.am15.net' 'w95.am15.net' 'w96.am15.net' 'w97.am15.net' 'w98.am15.net' 'w99.am15.net' 'w9.am15.net' 'w.admob.com' 'wafmedia3.com' 'wahoha.com' 'walp.atm.youku.com' 'wangluoruanjian.com' 'wangmeng.baidu.com' 'wap.casee.cn' 'warp.crystalad.com' 'wdm29.com' 'web1b.netreflector.com' 'webads.bizservers.com' 'webads.nl' 'webbizwild.com' 'webcamsex.nl' 'webcompteur.com' 'webhosting-ads.home.pl' 'weblogger.visilabs.com' 'webmdcom.tt.omtrdc.net' 'webnavegador.com' 'web.nyc.ads.juno.co' 'webservices-rewardpath.com' 'websurvey.spa-mr.com' 'webtrekk.net' 'webuysupplystore.mooo.com' 'webwise.bt.com' 'wegetpaid.net' 'werkenbijliones.nl' 'w.ic.tynt.com' 'widespace.com' 'widget3.linkwithin.com' 'widget5.linkwithin.com' 'widget.achetezfacile.com' 'widgets.tcimg.com' 'wigetmedia.com' 'wikiforosh.ir' 'williamhill.es' 'wineeniphone6.com-gen.online' 'w.l.qq.com' 'wm.baidu.com' 'wmedia.rotator.hadj7.adjuggler.net' 'worden.samenresultaat.nl' 'wordplaywhiz.com' 'work-offer.com' 'worry-free-savings.com' 'wppluginspro.com' 'w.prize44.com' 'ws.addthis.com' 'wtp101.com' 'wwbtads.com' 'www10.ad.tomshardware.com' 'www10.glam.com' 'www10.indiads.com' 'www10.paypopup.com' 'www11.ad.tomshardware.com' 'www123.glam.com' 'www.123specialgifts.com' 'www12.ad.tomshardware.com' 'www12.glam.com' 'www13.ad.tomshardware.com' 'www13.glam.com' 'www14.ad.tomshardware.com' 'www15.ad.tomshardware.com' 'www17.glam.com' 'www18.glam.com' 'www1.adireland.com' 'www1.ad.tomshardware.com' 'www1.bannerspace.com' 'www1.belboon.de' 'www1.clicktorrent.info' 'www1.popinads.com' 'www1.safenyplanet.in' 'www1.vip.sc9.admob.com' 'www1.xmediaserve.com' 'www1.zapadserver1.com' 'www.2015rewardopportunities.com' 'www210.paypopup.com' 'www211.paypopup.com' 'www212.paypopup.com' 'www213.paypopup.com' 'www.247realmedia.com' 'www24a.glam.com' 'www24.glam.com' 'www25a.glam.com' 'www25.glam.com' 'www2.adireland.com' 'www2.ad.tomshardware.com' 'www.2-art-coliseum.com' 'www2.bannerspace.com' 'www2.glam.com' 'www2.kampanyatakip.net' 'www2.pubdirecte.com' 'www2.zapadserver1.com' 'www30a1-orig.glam.com' 'www30a2-orig.glam.com' 'www30a3.glam.com' 'www30a3-orig.glam.com' 'www30a7.glam.com' 'www30.glam.com' 'www30l2.glam.com' 'www30t1-orig.glam.com' 'www.321cba.com' 'www35f.glam.com' 'www35jm.glam.com' 'www35t.glam.com' 'www.360ads.com' 'www3.addthis.com' 'www3.ad.tomshardware.com' 'www3.bannerspace.com' 'www3.haberturk.com' 'www3.ihaberadserver.com' 'www3.kampanyatakip.net' 'www3.oyunstar.com' 'www.3qqq.net' 'www.3turtles.com' 'www3.zapadserver.com' 'www.404errorpage.com' 'www4.ad.tomshardware.com' 'www4.bannerspace.com' 'www4.glam.com' 'www4.kampanyatakip.net' 'www5.ad.tomshardware.com' 'www5.bannerspace.com' 'www5.kampanyatakip.net' 'www5.mackolik1.com' 'www.5thavenue.com' 'www6.ad.tomshardware.com' 'www6.bannerspace.com' 'www6.kampanyatakip.net' 'www74.valueclick.com' 'www.7500.com' 'www7.ad.tomshardware.com' 'www7.bannerspace.com' 'www.7bpeople.com' 'www.7cnbcnews.com' 'www7.kampanyatakip.net' 'www.805m.com' 'www81.valueclick.com' 'www.888casino.com' 'www.888poker.com' 'www8.ad.tomshardware.com' 'www8.bannerspace.com' 'www.961.com' 'www9.ad.tomshardware.com' 'www9.paypopup.com' 'www.abrogatesdv.info' 'www.actiondesk.com' 'www.action.ientry.net' 'www.ad6media.fr' 'www.adbanner.gr' 'www.adblockanalytics.com' 'www.adbrite.com' 'www.adcanadian.com' 'www.addthiscdn.com' 'www.addthis.com' 'www.adfactor.nl' 'www.adfunkyserver.com' 'www.adimages.beeb.com' 'www.adipics.com' 'www.adjmps.com' 'www.adjug.com' 'www.adlogix.com' 'www.admex.com' 'www.adnet.biz' 'www.adnet.com' 'www.adnet.de' 'www.adnxs.com' 'www.adobee.com' 'www.adobur.com' 'www.adocean.pl' 'www.adpepper.dk' 'www.adpowerzone.com' 'www.adquest3d.com' 'www.adreporting.com' 'www.ads2srv.com' 'www.adscience.nl' 'www.adsentnetwork.com' 'www.adserver.co.il' 'www.adserver.com' 'www.adserver.com.my' 'www.adserver.com.pl' 'www.adserver-espnet.sportszone.net' 'www.adserver.janes.net' 'www.adserver.janes.org' 'www.adserver.jolt.co.uk' 'www.adserver.net' 'www.adserver.ugo.nl' 'www.adservtech.com' 'www.adsinimages.com' 'www.ads.joetec.net' 'www.adsoftware.com' 'www.adspics.com' 'www.ads.revenue.net' 'www.adsrvr.org' 'www.adstogo.com' 'www.adstreams.org' 'www.adsupplyads.com' 'www.adtaily.pl' 'www.adtechus.com' 'www.ad.tgdaily.com' 'www.adtlgc.com' 'www.ad.tomshardware.com' 'www.adtrix.com' 'www.ad-up.com' 'www.advaliant.com' 'www.adverterenbijrtl.nl' 'www.adverterenbijsbs.nl' 'www.adverterenzeeland.nl' 'www.advertising-department.com' 'www.advertpro.com' 'www.adverts.dcthomson.co.uk' 'www.advertyz.com' 'www.adview.cn' 'www.ad-words.ru' 'www.adzerk.net' 'www.affiliateclick.com' 'www.affiliate-fr.com' 'www.affiliation-france.com' 'www.afform.co.uk' 'www.affpartners.com' 'www.afterdownload.com' 'www.agkn.com' 'www.alexxe.com' 'www.algocashmaster.com' 'www.allosponsor.com' 'www.amazing-opportunities.info' 'www.annuaire-autosurf.com' 'www.apparelncs.com' 'www.apparel-offer.com' 'www.applelounge.com' 'www.applicationwiki.com' 'www.appliedsemantics.com' 'www.appnexus.com' 'www.art-music-rewardpath.com' 'www.art-offer.com' 'www.art-offer.net' 'www.art-photo-music-premiumblvd.com' 'www.art-photo-music-rewardempire.com' 'www.art-photo-music-savingblvd.com' 'www.atpanel.com' 'www.auctionshare.net' 'www.aureate.com' 'www.autohipnose.com' 'www.automotive-offer.com' 'www.automotive-rewardpath.com' 'www.avcounter10.com' 'www.avsads.com' 'www.a.websponsors.com' 'www.awesomevipoffers.com' 'www.bananacashback.com' 'www.banner4all.dk' 'www.bannerads.de' 'www.bannerbackup.com' 'www.bannerconnect.net' 'www.banners.paramountzone.com' 'www.bannersurvey.biz' 'www.banstex.com' 'www.bargainbeautybuys.com' 'www.bbelements.com' 'www.best-iphone6s.com' 'www.bestshopperrewards.com' 'www.bet365.com' 'www.bhclicks.com' 'www.bidtraffic.com' 'www.bigbangempire.com' 'www.bigbrandpromotions.com' 'www.bigbrandrewards.com' 'www.biggestgiftrewards.com' 'www.binarysystem4u.com' 'www.biz-offer.com' 'www.bizopprewards.com' 'www.blasphemysfhs.info' 'www.blatant8jh.info' 'www.bluediamondoffers.com' 'www.bnnr.nl' 'www.bonzi.com' 'www.bookclub-offer.com' 'www.books-media-edu-premiumblvd.com' 'www.books-media-edu-rewardempire.com' 'www.books-media-rewardpath.com' 'www.boonsolutions.com' 'www.bostonsubwayoffer.com' 'www.brandrewardcentral.com' 'www.brandsurveypanel.com' 'www.brightonclick.com' 'www.brokertraffic.com' 'www.budsinc.com' 'www.bugsbanner.it' 'www.bulkclicks.com' 'www.bulletads.com' 'www.business-rewardpath.com' 'www.bus-offer.com' 'www.buttcandy.com' 'www.buwobarun.cn' 'www.buyhitscheap.com' 'www.capath.com' 'www.careers-rewardpath.com' 'www.car-truck-boat-bonuspath.com' 'www.car-truck-boat-premiumblvd.com' 'www.cashback.co.uk' 'www.cashbackwow.co.uk' 'www.casino770.com' 'www.catalinkcashback.com' 'www.cell-phone-giveaways.com' 'www.cellphoneincentives.com' 'www.chainsawoffer.com' 'www.chartbeat.com' 'www.choicedealz.com' 'www.choicesurveypanel.com' 'www.christianbusinessadvertising.com' 'www.ciqugasox.cn' 'www.claimfreerewards.com' 'www.clashmediausa.com' 'www.click10.com' 'www.click4click.com' 'www.clickbank.com' 'www.clickdensity.com' 'www.click-find-save.com' 'www.click-see-save.com' 'www.clicksotrk.com' 'www.clicktale.com' 'www.clicktale.net' 'www.clickthrutraffic.com' 'www.clicktilluwin.com' 'www.clicktorrent.info' 'www.clickxchange.com' 'www.closeoutproductsreview.com' 'www.cm1359.com' 'www.come-see-it-all.com' 'www.commerce-offer.com' 'www.commerce-rewardpath.com' 'www.computer-offer.com' 'www.computer-offer.net' 'www.computers-electronics-rewardpath.com' 'www.computersncs.com' 'www.consumergiftcenter.com' 'www.consumerincentivenetwork.com' 'www.consumer-org.com' 'www.contextweb.com' 'www.conversantmedia.com' 'www.cookingtiprewards.com' 'www.coolconcepts.nl' 'www.cool-premiums.com' 'www.cool-premiums-now.com' 'www.coolpremiumsnow.com' 'www.coolsavings.com' 'www.coreglead.co.uk' 'www.cosmeticscentre.uk.com' 'www.cpabank.com' 'www.cpmadvisors.com' 'www.crazypopups.com' 'www.crazywinnings.com' 'www.crediblegfj.info' 'www.crispads.com' 'www.crowdgravity.com' 'www.crowdignite.com' 'www.ctbdev.net' 'www.cyber-incentives.com' 'www.d03x2011.com' 'www.daily-saver.com' 'www.datatech.es' 'www.datingadvertising.com' 'www.dctracking.com' 'www.depravedwhores.com' 'www.designbloxlive.com' 'www.destinationurl.com' 'www.dgmaustralia.com' 'www.dietoftoday.ca.pn' 'www.digimedia.com' 'www.directpowerrewards.com' 'www.dirtyrhino.com' 'www.discount-savings-more.com' 'www.djugoogs.com' 'www.dl-plugin.com' 'www.drowle.com' 'www.dt1blog.com' 'www.dutchsales.org' 'www.earnmygift.com' 'www.earnpointsandgifts.com' 'www.easyadservice.com' 'www.e-bannerx.com' 'www.ebayadvertising.com' 'www.ebaybanner.com' 'www.education-rewardpath.com' 'www.edu-offer.com' 'www.electronics-bonuspath.com' 'www.electronics-offer.net' 'www.electronicspresent.com' 'www.electronics-rewardpath.com' 'www.emailadvantagegroup.com' 'www.emailproductreview.com' 'www.emarketmakers.com' 'www.entertainment-rewardpath.com' 'www.entertainment-specials.com' 'www.eshopads2.com' 'www.exasharetab.com' 'www.exclusivegiftcards.com' 'www.eyeblaster-bs.com' 'www.eyewonder.com' 'www.falkag.de' 'www.family-offer.com' 'www.fast-adv.it' 'www.fastcash-ad.biz' 'www.fatcatrewards.com' 'www.feedjit.com' 'www.feedstermedia.com' 'www.fif49.info' 'www.finance-offer.com' 'www.finder.cox.net' 'www.fineclicks.com' 'www.flagcounter.com' 'www.flowers-offer.com' 'www.flu23.com' 'www.focalex.com' 'www.folloyu.com' 'www.food-drink-bonuspath.com' 'www.food-drink-rewardpath.com' 'www.foodmixeroffer.com' 'www.food-offer.com' 'www.forboringbusinesses.com' 'www.freeadguru.com' 'www.freebiegb.co.uk' 'www.freecameraonus.com' 'www.freecameraprovider.com' 'www.freecamerasource.com' 'www.freecamerauk.co.uk' 'www.freecamsecrets.com' 'www.freecamsexposed.com' 'www.freecoolgift.com' 'www.freedesignerhandbagreviews.com' 'www.freedinnersource.com' 'www.freedvddept.com' 'www.freeelectronicscenter.com' 'www.freeelectronicsdepot.com' 'www.freeelectronicsonus.com' 'www.freeelectronicssource.com' 'www.freeentertainmentsource.com' 'www.freefoodprovider.com' 'www.freefoodsource.com' 'www.freefuelcard.com' 'www.freefuelcoupon.com' 'www.freegasonus.com' 'www.freegasprovider.com' 'www.free-gift-cards-now.com' 'www.freegiftcardsource.com' 'www.freegiftreward.com' 'www.free-gifts-comp.com' 'www.freeipodnanouk.co.uk' 'www.freeipoduk.com' 'www.freeipoduk.co.uk' 'www.freelaptopgift.com' 'www.freelaptopnation.com' 'www.free-laptop-reward.com' 'www.freelaptopreward.com' 'www.freelaptopwebsites.com' 'www.freenation.com' 'www.freeoffers-toys.com' 'www.freepayasyougotopupuk.co.uk' 'www.freeplasmanation.com' 'www.freerestaurantprovider.com' 'www.freerestaurantsource.com' 'www.freeshoppingprovider.com' 'www.freeshoppingsource.com' 'www.freo-stats.nl' 'www.fusionbanners.com' 'www.gameconsolerewards.com' 'www.games-toys-bonuspath.com' 'www.games-toys-free.com' 'www.games-toys-rewardpath.com' 'www.gatoradvertisinginformationnetwork.com' 'www.getacool100.com' 'www.getacool500.com' 'www.getacoollaptop.com' 'www.getacooltv.com' 'www.getagiftonline.com' 'www.getloan.com' 'www.getmyfreebabystuff.com' 'www.getmyfreegear.com' 'www.getmyfreegiftcard.com' 'www.getmyfreelaptop.com' 'www.getmyfreelaptophere.com' 'www.getmyfreeplasma.com' 'www.getmylaptopfree.com' 'www.getmyplasmatv.com' 'www.getspecialgifts.com' 'www.getyourfreecomputer.com' 'www.getyourfreetv.com' 'www.giftcardchallenge.com' 'www.giftcardsurveys.us.com' 'www.giftrewardzone.com' 'www.gifts-flowers-rewardpath.com' 'www.gimmethatreward.com' 'www.gmads.net' 'www.go-free-gifts.com' 'www.gofreegifts.com' 'www.goody-garage.com' 'www.gopopup.com' 'www.grabbit-rabbit.com' 'www.greasypalm.com' 'www.groupm.com' 'www.grz67.com' 'www.guesstheview.com' 'www.guptamedianetwork.com' 'www.happydiscountspecials.com' 'www.healthbeautyncs.com' 'www.health-beauty-rewardpath.com' 'www.health-beauty-savingblvd.com' 'www.healthclicks.co.uk' 'www.hebdotop.com' 'www.heusmarketing.nl' 'www.hightrafficads.com' 'www.histats.com' 'www.holiday-gift-offers.com' 'www.holidayproductpromo.com' 'www.holidayshoppingrewards.com' 'www.home4bizstart.ru' 'www.homeelectronicproducts.com' 'www.home-garden-premiumblvd.com' 'www.home-garden-rewardempire.com' 'www.home-garden-rewardpath.com' 'www.hooqy.com' 'www.hotchatdate.com' 'www.hot-daily-deal.com' 'www.hotgiftzone.com' 'www.hotkeys.com' 'www.hot-product-hangout.com' 'www.idealcasino.net' 'www.idirect.com' 'www.ihaberadserver.com' 'www.iicdn.com' 'www.ijacko.net' 'www.ilovemobi.com' 'www.impressionaffiliate.com' 'www.impressionaffiliate.mobi' 'www.impressionlead.com' 'www.impressionperformance.biz' 'www.incentivegateway.com' 'www.incentiverewardcenter.com' 'www.incentive-scene.com' 'www.inckamedia.com' 'www.infinite-ads.com' 'www.inpagevideo.nl' 'www.ins-offer.com' 'www.insurance-rewardpath.com' 'www.intela.com' 'www.interstitialzone.com' 'www.intnet-offer.com' 'www.invitefashion.com' 'www.istats.nl' 'www.itrackerpro.com' 'www.itsfree123.com' 'www.iwantmyfreecash.com' 'www.iwantmy-freelaptop.com' 'www.iwantmyfree-laptop.com' 'www.iwantmyfreelaptop.com' 'www.iwantmygiftcard.com' 'www.jersey-offer.com' 'www.jetseeker.com' 'www.jivox.com' 'www.jl29jd25sm24mc29.com' 'www.joinfree.ro' 'www.jxliu.com' 'www.kampanyatakip.net' 'www.keywordblocks.com' 'www.kitaramarketplace.com' 'www.kitaramedia.com' 'www.kitaratrk.com' 'www.kixer.com' 'www.kliksaya.com' 'www.kmdl101.com' 'www.konversation.com' 'www.kreaffiliation.com' 'www.kuhdi.com' 'www.ladyclicks.ru' 'www.laptopreportcard.com' 'www.laptoprewards.com' 'www.laptoprewardsgroup.com' 'www.laptoprewardszone.com' 'www.larivieracasino.com' 'www.lasthr.info' 'www.le1er.net' 'www.leadgreed.com' 'www.learning-offer.com' 'www.legal-rewardpath.com' 'www.leisure-offer.com' 'www.linkhut.com' 'www.linkpulse.com' 'www.linkwithin.com' 'www.liones.nl' 'www.liveinternet.ru' 'www.lldiettracker.com' 'www.lottoforever.com' 'www.lpcloudsvr302.com' 'www.lpmxp2014.com' 'www.lpmxp2015.com' 'www.lpmxp2016.com' 'www.lpmxp2017.com' 'www.lpmxp2018.com' 'www.lpmxp2019.com' 'www.lpmxp2020.com' 'www.lpmxp2021.com' 'www.lpmxp2022.com' 'www.lpmxp2023.com' 'www.lpmxp2024.com' 'www.lpmxp2025.com' 'www.lpmxp2026.com' 'www.lpmxp2027.com' 'www.lucky-day-uk.com' 'www.mac.com-w.net' 'www.macombdisplayads.com' 'www.market-buster.com' 'www.marketing-rewardpath.com' 'www.marketwatch.com.edgesuite.net' 'www.mastertracks.be' 'www.media2.travelzoo.com' 'www.media-motor.com' 'www.medical-offer.com' 'www.medical-rewardpath.com' 'www.merchantapp.com' 'www.merlin.co.il' 'www.methodcasino2015.com' 'www.mgid.com' 'www.mightymagoo.com' 'www.mijnbladopdemat.nl' 'www.mktg-offer.com' 'www.mlntracker.com' 'www.mochibot.com' 'www.morefreecamsecrets.com' 'www.morevisits.info' 'www.mp3playersource.com' 'www.mpression.net' 'www.myadsl.co.za' 'www.myairbridge.com' 'www.mycashback.co.uk' 'www.mycelloffer.com' 'www.mychoicerewards.com' 'www.myexclusiverewards.com' 'www.myfreedinner.com' 'www.myfreegifts.co.uk' 'www.myfreemp3player.com' 'www.mygiftcardcenter.com' 'www.mygreatrewards.com' 'www.myoffertracking.com' 'www.my-reward-channel.com' 'www.my-rewardsvault.com' 'www.myseostats.com' 'www.my-stats.com' 'www.myuitm.com' 'www.myusersonline.com' 'www.na47.com' 'www.nakhit.com' 'www.nationalissuepanel.com' 'www.nationalsurveypanel.com' 'www.nctracking.com' 'www.nearbyad.com' 'www.needadvertising.com' 'www.neptuneads.com' 'www.netpalnow.com' 'www.netpaloffers.net' 'www.news6health.com' 'www.newssourceoftoday.com' 'www.nospartenaires.com' 'www.nothing-but-value.com' 'www.nubijlage.nl' 'www.nysubwayoffer.com' 'www.offerx.co.uk' 'www.oinadserve.com' 'www.onclicktop.com' 'www.onlinebestoffers.net' 'www.ontheweb.com' 'www.opendownload.de' 'www.openload.de' 'www.optiad.net' 'www.paperg.com' 'www.parsads.com' 'www.partner.googleadservices.com' 'www.partycasino.com' 'www.pathforpoints.com' 'www.paypopup.com' 'www.peachy18.com' 'www.people-choice-sites.com' 'www.persgroepadvertising.nl' 'www.personalcare-offer.com' 'www.personalcashbailout.com' 'www.phoenixads.co.in' 'www.phorm.com' 'www.pick-savings.com' 'www.plasmatv4free.com' 'www.plasmatvreward.com' 'www.politicalopinionsurvey.com' 'www.poponclick.com' 'www.popupad.net' 'www.popupdomination.com' 'www.popuptraffic.com' 'www.postmasterbannernet.com' 'www.postmasterdirect.com' 'www.postnewsads.com' 'www.predictivadnetwork.com' 'www.premiumholidayoffers.com' 'www.premiumproductsonline.com' 'www.premium-reward-club.com' 'www.prizes.co.uk' 'www.probabilidades.net' 'www.productopinionpanel.com' 'www.productresearchpanel.com' 'www.producttestpanel.com' 'www.pro-partners.nl' 'www.psclicks.com' 'www.qitrck.com' 'www.quickbrowsersearch.com' 'www.quickcash-system.com' 'www.radiate.com' 'www.rankyou.com' 'www.ravel-rewardpath.com' 'www.recreation-leisure-rewardpath.com' 'www.redactiepartners.nl' 'www.regflow.com' 'www.registrarads.com' 'www.reklam3.net' 'www.reklamzadserver.com' 'www.resolvingserver.com' 'www.rewardblvd.com' 'www.rewardhotspot.com' 'www.rewardsflow.com' 'www.ringtonepartner.com' 'www.romepartners.com' 'www.roulettebotplus.com' 'www.rovion.com' 'www.rscounter10.com' 'www.rtcode.com' 'www.rubyfortune.com' 'www.rwpads.net' 'www.sa44.net' 'www.safesoftware182.com' 'www.sagent.io' 'www.salesonline.ie' 'www.sanoma-adverteren.nl' 'www.save-plan.com' 'www.savings-specials.com' 'www.savings-time.com' 'www.sayfabulunamadi.com' 'www.scoremygift.com' 'www.screen-mates.com' 'www.searchwe.com' 'www.seasonalsamplerspecials.com' 'www.securecontactinfo.com' 'www.securerunner.com' 'www.servedby.advertising.com' 'www.sexadvertentiesite.nl' 'www.sexpartnerx.com' 'www.sexsponsors.com' 'www.share-server.com' 'www.shc-rebates.com' 'www.shopperpromotions.com' 'www.shoppingjobshere.com' 'www.shoppingminds.net' 'www.shopping-offer.com' 'www.shoppingsiterewards.com' 'www.shops-malls-rewardpath.com' 'www.shoptosaveenergy.com' 'www.simpli.fi' 'www.sizzle-savings.com' 'www.smart-scripts.com' 'www.smarttargetting.com' 'www.smokersopinionpoll.com' 'www.smspop.com' 'www.sochr.com' 'www.sociallypublish.com' 'www.soongu.info' 'www.specialgiftrewards.com' 'www.specialonlinegifts.com' 'www.specials-rewardpath.com' 'www.speedboink.com' 'www.speedyclick.com' 'www.spinbox.com' 'www.sponsoradulto.com' 'www.sports-bonuspath.com' 'www.sports-fitness-rewardpath.com' 'www.sports-offer.com' 'www.sports-offer.net' 'www.sports-premiumblvd.com' 'www.star-advertising.com' 'www.startnewtab.com' 'www.subsitesadserver.co.uk' 'www.sudokuwhiz.com' 'www.superbrewards.com' 'www.supremeadsonline.com' 'www.surplus-suppliers.com' 'www.sweetsforfree.com' 'www.symbiosting.com' 'www.syncaccess.net' 'www.system-live-media.cz' 'www.tao123.com' 'www.tcimg.com' 'www.textbanners.net' 'www.textsrv.com' 'www.tgpmanager.com' 'www.thatrendsystem.com' 'www.the-binary-options-guide.com' 'www.the-binary-theorem.com' 'www.the-path-gateway.com' 'www.the-smart-stop.com' 'www.thetraderinpajamas.com' 'www.theuseful.com' 'www.theuseful.net' 'www.thinktarget.com' 'www.thinlaptoprewards.com' 'www.thoughtfully-free.com' 'www.thruport.com' 'www.tons-to-see.com' 'www.top20free.com' 'www.topbrandrewards.com' 'www.topconsumergifts.com' 'www.topdemaroc.com' 'www.toy-offer.com' 'www.toy-offer.net' 'www.trackadvertising.net' 'www.tracklead.net' 'www.tradem.com' 'www.trafficrevenue.net' 'www.traffictrader.net' 'www.traffictraders.com' 'www.trafsearchonline.com' 'www.traktum.com' 'www.travel-leisure-bonuspath.com' 'www.travel-leisure-premiumblvd.com' 'www.traveller-offer.com' 'www.traveller-offer.net' 'www.travelncs.com' 'www.treeloot.com' 'www.trendnews.com' 'www.trendsonline.biz' 'www.trendsonline.me' 'www.trendsonline.mobi' 'www.trkfl.com' 'www.trndsys.mobi' 'www.ttnet.yandex.com.tr' 'www.turn.com' 'www.tutop.com' 'www.tuttosessogratis.org' 'www.uleadstrk.com' 'www.ultimatefashiongifts.com' 'www.uproar.com' 'www.usatravel-specials.com' 'www.usatravel-specials.net' 'www.us-choicevalue.com' 'www.usemax.de' 'www.us-topsites.com' 'www.valueclick.com' 'www.via22.net' 'www.video-game-rewards-central.com' 'www.videogamerewardscentral.com' 'www.videohube.eu' 'www.videomediagroep.nl' 'www.view4cash.de' 'www.virtumundo.com' 'www.vmcsatellite.com' 'www.wdm29.com' 'www.webcashvideos.com' 'www.webcompteur.com' 'www.webservices-rewardpath.com' 'www.websitepromoten.be' 'www.webtrekk.net' 'www.wegetpaid.net' 'www.werkenbijliones.nl' 'www.westreclameadvies.nl' 'www.whatuwhatuwhatuwant.com' 'www.widespace.com' 'www.widgetbucks.com' 'www.wigetmedia.com' 'www.williamhill.es' 'www.windaily.com' 'www.winnerschoiceservices.com' 'www.w.nolimit-video.com' 'www.wordplaywhiz.com' 'www.work-offer.com' 'www.worry-free-savings.com' 'www.wppluginspro.com' 'www.xaxis.com' 'www.xbn.ru' 'www.yceml.net' 'www.yibaruxet.cn' 'www.yieldmanager.net' 'www.yieldpartners.com' 'www.youf1le.com' 'www.youfck.com' 'www.yourdvdplayer.com' 'www.yourfreegascard.com' 'www.yourgascards.com' 'www.yourgiftrewards.com' 'www.your-gift-zone.com' 'www.yourgiftzone.com' 'www.yourhandytips.com' 'www.yourhotgiftzone.com' 'www.youripad4free.com' 'www.yourrewardzone.com' 'www.yoursmartrewards.com' 'www.zbippirad.info' 'www.zemgo.com' 'www.zevents.com' 'x86adserve006.adtech.de' 'x.admob.com' 'xaxis.com' 'x.azjmp.com' 'xch.smrtgs.com' 'x.iasrv.com' 'x.interia.pl' 'xlivehost.com' 'xlonhcld.xlontech.net' 'xml.adtech.de' 'xml.adtech.fr' 'xml.adtech.us' 'xml.click9.com' 'xmlheads.com' 'x.mochiads.com' 'xpantivirus.com' 'xpcs.ads.yahoo.com' 'xstatic.nk-net.pl' 'y.admob.com' 'yadro.ru' 'yieldmanagement.adbooth.net' 'yieldmanager.net' 'yodleeinc.tt.omtrdc.net' 'youcanoptin.com' 'youcanoptin.net' 'youcanoptin.org' 'youfck.com' 'your.dailytopdealz.com' 'yourdvdplayer.com' 'yourfreegascard.com' 'your-free-iphone.com' 'yourgascards.com' 'yourgiftrewards.com' 'your-gift-zone.com' 'yourgiftzone.com' 'yourhandytips.com' 'yourhotgiftzone.com' 'youripad4free.com' 'yourrewardzone.com' 'yoursmartrewards.com' 'ypn-js.overture.com' 'ysiu.freenation.com' 'ytaahg.vo.llnwd.net' 'yumenetworks.com' 'yx-in-f108.1e100.net' 'z1.adserver.com' 'z.admob.com' 'zads.zedo.com' 'zapadserver1.com' 'z.ceotrk.com' 'zdads.e-media.com' 'zeevex-online.com' 'zemgo.com' 'zevents.com' 'zhalehziba.com' 'zlothonline.info' 'zuzzer5.com' 'cya2.net' 'i.ligatus.com' 'images.revtrax.com' 'shorte.st' 'src.kitcode.net' 'ar.hao123.com' 'irs01.net' 'kiks.yandex.ru' 'simg.sinajs.cn' 'tv.sohu.com' 'y3.ifengimg.com' 'eur.a1.yimg.com' 'in.yimg.com' 'sg.yimg.com' 'uk.i1.yimg.com' 'us.a1.yimg.com' 'us.b1.yimg.com' 'us.c1.yimg.com' 'us.d1.yimg.com' 'us.e1.yimg.com' 'us.f1.yimg.com' 'us.g1.yimg.com' 'us.h1.yimg.com' 'us.j1.yimg.com' 'us.k1.yimg.com' 'us.l1.yimg.com' 'us.m1.yimg.com' 'us.n1.yimg.com' 'us.o1.yimg.com' 'us.p1.yimg.com' 'us.q1.yimg.com' 'us.r1.yimg.com' 'us.s1.yimg.com' 'us.t1.yimg.com' 'us.u1.yimg.com' 'us.v1.yimg.com' 'us.w1.yimg.com' 'us.x1.yimg.com' 'us.y1.yimg.com' 'us.z1.yimg.com' '1cgi.hitbox.com' '2cgi.hitbox.com' 'adminec1.hitbox.com' 'ads.hitbox.com' 'ag1.hitbox.com' 'ahbn1.hitbox.com' 'ahbn2.hitbox.com' 'ahbn3.hitbox.com' 'ahbn4.hitbox.com' 'aibg.hitbox.com' 'aibl.hitbox.com' 'aics.hitbox.com' 'ai.hitbox.com' 'aiui.hitbox.com' 'bigip1.hitbox.com' 'bigip2.hitbox.com' 'blowfish.hitbox.com' 'cdb.hitbox.com' 'cgi.hitbox.com' 'counter2.hitbox.com' 'counter.hitbox.com' 'dev101.hitbox.com' 'dev102.hitbox.com' 'dev103.hitbox.com' 'dev.hitbox.com' 'download.hitbox.com' 'ec1.hitbox.com' 'ehg-247internet.hitbox.com' 'ehg-accuweather.hitbox.com' 'ehg-acdsystems.hitbox.com' 'ehg-adeptscience.hitbox.com' 'ehg-affinitynet.hitbox.com' 'ehg-aha.hitbox.com' 'ehg-amerix.hitbox.com' 'ehg-apcc.hitbox.com' 'ehg-associatenewmedia.hitbox.com' 'ehg-ati.hitbox.com' 'ehg-attenza.hitbox.com' 'ehg-autodesk.hitbox.com' 'ehg-baa.hitbox.com' 'ehg-backweb.hitbox.com' 'ehg-bestbuy.hitbox.com' 'ehg-bizjournals.hitbox.com' 'ehg-bmwna.hitbox.com' 'ehg-boschsiemens.hitbox.com' 'ehg-bskyb.hitbox.com' 'ehg-cafepress.hitbox.com' 'ehg-careerbuilder.hitbox.com' 'ehg-cbc.hitbox.com' 'ehg-cbs.hitbox.com' 'ehg-cbsradio.hitbox.com' 'ehg-cedarpoint.hitbox.com' 'ehg-clearchannel.hitbox.com' 'ehg-closetmaid.hitbox.com' 'ehg-commjun.hitbox.com' 'ehg.commjun.hitbox.com' 'ehg-communityconnect.hitbox.com' 'ehg-communityconnet.hitbox.com' 'ehg-comscore.hitbox.com' 'ehg-corusentertainment.hitbox.com' 'ehg-coverityinc.hitbox.com' 'ehg-crain.hitbox.com' 'ehg-ctv.hitbox.com' 'ehg-cygnusbm.hitbox.com' 'ehg-datamonitor.hitbox.com' 'ehg-digg.hitbox.com' 'ehg-dig.hitbox.com' 'ehg-eckounlimited.hitbox.com' 'ehg-esa.hitbox.com' 'ehg-espn.hitbox.com' 'ehg-fifa.hitbox.com' 'ehg-findlaw.hitbox.com' 'ehg-foundation.hitbox.com' 'ehg-foxsports.hitbox.com' 'ehg-futurepub.hitbox.com' 'ehg-gamedaily.hitbox.com' 'ehg-gamespot.hitbox.com' 'ehg-gatehousemedia.hitbox.com' 'ehg-gatehoussmedia.hitbox.com' 'ehg-glam.hitbox.com' 'ehg-groceryworks.hitbox.com' 'ehg-groupernetworks.hitbox.com' 'ehg-guardian.hitbox.com' 'ehg-hasbro.hitbox.com' 'ehg-hellodirect.hitbox.com' 'ehg-himedia.hitbox.com' 'ehg.hitbox.com' 'ehg-hitent.hitbox.com' 'ehg-hollywood.hitbox.com' 'ehg-idgentertainment.hitbox.com' 'ehg-idg.hitbox.com' 'ehg-ifilm.hitbox.com' 'ehg-ignitemedia.hitbox.com' 'ehg-intel.hitbox.com' 'ehg-ittoolbox.hitbox.com' 'ehg-itworldcanada.hitbox.com' 'ehg-kingstontechnology.hitbox.com' 'ehg-knightridder.hitbox.com' 'ehg-learningco.hitbox.com' 'ehg-legonewyorkinc.hitbox.com' 'ehg-liveperson.hitbox.com' 'ehg-macpublishingllc.hitbox.com' 'ehg-macromedia.hitbox.com' 'ehg-magicalia.hitbox.com' 'ehg-maplesoft.hitbox.com' 'ehg-mgnlimited.hitbox.com' 'ehg-mindshare.hitbox.com' 'ehg.mindshare.hitbox.com' 'ehg-mtv.hitbox.com' 'ehg-mybc.hitbox.com' 'ehg-newarkinone.hitbox.com.hitbox.com' 'ehg-newegg.hitbox.com' 'ehg-newscientist.hitbox.com' 'ehg-newsinternational.hitbox.com' 'ehg-nokiafin.hitbox.com' 'ehg-novell.hitbox.com' 'ehg-nvidia.hitbox.com' 'ehg-oreilley.hitbox.com' 'ehg-oreilly.hitbox.com' 'ehg-pacifictheatres.hitbox.com' 'ehg-pennwell.hitbox.com' 'ehg-peoplesoft.hitbox.com' 'ehg-philipsvheusen.hitbox.com' 'ehg-pizzahut.hitbox.com' 'ehg-playboy.hitbox.com' 'ehg-presentigsolutions.hitbox.com' 'ehg-qualcomm.hitbox.com' 'ehg-quantumcorp.hitbox.com' 'ehg-randomhouse.hitbox.com' 'ehg-redherring.hitbox.com' 'ehg-register.hitbox.com' 'ehg-researchinmotion.hitbox.com' 'ehg-rfa.hitbox.com' 'ehg-rodale.hitbox.com' 'ehg-salesforce.hitbox.com' 'ehg-salonmedia.hitbox.com' 'ehg-samsungusa.hitbox.com' 'ehg-seca.hitbox.com' 'ehg-shoppersdrugmart.hitbox.com' 'ehg-sonybssc.hitbox.com' 'ehg-sonycomputer.hitbox.com' 'ehg-sonyelec.hitbox.com' 'ehg-sonymusic.hitbox.com' 'ehg-sonyny.hitbox.com' 'ehg-space.hitbox.com' 'ehg-sportsline.hitbox.com' 'ehg-streamload.hitbox.com' 'ehg-superpages.hitbox.com' 'ehg-techtarget.hitbox.com' 'ehg-tfl.hitbox.com' 'ehg-thefirstchurchchrist.hitbox.com' 'ehg-tigerdirect2.hitbox.com' 'ehg-tigerdirect.hitbox.com' 'ehg-topps.hitbox.com' 'ehg-tribute.hitbox.com' 'ehg-tumbleweed.hitbox.com' 'ehg-ubisoft.hitbox.com' 'ehg-uniontrib.hitbox.com' 'ehg-usnewsworldreport.hitbox.com' 'ehg-verizoncommunications.hitbox.com' 'ehg-viacom.hitbox.com' 'ehg-vmware.hitbox.com' 'ehg-vonage.hitbox.com' 'ehg-wachovia.hitbox.com' 'ehg-wacomtechnology.hitbox.com' 'ehg-warner-brothers.hitbox.com' 'ehg-wizardsofthecoast.hitbox.com.hitbox.com' 'ehg-womanswallstreet.hitbox.com' 'ehg-wss.hitbox.com' 'ehg-xxolympicwintergames.hitbox.com' 'ehg-yellowpages.hitbox.com' 'ehg-youtube.hitbox.com' 'ejs.hitbox.com' 'enterprise-admin.hitbox.com' 'enterprise.hitbox.com' 'esg.hitbox.com' 'evwr.hitbox.com' 'get.hitbox.com' 'hg10.hitbox.com' 'hg11.hitbox.com' 'hg12.hitbox.com' 'hg13.hitbox.com' 'hg14.hitbox.com' 'hg15.hitbox.com' 'hg16.hitbox.com' 'hg17.hitbox.com' 'hg1.hitbox.com' 'hg2.hitbox.com' 'hg3.hitbox.com' 'hg4.hitbox.com' 'hg5.hitbox.com' 'hg6a.hitbox.com' 'hg6.hitbox.com' 'hg7.hitbox.com' 'hg8.hitbox.com' 'hg9.hitbox.com' 'hitboxbenchmarker.com' 'hitboxcentral.com' 'hitbox.com' 'hitboxenterprise.com' 'hitboxwireless.com' 'host6.hitbox.com' 'ias2.hitbox.com' 'ias.hitbox.com' 'ibg.hitbox.com' 'ics.hitbox.com' 'idb.hitbox.com' 'js1.hitbox.com' 'lb.hitbox.com' 'lesbian-erotica.hitbox.com' 'lookup2.hitbox.com' 'lookup.hitbox.com' 'mrtg.hitbox.com' 'myhitbox.com' 'na.hitbox.com' 'narwhal.hitbox.com' 'nei.hitbox.com' 'nocboard.hitbox.com' 'noc.hitbox.com' 'noc-request.hitbox.com' 'ns1.hitbox.com' 'oas.hitbox.com' 'phg.hitbox.com' 'pure.hitbox.com' 'rainbowclub.hitbox.com' 'rd1.hitbox.com' 'reseller.hitbox.com' 'resources.hitbox.com' 'sitesearch.hitbox.com' 'specialtyclub.hitbox.com' 'ss.hitbox.com' 'stage101.hitbox.com' 'stage102.hitbox.com' 'stage103.hitbox.com' 'stage104.hitbox.com' 'stage105.hitbox.com' 'stage.hitbox.com' 'stats2.hitbox.com' 'stats3.hitbox.com' 'stats.hitbox.com' 'switch10.hitbox.com' 'switch11.hitbox.com' 'switch1.hitbox.com' 'switch5.hitbox.com' 'switch6.hitbox.com' 'switch8.hitbox.com' 'switch9.hitbox.com' 'switch.hitbox.com' 'tetra.hitbox.com' 'tools2.hitbox.com' 'toolsa.hitbox.com' 'tools.hitbox.com' 'ts1.hitbox.com' 'ts2.hitbox.com' 'vwr1.hitbox.com' 'vwr2.hitbox.com' 'vwr3.hitbox.com' 'w100.hitbox.com' 'w101.hitbox.com' 'w102.hitbox.com' 'w103.hitbox.com' 'w104.hitbox.com' 'w105.hitbox.com' 'w106.hitbox.com' 'w107.hitbox.com' 'w108.hitbox.com' 'w109.hitbox.com' 'w10.hitbox.com' 'w110.hitbox.com' 'w111.hitbox.com' 'w112.hitbox.com' 'w113.hitbox.com' 'w114.hitbox.com' 'w115.hitbox.com' 'w116.hitbox.com' 'w117.hitbox.com' 'w118.hitbox.com' 'w119.hitbox.com' 'w11.hitbox.com' 'w120.hitbox.com' 'w121.hitbox.com' 'w122.hitbox.com' 'w123.hitbox.com' 'w124.hitbox.com' 'w126.hitbox.com' 'w128.hitbox.com' 'w129.hitbox.com' 'w12.hitbox.com' 'w130.hitbox.com' 'w131.hitbox.com' 'w132.hitbox.com' 'w133.hitbox.com' 'w135.hitbox.com' 'w136.hitbox.com' 'w137.hitbox.com' 'w138.hitbox.com' 'w139.hitbox.com' 'w13.hitbox.com' 'w140.hitbox.com' 'w141.hitbox.com' 'w144.hitbox.com' 'w147.hitbox.com' 'w14.hitbox.com' 'w153.hitbox.com' 'w154.hitbox.com' 'w155.hitbox.com' 'w157.hitbox.com' 'w159.hitbox.com' 'w15.hitbox.com' 'w161.hitbox.com' 'w162.hitbox.com' 'w167.hitbox.com' 'w168.hitbox.com' 'w16.hitbox.com' 'w170.hitbox.com' 'w175.hitbox.com' 'w177.hitbox.com' 'w179.hitbox.com' 'w17.hitbox.com' 'w18.hitbox.com' 'w19.hitbox.com' 'w1.hitbox.com' 'w20.hitbox.com' 'w21.hitbox.com' 'w22.hitbox.com' 'w23.hitbox.com' 'w24.hitbox.com' 'w25.hitbox.com' 'w26.hitbox.com' 'w27.hitbox.com' 'w28.hitbox.com' 'w29.hitbox.com' 'w2.hitbox.com' 'w30.hitbox.com' 'w31.hitbox.com' 'w32.hitbox.com' 'w33.hitbox.com' 'w34.hitbox.com' 'w35.hitbox.com' 'w36.hitbox.com' 'w3.hitbox.com' 'w4.hitbox.com' 'w5.hitbox.com' 'w6.hitbox.com' 'w7.hitbox.com' 'w8.hitbox.com' 'w9.hitbox.com' 'webload101.hitbox.com' 'wss-gw-1.hitbox.com' 'wss-gw-3.hitbox.com' 'wvwr1.hitbox.com' 'ww1.hitbox.com' 'ww2.hitbox.com' 'ww3.hitbox.com' 'wwa.hitbox.com' 'wwb.hitbox.com' 'wwc.hitbox.com' 'wwd.hitbox.com' 'www.ehg-rr.hitbox.com' 'www.hitbox.com' 'www.hitboxwireless.com' 'y2k.hitbox.com' 'yang.hitbox.com' 'ying.hitbox.com' 'w2.extreme-dm.com' 'w3.extreme-dm.com' 'w4.extreme-dm.com' 'w5.extreme-dm.com' 'w6.extreme-dm.com' 'w7.extreme-dm.com' 'w8.extreme-dm.com' 'w9.extreme-dm.com' 'www.extreme-dm.com' 'oacentral.cepro.com' 'oas.adservingml.com' 'oas.adx.nu' 'oas.aurasports.com' 'oascentral.adageglobal.com' 'oascentral.aircanada.com' 'oascentral.alanicnewsnet.ca' 'oascentral.alanticnewsnet.ca' 'oascentral.americanheritage.com' 'oascentral.artistirect.com' 'oascentral.askmen.com' 'oascentral.aviationnow.com' 'oascentral.blackenterprises.com' 'oascentral.bostonherald.com' 'oascentral.bostonphoenix.com' 'oascentral.businessinsider.com' 'oascentral.businessweeks.com' 'oascentral.canadaeast.com' 'oascentral.canadianliving.com' 'oascentral.clearchannel.com' 'oascentral.construction.com' 'oascentral.covers.com' 'oascentral.cybereps.com' 'oascentral.dilbert.com' 'oascentral.drphil.com' 'oascentral.eastbayexpress.com' 'oas-central.east.realmedia.com' 'oascentral.encyclopedia.com' 'oascentral.fashionmagazine.com' 'oascentral.fayettevillenc.com' 'oascentral.forsythnews.com' 'oascentral.fortunecity.com' 'oascentral.foxnews.com' 'oascentral.g4techtv.com' 'oascentral.ggl.com' 'oascentral.gigex.com' 'oascentral.globalpost.com' 'oascentral.hamptoroads.com' 'oascentral.hamtoroads.com' 'oascentral.herenb.com' 'oascentral.inq7.net' 'oascentral.investors.com' 'oascentral.investorwords.com' 'oascentral.itbusiness.ca' 'oascentral.killsometime.com' 'oascentral.looksmart.com' 'oascentral.medbroadcast.com' 'oascentral.metro.us' 'oascentral.motherjones.com' 'oascentral.nowtoronto.com' 'oascentralnx.comcast.net' 'oascentral.phoenixvillenews.com' 'oascentral.pitch.com' 'oascentral.politico.com' 'oascentral.pottsmerc.com' 'oascentral.princetonreview.com' 'oascentral.radaronline.com' 'oas-central.realmedia.com' 'oascentral.redherring.com' 'oascentral.redorbit.com' 'oascentral.reference.com' 'oascentral.regalinterative.com' 'oascentral.registguard.com' 'oascentral.salon.com' 'oascentral.santacruzsentinel.com' 'oascentral.sciam.com' 'oascentral.scientificamerican.com' 'oascentral.seacoastonline.com' 'oascentral.seattleweekly.com' 'oascentral.sina.com.hk' 'oascentral.sparknotes.com' 'oascentral.sptimes.com' 'oascentral.starbulletin.com' 'oascentral.thehockeynews.com' 'oascentral.thenation.com' 'oascentral.theonionavclub.com' 'oascentral.theonion.com' 'oascentral.thephoenix.com' 'oascentral.thesmokinggun.com' 'oascentral.thespark.com' 'oascentral.townhall.com' 'oascentral.tribe.net' 'oascentral.trutv.com' 'oascentral.where.ca' 'oascentral.wjla.com' 'oascentral.wkrn.com' 'oascentral.wwe.com' 'oascentral.ywlloewpages.ca' 'oascentral.zwire.com' 'oascentreal.adcritic.com' 'oascetral.laweekly.com' 'oas.dispatch.com' 'oas.foxnews.com' 'oas.greensboro.com' 'oas.ibnlive.com' 'oas.lee.net' 'oas.nrjlink.fr' 'oas.nzz.ch' 'oas.portland.com' 'oas.publicitas.ch' 'oasroanoke.<EMAIL>' 'oas.sciencemag.org' 'oas.signonsandiego.com' 'oas.startribune.com' 'oas.toronto.com' 'oas.uniontrib.com' 'oas.vtsgonline.com' 'media1.fastclick.net' 'media2.fastclick.net' 'media3.fastclick.net' 'media4.fastclick.net' 'media5.fastclick.net' 'media6.fastclick.net' 'media7.fastclick.net' 'media8.fastclick.net' 'media9.fastclick.net' 'media10.fastclick.net' 'media11.fastclick.net' 'media12.fastclick.net' 'media13.fastclick.net' 'media14.fastclick.net' 'media15.fastclick.net' 'media16.fastclick.net' 'media17.fastclick.net' 'media18.fastclick.net' 'media19.fastclick.net' 'media20.fastclick.net' 'media21.fastclick.net' 'media22.fastclick.net' 'media23.fastclick.net' 'media24.fastclick.net' 'media25.fastclick.net' 'media26.fastclick.net' 'media27.fastclick.net' 'media28.fastclick.net' 'media29.fastclick.net' 'media30.fastclick.net' 'media31.fastclick.net' 'media32.fastclick.net' 'media33.fastclick.net' 'media34.fastclick.net' 'media35.fastclick.net' 'media36.fastclick.net' 'media37.fastclick.net' 'media38.fastclick.net' 'media39.fastclick.net' 'media40.fastclick.net' 'media41.fastclick.net' 'media42.fastclick.net' 'media43.fastclick.net' 'media44.fastclick.net' 'media45.fastclick.net' 'media46.fastclick.net' 'media47.fastclick.net' 'media48.fastclick.net' 'media49.fastclick.net' 'media50.fastclick.net' 'media51.fastclick.net' 'media52.fastclick.net' 'media53.fastclick.net' 'media54.fastclick.net' 'media55.fastclick.net' 'media56.fastclick.net' 'media57.fastclick.net' 'media58.fastclick.net' 'media59.fastclick.net' 'media60.fastclick.net' 'media61.fastclick.net' 'media62.fastclick.net' 'media63.fastclick.net' 'media64.fastclick.net' 'media65.fastclick.net' 'media66.fastclick.net' 'media67.fastclick.net' 'media68.fastclick.net' 'media69.fastclick.net' 'media70.fastclick.net' 'media71.fastclick.net' 'media72.fastclick.net' 'media73.fastclick.net' 'media74.fastclick.net' 'media75.fastclick.net' 'media76.fastclick.net' 'media77.fastclick.net' 'media78.fastclick.net' 'media79.fastclick.net' 'media80.fastclick.net' 'media81.fastclick.net' 'media82.fastclick.net' 'media83.fastclick.net' 'media84.fastclick.net' 'media85.fastclick.net' 'media86.fastclick.net' 'media87.fastclick.net' 'media88.fastclick.net' 'media89.fastclick.net' 'media90.fastclick.net' 'media91.fastclick.net' 'media92.fastclick.net' 'media93.fastclick.net' 'media94.fastclick.net' 'media95.fastclick.net' 'media96.fastclick.net' 'media97.fastclick.net' 'media98.fastclick.net' 'media99.fastclick.net' 'fastclick.net' 'te.about.com' 'te.advance.net' 'te.ap.org' 'te.astrology.com' 'te.audiencematch.net' 'te.belointeractive.com' 'te.boston.com' 'te.businessweek.com' 'te.chicagotribune.com' 'te.chron.com' 'te.cleveland.net' 'te.ctnow.com' 'te.dailycamera.com' 'te.dailypress.com' 'te.dentonrc.com' 'te.greenwichtime.com' 'te.idg.com' 'te.infoworld.com' 'te.ivillage.com' 'te.journalnow.com' 'te.latimes.com' 'te.mcall.com' 'te.mgnetwork.com' 'te.mysanantonio.com' 'te.newsday.com' 'te.nytdigital.com' 'te.orlandosentinel.com' 'te.scripps.com' 'te.scrippsnetworksprivacy.com' 'te.scrippsnewspapersprivacy.com' 'te.sfgate.com' 'te.signonsandiego.com' 'te.stamfordadvocate.com' 'te.sun-sentinel.com' 'te.sunspot.net' 'te.tbo.com' 'te.thestar.ca' 'te.trb.com' 'te.versiontracker.com' 'te.wsls.com' '24hwebsex.com' 'all-tgp.org' 'fioe.info' 'incestland.com' 'lesview.com' 'searchforit.com' 'www.asiansforu.com' 'www.bangbuddy.com' 'www.datanotary.com' 'www.entercasino.com' 'www.incestdot.com' 'www.incestgold.com' 'www.justhookup.com' 'www.mangayhentai.com' 'www.myluvcrush.ca' 'www.ourfuckbook.com' 'www.realincestvideos.com' 'www.searchforit.com' 'www.searchv.com' 'www.secretosx.com' 'www.seductiveamateurs.com' 'www.smsmovies.net' 'www.wowjs.1www.cn' 'www.xxxnations.com' 'www.xxxnightly.com' 'www.xxxtoolbar.com' 'www.yourfuckbook.com' '123greetings.com' '2000greetings.com' 'celebwelove.com' 'ecard4all.com' 'eforu.com' 'freewebcards.com' 'fukkad.com' 'fun-e-cards.com' 'funnyreign.com' 'funsilly.com' 'myfuncards.com' 'www.cool-downloads.com' 'www.cool-downloads.net' 'www.friend-card.com' 'www.friend-cards.com' 'www.friend-cards.net' 'www.friend-greeting.com' 'www.friend-greetings.com' 'www.friendgreetings.com' 'www.friend-greetings.net' 'www.friendgreetings.net' 'www.laugh-mail.com' 'www.laugh-mail.net' '1und1.ivwbox.de' 'bild.ivwbox.de' 'kicker.ivwbox.de' 'netzmarkt.ivwbox.de' 'onvis.ivwbox.de' 'spiegel.ivwbox.de' '10pg.scl5fyd.info' '21jewelry.com' '24x7.soliday.org' '2site.com' '33b.b33r.net' '48.2mydns.net' '4allfree.com' '55.2myip.com' '6165.rapidforum.com' '6pg.ryf3hgf.info' '7x7.ruwe.net' '7x.cc' '911.x24hr.com' 'ab.5.p2l.info' 'aboutharrypotter.fasthost.tv' 'aciphex.about-tabs.com' 'actonel.about-tabs.com' 'actos.about-tabs.com' 'acyclovir.1.p2l.info' 'adderall.ourtablets.com' 'adderallxr.freespaces.com' 'adipex.1.p2l.info' 'adipex.24sws.ws' 'adipex.3.p2l.info' 'adipex.4.p2l.info' 'adipex.hut1.ru' 'adipex.ourtablets.com' 'adipexp.3xforum.ro' 'adipex.shengen.ru' 'adipex.t-amo.net' 'adsearch.www1.biz' 'adult.shengen.ru' 'aguileranude.1stok.com' 'ahh-teens.com' 'aid-golf-golfdust-training.tabrays.com' 'airline-ticket.gloses.net' 'air-plane-ticket.beesearch.info' 'ak.5.p2l.info' 'al.5.p2l.info' 'alcohol-treatment.gloses.net' 'allegra.1.p2l.info' 'allergy.1.p2l.info' 'all-sex.shengen.ru' 'alprazolamonline.findmenow.info' 'alprazolam.ourtablets.com' 'alyssamilano.1stok.com' 'alyssamilano.ca.tt' 'alyssamilano.home.sapo.pt' 'amateur-mature-sex.adaltabaza.net' 'ambien.1.p2l.info' 'ambien.3.p2l.info' 'ambien.4.p2l.info' 'ambien.ourtablets.com' 'amoxicillin.ourtablets.com' 'angelinajolie.1stok.com' 'angelinajolie.ca.tt' 'anklets.shengen.ru' 'annanicolesannanicolesmith.ca.tt' 'annanicolesmith.1stok.com' 'antidepressants.1.p2l.info' 'anxiety.1.p2l.info' 'aol.spb.su' 'ar.5.p2l.info' 'arcade.ya.com' 'armanix.white.prohosting.com' 'arthritis.atspace.com' 'as.5.p2l.info' 'aspirin.about-tabs.com' 'ativan.ourtablets.com' 'austria-car-rental.findworm.net' 'auto.allewagen.de' 'az.5.p2l.info' 'azz.badazz.org' 'balabass.peerserver.com' 'balab.portx.net' 'bbs.ws' 'bc.5.p2l.info' 'beauty.finaltips.com' 'berkleynude.ca.tt' 'bestlolaray.com' 'bet-online.petrovka.info' 'betting-online.petrovka.info' 'bextra.ourtablets.com' 'bextra-store.shengen.ru' 'bingo-online.petrovka.info' 'birth-control.1.p2l.info' 'bontril.1.p2l.info' 'bontril.ourtablets.com' 'britneyspears.1stok.com' 'britneyspears.ca.tt' 'br.rawcomm.net' 'bupropion-hcl.1.p2l.info' 'buspar.1.p2l.info' 'buspirone.1.p2l.info' 'butalbital-apap.1.p2l.info' 'buy-adipex.aca.ru' 'buy-adipex-cheap-adipex-online.com' 'buy-adipex.hut1.ru' 'buy-adipex.i-jogo.net' 'buy-adipex-online.md-online24.de' 'buy-adipex.petrovka.info' 'buy-carisoprodol.polybuild.ru' 'buy-cheap-phentermine.blogspot.com' 'buy-cheap-xanax.all.at' 'buy-cialis-cheap-cialis-online.info' 'buy-cialis.freewebtools.com' 'buycialisonline.7h.com' 'buycialisonline.bigsitecity.com' 'buy-cialis-online.iscool.nl' 'buy-cialis-online.meperdoe.net' 'buy-cialis.splinder.com' 'buy-diazepam.connect.to' 'buyfioricet.findmenow.info' 'buy-fioricet.hut1.ru' 'buyfioricetonline.7h.com' 'buyfioricetonline.bigsitecity.com' 'buyfioricetonline.freeservers.com' 'buy-flower.petrovka.info' 'buy-hydrocodone.aca.ru' 'buyhydrocodone.all.at' 'buy-hydrocodone-cheap-hydrocodone-online.com' 'buy-hydrocodone.este.ru' 'buyhydrocodoneonline.findmenow.info' 'buy-hydrocodone-online.tche.com' 'buy-hydrocodone.petrovka.info' 'buy-hydrocodone.polybuild.ru' 'buy-hydrocodone.quesaudade.net' 'buy-hydrocodone.scromble.com' 'buylevitra.3xforum.ro' 'buy-levitra-cheap-levitra-online.info' 'buylevitraonline.7h.com' 'buylevitraonline.bigsitecity.com' 'buy-lortab-cheap-lortab-online.com' 'buy-lortab.hut1.ru' 'buylortabonline.7h.com' 'buylortabonline.bigsitecity.com' 'buy-lortab-online.iscool.nl' 'buypaxilonline.7h.com' 'buypaxilonline.bigsitecity.com' 'buy-phentermine-cheap-phentermine-online.com' 'buy-phentermine.hautlynx.com' 'buy-phentermine-online.135.it' 'buyphentermineonline.7h.com' 'buyphentermineonline.bigsitecity.com' 'buy-phentermine-online.i-jogo.net' 'buy-phentermine-online.i-ltda.net' 'buy-phentermine.polybuild.ru' 'buy-phentermine.thepizza.net' 'buy-tamiflu.asian-flu-vaccine.com' 'buy-ultram-online.iscool.nl' 'buy-valium-cheap-valium-online.com' 'buy-valium.este.ru' 'buy-valium.hut1.ru' 'buy-valium.polybuild.ru' 'buyvalium.polybuild.ru' 'buy-viagra.aca.ru' 'buy-viagra.go.to' 'buy-viagra.polybuild.ru' 'buyviagra.polybuild.ru' 'buy-vicodin-cheap-vicodin-online.com' 'buy-vicodin.dd.vu' 'buy-vicodin.hut1.ru' 'buy-vicodin.iscool.nl' 'buy-vicodin-online.i-blog.net' 'buy-vicodin-online.seumala.net' 'buy-vicodin-online.supersite.fr' 'buyvicodinonline.veryweird.com' 'buy-xanax.aztecaonline.net' 'buy-xanax-cheap-xanax-online.com' 'buy-xanax.hut1.ru' 'buy-xanax-online.amovoce.net' 'buy-zyban.all.at' 'bx6.blrf.net' 'ca.5.p2l.info' 'camerondiaznude.1stok.com' 'camerondiaznude.ca.tt' 'car-donation.shengen.ru' 'car-insurance.inshurance-from.com' 'carisoprodol.1.p2l.info' 'carisoprodol.hut1.ru' 'carisoprodol.ourtablets.com' 'carisoprodol.polybuild.ru' 'carisoprodol.shengen.ru' 'car-loan.shengen.ru' 'carmenelectra.1stok.com' 'cash-advance.now-cash.com' 'casino-gambling-online.searchservice.info' 'casino-online.100gal.net' 'cat.onlinepeople.net' 'cc5f.dnyp.com' 'celebrex.1.p2l.info' 'celexa.1.p2l.info' 'celexa.3.p2l.info' 'celexa.4.p2l.info' 'cephalexin.ourtablets.com' 'charlizetheron.1stok.com' 'cheap-adipex.hut1.ru' 'cheap-carisoprodol.polybuild.ru' 'cheap-hydrocodone.go.to' 'cheap-hydrocodone.polybuild.ru' 'cheap-phentermine.polybuild.ru' 'cheap-valium.polybuild.ru' 'cheap-viagra.polybuild.ru' 'cheap-web-hosting-here.blogspot.com' 'cheap-xanax-here.blogspot.com' 'cheapxanax.hut1.ru' 'cialis.1.p2l.info' 'cialis.3.p2l.info' 'cialis.4.p2l.info' 'cialis-finder.com' 'cialis-levitra-viagra.com.cn' 'cialis.ourtablets.com' 'cialis-store.shengen.ru' 'co.5.p2l.info' 'co.dcclan.co.uk' 'codeine.ourtablets.com' 'creampie.afdss.info' 'credit-card-application.now-cash.com' 'credit-cards.shengen.ru' 'ct.5.p2l.info' 'cuiland.info' 'cyclobenzaprine.1.p2l.info' 'cyclobenzaprine.ourtablets.com' 'dal.d.la' 'danger-phentermine.allforyourlife.com' 'darvocet.ourtablets.com' 'dc.5.p2l.info' 'de.5.p2l.info' 'debt.shengen.ru' 'def.5.p2l.info' 'demimoorenude.1stok.com' 'deniserichards.1stok.com' 'detox-kit.com' 'detox.shengen.ru' 'diazepam.ourtablets.com' 'diazepam.razma.net' 'diazepam.shengen.ru' 'didrex.1.p2l.info' 'diet-pills.hut1.ru' 'digital-cable-descrambler.planet-high-heels.com' 'dir.opank.com' 'dos.velek.com' 'drewbarrymore.ca.tt' 'drugdetox.shengen.ru' 'drug-online.petrovka.info' 'drug-testing.shengen.ru' 'eb.dd.bluelinecomputers.be' 'eb.prout.be' 'ed.at.is13.de' 'ed.at.thamaster.de' 'e-dot.hut1.ru' 'efam4.info' 'effexor-xr.1.p2l.info' 'e-hosting.hut1.ru' 'ei.imbucurator-de-prost.com' 'eminemticket.freespaces.com' 'en.dd.blueline.be' 'enpresse.1.p2l.info' 'en.ultrex.ru' 'epson-printer-ink.beesearch.info' 'erectile.byethost33.com' 'esgic.1.p2l.info' 'fahrrad.bikesshop.de' 'famous-pics.com' 'famvir.1.p2l.info' 'farmius.org' 'fee-hydrocodone.bebto.com' 'female-v.1.p2l.info' 'femaleviagra.findmenow.info' 'fg.softguy.com' 'findmenow.info' 'fioricet.1.p2l.info' 'fioricet.3.p2l.info' 'fioricet.4.p2l.info' 'fioricet-online.blogspot.com' 'firstfinda.info' 'fl.5.p2l.info' 'flexeril.1.p2l.info' 'flextra.1.p2l.info' 'flonase.1.p2l.info' 'flonase.3.p2l.info' 'flonase.4.p2l.info' 'florineff.ql.st' 'flower-online.petrovka.info' 'fluoxetine.1.p2l.info' 'fo4n.com' 'forex-broker.hut1.ru' 'forex-chart.hut1.ru' 'forex-market.hut1.ru' 'forex-news.hut1.ru' 'forex-online.hut1.ru' 'forex-signal.hut1.ru' 'forex-trade.hut1.ru' 'forex-trading-benefits.blogspot.com' 'forextrading.hut1.ru' 'freechat.llil.de' 'free.hostdepartment.com' 'free-money.host.sk' 'free-viagra.polybuild.ru' 'free-virus-scan.100gal.net' 'ga.5.p2l.info' 'game-online-video.petrovka.info' 'gaming-online.petrovka.info' 'gastrointestinal.1.p2l.info' 'gen-hydrocodone.polybuild.ru' 'getcarisoprodol.polybuild.ru' 'gocarisoprodol.polybuild.ru' 'gsm-mobile-phone.beesearch.info' 'gu.5.p2l.info' 'guerria-skateboard-tommy.tabrays.com' 'gwynethpaltrow.ca.tt' 'h1.ripway.com' 'hair-dos.resourcesarchive.com' 'halleberrynude.ca.tt' 'heathergraham.ca.tt' 'herpes.1.p2l.info' 'herpes.3.p2l.info' 'herpes.4.p2l.info' 'hf.themafia.info' 'hi.5.p2l.info' 'hi.pacehillel.org' 'holobumo.info' 'homehre.bravehost.com' 'homehre.ifrance.com' 'homehre.tripod.com' 'hoodia.kogaryu.com' 'hotel-las-vegas.gloses.net' 'hydrocodone-buy-online.blogspot.com' 'hydrocodone.irondel.swisshost.by' 'hydrocodone.on.to' 'hydrocodone.shengen.ru' 'hydrocodone.t-amo.net' 'hydrocodone.visa-usa.ru' 'hydro.polybuild.ru' 'ia.5.p2l.info' 'ia.warnet-thunder.net' 'ibm-notebook-battery.wp-club.net' 'id.5.p2l.info' 'il.5.p2l.info' 'imitrex.1.p2l.info' 'imitrex.3.p2l.info' 'imitrex.4.p2l.info' 'in.5.p2l.info' 'ionamin.1.p2l.info' 'ionamin.t35.com' 'irondel.swisshost.by' 'japanese-girl-xxx.com' 'java-games.bestxs.de' 'jg.hack-inter.net' 'job-online.petrovka.info' 'jobs-online.petrovka.info' 'kitchen-island.mensk.us' 'konstantin.freespaces.com' 'ks.5.p2l.info' 'ky.5.p2l.info' 'la.5.p2l.info' 'lamictal.about-tabs.com' 'lamisil.about-tabs.com' 'levitra.1.p2l.info' 'levitra.3.p2l.info' 'levitra.4.p2l.info' 'lexapro.1.p2l.info' 'lexapro.3.p2l.info' 'lexapro.4.p2l.info' 'loan.aol.msk.su' 'loan.maybachexelero.org' 'loestrin.1.p2l.info' 'lo.ljkeefeco.com' 'lol.to' 'lortab-cod.hut1.ru' 'lortab.hut1.ru' 'ma.5.p2l.info' 'mailforfreedom.com' 'make-money.shengen.ru' 'maps-antivert58.eksuziv.net' 'maps-spyware251-300.eksuziv.net' 'marketing.beesearch.info' 'mb.5.p2l.info' 'mba-online.petrovka.info' 'md.5.p2l.info' 'me.5.p2l.info' 'medical.carway.net' 'mens.1.p2l.info' 'meridia.1.p2l.info' 'meridia.3.p2l.info' 'meridia.4.p2l.info' 'meridiameridia.3xforum.ro' 'mesotherapy.jino-net.ru' 'mi.5.p2l.info' 'micardiss.ql.st' 'microsoft-sql-server.wp-club.net' 'mn.5.p2l.info' 'mo.5.p2l.info' 'moc.silk.com' 'mortgage-memphis.hotmail.ru' 'mortgage-rates.now-cash.com' 'mp.5.p2l.info' 'mrjeweller.us' 'ms.5.p2l.info' 'mt.5.p2l.info' 'multimedia-projector.katrina.ru' 'muscle-relaxers.1.p2l.info' 'music102.awardspace.com' 'mydaddy.b0x.com' 'myphentermine.polybuild.ru' 'nasacort.1.p2l.info' 'nasonex.1.p2l.info' 'nb.5.p2l.info' 'nc.5.p2l.info' 'nd.5.p2l.info' 'ne.5.p2l.info' 'nellyticket.beast-space.com' 'nelsongod.ca' 'nexium.1.p2l.info' 'nextel-ringtone.komi.su' 'nextel-ringtone.spb.su' 'nf.5.p2l.info' 'nh.5.p2l.info' 'nj.5.p2l.info' 'nm.5.p2l.info' 'nordette.1.p2l.info' 'nordette.3.p2l.info' 'nordette.4.p2l.info' 'norton-antivirus-trial.searchservice.info' 'notebook-memory.searchservice.info' 'ns.5.p2l.info' 'nv.5.p2l.info' 'ny.5.p2l.info' 'o8.aus.cc' 'ofni.al0ne.info' 'oh.5.p2l.info' 'ok.5.p2l.info' 'on.5.p2l.info' 'online-auto-insurance.petrovka.info' 'online-bingo.petrovka.info' 'online-broker.petrovka.info' 'online-cash.petrovka.info' 'online-casino.shengen.ru' 'online-casino.webpark.pl' 'online-cigarettes.hitslog.net' 'online-college.petrovka.info' 'online-degree.petrovka.info' 'online-florist.petrovka.info' 'online-forex.hut1.ru' 'online-forex-trading-systems.blogspot.com' 'online-gaming.petrovka.info' 'online-job.petrovka.info' 'online-loan.petrovka.info' 'online-mortgage.petrovka.info' 'online-personal.petrovka.info' 'online-personals.petrovka.info' 'online-pharmacy-online.blogspot.com' 'online-pharmacy.petrovka.info' 'online-phentermine.petrovka.info' 'online-poker-gambling.petrovka.info' 'online-poker-game.petrovka.info' 'online-poker.shengen.ru' 'online-prescription.petrovka.info' 'online-school.petrovka.info' 'online-schools.petrovka.info' 'online-single.petrovka.info' 'online-tarot-reading.beesearch.info' 'online-travel.petrovka.info' 'online-university.petrovka.info' 'online-viagra.petrovka.info' 'online-xanax.petrovka.info' 'onlypreteens.com' 'only-valium.go.to' 'only-valium.shengen.ru' 'or.5.p2l.info' 'oranla.info' 'orderadipex.findmenow.info' 'order-hydrocodone.polybuild.ru' 'order-phentermine.polybuild.ru' 'order-valium.polybuild.ru' 'ortho-tri-cyclen.1.p2l.info' 'pa.5.p2l.info' 'pacific-poker.e-online-poker-4u.net' 'pain-relief.1.p2l.info' 'paintball-gun.tripod.com' 'patio-furniture.dreamhoster.com' 'paxil.1.p2l.info' 'pay-day-loans.beesearch.info' 'payday-loans.now-cash.com' 'pctuzing.php5.cz' 'pd1.funnyhost.com' 'pe.5.p2l.info' 'peter-north-cum-shot.blogspot.com' 'pets.finaltips.com' 'pharmacy-canada.forsearch.net' 'pharmacy.hut1.ru' 'pharmacy-news.blogspot.com' 'pharmacy-online.petrovka.info' 'phendimetrazine.1.p2l.info' 'phentermine.1.p2l.info' 'phentermine.3.p2l.info' 'phentermine.4.p2l.info' 'phentermine.aussie7.com' 'phentermine-buy-online.hitslog.net' 'phentermine-buy.petrovka.info' 'phentermine-online.iscool.nl' 'phentermine-online.petrovka.info' 'phentermine.petrovka.info' 'phentermine.polybuild.ru' 'phentermine.shengen.ru' 'phentermine.t-amo.net' 'phentermine.webpark.pl' 'phone-calling-card.exnet.su' 'plavix.shengen.ru' 'play-poker-free.forsearch.net' 'poker-games.e-online-poker-4u.net' 'pop.egi.biz' 'pr.5.p2l.info' 'prescription-drugs.easy-find.net' 'prescription-drugs.shengen.ru' 'preteenland.com' 'preteensite.com' 'prevacid.1.p2l.info' 'prevent-asian-flu.com' 'prilosec.1.p2l.info' 'propecia.1.p2l.info' 'protonix.shengen.ru' 'psorias.atspace.com' 'purchase.hut1.ru' 'qc.5.p2l.info' 'qz.informs.com' 'refinance.shengen.ru' 'relenza.asian-flu-vaccine.com' 'renova.1.p2l.info' 'replacement-windows.gloses.net' 're.rutan.org' 'resanium.com' 'retin-a.1.p2l.info' 'ri.5.p2l.info' 'rise-media.ru' 'root.dns.bz' 'roulette-online.petrovka.info' 'router.googlecom.biz' 's32.bilsay.com' 'samsclub33.pochta.ru' 'sc10.net' 'sc.5.p2l.info' 'sd.5.p2l.info' 'search4you.50webs.com' 'search-phentermine.hpage.net' 'searchpill.boom.ru' 'seasonale.1.p2l.info' 'shop.kauffes.de' 'single-online.petrovka.info' 'sk.5.p2l.info' 'skelaxin.1.p2l.info' 'skelaxin.3.p2l.info' 'skelaxin.4.p2l.info' 'skin-care.1.p2l.info' 'skocz.pl' 'sleep-aids.1.p2l.info' 'sleeper-sofa.dreamhoster.com' 'slf5cyd.info' 'sobolev.net.ru' 'soma.1.p2l.info' 'soma.3xforum.ro' 'soma-store.visa-usa.ru' 'sonata.1.p2l.info' 'sport-betting-online.hitslog.net' 'spyware-removers.shengen.ru' 'spyware-scan.100gal.net' 'spyware.usafreespace.com' 'sq7.co.uk' 'sql-server-driver.beesearch.info' 'starlix.ql.st' 'stop-smoking.1.p2l.info' 'supplements.1.p2l.info' 'sx.nazari.org' 'sx.z0rz.com' 'ta.at.ic5mp.net' 'ta.at.user-mode-linux.net' 'tamiflu-in-canada.asian-flu-vaccine.com' 'tamiflu-no-prescription.asian-flu-vaccine.com' 'tamiflu-purchase.asian-flu-vaccine.com' 'tamiflu-without-prescription.asian-flu-vaccine.com' 'tenuate.1.p2l.info' 'texas-hold-em.e-online-poker-4u.net' 'texas-holdem.shengen.ru' 'ticket20.tripod.com' 'tizanidine.1.p2l.info' 'tn.5.p2l.info' 'topmeds10.com' 'top.pcanywhere.net' 'toyota.cyberealhosting.com' 'tramadol.1.p2l.info' 'tramadol2006.3xforum.ro' 'tramadol.3.p2l.info' 'tramadol.4.p2l.info' 'travel-insurance-quotes.beesearch.info' 'triphasil.1.p2l.info' 'triphasil.3.p2l.info' 'triphasil.4.p2l.info' 'tx.5.p2l.info' 'uf2aasn.111adfueo.us' 'ultracet.1.p2l.info' 'ultram.1.p2l.info' 'united-airline-fare.100pantyhose.com' 'university-online.petrovka.info' 'urlcut.net' 'urshort.net' 'us.kopuz.com' 'ut.5.p2l.info' 'utairway.com' 'va.5.p2l.info' 'vacation.toppick.info' 'valium.este.ru' 'valium.hut1.ru' 'valium.ourtablets.com' 'valium.polybuild.ru' 'valiumvalium.3xforum.ro' 'valtrex.1.p2l.info' 'valtrex.3.p2l.info' 'valtrex.4.p2l.info' 'valtrex.7h.com' 'vaniqa.1.p2l.info' 'vi.5.p2l.info' 'viagra.1.p2l.info' 'viagra.3.p2l.info' 'viagra.4.p2l.info' 'viagra-online.petrovka.info' 'viagra-pill.blogspot.com' 'viagra.polybuild.ru' 'viagra-soft-tabs.1.p2l.info' 'viagra-store.shengen.ru' 'viagraviagra.3xforum.ro' 'vicodin-online.petrovka.info' 'vicodin-store.shengen.ru' 'vicodin.t-amo.net' 'viewtools.com' 'vioxx.1.p2l.info' 'vitalitymax.1.p2l.info' 'vt.5.p2l.info' 'vxv.phre.net' 'w0.drag0n.org' 'wa.5.p2l.info' 'water-bed.8p.org.uk' 'web-hosting.hitslog.net' 'webhosting.hut1.ru' 'weborg.hut1.ru' 'weight-loss.1.p2l.info' 'weight-loss.3.p2l.info' 'weight-loss.4.p2l.info' 'weight-loss.hut1.ru' 'wellbutrin.1.p2l.info' 'wellbutrin.3.p2l.info' 'wellbutrin.4.p2l.info' 'wellnessmonitor.bravehost.com' 'wi.5.p2l.info' 'world-trade-center.hawaiicity.com' 'wp-club.net' 'ws01.do.nu' 'ws02.do.nu' 'ws03.do.nu' 'ws03.home.sapo.pt' 'ws04.do.nu' 'ws04.home.sapo.pt' 'ws05.home.sapo.pt' 'ws06.home.sapo.pt' 'wv.5.p2l.info' 'www.31d.net' 'www3.ddns.ms' 'www4.at.debianbase.de' 'www4.epac.to' 'www5.3-a.net' 'www69.bestdeals.at' 'www69.byinter.net' 'www69.dynu.com' 'www69.findhere.org' 'www69.fw.nu' 'www69.ugly.as' 'www6.ezua.com' 'www6.ns1.name' 'www7.ygto.com' 'www8.ns01.us' 'www99.bounceme.net' 'www99.fdns.net' 'www99.zapto.org' 'www9.compblue.com' 'www9.servequake.com' 'www9.trickip.org' 'www.adspoll.com' 'www.adult-top-list.com' 'www.aektschen.de' 'www.aeqs.com' 'www.alladultdirectories.com' 'www.alladultdirectory.net' 'www.arbeitssuche-web.de' 'www.atlantis-asia.com' 'www.bestrxpills.com' 'www.bigsister.cxa.de' 'www.bigsister-puff.cxa.de' 'www.bitlocker.net' 'www.cheap-laptops-notebook-computers.info' 'www.cheap-online-stamp.cast.cc' 'www.codez-knacken.de' 'www.computerxchange.com' 'www.credit-dreams.com' 'www.edle-stuecke.de' 'www.exe-file.de' 'www.exttrem.de' 'www.fetisch-pornos.cxa.de' 'www.ficken-ficken-ficken.cxa.de' 'www.ficken-xxx.cxa.de' 'www.financial-advice-books.com' 'www.finanzmarkt2004.de' 'www.furnitureulimited.com' 'www.gewinnspiele-slotmachine.de' 'www.hardware4freaks.de' 'www.healthyaltprods.com' 'www.heimlich-gefilmt.cxa.de' 'www.huberts-kochseite.de' 'www.huren-verzeichnis.is4all.de' 'www.kaaza-legal.de' 'www.kajahdfssa.net' 'www.keyofhealth.com' 'www.kitchentablegang.org' 'www.km69.de' 'www.koch-backrezepte.de' 'www.kvr-systems.de' 'www.lesben-pornos.cxa.de' 'www.links-private-krankenversicherung.de' 'www.littledevildoubt.com' 'www.mailforfreedom.com' 'www.masterspace.biz' 'www.medical-research-books.com' 'www.microsoft2010.com' 'www.nelsongod.ca' 'www.nextstudent.com' 'www.ntdesk.de' 'www.nutten-verzeichnis.cxa.de' 'www.obesitycheck.com' 'www.pawnauctions.net' 'www.pills-home.com' 'www.poker4spain.com' 'www.poker-new.com' 'www.poker-unique.com' 'www.porno-lesben.cxa.de' 'www.prevent-asian-flu.com' 'www.randppro-cuts.com' 'www.romanticmaui.net' 'www.salldo.de' 'www.samsclub33.pochta.ru' 'www.schwarz-weisses.de' 'www.schwule-boys-nackt.cxa.de' 'www.shopping-artikel.de' 'www.showcaserealestate.net' 'www.skattabrain.com' 'www.softcha.com' 'www.striemline.de' 'www.talentbroker.net' 'www.the-discount-store.com' 'www.topmeds10.com' 'www.uniqueinternettexasholdempoker.com' 'www.viagra-home.com' 'www.vthought.com' 'www.vtoyshop.com' 'www.vulcannonibird.de' 'www.webabrufe.de' 'www.wilddreams.info' 'www.willcommen.de' 'www.xcr-286.com' 'wy.5.p2l.info' 'x25.2mydns.com' 'x25.plorp.com' 'x4.lov3.net' 'x6x.a.la' 'x888x.myserver.org' 'x8x.dyndns.dk' 'x8x.trickip.net' 'xanax-online.dot.de' 'xanax-online.run.to' 'xanax-online.sms2.us' 'xanax.ourtablets.com' 'xanax-store.shengen.ru' 'xanax.t-amo.net' 'xanaxxanax.3xforum.ro' 'x-box.t35.com' 'xcr-286.com' 'xenical.1.p2l.info' 'xenical.3.p2l.info' 'xenical.4.p2l.info' 'x-hydrocodone.info' 'x-phentermine.info' 'xr.h4ck.la' 'yasmin.1.p2l.info' 'yasmin.3.p2l.info' 'yasmin.4.p2l.info' 'yt.5.p2l.info' 'zanaflex.1.p2l.info' 'zebutal.1.p2l.info' 'zocor.about-tabs.com' 'zoloft.1.p2l.info' 'zoloft.3.p2l.info' 'zoloft.4.p2l.info' 'zoloft.about-tabs.com' 'zyban.1.p2l.info' 'zyban.about-tabs.com' 'zyban-store.shengen.ru' 'zyprexa.about-tabs.com' 'zyrtec.1.p2l.info' 'zyrtec.3.p2l.info' 'zyrtec.4.p2l.info' 'adnexus.net' 'a-msedge.net' 'apps.skype.com' 'az361816.vo.msecnd.net' 'az512334.vo.msecnd.net' 'cdn.atdmt.com' 'cds26.ams9.msecn.net' 'c.msn.com' 'db3aqu.atdmt.com' 'fe2.update.microsoft.com.akadns.net' 'feedback.microsoft-hohm.com' 'g.msn.com' 'h1.msn.com' 'lb1.www.ms.akadns.net' 'live.rads.msn.com' 'm.adnxs.com' 'm.hotmail.com' 'msedge.net' 'msftncsi.com' 'msnbot-65-55-108-23.search.msn.com' 'msntest.serving-sys.com' 'preview.msn.com' 'pricelist.skype.com' 'reports.wes.df.telemetry.microsoft.com' 'schemas.microsoft.akadns.net' 'secure.flashtalking.com' 'settings-win.data.microsoft.com' 's.gateway.messenger.live.com' 'so.2mdn.net' 'statsfe2.ws.microsoft.com' 'telemetry.appex.bing.net ' 'ui.skype.com' 'wes.df.telemetry.microsoft.com' 'www.msftncsi.com' '1493361689.rsc.cdn77.org' '30-day-change.com' 'adsmws.cloudapp.net' 'annualconsumersurvey.com' 'apps.id.net' 'canuck-method.com' 'www.canuck-method.com' 'external.stealthedeal.com' 'mackeeperapp.zeobit.com' 'promotions.yourfirstmillion.biz' 'quickcash-system.com' 'save-your-pc.info' 'embed.sendtonews.com' 'promotion.com-rewards.club' 's.zkcdn.net' 'specialsections.siteseer.ca' 'stealthedeal.com' 'twitter.cm' 'ttwitter.com' 'virtual.thewhig.com' 'ac3.msn.com' 'choice.microsoft.com' 'choice.microsoft.com.nsatc.net' 'compatexchange.cloudapp.net' 'corp.sts.microsoft.com' 'corpext.msitadfs.glbdns2.microsoft.com' 'cs1.wpc.v0cdn.net' 'diagnostics.support.microsoft.com' 'feedback.search.microsoft.com' 'feedback.windows.com' 'i1.services.social.microsoft.com' 'i1.services.social.microsoft.com.nsatc.net' 'oca.telemetry.microsoft.com' 'oca.telemetry.microsoft.com.nsatc.net' 'pre.footprintpredict.com' 'redir.metaservices.microsoft.com' 'services.wes.df.telemetry.microsoft.com' 'settings-sandbox.data.microsoft.com' 'sls.update.microsoft.com.akadns.net' 'sqm.df.telemetry.microsoft.com' 'sqm.telemetry.microsoft.com' 'sqm.telemetry.microsoft.com.nsatc.net' 'ssw.live.com' 'statsfe1.ws.microsoft.com' 'statsfe2.update.microsoft.com.akadns.net' 'survey.watson.microsoft.com' 'telecommand.telemetry.microsoft.com' 'telecommand.telemetry.microsoft.com.nsatc.net' 'telemetry.urs.microsoft.com' 'vortex-bn2.metron.live.com.nsatc.net' 'vortex-cy2.metron.live.com.nsatc.net' 'vortex-sandbox.data.microsoft.com' 'vortex-win.data.microsoft.com' 'vortex.data.microsoft.com' 'watson.live.com' 'watson.microsoft.com' 'watson.ppe.telemetry.microsoft.com' 'watson.telemetry.microsoft.com' 'watson.telemetry.microsoft.com.nsatc.net' '101com.com' '101order.com' '123found.com' '180hits.de' '180searchassistant.com' '1x1rank.com' '207.net' '247media.com' '24log.com' '24log.de' '24pm-affiliation.com' '2mdn.net' '360yield.com' '4d5.net' '50websads.com' '518ad.com' '51yes.com' '600z.com' '777partner.com' '777seo.com' '77tracking.com' '99count.com' 'a-counter.kiev.ua' 'a.aproductmsg.com' 'a.consumer.net' 'a.sakh.com' 'a.ucoz.ru' 'a32.g.a.yimg.com' 'aaddzz.com' 'abacho.net' 'abc-ads.com' 'absoluteclickscom.com' 'abz.com' 'accounts.pkr.com.invalid' 'acsseo.com' 'actualdeals.com' 'acuityads.com' 'ad-balancer.at' 'ad-center.com' 'ad-images.suntimes.com' 'ad-pay.de' 'ad-server.gulasidorna.se' 'ad-space.net' 'ad-tech.com' 'ad-up.com' 'ad.980x.com' 'ad.abctv.com' 'ad.about.com' 'ad.aboutit.de' 'ad.anuntis.com' 'ad.bizo.com' 'ad.bondage.com' 'ad.centrum.cz' 'ad.cgi.cz' 'ad.choiceradio.com' 'ad.clix.pt' 'ad.digitallook.com' 'ad.doctissimo.fr' 'ad.domainfactory.de' 'ad.f1cd.ru' 'ad.flurry.com' 'ad.gate24.ch' 'ad.globe7.com' 'ad.grafika.cz' 'ad.hodomobile.com' 'ad.hyena.cz' 'ad.iinfo.cz' 'ad.ilove.ch' 'ad.jamster.co.uk' 'ad.jetsoftware.com' 'ad.keenspace.com' 'ad.liveinternet.ru' 'ad.lupa.cz' 'ad.mediastorm.hu' 'ad.mgd.de' 'ad.musicmatch.com' 'ad.nachtagenten.de' 'ad.nwt.cz' 'ad.onad.eu' 'ad.playground.ru' 'ad.preferances.com' 'ad.reunion.com' 'ad.scanmedios.com' 'ad.simgames.net' 'ad.technoratimedia.com' 'ad.top50.to' 'ad.virtual-nights.com' 'ad.wavu.hu' 'ad.way.cz' 'ad.weatherbug.com' 'ad1.emule-project.org' 'ad1.kde.cz' 'ad2.iinfo.cz' 'ad2.linxcz.cz' 'ad2.lupa.cz' 'ad2flash.com' 'ad3.iinfo.cz' 'ad3.pamedia.com.au' 'adaction.de' 'adapt.tv' 'adbanner.ro' 'adboost.de.vu' 'adboost.net' 'adbooth.net' 'adbot.com' 'adbroker.de' 'adbunker.com' 'adbutler.com' 'adbutler.de' 'adbuyer.com' 'adbuyer3.lycos.com' 'adcell.de' 'adcenter.mdf.se' 'adcenter.net' 'adcept.net' 'adclick.com' 'adcloud.net' 'adconion.com' 'adcycle.com' 'add.newmedia.cz' 'addealing.com' 'addesktop.com' 'addme.com' 'adengage.com' 'adexpose.com' 'adf.ly' 'adflight.com' 'adforce.com' 'adgoto.com' 'adgridwork.com' 'adimages.been.com' 'adimages.carsoup.com' 'adimages.homestore.com' 'adimages.sanomawsoy.fi' 'adimgs.sapo.pt' 'adimpact.com' 'adinjector.net' 'adisfy.com' 'adition.de' 'adition.net' 'adizio.com' 'adjix.com' 'adjug.com' 'adjuggler.com' 'adjustnetwork.com' 'adk2.com' 'adk2ads.tictacti.com' 'adland.ru' 'adlantic.nl' 'adledge.com' 'adlegend.com' 'adlink.de' 'adloox.com' 'adlooxtracking.com' 'adlure.net' 'admagnet.net' 'admailtiser.com' 'adman.otenet.gr' 'admanagement.ch' 'admanager.carsoup.com' 'admarketplace.net' 'admarvel.com' 'admedia.ro' 'admeta.com' 'admex.com' 'adminder.com' 'adminshop.com' 'admized.com' 'admob.com' 'admonitor.com' 'admotion.com.ar' 'admtpmp123.com' 'admtpmp124.com' 'adnet-media.net' 'adnet.ru' 'adnet.worldreviewer.com' 'adnetinteractive.com' 'adnetwork.net' 'adnetworkperformance.com' 'adnews.maddog2000.de' 'adnotch.com' 'adonspot.com' 'adoperator.com' 'adorigin.com' 'adpepper.nl' 'adpia.vn' 'adplus.co.id' 'adplxmd.com' 'adprofile.net' 'adprojekt.pl' 'adrazzi.com' 'adremedy.com' 'adreporting.com' 'adres.internet.com' 'adrevolver.com' 'adrolays.de' 'adrotate.de' 'ads-click.com' 'ads.activestate.com' 'ads.administrator.de' 'ads.ak.facebook.com.edgesuite.net' 'ads.allvatar.com' 'ads.alwayson-network.com' 'ads.appsgeyser.com' 'ads.batpmturner.com' 'ads.beenetworks.net' 'ads.berlinonline.de' 'ads.betfair.com.au' 'ads.bigchurch.com' 'ads.bigfoot.com' 'ads.billiton.de' 'ads.bing.com' 'ads.bittorrent.com' 'ads.bonniercorp.com' 'ads.boylesports.com' 'ads.brain.pk' 'ads.bumq.com' 'ads.cgnetworks.com' 'ads.channel4.com' 'ads.cimedia.com' 'ads.co.com' 'ads.creativematch.com' 'ads.cricbuzz.com' 'ads.datingyes.com' 'ads.dazoot.ro' 'ads.deltha.hu' 'ads.eagletribune.com' 'ads.easy-forex.com' 'ads.eatinparis.com' 'ads.edbindex.dk' 'ads.egrana.com.br' 'ads.electrocelt.com' 'ads.emirates.net.ae' 'ads.epltalk.com' 'ads.esmas.com' 'ads.expat-blog.biz' 'ads.factorymedia.com' 'ads.faxo.com' 'ads.ferianc.com' 'ads.flooble.com' 'ads.footymad.net' 'ads.forium.de' 'ads.fotosidan.se' 'ads.foxkidseurope.net' 'ads.foxnetworks.com' 'ads.freecity.de' 'ads.futurenet.com' 'ads.gameforgeads.de' 'ads.gamigo.de' 'ads.gaming-universe.de' 'ads.geekswithblogs.net' 'ads.goyk.com' 'ads.gradfinder.com' 'ads.grindinggears.com' 'ads.groundspeak.com' 'ads.gsm-exchange.com' 'ads.gsmexchange.com' 'ads.hardwaresecrets.com' 'ads.hideyourarms.com' 'ads.horsehero.com' 'ads.ibest.com.br' 'ads.ibryte.com' 'ads.img.co.za' 'ads.jobsite.co.uk' 'ads.justhungry.com' 'ads.kelbymediagroup.com' 'ads.kinobox.cz' 'ads.kinxxx.com' 'ads.kompass.com' 'ads.krawall.de' 'ads.massinfra.nl' 'ads.medienhaus.de' 'ads.mmania.com' 'ads.moceanads.com' 'ads.motor-forum.nl' 'ads.motormedia.nl' 'ads.nationalgeographic.com' 'ads.netclusive.de' 'ads.newmedia.cz' 'ads.nyx.cz' 'ads.nzcity.co.nz' 'ads.oddschecker.com' 'ads.okcimg.com' 'ads.olivebrandresponse.com' 'ads.optusnet.com.au' 'ads.pennet.com' 'ads.pickmeup-ltd.com' 'ads.pkr.com' 'ads.planet.nl' 'ads.powweb.com' 'ads.primissima.it' 'ads.printscr.com' 'ads.psd2html.com' 'ads.pushplay.com' 'ads.quoka.de' 'ads.resoom.de' 'ads.returnpath.net' 'ads.rpgdot.com' 'ads.s3.sitepoint.com' 'ads.sift.co.uk' 'ads.silverdisc.co.uk' 'ads.slim.com' 'ads.spoonfeduk.com' 'ads.stationplay.com' 'ads.struq.com' 'ads.supplyframe.com' 'ads.t-online.de' 'ads.themovienation.com' 'ads.timeout.com' 'ads.tjwi.info' 'ads.totallyfreestuff.com' 'ads.tripod.lycos.it' 'ads.tripod.lycos.nl' 'ads.tso.dennisnet.co.uk' 'ads.ultimate-guitar.com' 'ads.uncrate.com' 'ads.verticalresponse.com' 'ads.vgchartz.com' 'ads.virtual-nights.com' 'ads.vnumedia.com' 'ads.webmasterpoint.org' 'ads.websiteservices.com' 'ads.whoishostingthis.com' 'ads.wiezoekje.nl' 'ads.wikia.nocookie.net' 'ads.wwe.biz' 'ads.y-0.net' 'ads.yourfreedvds.com' 'ads03.redtube.com' 'ads1.mediacapital.pt' 'ads1.rne.com' 'ads1.virtual-nights.com' 'ads180.com' 'ads2.oneplace.com' 'ads2.rne.com' 'ads2.virtual-nights.com' 'ads2.xnet.cz' 'ads2004.treiberupdate.de' 'ads3.virtual-nights.com' 'ads4.virtual-nights.com' 'ads5.virtual-nights.com' 'adsatt.abc.starwave.com' 'adsby.bidtheatre.com' 'adscale.de' 'adscience.nl' 'adscpm.com' 'adsdk.com' 'adsend.de' 'adserv.evo-x.de' 'adserv.gamezone.de' 'adserve.ams.rhythmxchange.com' 'adserver.43plc.com' 'adserver.aidameter.com' 'adserver.barrapunto.com' 'adserver.beggarspromo.com' 'adserver.bing.com' 'adserver.break-even.it' 'adserver.clashmusic.com' 'adserver.flossiemediagroup.com' 'adserver.irishwebmasterforum.com' 'adserver.motorpresse.de' 'adserver.oddschecker.com' 'adserver.portugalmail.net' 'adserver.quizdingo.com' 'adserver.sciflicks.com' 'adserver.viagogo.com' 'adserver01.de' 'adserver1.mindshare.de' 'adserver1.mokono.com' 'adserver2.mindshare.de' 'adserverplus.com' 'adservinginternational.com' 'adshost1.com' 'adside.com' 'adsk2.co' 'adsklick.de' 'adsmarket.com' 'adsmogo.com' 'adsnative.com' 'adspace.ro' 'adspeed.net' 'adspirit.de' 'adsponse.de' 'adsrv.deviantart.com' 'adsrv.eacdn.com' 'adsstat.com' 'adstest.weather.com' 'adsupply.com' 'adsupplyads.com' 'adswitcher.com' 'adsymptotic.com' 'adtegrity.net' 'adthis.com' 'adtiger.de' 'adtoll.com' 'adtology.com' 'adtoma.com' 'adtrace.org' 'adtrade.net' 'adtrading.de' 'adtriplex.com' 'adultadvertising.com' 'adv-adserver.com' 'adv.cooperhosting.net' 'adv.freeonline.it' 'adv.hwupgrade.it' 'adv.livedoor.com' 'adv.yo.cz' 'advariant.com' 'adventory.com' 'adverticum.com' 'adverticum.net' 'adverticus.de' 'advertiseireland.com' 'advertisespace.com' 'advertising.guildlaunch.net' 'advertisingbanners.com' 'advertisingbox.com' 'advertmarket.com' 'advertmedia.de' 'adverts.carltononline.com' 'advertserve.com' 'advertwizard.com' 'advideo.uimserv.net' 'advisormedia.cz' 'adviva.com' 'advnt.com' 'adwareremovergold.com' 'adwhirl.com' 'adwitserver.com' 'adworldnetwork.com' 'adworx.at' 'adworx.be' 'adworx.nl' 'adx.allstar.cz' 'adx.atnext.com' 'adxpansion.com' 'adxvalue.com' 'adyea.com' 'adzerk.s3.amazonaws.com' 'adzones.com' 'af-ad.co.uk' 'afbtracking09.com' 'affbuzzads.com' 'affili.net' 'affiliate.1800flowers.com' 'affiliate.7host.com' 'affiliate.doubleyourdating.com' 'affiliate.gamestop.com' 'affiliate.mercola.com' 'affiliate.mogs.com' 'affiliate.offgamers.com' 'affiliate.travelnow.com' 'affiliate.viator.com' 'affiliatefuel.com' 'affiliatefuture.com' 'affiliates.allposters.com' 'affiliates.babylon.com' 'affiliates.devilfishpartners.com' 'affiliates.digitalriver.com' 'affiliates.ige.com' 'affiliates.internationaljock.com' 'affiliates.jlist.com' 'affiliates.thinkhost.net' 'affiliates.ultrahosting.com' 'affiliatetracking.com' 'affiliatetracking.net' 'affiliatewindow.com' 'ah-ha.com' 'ahalogy.com' 'aidu-ads.de' 'aim4media.com' 'aistat.net' 'aktrack.pubmatic.com' 'alclick.com' 'alenty.com' 'all4spy.com' 'alladvantage.com' 'allosponsor.com' 'amazingcounters.com' 'amazon-adsystem.com' 'amung.us' 'anahtars.com' 'analytics.adpost.org' 'analytics.yahoo.com' 'api.intensifier.de' 'apture.com' 'arc1.msn.com' 'arcadebanners.com' 'are-ter.com' 'as1.advfn.com' 'as2.advfn.com' 'as5000.com' 'assets1.exgfnetwork.com' 'assoc-amazon.com' 'atwola.com' 'auctionads.com' 'auctionads.net' 'audience2media.com' 'audit.webinform.hu' 'auto-bannertausch.de' 'autohits.dk' 'avenuea.com' 'avres.net' 'avsads.com' 'awempire.com' 'awin1.com' 'azfront.com' 'b-1st.com' 'b.aol.com' 'b.engadget.com' 'ba.afl.rakuten.co.jp' 'babs.tv2.dk' 'backbeatmedia.com' 'banik.redigy.cz' 'banner-exchange-24.de' 'banner.alphacool.de' 'banner.blogranking.net' 'banner.buempliz-online.ch' 'banner.casino.net' 'banner.cotedazurpalace.com' 'banner.cz' 'banner.elisa.net' 'banner.featuredusers.com' 'banner.getgo.de' 'banner.img.co.za' 'banner.inyourpocket.com' 'banner.jobsahead.com' 'banner.linux.se' 'banner.mindshare.de' 'banner.nixnet.cz' 'banner.noblepoker.com' 'banner.penguin.cz' 'banner.tanto.de' 'banner.titan-dsl.de' 'banner.vadian.net' 'banner.webmersion.com' 'banner.wirenode.com' 'bannerboxes.com' 'bannercommunity.de' 'bannerconnect.com' 'bannerexchange.cjb.net' 'bannerflow.com' 'bannergrabber.internet.gr' 'bannerhost.com' 'bannerimage.com' 'bannerlandia.com.ar' 'bannermall.com' 'bannermarkt.nl' 'banners.apnuk.com' 'banners.babylon-x.com' 'banners.bol.com.br' 'banners.clubseventeen.com' 'banners.czi.cz' 'banners.dine.com' 'banners.iq.pl' 'banners.isoftmarketing.com' 'banners.lifeserv.com' 'banners.thomsonlocal.com' 'bannerserver.com' 'bannersng.yell.com' 'bannerspace.com' 'bannerswap.com' 'bannertesting.com' 'bannery.cz' 'bannieres.acces-contenu.com' 'bans.adserver.co.il' 'begun.ru' 'belstat.com' 'belstat.nl' 'berp.com' 'best-pr.info' 'best-top.ro' 'bestsearch.net' 'bidclix.com' 'bidtrk.com' 'bigbangmedia.com' 'bigclicks.com' 'billboard.cz' 'bitads.net' 'bitmedianetwork.com' 'bizrate.com' 'blast4traffic.com' 'blingbucks.com' 'blogcounter.de' 'blogherads.com' 'blogrush.com' 'blogtoplist.se' 'blogtopsites.com' 'bluelithium.com' 'bluewhaleweb.com' 'bm.annonce.cz' 'boersego-ads.de' 'boldchat.com' 'boom.ro' 'boomads.com' 'boost-my-pr.de' 'bpath.com' 'braincash.com' 'brandreachsys.com' 'bravenet.com.invalid' 'bridgetrack.com' 'brightinfo.com' 'british-banners.com' 'budsinc.com' 'buyhitscheap.com' 'buysellads.com' 'buzzonclick.com' 'bvalphaserver.com' 'bwp.download.com' 'c1.nowlinux.com' 'campaign.bharatmatrimony.com' 'caniamedia.com' 'carbonads.com' 'carbonads.net' 'casalmedia.com' 'cash4members.com' 'cash4popup.de' 'cashcrate.com' 'cashfiesta.com' 'cashlayer.com' 'cashpartner.com' 'casinogames.com' 'casinopays.com' 'casinorewards.com' 'casinotraffic.com' 'casinotreasure.com' 'cben1.net' 'cbmall.com' 'cbx.net' 'cdn.freefacti.com' 'ceskydomov.alias.ngs.modry.cz' 'ch.questionmarket.com' 'channelintelligence.com' 'chart.dk' 'chartbeat.net' 'checkm8.com' 'checkstat.nl' 'chestionar.ro' 'chitika.net' 'cibleclick.com' 'cj.com' 'cjbmanagement.com' 'cjlog.com' 'claria.com' 'class-act-clicks.com' 'click.absoluteagency.com' 'click.fool.com' 'click2freemoney.com' 'click2paid.com' 'clickability.com' 'clickadz.com' 'clickagents.com' 'clickbank.com' 'clickbooth.com' 'clickbrokers.com' 'clickcompare.co.uk' 'clickdensity.com' 'clickhereforcellphones.com' 'clickhouse.com' 'clickhype.com' 'clicklink.jp' 'clicks.mods.de' 'clicktag.de' 'clickthrucash.com' 'clicktrack.ziyu.net' 'clicktrade.com' 'clickxchange.com' 'clickz.com' 'clickzxc.com' 'clicmanager.fr' 'clients.tbo.com' 'clixgalore.com' 'cluster.adultworld.com' 'cmpstar.com' 'cnt.spbland.ru' 'code-server.biz' 'colonize.com' 'comclick.com' 'commindo-media-ressourcen.de' 'commissionmonster.com' 'compactbanner.com' 'comprabanner.it' 'connextra.com' 'contaxe.de' 'content.acc-hd.de' 'content.ad' 'contentabc.com' 'conversionruler.com' 'coremetrics.com' 'count.west263.com' 'count6.rbc.ru' 'counted.com' 'counter.avtoindex.com' 'counter.mojgorod.ru' 'coupling-media.de' 'cpays.com' 'cpmaffiliation.com' 'cpmstar.com' 'cpxadroit.com' 'cpxinteractive.com' 'crakmedia.com' 'craktraffic.com' 'crawlability.com' 'crazypopups.com' 'creafi-online-media.com' 'creative.whi.co.nz' 'creatives.as4x.tmcs.net' 'crispads.com' 'criteo.com' 'ctnetwork.hu' 'cubics.com' 'customad.cnn.com' 'cyberbounty.com' 'cybermonitor.com' 'dakic-ia-300.com' 'danban.com' 'dapper.net' 'datashreddergold.com' 'dc-storm.com' 'dealdotcom.com' 'debtbusterloans.com' 'decknetwork.net' 'deloo.de' 'demandbase.com' 'depilflash.tv' 'di1.shopping.com' 'dialerporn.com' 'direct-xxx-access.com' 'directaclick.com' 'directivepub.com' 'directorym.com' 'discountclick.com' 'displayadsmedia.com' 'displaypagerank.com' 'dmtracker.com' 'dmtracking.alibaba.com' 'domaining.in' 'domainsteam.de' 'drumcash.com' 'e-adimages.scrippsnetworks.com' 'e-bannerx.com' 'e-debtconsolidation.com' 'e-m.fr' 'e-n-t-e-r-n-e-x.com' 'e-planning.net' 'e.kde.cz' 'eadexchange.com' 'easyhits4u.com' 'ebuzzing.com' 'ecircle-ag.com' 'eclick.vn' 'ecoupons.com' 'edgeio.com' 'effectivemeasure.com' 'effectivemeasure.net' 'elitedollars.com' 'elitetoplist.com' 'emarketer.com' 'emediate.dk' 'emediate.eu' 'emonitor.takeit.cz' 'enginenetwork.com' 'enquisite.com' 'entercasino.com' 'entrecard.s3.amazonaws.com' 'epiccash.com' 'eqads.com' 'esellerate.net' 'etargetnet.com' 'ethicalads.net' 'etracker.de' 'eu-adcenter.net' 'eu1.madsone.com' 'eurekster.com' 'euro-linkindex.de' 'euroclick.com' 'european-toplist.de' 'euroranking.de' 'euros4click.de' 'eusta.de' 'evergage.com' 'evidencecleanergold.com' 'ewebcounter.com' 'exchange-it.com' 'exchangead.com' 'exchangeclicksonline.com' 'exit76.com' 'exitexchange.com' 'exitfuel.com' 'exoclick.com' 'exogripper.com' 'experteerads.com' 'express-submit.de' 'extractorandburner.com' 'eyeblaster.com' 'eyereturn.com' 'eyeviewads.com' 'ezula.com' 'f5biz.com' 'fast-adv.it' 'fastclick.com' 'fb-promotions.com' 'feedbackresearch.com' 'ffxcam.fairfax.com.au' 'fimc.net' 'fimserve.com' 'findcommerce.com' 'findyourcasino.com' 'fineclicks.com' 'first.nova.cz' 'firstlightera.com' 'flashtalking.com' 'fleshlightcash.com' 'flexbanner.com' 'flowgo.com' 'fonecta.leiki.com' 'foo.cosmocode.de' 'forex-affiliate.net' 'fpctraffic.com' 'free-banners.com' 'freebanner.com' 'freepay.com' 'freestats.tv' 'funklicks.com' 'funpageexchange.com' 'fusionads.net' 'fusionquest.com' 'fxclix.com' 'fxstyle.net' 'galaxien.com' 'game-advertising-online.com' 'gamehouse.com' 'gamesites100.net' 'gamesites200.com' 'gamesitestop100.com' 'geovisite.com' 'german-linkindex.de' 'globalismedia.com' 'globaltakeoff.net' 'globaltrack.com' 'globe7.com' 'globus-inter.com' 'go-clicks.de' 'go-rank.de' 'goingplatinum.com' 'gold.weborama.fr' 'googleadservices.com' 'gp.dejanews.com' 'gpr.hu' 'grafstat.ro' 'grapeshot.co.<EMAIL>' 'greystripe.com' 'gtop.ro' 'gtop100.com' 'harrenmedia.com' 'harrenmedianetwork.com' 'havamedia.net' 'heias.com' 'hentaicounter.com' 'herbalaffiliateprogram.com' 'heyos.com' 'hgads.com' 'hidden.gogoceleb.com' 'hit-ranking.de' 'hit.bg' 'hit.ua' 'hit.webcentre.lycos.co.uk' 'hitcents.com' 'hitfarm.com' 'hitiz.com' 'hitlist.ru' 'hitlounge.com' 'hitometer.com' 'hits4me.com' 'hits4pay.com' 'hittail.com' 'hollandbusinessadvertising.nl' 'homepageking.de' 'hotkeys.com' 'hotlog.ru' 'hotrank.com.tw' 'htmlhubing.xyz' 'httpool.com' 'hurricanedigitalmedia.com' 'hydramedia.com' 'hyperbanner.net' 'i-clicks.net' 'i1img.com' 'i1media.no' 'ia.iinfo.cz' 'iadnet.com' 'iasds01.com' 'iconadserver.com' 'icptrack.com' 'idcounter.com' 'identads.com' 'idot.cz' 'idregie.com' 'idtargeting.com' 'ientrymail.com' 'ilbanner.com' 'iliilllio00oo0.321.cn' 'imagecash.net' 'images.v3.com' 'imarketservices.com' 'img.prohardver.hu' 'imgpromo.easyrencontre.com' 'imonitor.nethost.cz' 'imprese.cz' 'impressionmedia.cz' 'impressionz.co.uk' 'inboxdollars.com' 'incentaclick.com' 'indexstats.com' 'indieclick.com' 'industrybrains.com' 'infinityads.com' 'infolinks.com' 'information.com' 'inringtone.com' 'insightexpress.com' 'inspectorclick.com' 'instantmadness.com' 'interactive.forthnet.gr' 'intergi.com' 'internetfuel.com' 'interreklame.de' 'interstat.hu' 'ip.ro' 'ip193.cn' 'iperceptions.com' 'ipro.com' 'ireklama.cz' 'itfarm.com' 'itop.cz' 'its-that-easy.com' 'itsptp.com' 'jcount.com' 'jinkads.de' 'joetec.net' 'jokedollars.com' 'juicyads.com' 'jumptap.com' 'justrelevant.com' 'kanoodle.com' 'keymedia.hu' 'kindads.com' 'kliks.nl' 'komoona.com' 'kompasads.com' 'kt-g.de' 'lakequincy.com' 'layer-ad.de' 'lbn.ru' 'leadaffiliates.com' 'leadboltads.net' 'leadclick.com' 'leadingedgecash.com' 'leadzupc.com' 'leanoisgo.com' 'levelrate.de' 'lfstmedia.com' 'liftdna.com' 'ligatus.com' 'ligatus.de' 'lightningcast.net' 'lightspeedcash.com' 'link-booster.de' 'linkadd.de' 'linkexchange.com' 'linkprice.com' 'linkrain.com' 'linkreferral.com' 'links-ranking.de' 'linkshighway.com' 'linkshighway.net' 'linkstorms.com' 'linkswaper.com' 'liveintent.com' 'liverail.com' 'logua.com' 'lop.com' 'lucidmedia.com' 'lzjl.com' 'm4n.nl' 'madisonavenue.com' 'madvertise.de' 'malware-scan.com' 'marchex.com' 'market-buster.com' 'marketing.nyi.net' 'marketing.osijek031.com' 'marketingsolutions.yahoo.com' 'maroonspider.com' 'mas.sector.sk' 'mastermind.com' 'matchcraft.com' 'mathtag.com' 'max.i12.de' 'maximumcash.com' 'mbs.megaroticlive.com' 'mbuyu.nl' 'mdotm.com' 'measuremap.com' 'media-adrunner.mycomputer.com' 'media-servers.net' 'media6degrees.com' 'mediaarea.eu' 'mediadvertising.ro' 'mediageneral.com' 'mediamath.com' 'mediaplazza.com' 'mediaplex.com' 'mediascale.de' 'mediatext.com' 'mediax.angloinfo.com' 'mediaz.angloinfo.com' 'medyanetads.com' 'megacash.de' 'megastats.com' 'megawerbung.de' 'memorix.sdv.fr' 'metaffiliation.com' 'metanetwork.com' 'methodcash.com' 'miarroba.com' 'microstatic.pl' 'microticker.com' 'midnightclicking.com' 'mintrace.com' 'misstrends.com' 'miva.com' 'mixpanel.com' 'mixtraffic.com' 'mlm.de' 'mmismm.com' 'mmtro.com' 'moatads.com' 'mobclix.com' 'mocean.mobi' 'moneyexpert.com' 'monsterpops.com' 'mopub.com' 'mpstat.us' 'mr-rank.de' 'mrskincash.com' 'musiccounter.ru' 'muwmedia.com' 'myaffiliateprogram.com' 'mybloglog.com' 'mycounter.ua' 'mypagerank.net' 'mypagerank.ru' 'mypowermall.com' 'mystat-in.net' 'mystat.pl' 'mytop-in.net' 'n69.com' 'naiadsystems.com' 'namimedia.com' 'nastydollars.com' 'navigator.io' 'navrcholu.cz' 'nedstat.com' 'nedstatbasic.net' 'nedstatpro.net' 'nend.net' 'neocounter.neoworx-blog-tools.net' 'neoffic.com' 'net-filter.com' 'netaffiliation.com' 'netagent.cz' 'netcommunities.com' 'netdirect.nl' 'netflame.cc' 'netincap.com' 'netpool.netbookia.net' 'netshelter.net' 'network.business.com' 'neudesicmediagroup.com' 'newbie.com' 'newnet.qsrch.com' 'newnudecash.com' 'newtopsites.com' 'ngs.impress.co.jp' 'nitroclicks.com' 'novem.pl' 'nuggad.net' 'numax.nu-1.com' 'nuseek.com' 'oewa.at' 'oewabox.at' 'offerforge.com' 'offermatica.com' 'olivebrandresponse.com' 'omniture.com' 'onclasrv.com' 'oneandonlynetwork.com' 'onenetworkdirect.com' 'onestat.com' 'onestatfree.com' 'onewaylinkexchange.net' 'online-metrix.net' 'onlinecash.com' 'onlinecashmethod.com' 'onlinerewardcenter.com' 'openads.org' 'openclick.com' 'openx.angelsgroup.org.uk' 'openx.blindferret.com' 'opienetwork.com' 'optimost.com' 'optmd.com' 'ordingly.com' 'ota.cartrawler.com' 'otto-images.developershed.com' 'outbrain.com' 'overture.com' 'owebmoney.ru' 'oxado.com' 'pagead.l.google.com' 'pagerank-estate-spb.ru' 'pagerank-ranking.com' 'pagerank-ranking.de' 'pagerank-server7.de' 'pagerank-submitter.com' 'pagerank-submitter.de' 'pagerank-suchmaschine.de' 'pagerank-united.de' 'pagerank4u.eu' 'pagerank4you.com' 'pageranktop.com' 'partage-facile.com' 'partner-ads.com' 'partner.pelikan.cz' 'partner.topcities.com' 'partnerad.l.google.com' 'partnercash.de' 'partners.priceline.com' 'passion-4.net' 'pay-ads.com' 'paypopup.com' 'payserve.com' 'pbnet.ru' 'peep-auktion.de' 'peer39.com' 'pennyweb.com' 'pepperjamnetwork.com' 'percentmobile.com' 'perf.weborama.fr' 'perfectaudience.com' 'perfiliate.com' 'performancerevenue.com' 'performancerevenues.com' 'performancing.com' 'pgmediaserve.com' 'pgpartner.com' 'pheedo.com' 'phoenix-adrunner.mycomputer.com' 'phpmyvisites.net' 'picadmedia.com' 'pillscash.com' 'pimproll.com' 'pixel.jumptap.com' 'planetactive.com' 'play4traffic.com' 'playhaven.com' 'plista.com' 'plugrush.com' 'popads.net' 'popub.com' 'popupnation.com' 'popuptraffic.com' 'porngraph.com' 'porntrack.com' 'postrelease.com' 'potenza.cz' 'pr-star.de' 'pr-ten.de' 'pr5dir.com' 'praddpro.de' 'prchecker.info' 'predictad.com' 'premium-offers.com' 'primaryads.com' 'primetime.net' 'privatecash.com' 'pro-advertising.com' 'pro.i-doctor.co.kr' 'proext.com' 'profero.com' 'projectwonderful.com' 'promo1.webcams.nl' 'promobenef.com' 'promote.pair.com' 'promotion-campaigns.com' 'pronetadvertising.com' 'propellerads.com' 'proranktracker.com' 'proton-tm.com' 'protraffic.com' 'provexia.com' 'prsitecheck.com' 'psstt.com' 'pub.chez.com' 'pub.club-internet.fr' 'pub.hardware.fr' 'pub.realmedia.fr' 'publicidad.elmundo.es' 'pubmatic.com' 'pulse360.com' 'qctop.com' 'qnsr.com' 'quantcast.com' 'quarterserver.de' 'questaffiliates.net' 'quigo.com' 'quisma.com' 'radiate.com' 'rampidads.com' 'rank-master.com' 'rank-master.de' 'rankchamp.de' 'ranking-charts.de' 'ranking-id.de' 'ranking-links.de' 'ranking-liste.de' 'ranking-street.de' 'rankingchart.de' 'rankingscout.com' 'rankyou.com' 'rapidcounter.com' 'rate.ru' 'ratings.lycos.com' 'rb1.design.ru' 're-directme.com' 'reachjunction.com' 'reactx.com' 'readserver.net' 'realcastmedia.com' 'realclix.com' 'realtechnetwork.com' 'realteencash.com' 'reduxmedia.com' 'reduxmediagroup.com' 'reedbusiness.com' 'reefaquarium.biz' 'referralware.com' 'regnow.com' 'reinvigorate.net' 'reklam.rfsl.se' 'reklama.mironet.cz' 'reklama.reflektor.cz' 'reklamcsere.hu' 'reklame.unwired-i.net' 'reklamer.com.ua' 'relevanz10.de' 'relmaxtop.com' 'republika.onet.pl' 'retargeter.com' 'rev2pub.com' 'revenue.net' 'revenuedirect.com' 'revstats.com' 'richmails.com' 'richwebmaster.com' 'rlcdn.com' 'rle.ru' 'roar.com' 'robotreplay.com' 'rok.com.com' 'rose.ixbt.com' 'rotabanner.com' 'roxr.net' 'rtbpop.com' 'rtbpopd.com' 'ru-traffic.com' 'rubiconproject.com' 's2d6.com' 'sageanalyst.net' 'sbx.pagesjaunes.fr' 'scambiobanner.aruba.it' 'scanscout.com' 'scopelight.com' 'scratch2cash.com' 'scripte-monster.de' 'searchfeast.com' 'searchmarketing.com' 'searchramp.com' 'sedotracker.com' 'seeq.com.invalid' 'sensismediasmart.com.au' 'seo4india.com' 'serv0.com' 'servedbyopenx.com' 'servethis.com' 'services.hearstmags.com' 'sexaddpro.de' 'sexadvertentiesite.nl' 'sexinyourcity.com' 'sexlist.com' 'sexystat.com' 'sezwho.com' 'shareadspace.com' 'sharepointads.com' 'sher.index.hu' 'shinystat.com' 'shinystat.it' 'shoppingads.com' 'siccash.com' 'sidebar.angelfire.com' 'sinoa.com' 'sitebrand.geeks.com' 'sitemerkezi.net' 'skylink.vn' 'slickaffiliate.com' 'slopeaota.com' 'smart4ads.com' 'smartbase.cdnservices.com' 'smowtion.com' 'snapads.com' 'snoobi.com' 'softclick.com.br' 'spacash.com' 'sparkstudios.com' 'specificmedia.co.uk' 'spezialreporte.de' 'sponsorads.de' 'sponsorpro.de' 'sponsors.thoughtsmedia.com' 'spot.fitness.com' 'spywarelabs.com' 'spywarenuker.com' 'spywords.com' 'srbijacafe.org' 'srwww1.com' 'starffa.com' 'start.freeze.com' 'stat.cliche.se' 'stat.pl' 'stat.su' 'stat.zenon.net' 'stat24.com' 'static.itrack.it' 'statm.the-adult-company.com' 'stats.blogger.com' 'stats.hyperinzerce.cz' 'stats.mirrorfootball.co.uk' 'stats.olark.com' 'stats.suite101.com' 'stats.unwired-i.net' 'statxpress.com' 'steelhouse.com' 'steelhousemedia.com' 'stickyadstv.com' 'suavalds.com' 'subscribe.hearstmags.com' 'superclix.de' 'supertop.ru' 'supertop100.com' 'suptullog.com' 'surfmusik-adserver.de' 'swissadsolutions.com' 'swordfishdc.com' 'sx.trhnt.com' 't.insigit.com' 't.pusk.ru' 'taboola.com' 'tacoda.net' 'tagular.com' 'tailsweep.co.uk' 'tailsweep.com' 'tailsweep.se' 'takru.com' 'tangerinenet.biz' 'tapad.com' 'targad.de' 'targetingnow.com' 'targetpoint.com' 'tatsumi-sys.jp' 'tcads.net' 'techclicks.net' 'teenrevenue.com' 'teliad.de' 'textads.biz' 'textads.opera.com' 'textlinks.com' 'tfag.de' 'theadhost.com' 'thebugs.ws' 'therapistla.com' 'therichkids.com' 'thrnt.com' 'tinybar.com' 'tizers.net' 'tlvmedia.com' 'tntclix.co.uk' 'top-casting-termine.de' 'top-site-list.com' 'top100.mafia.ru' 'top123.ro' 'top20.com' 'top20free.com' 'top66.ro' 'top90.ro' 'topbarh.box.sk' 'topblogarea.se' 'topbucks.com' 'topforall.com' 'topgamesites.net' 'toplist.pornhost.com' 'toplista.mw.hu' 'toplistcity.com' 'topmmorpgsites.com' 'topping.com.ua' 'toprebates.com' 'topsafelist.net' 'topsearcher.com' 'topsir.com' 'topsite.lv' 'topsites.com.br' 'totemcash.com' 'touchclarity.com' 'touchclarity.natwest.com' 'tpnads.com' 'track.anchorfree.com' 'tracking.crunchiemedia.com' 'tracking.yourfilehost.com' 'tracking101.com' 'trackingsoft.com' 'trackmysales.com' 'tradeadexchange.com' 'traffic-exchange.com' 'traffic.liveuniversenetwork.com' 'trafficadept.com' 'trafficcdn.liveuniversenetwork.com' 'trafficfactory.biz' 'trafficholder.com' 'traffichunt.com' 'trafficjunky.net' 'trafficleader.com' 'trafficsecrets.com' 'trafficspaces.net' 'trafficstrategies.com' 'trafficswarm.com' 'traffictrader.net' 'trafficz.com' 'trafficz.net' 'traffiq.com' 'trafic.ro' 'travis.bosscasinos.com' 'trekblue.com' 'trekdata.com' 'trendcounter.com' 'trhunt.com' 'trix.net' 'truehits.net' 'truehits2.gits.net.th' 'tubedspots.com' 'tubemogul.com' 'tvas-a.pw' 'tvas-c.pw' 'tvmtracker.com' 'twittad.com' 'tyroo.com' 'uarating.com' 'ukbanners.com' 'ultramercial.com' 'ultsearch.com' 'unanimis.co.uk' 'untd.com' 'updated.com' 'urlcash.net' 'usapromotravel.com' 'usmsad.tom.com' 'utarget.co.uk' 'utils.mediageneral.net' 'validclick.com' 'valuead.com' 'valueclickmedia.com' 'valuecommerce.com' 'valuesponsor.com' 'veille-referencement.com' 'ventivmedia.com' 'vericlick.com' 'vertadnet.com' 'veruta.com' 'vervewireless.com' 'videoegg.com' 'view4cash.de' 'viewpoint.com' 'visistat.com' 'visitbox.de' 'visual-pagerank.fr' 'visualrevenue.com' 'voicefive.com' 'vpon.com' 'vrs.cz' 'vs.tucows.com' 'vungle.com' 'wads.webteh.com' 'warlog.ru' 'web.informer.com' 'web2.deja.com' 'webads.co.nz' 'webangel.ru' 'webcash.nl' 'webcounter.cz' 'webgains.com' 'webmaster-partnerprogramme24.de' 'webmasterplan.com' 'webmasterplan.de' 'weborama.fr' 'webpower.com' 'webreseau.com' 'webseoanalytics.com' 'webstat.com' 'webstat.net' 'webstats4u.com' 'webtraxx.de' 'wegcash.com' 'werbung.meteoxpress.com' 'whaleads.com' 'whenu.com' 'whispa.com' 'whoisonline.net' 'wholesaletraffic.info' 'widgetbucks.com' 'window.nixnet.cz' 'wintricksbanner.googlepages.com' 'witch-counter.de' 'wlmarketing.com' 'wmirk.ru' 'wonderlandads.com' 'wondoads.de' 'woopra.com' 'worldwide-cash.net' 'wtlive.com' 'www-banner.chat.ru' 'www-google-analytics.l.google.com' 'www.banner-link.com.br' 'www.kaplanindex.com' 'www.money4exit.de' 'www.photo-ads.co.uk' 'www1.gto-media.com' 'www8.glam.com' 'x-traceur.com' 'x6.yakiuchi.com' 'xchange.ro' 'xclicks.net' 'xertive.com' 'xg4ken.com' 'xplusone.com' 'xponsor.com' 'xq1.net' 'xrea.com' 'xtendmedia.com' 'xtremetop100.com' 'xxxmyself.com' 'y.ibsys.com' 'yab-adimages.s3.amazonaws.com' 'yabuka.com' 'yesads.com' 'yesadvertising.com' 'yieldlab.net' 'yieldmanager.com' 'yieldtraffic.com' 'yoc.mobi' 'yoggrt.com' 'z5x.net' 'zangocash.com' 'zanox.com' 'zantracker.com' 'zencudo.co.uk' 'zenkreka.com' 'zenzuu.com' 'zeus.developershed.com' 'zeusclicks.com' 'zintext.com' 'zmedia.com' # Added manually in webbooost 'cdn.onedmp.com' 'globalteaser.ru' 'lottosend.org' 'skycdnhost.com' 'obhodsb.com' 'smilered.com' 'psma02.com' 'psmardr.com' 'uua.bvyvk.space' 'meofur.ru' 'mg.yadro.ru' 'c.marketgid.com' 'imgg.marketgid.com' }
true
# http://raw.githubusercontent.com/StevenBlack/hosts/master/hosts # 27 Mar 2016 # 26,890 entries module.exports = { 'lb.usemaxserver.de' 'tracking.klickthru.com' 'gsmtop.net' 'click.buzzcity.net' 'ads.admoda.com' 'stats.pflexads.com' 'a.glcdn.co' 'wwww.adleads.com' 'ad.madvertise.de' 'apps.buzzcity.net' 'ads.mobgold.com' 'android.bcfads.com' 'req.appads.com' 'show.buzzcity.net' 'api.analytics.omgpop.com' 'r.edge.inmobicdn.net' 'www.mmnetwork.mobi' 'img.ads.huntmad.com' 'creative1cdn.mobfox.com' 'admicro2.vcmedia.vn' 'admicro1.vcmedia.vn' 's3.phluant.com' 'c.vrvm.com' 'go.vrvm.com' 'static.estebull.com' 'mobile.banzai.it' 'ads.xxxad.net' 'hhbekxxw5d9e.pflexads.com' 'img.ads.mojiva.com' 'adcontent.saymedia.com' 'ads.saymedia.com' 'ftpcontent.worldnow.com' 's0.2mdn.net' 'img.ads.mocean.mobi' 'bigmobileads.com' 'banners.bigmobileads.com' 'ads.mopub.com' 'images.mpression.net' 'images.millennialmedia.com' 'oasc04012.247realmedia.com' 'assets.cntdy.mobi' 'ad.leadboltapps.net' 'api.airpush.com' 'ad.where.com' 'i.tapit.com' 'cdn1.crispadvertising.com' 'cdn2.crispadvertising.com' 'medrx.sensis.com.au' 'rs-staticart.ybcdn.net' 'img.ads.taptapnetworks.com' 'adserver.ubiyoo.com' 'c753738.r38.cf2.rackcdn.com' 'edge.reporo.net' 'ads.n-ws.org' 'adultmoda.com' 'ads.smartdevicemedia.com' 'b.scorecardresearch.com' 'm.adsymptotic.com' 'cdn.vdopia.com' 'api.yp.com' 'asotrack1.fluentmobile.com' 'android-sdk31.transpera.com' 'apps.mobilityware.com' 'ads.mobilityware.com' 'ads.admarvel.com' 'netdna.reporo.net' 'www.eltrafiko.com' 'cdn.trafficforce.com' 'gts-ads.twistbox.com' 'static.cdn.gtsmobi.com' 'ads.matomymobile.com' 'ads.adiquity.com' 'img.ads.mobilefuse.net' 'as.adfonic.net' 'media.mobpartner.mobi' 'cdn.us.goldspotmedia.com' 'ads2.mediaarmor.com' 'cdn.nearbyad.com' 'ads.ookla.com' 'mobiledl.adboe.com' 'ads.flurry.com' 'gemini.yahoo.com' 'd3anogn3pbtk4v.cloudfront.net' 'd3oltyb66oj2v8.cloudfront.net' 'd2bgg7rjywcwsy.cloudfront.net' 'a.vserv.mobi' 'admin.vserv.mobi' 'c.vserv.mobi' 'ads.vserv.mobi' 'sf.vserv.mobi' 'hybl9bazbc35.pflexads.com' 'www.pflexads.com' 'atti.velti.com' 'ru.velti.com' 'mwc.velti.com' 'cdn.celtra.com' 'ads.celtra.com' 'cache-ssl.celtra.com' 'cache.celtra.com' 'track.celtra.com' 'wv.inner-active.mobi' 'cdn1.inner-active.mobi' 'm2m1.inner-active.mobi' 'bos-tapreq01.jumptap.com' 'bos-tapreq02.jumptap.com' 'bos-tapreq03.jumptap.com' 'bos-tapreq04.jumptap.com' 'bos-tapreq05.jumptap.com' 'bos-tapreq06.jumptap.com' 'bos-tapreq07.jumptap.com' 'bos-tapreq08.jumptap.com' 'bos-tapreq09.jumptap.com' 'bos-tapreq10.jumptap.com' 'bos-tapreq11.jumptap.com' 'bos-tapreq12.jumptap.com' 'bos-tapreq13.jumptap.com' 'bos-tapreq14.jumptap.com' 'bos-tapreq15.jumptap.com' 'bos-tapreq16.jumptap.com' 'bos-tapreq17.jumptap.com' 'bos-tapreq18.jumptap.com' 'bos-tapreq19.jumptap.com' 'bos-tapreq20.jumptap.com' 'web64.jumptap.com' 'web63.jumptap.com' 'web65.jumptap.com' 'bo.jumptap.com' 'i.jumptap.com' 'a.applovin.com' 'd.applovin.com' 'pdn.applovin.com' 'mobpartner.mobi' 'go.mobpartner.mobi' 'r.mobpartner.mobi' 'uk-ad2.adinfuse.com' 'adinfuse.com' 'go.adinfuse.com' 'ad1.adinfuse.com' 'ad2.adinfuse.com' 'sky.adinfuse.com' 'orange-fr.adinfuse.com' 'sky-connect.adinfuse.com' 'uk-go.adinfuse.com' 'orangeuk-mc.adinfuse.com' 'intouch.adinfuse.com' 'funnel0.adinfuse.com' 'cvt.mydas.mobi' 'lp.mydas.mobi' 'golds.lp.mydas.mobi' 'suo.lp.mydas.mobi' 'aio.lp.mydas.mobi' 'lp.mp.mydas.mobi' 'media.mydas.mobi' 'ads.mp.mydas.mobi' 'neptune.appads.com' 'neptune1.appads.com' 'neptune2.appads.com' 'neptune3.appads.com' 'saturn.appads.com' 'saturn1.appads.com' 'saturn2.appads.com' 'saturn3.appads.com' 'jupiter.appads.com' 'jupiter1.appads.com' 'jupiter2.appads.com' 'jupiter3.appads.com' 'req1.appads.com' 'req2.appads.com' 'req3.appads.com' 'mc.yandex.ru' 'an.yandex.ru' 'swappit.tapad.com' 'campaign-tapad.s3.amazonaws.com' 'adsrv1.tapad.com' 'ads1.mojiva.com' 'ads2.mojiva.com' 'ads3.mojiva.com' 'ads4.mojiva.com' 'ads5.mojiva.com' 'i.w.inmobi.com' 'r.w.inmobi.com' 'c.w.inmobi.com' 'adtracker.inmobi.com' 'china.inmobi.com' 'japan.inmobi.com' 'mdn1.phluantmobile.net' 'mdn2.phluantmobile.net' 'mdn3.phluantmobile.net' 'mdn3origin.phluantmobile.net' 'soma.smaato.net' 'c29new.smaato.net' 'c01.smaato.net' 'c02.smaato.net' 'c03.smaato.net' 'c04.smaato.net' 'c05.smaato.net' 'c06.smaato.net' 'c07.smaato.net' 'c08.smaato.net' 'c09.smaato.net' 'c10.smaato.net' 'c11.smaato.net' 'c12.smaato.net' 'c13.smaato.net' 'c14.smaato.net' 'c15.smaato.net' 'c16.smaato.net' 'c17.smaato.net' 'c18.smaato.net' 'c19.smaato.net' 'c20.smaato.net' 'c21.smaato.net' 'c22.smaato.net' 'c23.smaato.net' 'c24.smaato.net' 'c25.smaato.net' 'c26.smaato.net' 'c27.smaato.net' 'c28.smaato.net' 'c29.smaato.net' 'c30.smaato.net' 'c31.smaato.net' 'c32.smaato.net' 'c33.smaato.net' 'c34.smaato.net' 'c35.smaato.net' 'c36.smaato.net' 'c37.smaato.net' 'c38.smaato.net' 'c39.smaato.net' 'c40.smaato.net' 'c41.smaato.net' 'c42.smaato.net' 'c43.smaato.net' 'c44.smaato.net' 'c45.smaato.net' 'c46.smaato.net' 'c47.smaato.net' 'c48.smaato.net' 'c49.smaato.net' 'c50.smaato.net' 'c51.smaato.net' 'c52.smaato.net' 'c53.smaato.net' 'c54.smaato.net' 'c55.smaato.net' 'c56.smaato.net' 'c57.smaato.net' 'c58.smaato.net' 'c59.smaato.net' 'c60.smaato.net' 'f03.smaato.net' 'f04.smaato.net' 'f05.smaato.net' 'f06.smaato.net' 'f07.smaato.net' 'f08.smaato.net' 'f09.smaato.net' 'f10.smaato.net' 'f11.smaato.net' 'f12.smaato.net' 'f13.smaato.net' 'f14.smaato.net' 'f15.smaato.net' 'f16.smaato.net' 'f17.smaato.net' 'f18.smaato.net' 'f19.smaato.net' 'f20.smaato.net' 'f21.smaato.net' 'f22.smaato.net' 'f23.smaato.net' 'f24.smaato.net' 'f25.smaato.net' 'f26.smaato.net' 'f27.smaato.net' 'f28.smaato.net' 'f29.smaato.net' 'f30.smaato.net' 'f31.smaato.net' 'f32.smaato.net' 'f33.smaato.net' 'f34.smaato.net' 'f35.smaato.net' 'f36.smaato.net' 'f37.smaato.net' 'f38.smaato.net' 'f39.smaato.net' 'f40.smaato.net' 'f41.smaato.net' 'f42.smaato.net' 'f43.smaato.net' 'f44.smaato.net' 'f45.smaato.net' 'f46.smaato.net' 'f47.smaato.net' 'f48.smaato.net' 'f49.smaato.net' 'f50.smaato.net' 'f51.smaato.net' 'f52.smaato.net' 'f53.smaato.net' 'f54.smaato.net' 'f55.smaato.net' 'f56.smaato.net' 'f57.smaato.net' 'f58.smaato.net' 'f59.smaato.net' 'f60.smaato.net' 'img.ads1.mojiva.com' 'img.ads2.mojiva.com' 'img.ads3.mojiva.com' 'img.ads4.mojiva.com' 'img.ads1.mocean.mobi' 'img.ads2.mocean.mobi' 'img.ads3.mocean.mobi' 'img.ads4.mocean.mobi' 'akamai.smartadserver.com' 'cdn1.smartadserver.com' 'diff.smartadserver.com' 'diff2.smartadserver.com' 'diff3.smartadserver.com' 'eqx.smartadserver.com' 'im2.smartadserver.com' 'itx5-publicidad.smartadserver.com' 'itx5.smartadserver.com' 'tcy.smartadserver.com' 'ww129.smartadserver.com' 'ww13.smartadserver.com' 'ww14.smartadserver.com' 'ww234.smartadserver.com' 'ww251.smartadserver.com' 'ww264.smartadserver.com' 'ww302.smartadserver.com' 'ww362.smartadserver.com' 'ww370.smartadserver.com' 'ww381.smartadserver.com' 'ww392.smartadserver.com' 'ww55.smartadserver.com' 'ww57.smartadserver.com' 'ww84.smartadserver.com' 'www.smartadserver.com' 'www2.smartadserver.com' 'www3.smartadserver.com' 'www4.smartadserver.com' 'ads.mobclix.com' 'data.mobclix.com' 's.mobclix.com' 'ads.mdotm.com' 'cdn.mdotm.com' 'ads2.greystripe.com' 'adsx.greystripe.com' 'c.greystripe.com' 'aax-us-east.amazon-adsystem.com' 'aax-us-west.amazon-adsystem.com' 's.amazon-adsystem.com' 'admarvel.s3.amazonaws.com' 'html5adkit.plusmo.s3.amazonaws.com' 'inneractive-assets.s3.amazonaws.com' 'strikeadcdn.s3.amazonaws.com' 'a.admob.com' 'analytics.admob.com' 'c.admob.com' 'media.admob.com' 'p.admob.com' 'met.adwhirl.com' 'mob.adwhirl.com' 'ad-g.doubleclick.net' 'ad.doubleclick.net' 'ad.mo.doubleclick.net' 'doubleclick.net' 'googleads.g.doubleclick.net' 'pagead.googlesyndication.com' 'pagead1.googlesyndication.com' 'pagead2.googlesyndication.com' 'events.foreseeresults.com' 'survey.foreseeresults.com' 'm.quantserve.com' 'ad.leadboltmobile.net' 'mobileads.msn.com' 'img.adecorp.co.kr' 'us0.adlibr.com' 'ad.parrot.mable-inc.com' 'aos.wall.youmi.net' 'au.youmi.net' 'coconuts.boy.jp' 'iacpromotion.s3.amazonaws.com' 'plugin.2easydroid.com' 'adimg3.search.naver.net' 'st.a-link.co.kr' 'cdn.ajillionmax.com' 'dispatch.admixer.co.kr' 'ifc.inmobi.com' 'thinknear-hosted.thinknearhub.com' 'analytics.localytics.com' 'a.medialytics.com' 'c.medialytics.com' 'cdn.creative.medialytics.com' 'p.medialytics.com' 'px.cdn.creative.medialytics.com' 't.medialytics.com' 'applift.com' 'trackersimulator.org' 'eviltracker.net' 'do-not-tracker.org' '0koryu0.easter.ne.jp' '1-atraffickim.tf' '10-trafficimj.tf' '109-204-26-16.netconnexion.managedbroadband.co.uk' '11-atraasikim.tf' '11.lamarianella.info' '12-tgaffickvcmb.tf' '13-ctscfficim.tf' '14-traffgficimhd.tf' '15-etrafficim.tf' '16-taficimf.tf' '17-gtrahgficim.tf' '18-trafdsfgficimg.tf' '1866809.securefastserver.com' '19-itraaffifm.tf' '1m6.hanogaveleoy.com' '2-traffickimb.tf' '20-trafficidmj.tf' '21-tdsrafficimf.tf' '22-gyudrafasicim.tf' '24-ibczafficim.tf' '25-trafbvicimj.tf' '2amsports.com' '2wnpf.tld.cc' '3-ctrafficim.tf' '3.bluepointmortgage.com' '3.coolerpillow.com' '4-trafficimd.tf' '4.androidislamic.com' '4.collecorvino.org' '4.dlevo.com' '4.e-why.net' '4.luca-volonte.org' '4.newenergydata.biz' '4.newenergydata.info' '4.periziavela.com' '4.pianetapollo.com' '4.whereinitaly.com' '4.whereinlazio.com' '4.whereinliguria.com' '4.whereinlombardy.com' '4.whereinmilan.com' '4.whereinmolise.com' '4.whereinpiemonte.com' '4.whereinpuglia.com' '4.whereinsardegna.com' '4.whereinsicilia.com' '4.whereinsicily.com' '4.whereintoscana.com' '4.whereintrentinoaltoadige.com' '4dexports.com' '5-etrafficim.tf' '5.attilacrm.com' '5.estasiatica.com' '5.eventiduepuntozero.com' '50efa6486f1ef.skydivesolutions.be' '6-trafficimf.tf' '6.bbnface.com' '6.bbnfaces.net' '6.bbnsmsgateway.com' '6.mamaswishes.com' '6.negutterking.org' '6b8a953b2bf7788063d5-6e453f33ecbb90f11a62a5c376375af3.r71.cf5.rackcdn.com' '7-gtrafficim.tf' '7x70ministrysarashouse.com' '8-trafficimg.tf' '9-itrafficim.tf' '94akhf.blejythecounyful.com' '97b1c56132dfcdd90f93-0c5c8388c0a5897e648f883e2c86dc72.r54.cf5.rackcdn.com' '999fitness.com' 'a-atraffickim.tf' 'a.makeyourmoveknoxville.net' 'a.update.51edm.net' 'ab.usageload32.com' 'abcdespanol.com' 'abionet.com' 'ac1e0.alessakyndraenho.com' 'achren.org' 'acool.csheaven.com' 'activex.adobe.flash.player.update.number61.com' 'ad-beast.com' 'adgallery.whitehousedrugpolicy.gov' 'adlock.in' 'adobe-flashplayer.com' 'adobe-plugin.tk' 'adobeflashupdate14.com' 'ads.wikipartes.com' 'adserv.sklice.com' 'adserving.favorit-network.com' 'advancetec.co.uk' 'afa15.com.ne.kr' 'afive.net' 'agsteier.com' 'aintdoinshit.com' 'aippnetworks.com' 'ajewishgift.com' 'akirkpatrick.com' 'alexanderinteriorsanddesign.com' 'alexandria90.etcserver.com' 'alisat.biz' 'alissonluis-musico.sites.uol.com.br' 'allforlove.de' 'allxscan.tk' 'alsoknowsit.com' 'ama-alliance.com' 'amazingvacationhotels.com' 'ambulanciaslazaro.com' 'amdfrance.com' 'americancareconcept.com' 'amicos.mcdir.ru' 'aminev.com' 'amu.adduraddonhere.info' 'amu.boxinstallercompany.info' 'amu.brandnewinstall.info' 'amu.helpyourselfinstall.info' 'amu.twobox4addon.info' 'analxxxclipsyjh.dnset.com' 'andysgame.com' 'anshrit.com' 'antalya-eticaret.com' 'antalya.ru' 'apcar.gr' 'app.pho8.com' 'appaloosaontario.ca' 'applebox.co.id' 'arbitrary.drclinton.org' 'argentijmts.it' 'arkinsoftware.in' 'arnoldlanecars.co.uk' 'artasoimaritului.ro' 'artsconsortium.org' 'arttp.propertypartners.cl' 'asanixcorp.com' 'asasas.eu' 'asd.vicentelopez.us' 'asham.tourstogo.us' 'askmeaboutrotary.com' 'associatesexports.com' 'atelierprincesse.web.fc2.com' 'atlcourier.com' 'atyss.barginginfrance.net' 'avecat.missouritheatre.org' 'aveconomic.trailswest.org' 'avirasecureserver.com' 'avp-mech.ru' 'avppet.com' 'avto-pobeda.ru' 'axisbuild.com' 'azoos.csheaven.com' 'b-traffickimb.tf' 'b.nevadaprivateoffice.com' 'babos.scrapping.cc' 'backup.terra5llc.com' 'bank.scarf-it-up.com' 'bargainracks.co.uk' 'baskadesign.com' 'batcoroadlinescorporation.com' 'bayviews.estb.com.sg' 'bbs.bjchun.com' 'bde.be' 'be-funk.com' 'beautysafari.com' 'becomedebtfree.com.au' 'beespace.com.ua' 'beldiplomcom.75.com1.ru' 'benchmarkconsultant.com' 'best100catfights.com' 'bestkika.crashs.net' 'betterhomeandgardenideas.com' 'bezproudoff.cz' 'bibleanswers4u.com' 'bien-vivre-en-sarladais.com' 'bigstoreoffers.co.uk' 'bilbaopisos.es' 'bio-air-technologies.com' 'biokovoholidays.com' 'bizzibeans.net' 'bj04.com' 'blackfalcon2.net' 'blackfalcon3.net' 'blackfalcon4.net' 'blackfalcon5.net' 'blacknite.eu' 'blog.replacemycontacts.com' 'bloodguru.net' 'bluecutsystem.com' 'bnsoutlaws.co.uk' 'boogu.barginginfrance.net' 'bookofkisl.com' 'borneo.aqq79.com' 'boschetto-hotel.gr' 'bracbetul.com' 'bracewellfamily.com' 'bravetools.net' 'bride1.com' 'broadtech.co' 'brownblogs.org' 'buffalogoesout.com' 'buyinfo-centreq.tk' 'buyinfo-centreqcv.tk' 'bvb-fanabteilung.de' 'by98.com' 'c-71-63-136-200.hsd1.mn.comcast.net' 'c-ctrafficim.tf' 'c11n4.i.teaserguide.com' 'cacl.fr' 'caclclo.web.fc2.com' 'callingcardsinstantly.com' 'cameraweb-cartoon.tk' 'campamento.queenscamp.com' 'cannabislyric.com' 'cannabispicture.com' 'cap2zen.com' 'casga.sogesca.al' 'cc8.joseppe.ru' 'cd2.odtoidcwe.info' 'cdn.file2desktop.com' 'centralwestwater.com.au' 'ceskarepublika.net' 'chaveiro.bio.br' 'chemgas.com' 'chisi.hsb-vps.co.uk' 'chocoservices.ru' 'chsplantsales.co.uk' 'ciclismovalenciano.com' 'citymediamagazin.hu' 'civicfootprint.net' 'classicallyabsurdphotography.com' 'classicspeedway.com' 'cluster013.ovh.net' 'cmicapui.ce.gov.br' 'coaha.frenchgerlemanelectric.com' 'coalimpex.com' 'cofeb13east.com' 'com-5p2.net' 'conds.ru' 'cope.it' 'corroshield.estb.com.sg' 'cosmetice-farduri.ro' 'countryteam66.perso.sfr.fr' 'cracks.vg' 'crackspider.us' 'crackzone.net' 'creditbootcamp.com' 'creditwallet.net' 'csdelux.ge' 'csmail.iggcn.com' 'cswilliamsburg.com' 'cu.cz-darmstadt.de' 'cudacorp.com' 'customsboysint.com' 'cwmgaming.com' 'cx6n.akovikisk.info' 'czarni.i15.eu' 'cznshuya.ivnet.ru' 'd-trafficimd.tf' 'd1.kuai8.com' 'd1054130-28095.cp.blacknight.com' 'd1171912.cp.blacknight.com' 'd32k27yvyi4kmv.cloudfront.net' 'd4.cumshots.ws' 'damxx.com' 'dancecourt.com' 'dashlinen.testing-domain-live.co.uk' 'dawnframing.com' 'dcanscapital.co.uk' 'ddd.gouwuke.cn' 'decografix.com' 'decota.es' 'decrolyschool.be' 'deleondeos.com' 'deletespyware-adware.com' 'demo.essarinfotech.net' 'demo.vertexinfo.in' 'dent-lux.com.pl' 'dentairemalin.com' 'destre45.com' 'dev.houstonysa.org' 'dev.wrathofshadows.net' 'dianepiette.co.uk' 'diaryofagameaddict.com' 'dilas.edarbipatients.com' 'dimarsbg.com' 'dimenal.com.br' 'dimensionnail.ro' 'dimsnetwork.com' 'directxex.com' 'distancer.sexsty.com' 'divine.lunarbreeze.com' 'dl.downf468.com' 'dl.heima8.com' 'dl.microsword.net' 'dl01.faddmr.com' 'dls.nicdls.com' 'doash.buyyourbtc.com' 'dofeb.frenchgerlemanelectric.com' 'doktester.orgfree.com' 'domains.mangowork.com' 'doradcazabrze.pl' 'dougmlee.com' 'down.feiyang163.com' 'down.guangsu.cn' 'down.hit020.com' 'down.unadnet.com.cn' 'down2.feiyang163.com' 'down3.feiyang163.com' 'download-archiver.ru' 'download.56.com' 'download.grandcloud.cn' 'download.ttrili.com' 'download207.mediafire.com' 'downloads-finereader.ru' 'downloads-whatsapp.com' 'dp-medien.eu' 'dron.leandroiriarte.com' 'dujur.barginginfrance.net' 'duoscontabilidade.com.br' 'duplaouroeprata.com.br' 'dx6.52z.com' 'dx8.52z.com' 'dx9.haote.com' 'e-etrafficim.tf' 'e-matelco.com' 'e1r.net' 'earlybirdandtantrum.co.uk' 'earthcontrolsys.com' 'echoa.randbinternationaltravel.com' 'edafologiko.gr' 'eddenya.com' 'edf.fr.kfskz.com' 'eecky.butlerelectricsupply.com' 'eekro.cruisingsmallship.com' 'eeps.me' 'eeroo.frost-electric-supply.com' 'eestiblogid.ee' 'eetho.cruisingsmallship.com' 'efugl.iptvdeals.com' 'egwkoa.xyz' 'eielectronics.ie' 'el.christiancarenet.com' 'eldiariodeguadalajara.com' 'elew72isst.rr.nu' 'eliehabib.com' 'elocumjobs.com' 'emailing.wildcard.fr' 'emits.iptvdeals.com' 'emotioncardspy.zapto.org' 'enlistingseparated.com' 'eroov.iptvdeals.com' 'esoad.frost-electric-supply.com' 'espdesign.com.au' 'estoa.frost-electric-supply.com' 'eternitymobiles.com' 'europe-academy.net' 'europol.europe.eu.france.id647744160-2176514326.h5841.com' 'europol.europe.eu.id214218540-7444056787.h5841.com' 'exadu.mymag250.co.uk' 'executivecoaching.co.il' 'exkn0md6fh.qsdgi.com' 'exsexytop.tk' 'extreembilisim.com' 'f-kotek.com' 'f-trafficimf.tf' 'f.gj555.net' 'faiyazahmed.com' 'fallencrafts.info' 'famososvideo.com' 'faq-candrive.tk' 'fbku.com' 'featuring.cinemalink.us' 'femalewrestlingnow.com' 'fetishfitnessbabes.com' 'fetishlocator.com' 'fgawegwr.chez.com' 'fgtkmcby02.eu' 'files.dsnetwb.com' 'finnhair.co.uk' 'fireally.net' 'firehouse651.com' 'fkhfgfg.tk' 'flamingowrestling2.com' 'flamingowrestling3.com' 'flamingowrestling4.com' 'flashdem.fr' 'flashsavant.com' 'flexografic.gr' 'fondazioneciampi.org' 'formessengers.com' 'free-cameraonline.tk' 'free-crochet-pattern.com' 'freefblikes.phpnet.us' 'freeserials.spb.ru' 'freeserials.ws' 'ftp.dgaspf.gob.ar' 'ftp.flyfishusa.com' 'funchill.com' 'fupload.org' 'futbolyresultados.es' 'fwxyd.ru' 'g-gtrafficim.tf' 'gamma01.website' 'generalchemicalsupply.com' 'geniuspresentation.com' 'getdatanetukscan.info' 'go-quicky.com' 'gogetgorgeous.com' 'googlescrn.com' 'gosciniec-paproc.pl' 'gov.f3322.net' 'gravityexp.com' 'gredinatib.org' 'greev.randbinternationaltravel.com' 'grendizer.biz' 'groax.mymag250.co.uk' 'gssoftech.com' 'gulf-industrial.com' 'gulsproductions.com' 'gurde.tourstogo.us' 'guyscards.com' 'gyboo.cruisingsmallship.com' 'gylra.cruisingsmallship.com' 'h-trafficimg.tf' 'h1666015.stratoserver.net' 'hana-naveh.com' 'hanulsms.com' 'hardcorepornparty.com' 'harshwhispers.com' 'hdbusty.com' 'healthybloodpressure.info' 'helesouurusa.cjb.com' 'herbiguide.com.au' 'hexadl.line55.net' 'high-hollin.org' 'highflyingfood.com' 'hinsib.com' 'hnskorea.co.kr' 'hoawy.frost-electric-supply.com' 'hobbat.fvds.ru' 'hobby-hangar.net' 'hobbytotaalservice.nl' 'hoerbird.net' 'hosting-controlid1.tk' 'hosting-controlnext.tk' 'hosting-controlpin.tk' 'hosting-controlpr.tk' 'hotfacesitting.com' 'hotspot.cz' 'hrdcvn.com.vn' 'hst-19-33.splius.lt' 'hujii.qplanner.cf' 'hy-brasil.mhwang.com' 'hydraulicpowerpack.com' 'i-itrafficim.tf' 'iabe45sd.com' 'iamagameaddict.com' 'icommsol.net' 'id405441215-8305493831.h121h9.com' 'idods.hsb-vps.co.uk' 'igagh.tourstogo.us' 'igoby.frost-electric-supply.com' 'igroo.barginginfrance.net' 'image-circul.tk' 'image-png.us' 'images.topguncustomz.com' 'img.coldstoragemn.com' 'img.sspbaseball.org' 'img001.com' 'immediateresponseforcomputer.com' 'impressoras-cartoes.com.pt' 'inclusivediversity.co.uk' 'incoctel.cl' 'indepth-registration.net' 'indianemarket.in' 'inevo.co.il' 'infoweb-cinema.tk' 'infoweb-coolinfo.tk' 'ingekalfdeimplores.howtoleaveyourjob.net' 'inlinea.co.uk' 'innatek.com' 'instruminahui.edu.ec' 'interactivearea.ru' 'internet-bb.tk' 'ip-182-50-129-164.ip.secureserver.net' 'ip-182-50-129-181.ip.secureserver.net' 'ipl.hk' 'iptoo.cruisingsmallship.com' 'isonomia.com.ar' 'istanbulteknik.com' 'ithyk.frenchgerlemanelectric.com' 'iwgtest.co.uk' 'iwhab.randbinternationaltravel.com' 'iwose.buyyourbtc.com' 'ixoox.csheaven.com' 'iybasketball.info' 'izozo.buyyourbtc.com' 'izzy-cars.nl' 'j-trafficimj.tf' 'j.2525ocean.com' 'japanesevehicles.us' 'jdfabrication.com' 'jeansvixens.com' 'jktdc.in' 'jmiller3d.com' 'jo-2012.fr' 'job-companybuild.tk' 'job-compuse.tk' 'josip-stadler.org' 'js.tongji.linezing.com' 'jstaikos.com' 'jue0jc.lukodorsai.info' 'juedische-kammerphilharmonie.de' 'juicypussyclips.com' 'k-gtralficim.tf' 'k.h.a.d.free.fr' 'kadirzerey.com' 'kadman.net' 'kalantzis.net' 'kapcotool.com' 'keemy.butlerelectricsupply.com' 'kernelseagles.net' 'keyways.pt' 'kfc.i.illuminationes.com' 'kfcgroup.net' 'kids-fashion.dk' 'killerjeff.free.fr' 'kipasdenim.com' 'kolman.flatitleandescrow.com' 'kootil.com' 'kreotceonite.com' 'krsa2gno.alert-malware-browsererror57.com' 'krsa2gno.browser-security-error.com' 'krsa2gno.browsersecurityalert.info' 'krsa2gno.congrats-sweepstakes-winner.com' 'krsa2gno.important-security-brower-alert.com' 'krsa2gno.internet-security-alert.com' 'krsa2gno.smartphone-sweepstakes-winner.com' 'krsa2gno.todays-sweepstakes-winner.com' 'krsa2gno.youre-todays-lucky-sweeps-winner.com' 'kuglu.mymag250.co.uk' 'kulro.csheaven.com' 'kylie-walters.com' 'kyrsu.frost-electric-supply.com' 'l-trafhicimg.tf' 'lab-cntest.tk' 'lahmar.choukri.perso.neuf.fr' 'landisbaptist.com' 'law-enforcement-ocr.bahosss.ru' 'lcbcad.co.uk' 'leagleconsulting.com' 'lefos.net' 'legendsdtv.com' 'lhs-mhs.org' 'librationgacrux.alishazyrowski.com' 'lickscloombsfills.us' 'lifescience.sysu.edu.cn' 'linkforme.tk' 'lithium.thiersheetmetal.com' 'live-dir.tk' 'livehappy247.com' 'livrariaonline.net' 'loft2126.dedicatedpanel.com' 'londonescortslist.net' 'londonleatherusa.com' 'losalseehijos.es' 'lowestoftplumber.com' 'lsmeuk.com' 'luchtenbergdecor.com.br' 'luckpacking.net' 'luckyblank.info' 'luckyclean.info' 'luckyclear.info' 'luckyeffect.info' 'luckyhalo.info' 'luckypure.info' 'luckyshine.info' 'luckysuccess.info' 'luckysure.info' 'luckytidy.info' 'luggage-tv.com' 'luggagecast.com' 'luggagepreview.com' 'lunaticjazz.com' 'lustadult.com' 'luwyou.com' 'lydwood.co.uk' 'm-itrafficim.tf' 'm2132.ehgaugysd.net' 'mahabad-samaschools.ir' 'mahindrainsurance.com' 'mailboto.com' 'malest.com' 'mango.spiritualcounselingtoday.co' 'manoske.com' 'marchen-toy.co.jp' 'marialorena.com.br' 'markbruinink.nl' 'marketing-material.ieiworld.com' 'marx-brothers.mhwang.com' 'mathenea.com' 'maxisoft.co.uk' 'mbrdot.tk' 'mediatrade.h19.ru' 'merrymilkfoods.com' 'metrocuadro.com.ve' 'mgfd1b.petrix.net' 'microsoft.com32.info' 'miespaciopilates.com' 'milleniumpapelaria.com.br' 'mindstormstudio.ro' 'ministerepuissancejesus.com' 'ministerio-publi.info' 'miracema.rj.gov.br' 'mirandolasrl.it' 'mlpoint.pt' 'mmile.com' 'mobatory.com' 'mobile.bitterstrawberry.org' 'mocha7003.mochahost.com' 'mocka.frost-electric-supply.com' 'monarchslo.com' 'montezuma.spb.ru' 'morenews3.net' 'mrpeter.it' 'ms11.net' 'mtldesigns.ca' 'mtmtrade.gr' 'mueller-holz-bau.com' 'murbil.hostei.com' 'my-web1.tk' 'mycleanpc.tk' 'mylabsrl.com' 'mylondon.hc0.me' 'myshopmarketim.com' 'mysmallcock.com' 'mythesisspace.com' 'myuniques.ru' 'myvksaver.ru' 'n-nrafficimj.tf' 'naairah.com' 'nadegda-95.ru' 'nailbytes1.com' 'namso.butlerelectricsupply.com' 'narrow.azenergyforum.com' 'nateve.us' 'natmasla.ru' 'natural-cholesterol.com' 'natural.buckeyeenergyforum.com' 'naturemost.it' 'nbook.far.ru' 'nc2199.eden5.netclusive.de' 'nctbonline.co.uk' 'ndcsales.info' 'nefib.tourstogo.us' 'negociosdasha.com' 'nerez-schodiste-zabradli.com' 'nestorconsulting.net' 'networkmedical.com.hk' 'neumashop.cl' 'nevergreen.net' 'new-address.tk' 'new-softdriver.tk' 'newleaf.org.in' 'newplan1999.com' 'news-91566-latest.natsyyaty.ru' 'news4cars.com' 'nhpz.lalaghoaujrnu.info' 'nikolamireasa.com' 'njtgsd.attackthethrone.com' 'nkgamers.com' 'nlconsulateorlandoorg.siteprotect.net' 'nmsbaseball.com' 'nobodyspeakstruth.narod.ru' 'nonsi.csheaven.com' 'noobgirls.com' 'nordiccountry.cz' 'northerningredients.com' 'northwesternfoods.com' 'nortonfire.co.uk' 'notebookservisru.161.com1.ru' 'noveltyweb.ru' 'noveslovo.com' 'nowina.info' 'ns1.the-sinner.net' 'ns1.updatesdns.org' 'ns2ns1.tk' 'ns352647.ovh.net' 'nt-associates.com' 'nudebeachgalleries.net' 'nugly.barginginfrance.net' 'nuptialimages.com' 'nutnet.ir' 'nvdrabs.ru' 'nwhomecare.co.uk' 'o-itrafficim.tf' 'oahop.buyyourbtc.com' 'oakso.tourstogo.us' 'oampa.csheaven.com' 'oapsa.tourstogo.us' 'oaspodpaskdjnghzatrffgcasetfrd.cf' 'oawoo.frenchgerlemanelectric.com' 'obada-konstruktiwa.org' 'obession.co.ua' 'obkom.net.ua' 'ocick.frost-electric-supply.com' 'ocpersian.com' 'officeon.ch.ma' 'ogrir.buyyourbtc.com' 'ohees.buyyourbtc.com' 'ohelloguyqq.com' 'oilwrestlingeurope.com' 'okeanbg.com' 'oknarai.ru' 'olivesmarket.com' 'olliedesign.net' 'olols.hsb-vps.co.uk' 'omrdatacapture.com' 'onb4dsa.net' 'onrio.com.br' 'oofuv.cruisingsmallship.com' 'oojee.barginginfrance.net' 'ooksu.frost-electric-supply.com' 'oolsi.frost-electric-supply.com' 'oosee.barginginfrance.net' 'oowhe.frost-electric-supply.com' 'oprahsearch.com' 'optiker-michelmann.de' 'optilogus.com' 'optimization-methods.com' 'orbowlada.strefa.pl' 'orkut.krovatka.su' 'oshoa.iptvdeals.com' 'oshoo.iptvdeals.com' 'otylkaaotesanek.cz' 'outkastsgaming.com' 'outporn.com' 'ozono.org.es' 'ozzysixsixsix.web.fc2.com' 'p-tfafficimg.tf' 'pabrel.com' 'pagerank.net.au' 'pamoran.net' 'papamamandoudouetmoi.com' 'paracadutismolucca.it' 'paraskov.com' 'patrickhickey.eu' 'pb-webdesign.net' 'pension-helene.cz' 'penwithian.co.uk' 'pepelacer.computingservices123.com' 'pepelacer.memeletrica.com' 'per-nunker.dk' 'perfectionautorepairs.com' 'pestguard-india.com' 'petitepanda.net' 'pgalvaoteles.pt' 'pharmadeal.gr' 'phitenmy.com' 'phoaz.cruisingsmallship.com' 'pic.starsarabian.com' 'pigra.csheaven.com' 'pipersalegulfcoast.mathwolf.com' 'pix360.co.nf' 'plantaardigebrandstof.nl' 'platsovetrf.ru' 'plcture-store.com' 'plengeh.wen.ru' 'pllysvaatteiden.rvexecutives.com' 'podzemi.myotis.info' 'pojokkafe.com' 'pokachi.net' 'police11.provenprotection.net' 'pontuall.com.br' 'pornstarss.tk' 'port.bg' 'portablevaporizer.com' 'portalfiremasters.com.br' 'portraitphotographygroup.com' 'pos-kupang.com' 'potvaporizer.com' 'powerhosting.tv' 'powershopnet.net' 'pradakomechanicals.com' 'praxisww.com' 'premium34.tmweb.ru' 'pride-u-bike.com' 'private.hotelcesenaticobooking.info' 'progettocrea.org' 'prorodeosportmed.com' 'prowoodsrl.it' 'pselr.buyyourbtc.com' 'psooz.tourstogo.us' 'psucm.buyyourbtc.com' 'ptewh.iptvdeals.com' 'ptool.barginginfrance.net' 'ptuph.barginginfrance.net' 'ptush.iptvdeals.com' 'publiccasinoil.com' 'publiccasinoild.com' 'puenteaereo.info' 'pulso.butlerelectricsupply.com' 'purethc.com' 'putevka-volgograd.ru' 'pwvita.pl' 'q-itrafficim.tf' 'q28840.nb.host127-0-0-1.com' 'qbike.com.br' 'qualityindustrialcoatings.com' 'quinnwealth.com' 'quotidiennokoue.com' 'qwe.affairedhonneur.us' 'qwebirc.swiftirc.net' 'qwmlad.xyz' 'r-trdfficimj.tf' 'radiology.starlightcapitaladvisors.net' 'rainbowcolours.me.uk' 'rallye-de-fourmies.com' 'rallyeair.com' 'randyandjeri.com' 'rat-on-subway.mhwang.com' 'rawoo.barginginfrance.net' 'rd5d.com' 'reclamus.com' 'redes360.com' 'redhotdirectory.com' 'redirect.lifax.biz' 'reishus.de' 'remorcicomerciale.ro' 'rentfromart.com' 'resolvethem.com' 'revistaelite.com' 'rightmoveit.co.uk' 'rl8vd.kikul.com' 'rmazione.net' 'rocksresort.com.au' 'roks.ua' 'rolemodelstreetteam.invasioncrew.com' 'romsigmed.ro' 'romvarimarton.hu' 'ronadsrl.info' 'roorbong.com' 'rsiuk.co.uk' 'ru.makeanadultwebsite.com' 'ru.theswiftones.com' 'rubiks.ca' 'ruiyangcn.com' 'rumog.frost-electric-supply.com' 'rupor.info' 's-gtrafficim.tf' 's1.directxex.com' 's335831094.websitehome.co.uk' 'sadiqtv.com' 'sadsi.buyyourbtc.com' 'saemark.is' 'safety.amw.com' 'salomblog.com' 'salon77.co.uk' 'santacruzsuspension.com' 'santos-seeley.net' 'sasson-cpa.co.il' 'saturnleague.com' 'savurew.bastroporalsurgery.com' 'sayherbal.com' 'sbnc.hak.su' 'scaner-do.tk' 'scaner-ex.tk' 'scaner-figy.tk' 'scaner-file.tk' 'scaner-or.tk' 'scaner-sbite.tk' 'scaner-sboom.tk' 'scaner-sdee.tk' 'scaner-tfeed.tk' 'scaner-tgame.tk' 'scdsfdfgdr12.tk' 'scottishhillracing.co.uk' 'screenshot-pro.com' 'screenshot-saves.com' 'sdaexpress24.net' 'sdg-translations.com' 'security-dtspwoag-check.in' 'security-siqldspc-check.in' 'securitywebservices.com' 'seet10.jino.ru' 'sei.com.pe' 'semengineers.com' 'semiyun.com' 'send-image.us' 'sentrol.cl' 'senzatel.com' 'seo3389.net' 'seoholding.com' 'seonetwizard.com' 'serasaexperian.biz' 'serasaexperian.info' 'serraikizimi.gr' 'server1.extra-web.cz' 'seventeen.co.za' 'sexyfemalewrestlingmovies-b.com' 'sexyfemalewrestlingmovies-c.com' 'sexyfemalewrestlingmovies-d.com' 'sexyfemalewrestlingmovies.com' 'sexylegsandpantyhose.com' 'sexyoilwrestling.com' 'sexyster.tk' 'sexzoznamka.eu' 'sgs.us.com' 'shean76.net' 'shigy.hsb-vps.co.uk' 'shoac.mymag250.co.uk' 'shovi.frost-electric-supply.com' 'sicuxp.sinerjimspor.com' 'signready.com' 'silkmore.staffs.sch.uk' 'silurian.cn' 'silverlites-company.ru' 'silverlitescompany.ru' 'simpi.tourstogo.us' 'simpleshop.vn' 'site-checksite.tk' 'sitemar.ro' 'ska.energia.cz' 'skgroup.kiev.ua' 'skidki-yuga.ru' 'skiholidays4beginners.com' 'slightlyoffcenter.net' 'slimxxxtubeacn.dnset.com' 'slimxxxtubealn.ddns.name' 'slimxxxtubeanr.ddns.name' 'slimxxxtubeaxy.ddns.name' 'slimxxxtubeayv.ddns.name' 'slimxxxtubebej.dnset.com' 'slimxxxtubebgp.ddns.name' 'slimxxxtubebmq.dnset.com' 'slimxxxtubebnd.ddns.name' 'slimxxxtubecgl.ddns.name' 'slimxxxtubectk.dnset.com' 'slimxxxtubecty.ddns.name' 'slimxxxtubeczp.ddns.name' 'slimxxxtubedgv.dnset.com' 'slimxxxtubedjm.ddns.name' 'slimxxxtubedlb.ddns.name' 'slimxxxtubedvj.dnset.com' 'slimxxxtubedxc.ddns.name' 'slimxxxtubedya.ddns.name' 'slimxxxtubeejs.ddns.name' 'slimxxxtubeemz.dnset.com' 'slimxxxtubefdr.ddns.name' 'slimxxxtubefel.ddns.name' 'slimxxxtubeftb.dnset.com' 'slimxxxtubefzc.ddns.name' 'slimxxxtubehan.ddns.name' 'slimxxxtubehdn.dnset.com' 'slimxxxtubehli.dnset.com' 'slimxxxtubeidv.ddns.name' 'slimxxxtubeijc.dnset.com' 'slimxxxtubeiqb.dnset.com' 'slimxxxtubejie.dnset.com' 'slimxxxtubejlp.ddns.name' 'slimxxxtubejpe.ddns.name' 'slimxxxtubejvh.ddns.name' 'slimxxxtubejyk.ddns.name' 'slimxxxtubekad.ddns.name' 'slimxxxtubekgj.ddns.name' 'slimxxxtubekgv.ddns.name' 'slimxxxtubeklg.dnset.com' 'slimxxxtubekpn.ddns.name' 'slimxxxtubekrn.ddns.name' 'slimxxxtubelap.ddns.name' 'slimxxxtubelat.ddns.name' 'slimxxxtubelfr.ddns.name' 'slimxxxtubelzv.ddns.name' 'slimxxxtubemue.dnset.com' 'slimxxxtubeneg.ddns.name' 'slimxxxtubeneu.ddns.name' 'slimxxxtubengt.dnset.com' 'slimxxxtubenqp.ddns.name' 'slimxxxtubentf.dnset.com' 'slimxxxtubeocr.dnset.com' 'slimxxxtubeonf.dnset.com' 'slimxxxtubeopy.ddns.name' 'slimxxxtubeoxo.ddns.name' 'slimxxxtubeoxy.ddns.name' 'slimxxxtubeppj.dnset.com' 'slimxxxtubeqfo.ddns.name' 'slimxxxtubeqsh.ddns.name' 'slimxxxtubeqve.dnset.com' 'slimxxxtubeqwr.dnset.com' 'slimxxxtuberau.ddns.name' 'slimxxxtuberea.ddns.name' 'slimxxxtuberep.dnset.com' 'slimxxxtuberfe.dnset.com' 'slimxxxtuberjj.ddns.name' 'slimxxxtuberme.dnset.com' 'slimxxxtuberue.dnset.com' 'slimxxxtubesrs.dnset.com' 'slimxxxtubesrw.ddns.name' 'slimxxxtubesun.ddns.name' 'slimxxxtubetmf.ddns.name' 'slimxxxtubetmg.dnset.com' 'slimxxxtubetns.ddns.name' 'slimxxxtubetts.dnset.com' 'slimxxxtubeubp.dnset.com' 'slimxxxtubeujh.ddns.name' 'slimxxxtubeull.dnset.com' 'slimxxxtubeuvd.dnset.com' 'slimxxxtubevdn.ddns.name' 'slimxxxtubevih.dnset.com' 'slimxxxtubevjk.ddns.name' 'slimxxxtubewfl.ddns.name' 'slimxxxtubewiq.ddns.name' 'slimxxxtubewis.ddns.name' 'slimxxxtubewmt.dnset.com' 'slimxxxtubexei.ddns.name' 'slimxxxtubexiv.dnset.com' 'slimxxxtubexvq.ddns.name' 'slimxxxtubexwb.dnset.com' 'slimxxxtubexxq.dnset.com' 'slimxxxtubeyge.ddns.name' 'slimxxxtubeyhz.ddns.name' 'slimxxxtubeyza.ddns.name' 'smartify.org' 'smrcek.com' 'smschat.alfabeta.al' 'sn-gzzx.com' 'soase.buyyourbtc.com' 'soft.findhotel.asia' 'soft245.ru' 'softworksbd.com' 'somethingnice.hc0.me' 'somnoy.com' 'sos-medecins-stmalo.fr' 'soundcomputers.net' 'southafricaguesthouseaccommodation.com' 'spacerusa13.ddns.net' 'spatsz.com' 'spekband.com' 'sportsandprevention.com' 'sportsulsan.co.kr' 'sporttraum.de' 'spykit.110mb.com' 'sribinayakelectricals.com' 'srimahaphotschool.com' 'srslogisticts.com' 'srv12.hostserv.co.za' 'srv20.ru' 'st.anthonybryanauthor.com' 'stailapoza.ro' 'static.charlottewinner.com' 'static.esportsea.com' 'static.forezach.com' 'static.platinumweddingplanner.com' 'static.retirementcommunitiesfyi.com' 'stimul-m.com.ua' 'stjohnsdryden.org' 'stockinter.intersport.es' 'stopmeagency.free.fr' 'storgas.co.rs' 'stormpages.com' 'strangeduckfilms.com' 'study11.com' 'sudcom.org' 'summonerswarskyarena.info' 'sunidaytravel.co.uk' 'sunlux.net' 'sunny99.cholerik.cz' 'svetyivanrilski.com' 'svision-online.de' 'sweettalk.co' 'sysconcalibration.com' 'systemscheckusa.com' 'szinhaz.hu' 't-srafficimg.tf' 'tabex.sopharma.bg' 'take-screenshot.us' 'tamilcm.com' 'taobao.lylwc.com' 'tatschke.net' 'tavuks.com' 'tazzatti.com' 'tcrwharen.homepage.t-online.de' 'teameda.comcastbiz.net' 'teameda.net' 'teamtalker.net' 'technauticmarinewindows.co.uk' 'tecla-technologies.fr' 'tecnocuer.com' 'tecslide.com' 'tendersource.com' 'teprom.it' 'terrorinlanka.com' 'test2.petenawara.com' 'testcomplex.ru' 'testtralala.xorg.pl' 'textsex.tk' 'tfx.pw' 'th0h.blejythecounyful.net' 'thcextractor.com' 'thcvaporizer.com' 'thefxarchive.com' 'theweatherspace.com' 'thewinesteward.com' 'tibiakeylogger.com' 'timothycopus.aimoo.com' 'titon.info' 'tk-gregoric.si' 'toddscarwash.com' 'tomalinoalambres.com.ar' 'topdecornegocios.com.br' 'tophostbg.net' 'totszentmarton.hu' 'tough.thingiebox.com' 'track.cellphoneupdated.com' 'tracking-stats-tr.usa.cc' 'tradexoom.com' 'traff1.com' 'trafficgrowth.com' 'trahic.ru' 'tranti.ru' 'traspalaciorubicell.whygibraltar.co.uk' 'trehomanyself.com' 'tremplin84.fr' 'treventuresonline.com' 'triangleservicesltd.com' 'troytempest.com' 'ttb.tbddlw.com' 'tube8vidsbbr.dnset.com' 'tube8vidsbhy.dnset.com' 'tube8vidsbzx.dnset.com' 'tube8vidscjk.ddns.name' 'tube8vidscqs.ddns.name' 'tube8vidscut.ddns.name' 'tube8vidsdob.dnset.com' 'tube8vidsdst.ddns.name' 'tube8vidsfgd.ddns.name' 'tube8vidshhr.ddns.name' 'tube8vidshkk.ddns.name' 'tube8vidshrw.dnset.com' 'tube8vidsiet.ddns.name' 'tube8vidsiww.ddns.name' 'tube8vidsjac.dnset.com' 'tube8vidsjan.ddns.name' 'tube8vidsjhn.ddns.name' 'tube8vidsjtq.ddns.name' 'tube8vidslmf.dnset.com' 'tube8vidslni.dnset.com' 'tube8vidslqk.ddns.name' 'tube8vidslrz.ddns.name' 'tube8vidsnlq.dnset.com' 'tube8vidsnrt.ddns.name' 'tube8vidsnvd.ddns.name' 'tube8vidsnyp.dnset.com' 'tube8vidsolh.ddns.name' 'tube8vidsotz.dnset.com' 'tube8vidsowd.dnset.com' 'tube8vidspeq.ddns.name' 'tube8vidsqof.ddns.name' 'tube8vidsrau.dnset.com' 'tube8vidsrdr.dnset.com' 'tube8vidsrhl.ddns.name' 'tube8vidsrom.dnset.com' 'tube8vidssan.dnset.com' 'tube8vidssjw.ddns.name' 'tube8vidssyg.dnset.com' 'tube8vidstrh.dnset.com' 'tube8vidstyp.ddns.name' 'tube8vidsuty.dnset.com' 'tube8vidsvaj.dnset.com' 'tube8vidsvcs.ddns.name' 'tube8vidsvmr.ddns.name' 'tube8vidsvrx.ddns.name' 'tube8vidsvtp.dnset.com' 'tube8vidswsy.dnset.com' 'tube8vidswtb.ddns.name' 'tube8vidswys.ddns.name' 'tube8vidsxlo.ddns.name' 'tube8vidsxmx.dnset.com' 'tube8vidsxpg.ddns.name' 'tube8vidsxpp.dnset.com' 'tube8vidsxwu.ddns.name' 'tube8vidsycs.dnset.com' 'tube8vidsyip.ddns.name' 'tube8vidsymz.dnset.com' 'tube8vidsyre.dnset.com' 'tube8vidsyyf.dnset.com' 'tube8vidszmi.ddns.name' 'tube8vidsznj.ddns.name' 'tube8vidsznx.ddns.name' 'tube8vidszyj.ddns.name' 'tubemoviez.com' 'twe876-site0011.maxesp.net' 'typeofmarijuana.com' 'tzut.asifctuenefcioroxa.net' 'ubike.tourstogo.us' 'uchyz.cruisingsmallship.com' 'uertebamurquebloktreinen.buyerware.net' 'ukonline.hc0.me' 'ukrfarms.com.ua' 'ukugl.tourstogo.us' 'unalbilgisayar.com' 'undefined.it' 'unitex.home.pl' 'unlim-app.tk' 'up.dnpequipment.com' 'updat120.clanteam.com' 'update.51edm.net' 'update.onescan.co.kr' 'updo.nl' 'uploads.tmweb.ru' 'uponor.otistores.com' 'upsoj.iptvdeals.com' 'upswings.net' 'urban-motorcycles.com' 'urbanglass.ro' 'url-cameralist.tk' 'user4634.vs.easily.co.uk' 'users173.lolipop.jp' 'utopia-muenchen.de' 'uvidu.butlerelectricsupply.com' 'v.inigsplan.ru' 'valouweeigenaren.nl' 'vartashakti.com' 'vb4dsa.net' 'vdh-rimbach.de' 'veevu.tourstogo.us' 'veksi.barginginfrance.net' 'vernoblisk.com' 'vette-porno.nl' 'vgp3.vitebsk.by' 'vickielynnsgifts.com' 'vicklovesmila.com' 'victornicolle.com' 'videoflyover.com' 'vidoshdxsup.ru' 'viduesrl.it' 'vijetha.co.in' 'villalecchi.com' 'ville-st-remy-sur-avre.fr' 'vipdn123.blackapplehost.com' 'vistatech.us' 'vital4age.eu' 'vitalityxray.com' 'vitamasaz.pl' 'vitha.csheaven.com' 'vivaweb.org' 'vkont.bos.ru' 'vmay.com' 'voawo.buyyourbtc.com' 'vocational-training.us' 'vroll.net' 'vural-electronic.com' 'vvps.ws' 'vympi.buyyourbtc.com' 'w4988.nb.host127-0-0-1.com' 'w612.nb.host127-0-0-1.com' 'wahyufian.zoomshare.com' 'wallpapers91.com' 'warco.pl' 'wc0x83ghk.homepage.t-online.de' 'weare21c.com' 'web-domain.tk' 'web-fill.tk' 'web-olymp.ru' 'web-sensations.com' 'webcashmaker.com' 'webcom-software.ws' 'webordermanager.com' 'weboxmedia.by' 'webradiobandatremdoforro.96.lt' 'websalesusa.com' 'websfarm.org' 'wechselkur.de' 'westlifego.com' 'wetjane.x10.mx' 'wetyt.tourstogo.us' 'wfoto.front.ru' 'whabi.csheaven.com' 'whave.iptvdeals.com' 'whitehorsetechnologies.net' 'win2150.vs.easily.co.uk' 'windows-crash-report.info' 'windows-defender.con.sh' 'windspotter.net' 'wineyatra.com' 'winlock.usa.cc' 'winrar-soft.ru' 'winsetupcostotome.easthamvacations.info' 'wkmg.co.kr' 'wmserver.net' 'womenslabour.org' 'wonchangvacuum.com.my' 'wonderph.com' 'worldgymperu.com' 'wp9.ru' 'writingassociates.com' 'wroclawski.com.pl' 'wt10.haote.com' 'wuesties.heimat.eu' 'wv-law.com' 'www.0uk.net' 'www.2607.cn' 'www.3difx.com' 'www.3peaks.co.jp' 'www.acquisizionevideo.com' 'www.adesse-anwaltskanzlei.de' 'www.adlgasser.de' 'www.advancesrl.eu' 'www.aerreravasi.com' 'www.agrimont.cz' 'www.angolotesti.it' 'www.anticarredodolomiti.com' 'www.archigate.it' 'www.areadiprova.eu' 'www.arkinsoftware.in' 'www.askmeaboutrotary.com' 'www.assculturaleincontri.it' 'www.asu.msmu.ru' 'www.atousoft.com' 'www.aucoeurdelanature.com' 'www.avidnewmedia.it' 'www.avrakougioumtzi.gr' 'www.bag-online.com' 'www.bcservice.it' 'www.bedoc.fr' 'www.bilder-upload.eu' 'www.blinkgroup.com' 'www.blueimagen.com' 'www.carvoeiro.com' 'www.casamama.nl' 'www.catgallery.com' 'www.caue971.org' 'www.cc-isobus.com' 'www.cellphoneupdated.com' 'www.cellularbeton.it' 'www.cennoworld.com' 'www.cerquasas.it' 'www.chemgas.com' 'www.chiaperottipaolo.it' 'www.cifor.com' 'www.coloritpak.by' 'www.consumeralternatives.org' 'www.copner.co.uk' 'www.cordonnerie-fb.fr' 'www.cortesidesign.com' 'www.csaladipotlek.info' 'www.daspar.net' 'www.dicoz.fr' 'www.dimou.de' 'www.divshare.com' 'www.doctor-alex.com' 'www.dowdenphotography.com' 'www.download4now.pw' 'www.downloaddirect.com' 'www.dream-squad.com' 'www.drteachme.com' 'www.ecoleprincessedeliege.be' 'www.eivamos.com' 'www.elisaart.it' 'www.email-login-support.com' 'www.emotiontag.net' 'www.emrlogistics.com' 'www.exelio.be' 'www.fabioalbini.com' 'www.fasadobygg.com' 'www.feiyang163.com' 'www.fiduciariobajio.com.mx' 'www.flowtec.com.br' 'www.fotoidea.com' 'www.freemao.com' 'www.freewebtown.com' 'www.frosinonewesternshow.it' 'www.galileounaluna.com' 'www.gameangel.com' 'www.gasthofpost-ebs.de' 'www.gliamicidellunicef.it' 'www.gmcjjh.org' 'www.gold-city.it' 'www.goooglesecurity.com' 'www.gulsproductions.com' 'www.hausnet.ru' 'www.herteldenpaylasim.org' 'www.hitekshop.vn' 'www.hochzeit.at' 'www.hospedar.xpg.com.br' 'www.hoteldelamer-tregastel.com' 'www.huecobi.de' 'www.icybrand.eu' 'www.image-png.us' 'www.image-werbebedarf.de' 'www.imagerieduroc.com' 'www.infra.by' 'www.joomlalivechat.com' 'www.kcta.or.kr' 'www.keyfuture.com' 'www.kjbbc.net' 'www.lajourneeducommercedeproximite.fr' 'www.lambrusco.it' 'www.lccl.org.uk' 'www.les-ptits-dodos.com' 'www.litra.com.mk' 'www.lostartofbeingadame.com' 'www.lowes-pianos-and-organs.com' 'www.luciole.co.uk' 'www.lunchgarden.com' 'www.lyzgs.com' 'www.m-barati.de' 'www.makohela.tk' 'www.mangiamando.com' 'www.marcilly-le-chatel.fr' 'www.marinoderosas.com' 'www.marss.eu' 'www.megatron.ch' 'www.milardi.it' 'www.minka.co.uk' 'www.mondo-shopping.it' 'www.mondoperaio.net' 'www.montacarichi.it' 'www.motivacionyrelajacion.com' 'www.moviedownloader.net' 'www.mrpeter.it' 'www.mtmtrade.gr' 'www.notaverde.com' 'www.nothingcompares.co.uk' 'www.nwhomecare.co.uk' 'www.obyz.de' 'www.offerent.com' 'www.officialrdr.com' 'www.ohiomm.com' 'www.oiluk.net' 'www.ostsee-schnack.de' 'www.over50datingservices.com' 'www.ozowarac.com' 'www.paliteo.com' 'www.panazan.ro' 'www.parfumer.by' 'www.pcdefender.co.vu' 'www.perupuntocom.com' 'www.petpleasers.ca' 'www.pieiron.co.uk' 'www.plantes-sauvages.fr' 'www.poesiadelsud.it' 'www.poffet.net' 'www.pontuall.com.br' 'www.praxisww.com' 'www.prfelectrical.com.au' 'www.proascolcolombia.com' 'www.professionalblackbook.com' 'www.profill-smd.com' 'www.propan.ru' 'www.purplehorses.net' 'www.qstopuniversitiesguide.com' 'www.racingandclassic.com' 'www.realinnovation.com' 'www.rebeccacella.com' 'www.reifen-simon.com' 'www.rempko.sk' 'www.riccardochinnici.it' 'www.ristoromontebasso.it' 'www.rokus-tgy.hu' 'www.rooversadvocatuur.nl' 'www.rst-velbert.de' 'www.saemark.is' 'www.sailing3.com' 'www.saintlouis-viry.fr' 'www.sankyo.gr.jp' 'www.sanseracingteam.com' 'www.sasenergia.pt' 'www.sbo.it' 'www.scanmyphones.com' 'www.scantanzania.com' 'www.schluckspecht.com' 'www.schuh-zentgraf.de' 'www.seal-technicsag.ch' 'www.secondome.com' 'www.serciudadano.com.ar' 'www.sitepalace.com' 'www.sj88.com' 'www.slayerlife.com' 'www.slikopleskarstvo-fasaderstvo.si' 'www.slivki.com.ua' 'www.smartgvcfunding.com' 'www.smartscan.ro' 'www.sonnoli.com' 'www.soskin.eu' 'www.soyter.pl' 'www.spfonster.se' 'www.spris.com' 'www.stirparts.ru' 'www.stormpages.com' 'www.studiochiarelli.eu' 'www.super8service.de' 'www.surfguide.fr' 'www.syes.eu' 'www.sylacauga.net' 'www.t-gas.co.uk' 'www.t-sb.net' 'www.tdms.saglik.gov.tr' 'www.technix.it' 'www.tesia.it' 'www.theartsgarage.com' 'www.thesparkmachine.com' 'www.thomchotte.com' 'www.tiergestuetzt.de' 'www.toochattoo.com' 'www.torgi.kz' 'www.toshare.kr' 'www.tpt.edu.in' 'www.tradingdirects.co.uk' 'www.trarydfonster.se' 'www.tvnews.or.kr' 'www.two-of-us.at' 'www.unicaitaly.it' 'www.uriyuri.com' 'www.usaenterprise.com' 'www.viisights.com' 'www.village-gabarrier.com' 'www.vinyljazzrecords.com' 'www.vipcpms.com' 'www.vivaimontina.com' 'www.volleyball-doppeldorf.de' 'www.vvvic.com' 'www.vw-freaks.net' 'www.wave4you.de' 'www.weforwomenmarathon.org' 'www.whitesports.co.kr' 'www.widestep.com' 'www.wigglewoo.com' 'www.wiiux.de' 'www.wildsap.com' 'www.wohnmoebel-blog.de' 'www.wrestlingexposed.com' 'www.wtcorp.net' 'www.wwwfel.org.ng' 'www.wyroki.eu' 'www.xiruz.kit.net' 'www.yehuam.com' 'www.zatzy.com' 'www.zctei.com' 'www.zido-baugruppenmontage.de' 'www.zyxyfy.com' 'www12.0zz0.com' 'www8.0zz0.com' 'xamateurpornlic.www1.biz' 'xicaxique.com.br' 'xindalawyer.com' 'xoomer.alice.it' 'xorgwebs.webs.com' 'xotsa.frenchgerlemanelectric.com' 'xpornstarsckc.ddns.name' 'y6aoj.akovikisk.net' 'yambotan.ru' 'yandex.ru.sgtfnregsnet.ru' 'ydshttas.climat.ws' 'yellowcameras.wanroymotors.com' 'yigitakcali.com' 'ylpzt.juzojossai.net' 'yougube.com' 'youngsters.mesomoor.com' 'youtibe.com' 'youtuhe.com' 'ytzi.co' 'yumekin.com' 'z32538.nb.host127-0-0-1.com' 'z7752.com' 'zgsysz.com' 'zibup.csheaven.com' 'zjjlf.croukwexdbyerr.net' 'zkic.com' 'zous.szm.sk' 'zt.tim-taxi.com' 'zu-yuan.com' 'zwierzu.zxy.me' 'zyrdu.cruisingsmallship.com' 'fr.a2dfp.net' 'm.fr.a2dfp.net' 'mfr.a2dfp.net' 'ad.a8.net' 'asy.a8ww.net' 'static.a-ads.com' 'atlas.aamedia.ro' 'abcstats.com' 'ad4.abradio.cz' 'a.abv.bg' 'adserver.abv.bg' 'adv.abv.bg' 'bimg.abv.bg' 'ca.abv.bg' 'track.acclaimnetwork.com' 'accuserveadsystem.com' 'www.accuserveadsystem.com' 'achmedia.com' 'csh.actiondesk.com' 'ads.activepower.net' 'app.activetrail.com' 'stat.active24stats.nl' 'traffic.acwebconnecting.com' 'office.ad1.ru' 'cms.ad2click.nl' 'ad2games.com' 'ads.ad2games.com' 'content.ad20.net' 'core.ad20.net' 'banner.ad.nu' 'adadvisor.net' 'tag1.adaptiveads.com' 'www.adbanner.ro' 'wad.adbasket.net' 'ad.pop1.adbn.ru' 'ad.top1.adbn.ru' 'ad.rich1.adbn.ru' 'adbox.hu' 'james.adbutler.de' 'www.adbutler.de' 'tw1.adbutler.us' 'www.adchimp.com' 'static.adclick.lt' 'engine.adclick.lv' 'show.adclick.lv' 'static.adclick.lv' 'www.adclick.lv' 'ad-clix.com' 'www.ad-clix.com' 'servedby.adcombination.com' 'adcomplete.com' 'www.adcomplete.com' 'adcore.ru' 'pixel.adcrowd.com' 'ct1.addthis.com' 'static.uk.addynamo.com' 'server.adeasy.ru' 'pt.server1.adexit.com' 'www.adexit.com' 's.adexpert.cz' '222-33544_999.pub.adfirmative.com' 'c.adfirmative.com' 'www.adfirmative.com' 'adfocus.ru' 'adx.adform.net' 'dmp.adform.net' 's1.adform.net' 'server.adform.net' 'track.adform.net' 'server.adformdsp.net' 'adforce.ru' 'adforati.com' 'ads.adfox.ru' 'gazeta.adfox.ru' 'p.adframesrc.com' 's.adframesrc.com' 'media.adfrontiers.com' 'www.adgitize.com' 'code.ad-gbn.com' 'www.ad-groups.com' 'adhall.com' 'pool.adhese.be' 'adhitzads.com' 'ads.static.adhood.com' 'app.pubserver.adhood.com' 'app.winwords.adhood.com' 'ssl3.adhost.com' 'www2.adhost.com' 'adfarm1.adition.com' 'imagesrv.adition.com' 'ad.adition.net' 'hosting.adjug.com' 'tracking.adjug.com' 'aj.adjungle.com' 'rotator.hadj7.adjuggler.net' 'thewrap.rotator.hadj7.adjuggler.net' 'yorick.adjuggler.net' 'adsearch.adkontekst.pl' 'stat.adlabs.ru' 'd.tds.adlabs.ru' 'www.adlantis.jp' 'publicidad.adlead.com' 'www.adlimg03.com' 'regio.adlink.de' 'west.adlink.de' 'rc.de.adlink.net' 'tr.de.adlink.net' 'n.admagnet.net' 'ads3.adman.gr' 'gazzetta.adman.gr' 'r2d2.adman.gr' 'talos.adman.gr' 'adman.in.gr' 'admarket.cz' 'www.admarket.cz' 'bridge.ame.admarketplace.net' 'bridge.sf.admarketplace.net' 'a1.admaster.net' 'img.admaster.net' 'admedien.com' 'www.admedien.com' 'apps.admission.net' 'appcache.admission.net' 'dt.admission.net' 'view.admission.net' 'ad.admitad.com' 'cdn.admitad.com' 'www.ad.admitad.com' 'cdn.admixer.net' 'ads.admodus.com' 'run.admost.com' 'assets3.admulti.com' 'go.admulti.com' 's.admulti.com' 'ads.adnet.am' 'ad.adnet.biz' 'adnet.com.ua' 'delivery.adnetwork.vn' 'img.adnet.com.tr' 'www.ad-net.co.uk' 'adnext.fr' 'cdn.adnotch.com' 'ad.adnow.com' 'tt11.adobe.com' 'ace.adoftheyear.com' 'ad01.adonspot.com' 'ad02.adonspot.com' 'adperium.com' 'adk2.adperium.com' 'www.adperium.com' 'img.adplan-ds.com' 'res.adplus.co.id' 'e.adpower.bg' 'ab.adpro.com.ua' 'adpublimo.com' 'system.adquick.nl' 'pop.adrent.net' 'adroll.com' 'rtt.adrolays.de' 'n.ads1-adnow.com' 'n.ads2-adnow.com' 'n.ads3-adnow.com' 'vu.adschoom.com' 'core1.adservingfactory.com' 'content.adservingfactory.com' 'track.adservingfactory.com' 'p78878.adskape.ru' 'map2.adsniper.ru' 'f-nod2.adsniper.ru' 'content.adspynet.com' 'engine.adspynet.com' 'ads.adsready.com' 'ads.adsurve.com' 'www.adsurve.com' 'cntr.adrime.com' 'images.adrime.com' 'ad.adriver.ru' 'content.adriver.ru' 'ssp.adriver.ru' 'r.adrolays.de' 'adrotate.se' 'www.adrotate.net' 'ads-bg.info' 'delivery.ads-creativesyndicator.com' 'adsafiliados.com.br' 'ad.adsafiliados.com.br' 'v2.adsbookie.com' 'rh.adscale.de' 'assets.adtaily.com' 'viewster-service.adtelligence.de' 'adtgs.com' 'fusion.adtoma.com' 'core.adunity.com' 'engage2.advanstar.com' 'ddnk.advertur.ru' 'ds.advg.jp' 'm.adx.bg' 'www.adshost2.com' 'js.adscale.de' 'ih.adscale.de' 'adscendmedia.com' 'adservicedomain.info' 'adserver-voice-online.co.uk' 'adsfac.net' 'adsgangsta.com' 'adsfac.eu' 'ad.ad-srv.net' 'www.adshot.de' 'f-nod1.adsniper.ru' 'sync2.adsniper.ru' 'cdn6.adspirit.de' 'www.adspace.be' 'adsplius.lt' 'ads.adsponse.de' 'openx.adtext.ro' 'ads.adtiger.de' 'www.adtiger.de' 'ad.adtoma.com' 'au-01.adtomafusion.com' 'bn-01.adtomafusion.com' 'adv.adtotal.pl' 'rek.adtotal.pl' 'www.adtrade.net' 'www.adtrader.com' 'adtradr.com' 'ads.adtube.de' 'www.adultbanners.co.uk' 'www.adultcommercial.net' 'adultmoneymakers.com' 'tracking.adultsense.com' 'www.adult-tracker.de' 'ad.aduserver.com' 'adv758968.ru' 'advaction.ru' 'euroad1.advantage.as' 'mf.advantage.as' 'mfad1.advantage.as' 'adve.net' 'ad.adver.com.tw' 'apps.advertlets.com' 'www.advertlets.com' 'ads.advertise.net' 'www.advertsponsor.com' 'ad.adverticum.net' 'img.adverticum.net' 'imgs.adverticum.net' 'www.advertising365.com' 'titan.advertserve.com' 'ad.advertstream.com' 'usas1.advfn.com' 'images.adviews.de' 'www.adviews.de' 'ad.adview.pl' 'adp.adview.pl' 'bi.adview.pl' 'chart.advinion.com' 'advizi.ru' 'adv.adwish.net' 'ads.adwitserver.com' 'ad.adworx.at' 'www.ad-z.de' 'ads.afa.net' 'affbeat.com' 'affiliate.affdirect.com' 'sttc.affiliate.hu' 'tr.affiliate.hu' 'img.network.affiliando.com' 'view.network.affiliando.com' 'ads.affiliateclub.com' 'affiliategroove.com' 'banners.affiliatefuture.com' 'images.affiliator.com' 'imp.affiliator.com' 'rotation.affiliator.com' 'media.affiliatelounge.com' 'js.affiliatelounge.com' 'record.affiliatelounge.com' 'web1.affiliatelounge.com' 'banners.affilimatch.de' 'ad.afilo.pl' 'adserwer.afilo.pl' 'ads.afraccess.com' 'ads.aftonbladet.se' 'stats.agent.co.il' 'stats.agentinteractive.com' 'w.ahalogy.com' 'ac.ajur.info' 'openx.ajur.info' 'adlik2.akavita.com' 'dmtracking2.alibaba.com' 'all2lnk.com' 'ads.allaccess.com.ph' 'adcontent2.allaccess.com.ph' 'ad.allstar.cz' 'taobaoafp.allyes.cn' 'bokee.allyes.com' 'demoafp.allyes.com' 'eastmoney.allyes.com' 'smarttrade.allyes.com' 'sroomafp.allyes.com' 'taobaoafp.allyes.com' 'tom.allyes.com' 'uuseeafp.allyes.com' 'yeskyafp.allyes.com' 'eas.almamedia.fi' 'ad.altervista.org' 'pqwaker.altervista.org' 'adimg.alice.it' 'adv.alice.it' 'advloc.alice.it' 'altmedia101.com' 'www.alwayson-network.com' 'adtools2.amakings.com' 'banner.amateri.cz' 'amazing-offers.co.il' 'ad.amgdgt.com' 'adserver.amna.gr' '10394-127.ampxchange.com' '10394-4254.ampxchange.com' '10394-2468.ampxchange.com' 'vfdeprod.amobee.com' 'widgets.amung.us' 'whos.amung.us' 'analytics.analytics-egain.com' 'cloud-us.analytics-egain.com' 'gw.anametrix.net' 'www.anastasiasaffiliate.com' 'advert.ananzi.co.za' 'advert2.ananzi.co.za' 'box.anchorfree.net' 'rpt.anchorfree.net' 'a.androidandme.com' 'analytics.androidandme.com' 'www.anticlown.com' 'antventure.com' 'webtracker.apicasystem.com' 'junior.apk.net' 'openx.apollo.lv' 'ads.asia1.com.sg' 'ads.ask.com' 'www.asknew.com' 'stats.asp24.pl' 'ads.aspalliance.com' 'www.astalavista.us' 'atemda.com' 'logw349.ati-host.net' 'rules.atgsvcs.com' 'logw312.ati-host.net' 'p.ato.mx' 's.ato.mx' 'ads.auctionads.com' 'banners.audioholics.com' 'ad.auditude.com' 'ads.auctioncity.co.nz' 'd.audienceiq.com' 'ads.autoscout24.com' 'ads.autotrader.com' 'adserving.autotrader.com' 'profiling.avandor.com' 'avantlink.com' 'www.avantlink.com' 'fhg.avrevenue.com' 'rev.avsforum.com' 'a.avtookazion.bg' 'ads.avusa.co.za' 'engine.awaps.net' 'analytics.aweber.com' 'clicks.aweber.com' 'tracker.azet.sk' 'www.azmsoft.com' 'ads.badische-zeitung.de' 'ads.balkanec.bg' 'error.banan.cz' 'banerator.net' 'ads3.bangkokpost.co.th' 'www.banner.cz' 'www.banner-exchange.nl' 'www.bannerexchange.co.nz' 'www.bannergratis.it' 'max.bannermanager.gr' 'www.bannermanagement.nl' 'www.bannerpromotion.it' 'www.banner-rotation.com' 'feed-rt.baronsoffers.com' 'ad.batanga.com' 'ad.bauerverlag.de' 'ads.baz.ch' 'bbcdn.go.cz.bbelements.com' 'go.arbopl.bbelements.com' 'bbcdn.go.arbopl.bbelements.com' 'go.cz.bbelements.com' 'go.eu.bbelements.com' 'go.idmnet.bbelements.com' 'go.idnes.bbelements.com' 'bbcdn.go.pol.bbelements.com' 'go.pol.bbelements.com' 't.bbtrack.net' 'ad.beepworld.de' 'ads.be2hand.com' 'app.beanstalkdata.com' 'www.beead.co.uk' 'tracker.beezup.com' 'autocontext.begun.ru' 'promo.begun.ru' 'referal.begun.ru' 'api.behavioralengine.com' 'cdn.behavioralengine.com' 'www.belstat.be' 'www.belstat.com' 'www.belstat.nl' 'oas.benchmark.fr' 'serving.bepolite.eu' 'webtrends.besite.be' 'www.besttoolbars.net' 'www.best-top.ro' 'imstore.bet365affiliates.com' 'oddbanner.bet-at-home.com' 'ads1.beta.lt' 'banners.betcris.com' 'ads.betfair.com' 'banner.betfred.com' 'ad.beritasatumedia.com' 'www.bettertextads.com' 'ads.bgfree.com' 'banners.bgmaps.com' 'bgtop100.com' 'ads.bgtop.net' 'bgwebads.com' 'bighop.com' 'counter.bigli.ru' 'api.bigmobileads.com' 'bpm.tags.bigpondmedia.com' 'banex.bikers-engine.com' 'intext.billboard.cz' 'code.intext.billboard.cz' 'bbcdn.code.intext.billboard.cz' 'view.binlayer.com' 'ads.biscom.net' 'server.bittads.com' 'dc.bizjournals.com' 'ads2.blastro.com' 'ads3.blastro.com' 'blekko.com' 'img.blesk.cz' 'trak-analytics.blic.rs' 'ads.blizzard.com' 'ads.blog.com' 'www.blogcatalog.com' 'blogcounter.com' 'track.blogcounter.de' 'www.blogcounter.de' 'ads.blogdrive.com' 'ads.blogherads.com' 'pixel.blog.hu' 'pcbutts1-therealtruth.blogspot.com' 'ads.blogtalkradio.com' 'ox-d.blogtalkradio.com' 'adserver.bloodhorse.com' 'stats.bluebillywig.com' 'delivery.bluefinmediaads.com' 'adserver.bluewin.ch' 'watershed.bm23.com' 't.bmmetrix.com' 'www.bmmetrix.com' 'bannermanager.bnr.bg' 'ads.boardtracker.com' 'ranks.boardtracker.com' 'ad.bodybuilding.com' 'ads.boerse-express.com' 'adv.bol.bg' 'www.bonabanners.co.uk' 'token.boomerang.com.au' 'adserver.borsaitaliana.it' 'adserver.borsonline.hu' 'www.box.bg' 'tracker.brainsins.com' 'ads.brandeins.de' 'dolce-sportro.count.brat-online.ro' 'stats.break.com' 'bans.bride.ru' 'ads.bridgetrack.com' 'cc.bridgetrack.com' 'citi.bridgetrack.com' 'goku.brightcove.com' 'ads.bsplayer.com' 'ads.bta.bg' 'ads.btv.bg' 'ads.buljobs.bg' 'js.bunchofads.com' 'ivitrine.buscape.com' 'ads.businessclick.com' 'ads.businessclick.pl' 'd.buyescorttraffic.com' 'buylicensekey.com' 'assets.buysellads.com' 'cdn.buysellads.com' 'traffic.buyservices.com' 'ads.buzzcity.net' 'txads.buzzcity.com' 'www.buzzclick.com' 'adnetwork.buzzlogic.com' 'tr.buzzlogic.com' 'byet.org' 'blog.byethost.com' '145-ct.c3tag.com' '298-ct.c3tag.com' '687-ct.c3tag.com' '755-ct.c3tag.com' 'ads.calgarystampede.com' 'www.cambodiaoutsourcing.com' 'openx.camelmedia.net' 'p.camsitecash.com' 's.camsitecash.com' 'adserve.canadawidemagazines.com' 'stats.canalblog.com' 'ad.caradisiac.com' 'cdn.carbonads.com' 'srv.carbonads.net' 'ads.cars.com' 'images.cashfiesta.com' 'www.cashfiesta.com' 'www.cashfiesta.net' 'banner.casinodelrio.com' 'adv.casinopays.com' 'www.casinotropez.com' 'cdn.castplatform.com' 'tracking.cdiscount.com' 'a3.cdnpark.com' 'cn.ecritel.bench.cedexis.com' 'radar.cedexis.com' '3.cennter.com' 'ox-d.chacha.com' 'cts-secure.channelintelligence.com' 'chapmanmediagroup.com' 'count.channeladvisor.com' 'adsapi.chartbeat.com' 'code.checkstat.nl' 'www.checkstat.nl' 'err.chicappa.jp' 'ads.china.com' 'v5.chinoc.net' 'ads.city24.ee' 'ckstatic.com' 'crv.clickad.pl' 'publishers.clickbooth.com' 'www.clickcountr.com' 'j.clickdensity.com' 'r.clickdensity.com' 'adsense.clicking.com.tw' 'banners.clickon.co.il' 'track.clickon.co.il' 'delivery.clickonometrics.pl' 'static.clickonometrics.pl' 'static.clickpapa.com' 'www.clickpapa.com' 'tracktrue.clicktrue.biz' 'www.is1.clixgalore.com' 'www.clixgalore.com' 'www.clickhouse.com' 'banners.clips4sale.com' 'banner.clubdicecasino.com' 'adserver.clubs1.bg' 'ads.clubz.bg' 'cluper.net' 'adserver.clix.pt' 's.clx.ru' 'ad.cmfu.com' 'openx.cnews.ru' 'c.cnstats.ru' 'www.cnstats.com' 'www.co2stats.com' 'anchor.coadvertise.com' 'ad.coas2.co.kr' 'traffic.prod.cobaltgroup.com' 'collectiveads.net' 'vcu.collserve.com' 'go.combosoftwareplace.com' 'adss.comeadvertisewithus.com' 'www.compactads.com' 'ads.comperia.pl' 'ads.consumeraffairs.com' 'ads.contactmusic.com' 'api.contentclick.co.uk' 'www.contextualadv.com' 'ads.contextweb.com' 'ds.contextweb.com' 'www.contaxe.com' 'www.contextpanel.com' 'www.conversionruler.com' 'ad.cooks.com' 'ad2.cooks.com' 'banners.copyscape.com' 'data.de.coremetrics.com' 'www.count24.de' 'www.countit.ch' 'www.counter-gratis.com' 'www.counter4you.net' 'www.counting4free.com' 'www.counter.cz' 'connectionzone.com' 'banner.coza.com' 'www.cpays.com' 'www.cpmterra.com' 'roitrack.cptgt.com' 'ads.cpxcenter.com' 'adserving.cpxadroit.com' 'cdn.cpxinteractive.com' 'panther1.cpxinteractive.com' 'static.crakbanner.com' 'sh.creativcdn.net' 'adverts.creativemark.co.uk' 'ads.crisppremium.com' 'ox-d.crisppremium.com' 'www.crm-metrix.fr' 'stg.widget.crowdignite.com' 'ads.crossworxs.eu' 'i.ctnsnet.com' 'ads.milliyet.cubecdn.net' 'cdn.cxense.com' 'www.cybereps.com' 'banner.cybertechdev.com' 'cybertown.ru' 'd9ae99824.se' 'ads.daclips.in' 'ads.dada.it' 'count.daem0n.com' 'annonser.dagbladet.no' 't.dailymail.co.uk' 'rta.dailymail.co.uk' 'ted.dailymail.co.uk' 'ads.darikweb.com' 'sync.darikweb.com' 'www1.darikweb.com' 'www.dataforce.net' 'tag.datariver.ru' 'banner.date.com' 'banners.datecs.bg' 'mb.datingadzone.com' 'ox.dateland.co.il' 'count.dba.dk' 'top.dating.lt' 'counter.top.dating.lt' 'daylogs.com' 'advertising.dclux.com' 'tracking.dc-storm.com' 'de17a.com' 'ads.dealnews.com' 'connect.decknetwork.net' 'adv.deltanews.bg' 'fast.gannett.demdex.net' 'piwik.denik.cz' 'ads.dennisnet.co.uk' 'openx.depoilab.com' 'ads.designboom.com' 'adcast.deviantart.com' 'www.dia-traffic.com' 'track.did-it.com' 'counter.dieit.de' 'openx.diena.lv' 'ads.digitalalchemy.tv' 'yield.audience.digitalmedia.bg' 'ads.digitalpoint.com' 'geo.digitalpoint.com' 'dinclinx.com' 'www.dinclinx.com' 'st.directadvert.ru' 'www.directadvert.ru' 'roitrack.directdisplayad.com' 'aserve.directorym.com' 'cache.directorym.com' 'www.direct-stats.com' 'glitter.services.disqus.com' 'www.divx.it' 'dltags.com' 'ads.dobrichonline.com' 'analyticsv2.dol.gr' 'banners.dol.gr' 'return.domainnamesales.com' 'ads.domainbg.com' 'publishers.domainadvertising.com' 'return.bs.domainnamesales.com' 'f.domdex.com' 'ad.donanimhaber.com' 'adv.dontcrack.com' 'ad2.bal.dotandad.com' 'test-script.dotmetrics.net' 'ads.dotomi.com' 'iad-login.dotomi.com' 'ads.double.net' 'imp.double.net' 'track.double.net' 'ad03.doubleadx.com' 'marketing.doubleclickindustries.com' 'ads.draugas.lt' 'imgn.dt00.net' 'tracking.dsmmadvantage.com' 'www.dsply.com' 'tracking.dtiserv2.com' 'ad.dumedia.ru' 'track.dvdbox.com' 'www.dwin1.com' 'ads.dynamic-media.org' 'hits.e.cl' 'ad.eanalyzer.de' 'cdn.earnify.com' 'ay.eastmoney.com' 'cdn.easy-ads.com' 'www.easy-dating.org' 'top.easy.lv' 'web.easyresearch.se' 'web2.easyresearch.se' 'web3.easyresearch.se' 'www.ebannertraffic.com' 'as.ebz.io' 'ox.e-card.bg' 'ox-s.e-card.bg' 'prom.ecato.net' 'ads.eccentrix.com' 'ad.econet.hu' 'b.economedia.bg' 'ad.ecplaza.net' 'ads.ecrush.com' 'ads.bridgetrack.com.edgesuite.net' 'ads.edipresse.pl' 'banners.e-dologic.co.il' 'track.effiliation.com' 'pk-cdn.effectivemeasure.net' 'th-cdn.effectivemeasure.net' 'ads.e-go.gr' 'stats.e-go.gr' 'eisenstein.dk' 'ad.e-kolay.net' 'adonline.e-kolay.net' 'global.ekmpinpoint.com' 'ads2.ekologia.pl' 'stat.ekologia.pl' 'ads.elmaz.com' 'anapixel.elmundo.es' 'ads.elitetrader.com' 'pixelcounter.elmundo.es' 's1415903351.t.eloqua.com' 'ads.eluniversal.com.mx' 'hits.eluniversal.com.mx' 'publicidad.eluniversal.com.mx' 'profitshare.emag.ro' 'e.emailretargeting.com' 'email-reflex.com' 'ad1.emediate.dk' 'eas.apm.emediate.eu' 'cdn3.emediate.eu' 'cdn6.emediate.eu' 'cdn8.emediate.eu' 'eas5.emediate.eu' 'ism6.emediate.eu' 'ad1.emediate.se' 'ecpmrocks.com' 'dotnet.endai.com' 'ac.eu.enecto.com' 'trk.enecto.com' 'openx.engagedmediamags.com' 'adsrv.ads.eniro.com' 'cams.enjoy.be' 'enoratraffic.com' 'www.enoratraffic.com' 'publicidad.entelchile.net' 'sa.entireweb.com' 'entk.net' 'e-marketing.entelchile.net' 'ads.e-planning.net' 'adserving03.epi.es' 'epmads.com' 'code.etracker.com' 'www.etracker.de' 'top.er.cz' 'ads.ere.net' 'ads.ereklama.mk' 'ads.ersamedia.ch' 'tracking.euroads.dk' 'ox.eurogamer.net' 'it.erosadv.com' 'pix3.esm1.net' 'ads.eurogamer.net' 'adserver.euronics.de' 'geoads.eurorevenue.com' 'advert.eurotip.cz' 'www.euros4click.de' 'ad.eurosport.com' 'pixel.everesttech.net' 'pixel-user-1039.everesttech.net' 'venetian.evyy.net' 'ads2.evz.ro' 'advert.exaccess.ru' 'dynamic.exaccess.ru' 'static.exaccess.ru' 'www.exchangead.com' 'exchange.bg' 'media.exchange.bg' 'www.exchange.bg' 'exclusiotv.be' 'ads.expekt.com' 'www.experclick.com' 'expo-max.com' 'ads.expedia.com' 'admedia.expedia.com' 'expired-targeted.com' 'ads.eyeonx.ch' 'resources.eyereturn.com' 'advertising.ezanga.com' '1278725189.pub.ezanga.com' 'ads.ezboard.com' 'machine.fairfaxbm.co.nz' 'st.fanatics.com' 'a.farlex.com' 'fashion-tube.be' 'adsrv.fashion.bg' 'www.fastadvert.com' 'fastclick.co' 'fastclick.ir' 'fastonlineusers.com' 'fastsearchproduct.com' 'counter.fateback.com' 'counter1.fc2.com' 'error.fc2.com' 'as.featurelink.com' 'admega.feed.gr' 'feedjit.com' 'log.feedjit.com' 'analytics.femalefirst.co.uk' 'pixel.fetchback.com' 'banners.ffsbg.com' 'ads.fiat-bg.org' 'cache.fimservecdn.com' 'adboost.finalid.com' 'tracker.financialcontent.com' 'banner.finn.no' 'ads.firstgrand.com' 's01.flagcounter.com' 's02.flagcounter.com' 's03.flagcounter.com' 's04.flagcounter.com' 's06.flagcounter.com' 's07.flagcounter.com' 's08.flagcounter.com' 's09.flagcounter.com' 's11.flagcounter.com' '2.s09.flagcounter.com' 's10.flagcounter.com' 'banners.flingguru.com' 'www.fncash.com' 'ads.focus-news.net' 'rnews.focus-news.net' 'controller.foreseeresults.com' 'forvideo.at' 'ads.foxnews.com' 'www.fpcclicks.com' 'freebitmoney.com' 'ad.freecity.de' 'ads05.freecity.de' 'maurobb.freecounter.it' 'www.freecounter.it' 'freegeoip.net' 'a9.sc.freepornvs.com' 'www.free-toplisten.at' 'banners.freett.com' 'count.freett.com' 'counters.freewebs.com' 'error.freewebsites.com' 'www.freewebsites.com' 'nx.frosmo.com' 'tr1.frosmo.com' 'ads.fulltiltpoker.com' 'banners.fulltiltpoker.com' 'www.funtopliste.de' 'www.fusestats.com' 'fxyc0dwa.com' 'ads5.fxdepo.com' 'fxlayer.net' 'adserving.fyi-marketing.com' 'errdoc.gabia.net' 'adserver.gadu-gadu.pl' 'adsm.gameforge.de' 'tracking.gameforge.de' 'ingameads.gameloft.com' 'ads.garga.biz' 'ads.gateway.bg' 'ads.gather.com' 'track.gawker.com' 'ad.gazeta.pl' 'adp.gazeta.pl' 'adv.gazeta.pl' 'analytics.gazeta.pl' 'top.gde.ru' 'www.geoplugin.net' 'ads.geornmd.net' 'adv.gepime.com' 'getrank.net' 'getrockerbox.com' 'www.getsmart.com' 'getstatistics.se' 'www.getstatistics.se' 'banner.giantvegas.com' 'truehits.gits.net.th' 'truehits1.gits.net.th' 'truehits3.gits.net.th' 'gkts.co' 'www17-orig.glam.com' 'www30a6-orig.glam.com' 'insert.gloadmarket.com' 'promotools.globalmailer.com' 'promotools3.globalmailer.com' 'promotools4.globalmailer.com' 'ads.globo.com' 'ads.img.globo.com' 'gmads.net' 'at.gmads.net' 'dk.gmads.net' 'es.gmads.net' 'pl.gmads.net' 'go777site.com' 'adserver2.goals365.com' 'ads.godlikeproductions.com' 'counter.goingup.com' 'www.goldadvert.cz' 'js-at.goldbach.com' 'goldbach-targeting.ch' 'c.go-mpulse.net' 'engine.goodadvert.ru' 'files.goodadvert.ru' 'googlus.com' 'ads.gorillavid.in' 'adtools.gossipkings.com' 'webcounter.goweb.de' 'www.gpr.hu' 'www.gradportal.org' 'ad-incisive.grapeshot.co.uk' 'reed-cw.grapeshot.co.uk' 'tk.graphinsider.com' 'adv.gratuito.st' 'rma-api.gravity.com' 'grmtech.net' 'de.grmtech.net' 'www.grmtech.net' 'tracker.gtarcade.com' 'fx.gtop.ro' 'static.gtop.ro' 'www.gtop.ro' 'fx.gtopstats.com' 'ads.gumgum.com' 'c.gumgum.com' 'cdn.gumgum.com' 'guruads.de' 'beacon.gutefrage.net' 'adhese.gva.be' 'tags.h12-media.com' 'cc12797.counter.hackers.lv' 'cc9905.counter.hackers.lv' 'hapjes-maken.eu' 'adserver.hardwareanalysis.com' 'www.harmonyhollow.net' 'ads.haskovo.net' 'ad0.haynet.com' 'ad.hbv.de' 'adhese.hbvl.be' 'ads.hearstmags.com' 'ads.heias.com' 'helpingtrk.com' 'ads2.helpos.com' 'www.hermoment.com' 'ads.hexun.com' 'hx.hexun.com' 'utrack.hexun.com' 'www.hey.lt' 'ads.highdefdigest.com' 'ad.hirekmedia.hu' 'adserver.hispanoclick.com' 'spravki-online.hit.bg' 'c.hit.ua' 'www.hit.tc' 'hit-now.com' 'storage.hitrang.com' 'hitslog.com' 'www.hitstats.co.uk' 'hitstats.net' 'www.hittracker.org' 'hitwebcounter.com' 'images.hitwise.co.uk' 'ad.hizlireklam.com' 'hxtrack.holidayextras.co.uk' 'www.adserver.home.pl' 'homes.bg' 'counters.honesty.com' 'cgi.honesty.com' 'e1.static.hoptopboy.com' 'ox.hoosiertimes.com' 'ad.hosting.pl' 'stats.hosting24.com' 'error.hostinger.eu' 'ads.hotarena.net' 'ad2.hotels.com' 'www.hotspotshield.com' 'h06.hotrank.com.tw' 'www.hotranks.com' 'banner.hpmdnetwork.ru' 'adserver.html.it' 'click.html.it' 'hub.com.pl' 'js.hubspot.com' 'entry-stats.huffpost.com' 'vertical-stats.huffpost.com' 'ads.hulu.com' 'ads.hurra.de' 'tracker.dev.hearst.nl' 'ads2000.hw.net' 'dserver.hw.net' 'www.hw-ad.de' 'www.hxtrack.com' 'www.hypertracker.com' 'ads.iafrica.com' 'ev.ib-ibi.com' 'r.ibg.bg' 'bbcdn-bbnaut.ibillboard.com' 'bbcdn-tag.ibillboard.com' 'www.ibis.cz' 'hits.icdirect.com' 'www.icentric.net' 'tracker.icerocket.com' 'ado.icorp.ro' 'ads.icorp.ro' 'log.idg.no' 'adidm07.idmnet.pl' 'adidm.idmnet.pl' 'adsrv2.ihlassondakika.com' 'stats.surfaid.ihost.com' 'k.iinfo.cz' 'script.ioam.de' 'adserver.ilmessaggero.it' 'adserver.ilounge.com' 'rc.bt.ilsemedia.nl' 'stats.ilsemedia.nl' 'adv.ilsole24ore.it' 'ads.imarketservices.com' 'i.imedia.cz' 'ads.imeem.com' 'stats.immense.net' 'bbn.img.com.ua' 'ads.imguol.com' 'tracking.immobilienscout24.de' 'affiliate.imperiaonline.org' 'x.imwx.com' 'adbox.inbox-online.com' 'optimize.indieclick.com' 'aff.indirdik.com' 'ads.indexinfo.org' 'adcenter.in2.com' 'banners.inetfast.com' 'inetlog.ru' 'ads.inews.bg' 'servedby.informatm.com' 'pcbutts1.software.informer.com' 'stats.infomedia.net' 'stats.inist.fr' 'click.inn.co.il' 'bimonline.insites.be' 'ads.insmarket.bg' 'rs.instantservice.com' 'ads.inspirestudio.net' 'counter.internet.ge' 'indiads.com' 'ads.inviziads.com' 'www.imiclk.com' 'avp.innity.com' 'www.innovateads.com' 'content.integral-marketing.com' 'media.intelia.it' 'www.intelli-tracker.com' 'geo.interia.pl' 'iwa.hit.interia.pl' 'www.intera-x.com' 'cdn.interactivemedia.net' 'adserwer.intercon.pl' 'newadserver.interfree.it' 'intermediads.com' 'www.interstats.nl' 'pl-engine.intextad.net' 'ox.invia.cz' 'ad.investor.bg' 'ad01.investor.bg' 's1.inviziads.com' 'ad2.ip.ro' 'api.ipinfodb.com' 'ip-api.com' 'ads.ipowerweb.com' 'adserver.iprom.net' 'central.iprom.net' 'ipromsi.iprom.net' 'krater.iprom.net' 'tie.iprom.net' 'www.ipstat.com' 'delivery.ipvertising.com' 'www.iranwebads.com' 'ad2.ireklama.cz' 'clicktracker.iscan.nl' 'ads.isoftmarketing.com' 'banman.isoftmarketing.com' 'isralink.net' 'ts.istrack.com' 'adshow.it168.com' 'stat.it168.com' 'itcompany.com' 'www.itcompany.com' 'ilead.itrack.it' 'stats.itweb.co.za' 'www.iws.ro' 'link.ixs1.net' 'raahenseutu.jainos.fi' 'ad.jamba.de' 'ad.jamster.com' 'adserver.janesguide.com' 'piwik.jccm.es' 'ads.jewcy.com' 'pagerank.jklir.net' 'ads.joemonster.org' 'site.johnlewis.com' 'www.jouwstats.nl' 'www.jscount.com' 'stats.jtvnw.net' 'ad.jugem.jp' 'a.jumptap.com' 'nl.ads.justpremium.com' 'tracking.justpremium.com' 'ads.justpremium.nl' 'ads.justrelevant.com' 'k5zoom.com' 'ads.kaldata.com' 'events.kalooga.com' 'stats.kaltura.com' 'banner.kanald.com.tr' 'ads.kartu.lt' 'cache.ads.kartu.lt' 'scripts.kataweb.it' 'b.kavanga.ru' 'id.kbmg.cz' 'indianapolis.hosted.xms.keynote.com' 'webeffective.keynote.com' 'a.kickassunblock.net' 'banner.kiev.ua' 'adserve.kikizo.com' 'adserver.kissfm.ro' 'l.kavanga.ru' 'adsby.klikki.com' 'click.kmindex.ru' 'counter.kmindex.ru' 'counting.kmindex.ru' 'www.kmindex.ru' 'openx.kokoma.pl' 'images.kolmic.com' 'img.ads.kompas.com' 'ads3.kompasads.com' 'ads4.kompasads.com' 'ads5.kompasads.com' 'ads6.kompasads.com' 'ads.kozmetika-bg.com' 'sitestat.kpn-is.nl' 'admp-tc.krak.dk' 'beacon.krxd.net' 'recl.kulinar.bg' 'wa.kurier.at' 'ads.kurir-info.rs' 'adserver.kyoceramita-europe.com' 'cdn-analytics.ladmedia.fr' 'affiliate.lattelecom.lv' 'layer-ad.org' 'ads.layer-ad.org' 'banner.lbs.km.ru' 'lead-123.com' 'secure.leadforensics.com' 'vlog.leadformix.com' 'tracking.lengow.com' 'engine.letsstat.nl' 'pfa.levexis.com' 'res.levexis.com' 'visitors.lexus-europe.com' 'ads.lfstmedia.com' 'adserver.libero.it' 'adv-banner.libero.it' 'lib4.libstat.com' 'lib6.libstat.com' 'logos.libstat.com' 'd.ligatus.com' 'ms.ligatus.com' 'www.lifeforminc.com' 'adtrack.link.ch' 'link.ru' 'link.link.ru' 'ads.linki.nl' 'www.linkads.de' 'linkbuddies.com' 'banners.linkbuddies.com' 'www.linkbuddies.com' 'www.linkconnector.com' 'linkexchange.ru' 'web.linkexchange.ru' 'www.linkexchange.ru' 'content.linkoffers.net' 'track.linkoffers.net' 'linksexchange.net' 'ad.linkstorms.com' 'www.linkworth.com' 'gr.linkwi.se' 'ads.linuxfoundation.org' 'ad.lista.cz' 'ads.listingware.com' 's1.listrakbi.com' 'livecams.nl' 'click.adv.livedoor.com' 'counter2.blog.livedoor.com' 'image.adv.livedoor.com' 'js.livehelper.com' 'newbrowse.livehelper.com' 'ad5.liverail.com' 'pixels.livingsocial.com' 'stats.livingsocial.com' 'a.livesportmedia.eu' 'advert.livesportmedia.eu' 'ads.livescore.com' 'www.livewell.net' 'omnituretrack.local.com' 'w10.localadbuy.com' 'err.lolipop.jp' 'adcontrol.lonestarnaughtygirls.com' 'adserver.lonuncavisto.com' 'r.looksmart.com' 'banners.lottoelite.com' 'partner.loveplanet.ru' 'gw003.lphbs.com' 'gwa.lphbs.com' 'gwb.lphbs.com' 'gwc.lphbs.com' 'gwd.lphbs.com' 'adsy.lsipack.com' 'luxup.ru' 'is.luxup.ru' 'm2k.ru' 'images.m4n.nl' 'ad.m5prod.net' 'ad.m-adx.com' 'www3.macys.com' 'stat.madbanner.ru' 'eu2.madsone.com' 'media.m-adx.com' 'ads.mail.bg' 'www.mainadv.com' 'ads.maleflixxx.tv' 'adv.mangoadv.com' 'stats.manticoretechnology.com' 'anapixel.marca.com' 'pixelcounter.marca.com' 'ads.marica.bg' 'adv.marica.bg' 'pro.marinsm.com' 't3.marinsm.com' 'internet.marsmediachannels.com' 'app.mashero.com' 'mass-traffic.com' 'mastertarget.ru' 'oreo.matchmaker.com' 'ads.affiliates.match.com' 'pixel.mathtag.com' 'sync.mathtag.com' 'tags.mathtag.com' 'mbe.ru' 'mbn.com.ua' '100.mbn.com.ua' '120.mbn.com.ua' '160.mbn.com.ua' 'classic.mbn.com.ua' 'ads.mcafee.com' 'directads.mcafee.com' 'ad.mcminteractive.com' 'vitals.tracking.mdxdata.com' 'mcmads.mediacapital.pt' 'audit.median.hu' 'piwik.medienhaus.com' 'idpix.media6degrees.com' 'ads.mediaodyssey.com' 'ad2.pl.mediainter.net' 'ad.mediaprostor.cz' 'webtrekk.mediaset.net' 'advert.mediaswiss.rs' 'search.mediatarget.com' 'mediaupdate55.com' 'app.medyanetads.com' 'counter.megaindex.ru' 'adtracker.meinungsstudie.de' 'openx.mercatormedia.com' 'www.mercuras.com' 'adserv2.meritdesigns.com' 'www.messagetag.com' 'stat24.meta.ua' 'action.metaffiliation.com' 'tracking.metalyzer.com' 'www.metavertising.com' 'ads.mezimedia.com' 'mdctrail.com' 'pubs.mgn.net' 'ads.miarroba.com' 'send.microad.jp' 'ssend.microad.jp' 'track.send.microad.jp' 'd-track.send.microad.jp' 'ads.minireklam.com' 'counter.mirohost.net' 'mixmarket.biz' 'www.mktrack.com' 'www.mlclick.com' 'www.mmaaxx.com' 'mmgads.com' 'www.mmgads.com' 'mmptrack.com' 'gj.mmstat.com' 'ads.mnemosoft.com' 'tr.mobiadserv.com' 'ads.mobilemarketer.com' 'a.mobify.com' 'mola77.mobilenobo.com' 'a.moitepari.bg' 'ads.monetize-me.com' 'mein.monster.de' 'cookie.monster.com' 'www.mongoosemetrics.com' 'ib.mookie1.com' 'piwik.mortgageloan.com' 'webstats.motigo.com' 'm1.webstats.motigo.com' 'adserver.gb5.motorpresse.de' 'moucitons.com' 'ads.movpod.in' 'ads.mpm.com.mk' 'www1.mpnrs.com' 'msgtag.com' 'img.msgtag.com' 'www.msgtag.com' 'bms.msk.bg' 'no.counter.mtgnewmedia.se' 'tracker.mtrax.net' 'www.myclickbankads.com' 'get.mycounter.ua' 'scripts.mycounter.ua' 'get.mycounter.com.ua' 'scripts.mycounter.com.ua' 'mydati.com' 'ad.mylook.ee' 'www.mylottoadserv.com' 'affiliate.mymall.bg' 'banner.mymedia.bg' 'banners.mymedia.bg' 'servad.mynet.com' 'rm.myoc.com' 'www.myreferer.com' 'stat.mystat.hu' 'www.mystats.nl' 'www2.mystats.nl' 'www.mytoplist.gen.tr' 'ads.naftemporiki.gr' 'naj.sk' 'www.nalook.com' 'sponsoredlinks.nationalgeographic.com' 'www3.nationalgeographic.com' 'ads.nationchannel.com' 'adssrv.nationmultimedia.com' 'labs.natpal.com' 'phpadsnew.new.natuurpark.nl' 'c1.navrcholu.cz' 'xml.nbcsearch.com' 'xml2.nbcsearch.com' 'ads.ncm.com' 'ndparking.com' 'www.ndparking.com' 'ads.neg.bg' 'reklama.neg.bg' 'ad2.neodatagroup.com' 'adlev.neodatagroup.com' 'img.neogen.ro' 'openx.net.hr' 'www.netagent.cz' 'pwp.netcabo.pt' 'netclickstats.com' 'adserver.netcollex.co.uk' 'ads2.net-communities.co.uk' 'beta-hints.netflame.cc' 'hints.netflame.cc' 'ssl-hints.netflame.cc' 'hits.netgeography.net' 'ad.netgoo.com' 'ads.netinfo.bg' 'adv.netinfo.bg' 'stat.netinfocompany.bg' 'tracker.netklix.com' 'ads.ads.netlog.com' 'pool.ads.netlog.com' 'adv.netmedia.bg' 'script.netminers.dk' 'nl-moneyou.netmining.com' 'nl-saab.netmining.com' 'bkrntr.netmng.com' 'nan.netmng.com' 'com-quidco.netmng.com' 'rbk.netmng.com' 'www.netmaxx.com' 'ads.netrition.com' 'cl.netseer.com' 'evbeacon.networksolutions.com' 'ads.newdream.net' 'ad.next2news.com' 'www.newclick.com' 'beacon-5.newrelic.com' 'ads.newtention.net' 'pix.news.at' 'ads.newsint.co.uk' 'delivery.ad.newsnow.net' 'www.newwebmaster.net' 'b.nex.bg' 'e.nexac.com' 'f.nexac.com' 'p.nexac.com' 'r.nexac.com' 'turn.nexac.com' 'adq.nextag.com' 'vte.nexteramedia.com' 'ngacm.com' 'ngbn.net' 'ngastatic.com' 'adserve5.nikkeibp.co.jp' 'bizad.nikkeibp.co.jp' 'www.nlbanner.nl' 'banner.nonstoppartner.de' 'counter.nope.dk' 'ads.nordichardware.com' 'ads.nordichardware.se' 'ads.novinar.bg' 'adv.novinar.bg' 'ads.novsport.com' 'ad1.nownews.com' 'www.nowstat.com' 'bam.nr-data.net' 'imgcdn.nrelate.com' 'pp.nrelate.com' 'vt-1.nrelate.com' 'ntlligent.info' 'ad.nttnavi.co.jp' 'banner.nttnavi.co.jp' 'ad.ntvmsnbc.com' 'ntweb.org' 'i.nuseek.com' 'www1.nuseek.com' 'www2.nuseek.com' 'www3.nuseek.com' 'nxtck.com' 'p.nxtck.com' 'ads.nyi.net' 'www1.o2.co.uk' 'observare.de' 'banner.oddcast.com' 'banner-a.oddcast.com' 'banner-d.oddcast.com' 'tracking.oe24.at' 'www18.officedepot.com' 'reklama.offmedia.bg' 'r.offnews.bg' 'ads.ogdenpubs.com' 'counter.ok.ee' 'ads.okazii.ro' 'ads.olx.com' 'stats.omg.com.au' 'stats2.omg.com.au' 'adserver.omroepflevoland.nl' 'logo.onlinewebstat.com' 'ads1.omdadget.com' 'track.omguk.com' 'www.on2url.com' 'emisjawidgeet.onet.pl' 'tracking.onefeed.co.uk' 'ads.oneplace.com' 'stat.onestat.com' 'www.onestat.com' 'www.onestatfree.com' 'one.ru' 'stats0.one.ru' 'stats1.one.ru' 'stats2.one.ru' 'kropka.onet.pl' 'reklama.onet.pl' 'stats.media.onet.pl' 'ad.onlinechange.biz' '404.online.net' 'aa.online-metrix.net' 'h.online-metrix.net' 'adserver.online-tech.com' 'sayac.onlinewebstats.com' 'lifemediahouse1.onlinewelten.com' 'openstat.net' 'i.xx.openx.com' 'c1.openx.org' 'c3.openx.org' 'invitation.opinionbar.com' 'optical1.xyz' 'by.optimost.com' 'es.optimost.com' 'ad.orbitel.bg' 'www.oreware.com' 'servedby.orn-adserver.nl' 'otclick-adv.ru' 'otracking.com' 'odb.outbrain.com' 'traffic.outbrain.com' 'pub.oxado.com' 'www.oxiads.fr' 'www.oxinads.com' 'geoip.p24.hu' 'stat.p24.hu' 'www.pagerank10.co.uk' 'parkingcrew.net' 'paidstats.com' 'ad1.pamedia.com.au' 'counter.paradise.net.nz' 'img.parked.ru' 'park.parkingpanel.com' 'www.partner-ads.com' 'stats.partypoker.com' 'ads.partystars.bg' 'ad.payclick.it' 'stat.pchome.net' 'pcmightymax.net' 'www.pcmightymax.net' 'catrg.peer39.net' 'trg.peer39.net' 'pt.peerius.com' 'counter.top100.penki.lt' 'tag.perfectaudience.com' 'b1.perfb.com' 'www.perfectherbpurchase.ru' 'stats.persgroep.be' 'stats.persgroep.nl' 'count.pcpop.com' 'pixel.pcworld.com' 'metrics.peacocks.co.uk' 'viewer.peer39.com' 'tracking.peopletomysite.com' 'banners.perfectgonzo.com' 'errors.perfectgonzo.com' 'ads.periodistadigital.com' 'utsdpp.persgroep.net' 'pgssl.com' 'pub.pgssl.com' 'pharmacyrxone.com' 'ads.pheedo.com' 'www.pheedo.com' 'ads.phillipsdata.us' 'ads.phillyadclub.com' 'adservices.picadmedia.com' 'adservices02.picadmedia.com' 'ox.pigu.lt' 'ads.pimdesign.org' 'rum-collector.pingdom.net' 'rum-static.pingdom.net' 'ads.pinger.com' 'banners.pinnaclesports.com' 'www.pixazza.com' 'accounts.pkr.com' 'banner.play-asia.com' 'ads.playboy.bg' 'pei-ads.playboy.com' 'i.plug.it' 'www.playertraffic.com' 'adserver.playtv.fr' 'pu.plugrush.com' 'widget.plugrush.com' 'webstats.plus.net' 'pxl.pmsrvr.com' 'po.st' 'ads.po-zdravidnes.com' 'static.pochta.ru' 'cnt1.pocitadlo.cz' 'cnt2.pocitadlo.cz' 'c.pocitadlo.sk' 'piwik.pokerlistings.com' 'adserve.podaddies.com' 'www1.pollg.com' 'www.pollmonkey.com' 'c1.popads.net' 'c2.popads.net' 'out.popads.net' 'serve.popads.net' 'www.popadvert.com' 'popcounter.com' 'partners.popmatters.com' 'chezh1.popmarker.com' 'ads.popularno.mk' 'popuptraf.ru' 'www.popuptraf.ru' 'cdn.popwin.net' 'porntraff.com' 'www2.portdetective.com' 'inapi.posst.co' 'ads.postimees.ee' 'prstats.postrelease.com' 'adv.powertracker.org' 'www.ppctracking.net' 'adtxt.prbn.ru' 'ad468.prbn.ru' 'www.predictad.com' 'promo.content.premiumpass.com' 'a.press24.mk' 'www.pr-free.de' 'ads.prisacom.com' 'top.proext.com' 'profitshare.bg' 'ad.profiwin.de' 'bn.profiwin.de' 'www.promobenef.com' 'counter.promopark.ru' 'track.promptfile.com' 'ads.prospect.org' 'tr.prospecteye.com' 'profitshare.ro' 'www.profitzone.com' 'www.promo.com.au' 'ads-kurir.providus.rs' 'servedby.proxena-adserver.com' 'sdc.prudential.com' 'ad.prv.pl' 'ptp4ever.net' 'www.ptp4ever.net' 'static.pubdirecte.com' 'www.pubdirecte.com' 'tracking.publicidees.com' 'ads.pubmatic.com' 'showads.pubmatic.com' 'track.pubmatic.com' 'pubx.ch' 'hits.puls.lv' 'u1.puls.lv' 'ads.puls24.mk' 'track.pulse360.com' 'ad.sma.punto.net' 'sma.punto.net' 'ad.punto-informatico.it' 'cgicounter.puretec.de' 'www.qbop.com' 'e1.cdn.qnsr.com' 'l1.cdn.qnsr.com' 'adserv.quality-channel.de' 'qualityporn.biz' 'siteinterceptco1.qualtrics.com' 'amch.questionmarket.com' 'reports.quisma.com' 'tracking.quisma.com' 'adping.qq.com' 'adsrich.qq.com' 'adsview.qq.com' 'adsview2.qq.com' 'ads.racunalniske-novice.com' 'ads.radar.bg' 'ads.radioactive.se' 'stats2.radiocompanion.com' 'www.ranking-charts.de' 'www.ranking-net.de' 'srv1.rapidstats.de' 'ads.recoletos.es' 'www.random-logic.com' 'ranking-hits.de' 'www.ranking-hits.de' 'counter.rapidcounter.com' 'www.rapidcounter.com' 'count.rbc.ru' 'ads.rcgroups.com' 'webstats.web.rcn.net' 'ads.rcs.it' 'oasis.realbeer.com' 'anomaly.realgravity.com' 'adserver.realhomesex.net' 'banners.realitycash.com' 'www.realist.gen.tr' 'go.realvu.net' 'noah.reddion.com' 'ads.rediff.com' 'adworks.rediff.com' 'imadworks.rediff.com' 'js.ua.redtram.com' 'n4p.ua.redtram.com' 'www.refer.ru' 'ads.register.com' 'ad.reklamport.com' 'adserver.reklamstore.com' 'reklamanet.net' 'banner.relcom.ru' 'networks.remal.com.sa' 'cdn.reporo.net' 'republer.com' 'custom-wrs.api.responsys.net' 'banners.resultonline.com' 'retarcl.net' 'revcontent.com' 'cdn.revcontent.com' 'v2.revcontent.com' 'www.revcontent.com' 'ads.reviewcentre.com' 'rem.rezonmedia.eu' 'p.rfihub.com' 'richmedia247.com' 'stat.ringier.cz' 'overlay.ringtonematcher.com' 'ads.ripoffreport.com' 'db.riskwaters.com' 'count.rin.ru' 'mct.rkdms.com' 'ei.rlcdn.com' 'rd.rlcdn.com' 'ads.rnmd.net' 'ro2.biz' 'ads.rohea.com' 'ads.rol.ro' 'banners.romania-insider.com' 'adcode.rontar.com' 'laurel.rovicorp.com' 'gbjfc.rsvpgenius.com' 'count.rtl.de' 'ad.rtl.hr' 'rtrgt2.com' 'ads.rtvslo.si' 'adserver.rtvutrechtreclame.nl' 'ads.rubiconproject.com' 'optimized-by.rubiconproject.com' 'pixel.rubiconproject.com' 'advert.runescape.com' 'banners.rushcommerce.com' 'rvpadvertisingnetwork.com' 'www.s2d6.com' 's4le.net' 'safedownloadnow.work' 'ads.sagabg.net' 'sdc2.sakura.ad.jp' 'lct.salesforce.com' 'app2.salesmanago.pl' 'judo.salon.com' 'oas.salon.com' 'sacdcad01.salon.com' 'sacdcad03.salon.com' 'samtrack1.com' 'analytics.sanoma.fi' 'ads.sanomalehtimedia.fi' 'cdn-rtb.sape.ru' 'ads.sapo.pt' 'pub.sapo.pt' 'adserver.saxonsoft.hu' 'beacon.saymedia.com' 'app.scanscout.com' 'dt.scanscout.com' 'media.scanscout.com' 'static.scanscout.com' 'sat.scoutanalytics.com' 'scout.scoutanalytics.net' 'banner.scasino.com' 'zsc.scmspain.com' 'ads.search.bg' 'banner.search.bg' 'banex.search.bg' 'counter.search.bg' 'ad.searchhound.com' 'searchmagnified.com' 'tracking.searchmarketing.com' 'geoip.securitetotale.com' 'advertising.seenews.com' 'live.sekindo.com' 'www.selfsurveys.com' 'www2.sellhealth.com' 't.sellpoints.com' 'stir.semilo.com' 'ads.senddroid.com' 'www.send-safe.com' 'sensic.net' 'ad.sensismediasmart.com.au' 'www.seo-portal.ro' 'errors.servik.com' 'weblink.settrade.com' 'logs.sexy-parade.com' 'ad.seznam.cz' 'sdc.shawinc.com' 'aff.shopmania.bg' 'adserve.shopzilla.com' 'dc.sify.com' 'getdetails02.sim-technik.de' 'adimages.sina.com.hk' 'jsads.sina.com.hk' 'sinuatemedia.com' 'goska.siol.net' 'advertpro.sitepoint.com' 'domainpark.sitelutions.com' 'www.sitestatslive.com' 'eon.tags.sitetagger.co.uk' 'www.sitetagger.co.uk' 'sixsigmatraffic.com' 'www.sixsigmatraffic.com' 'simplehitcounter.com' 'ads.sina.com' 'ads.skelbiu.lt' 'ads.sladur.com' 'ads.slava.bg' 'ad.smaclick.com' 'code.new.smartcontext.pl' 'bbcdn.code.new.smartcontext.pl' 'ads.smartshoppingads.de' 'www.smartlog.ru' 'i.smartwebads.com' 'n2.smartyads.com' 'eu1.snoobi.com' 'l.socialsexnetwork.net' 'a.softconsultgroup.com' 'netsr.softonicads.com' 'web.softonic-analytics.net' 'pub.softonic.com' 'serenescreen-marine-aquarium.en.softonic.com' 't1.softonicads.com' 't2.softonicads.com' 'ads.sol.no' 'sacdcad02.salon.com' 'apex.go.sonobi.com' 'sync.go.sonobi.com' 'ivox.socratos.net' 'softonic-analytics.net' 'analytics.soup.io' 'analytic.spamfighter.com' 'tags.spider-mails.com' 'ads.tripod.spray.se' 'dp2.specificclick.net' 'www.speedcount.de' 'adv.speednet.bg' 'c.spiegel.de' 'count.spiegel.de' 'www.splem.net' 'analytics.spongecell.com' 'www.sponsorads.de' 'bms.sportal.ru' 'ads.sports.fr' 'spotsniper.ru' 'search.spotxchange.com' 'sitestat3.sport1.de' 'www.speedcounter.net' 'www.sptag.com' 'springclick.com' 'ads.springclick.com' 'counter.spylog.com' 'www.spywareit.com' 's1.srtk.net' 's2.srtk.net' 'ads.stackoverflow.com' 'anchor.stailamedia.com' 'bannerads.standard.net' 'adn.static-files.com' 'pixel.staticworld.net' 'ads.stardoll.com' 'www.start-page.org' 'hitx.statistics.ro' 'statistik-gallup.net' 'js.stats.de' 'tracker.stats.in.th' 'www.stats.in.th' 'www.statsector.hu' 'www.steamtraffic.com' 'ads001.stickam.com' 'js.stormiq.com' 't1.stormiq.com' 'analytics.strangeloopnetworks.com' 'straightresults.com' 'go.straightresults.com' 'gsorder.berlin.strato.de' 'www.stressx.org' 'opx.struma.bg' 'ads.strumarelax.com' 'adv.stznews.bg' 'webservices.sub2tech.com' 'ads.sun.com' 'ads.sup.com' 'cnt.sup.com' 'clix.superclix.de' 'www.superclix.de' 'www.surveynetworks.com' 'my.surveypopups.com' 'analytics.sutterhealth.org' 'ads.svatbata.org' 'delivery.platform.switchads.com' 'delivery.swid.switchads.com' 'delivery.a.switchadhub.com' 'delivery.e.switchadhub.com' 'banners.swsoft.com' 'adv.swzone.it' 'adtag.sympatico.ca' 'www.system4.nl' 'tracking.synthasite.net' 'c.t4ft.de' 'www.t5.ro' 'tablesrvr1.xyz' 'www.t-analytics.com' 'www.tag4arm.com' 'ads.tahono.com' 'files.tailsweep.com' 'script.tailsweep.com' 'b100.takru.com' 'b120.takru.com' 'b130.takru.com' 'b140.takru.com' 'b180.takru.com' 'banners.takru.com' 'tapestry.tapad.com' 'tarasoft.bg' 'dev.targetpoint.com' 'srs.targetpoint.com' 'ad.tbn.ru' 'ad.agava.tbn.ru' 'ad.ett.tbn.ru' 'ad.ent.tbn.ru' 'ad.gen.tbn.ru' 'ad.100.tbn.ru' 'ad.120.tbn.ru' 'ad.120-gen.tbn.ru' 'ad.popup.tbn.ru' 'ad.strict.tbn.ru' 'ad.text-ent.tbn.ru' 'ad.text.tbn.ru' 'members.popup.tbn.ru' 'traffic.tcmagnet.com' 'adv.technews.bg' 'ads.tele.net' 'adserver.tele.net' 'sdc.tele.net' 'banner.terminal.hu' 'stf.terra.com.br' 'ad.terra.com.mx' 'dy.testnet.nl' 'textad.net' 'www.textads.biz' 'www.textlink.cz' 'ads.tdcanadatrust.com' 'openad.tf1.fr' 'openadext.tf1.fr' 'a.tfag.de' 'ak.tfag.de' 'i.tfag.de' 'adv.tgadvapps.it' 'market2.the-adult-company.com' 'media.the-adult-company.com' 'dmp.theadex.com' 'j.theadsnet.com' 'ads.thebulgarianpost.com' 'scripts.the-group.net' 'analytics.theknot.com' 'analytics.thenest.com' 'www.parkingcrew.net' 'pei-ads.thesmokingjacket.com' 'www.thesocialsexnetwork.com' 'www.thickcash.com' 'ad.thinkmedia.cn' 'oas.tidningsnatet.se' 'www.tinbuadserv.com' 'www.tinka.ru' 'tns-counter.ru' 'kz.tns-counter.ru' 'www.tns-counter.ru' 'tns-gallup.dk' 'ad.tom.com' 'banner.tonygpoker.com' 'cachebanner.tonygpoker.com' 'hits.top.lv' 'images.top66.ro' 'script.top66.ro' 'www.top66.ro' 'ads.top.bg' 'counter.top.ge' 'www.top100.lt' 'www.topblogging.com' 'hit.topc.org' 'banners.topcities.com' 'topeuro.biz' 'www.toplist.sk' 'counter.topphoto.ru' 'www.top25.ro' 'www.top55.ro' 'www.top99.ro' 'www.top100.ro' 'www.top300.ro' 'www.topadult.ro' 'stats.topofblogs.com' 'www.top-rank.pl' 'www.topsites24.net' 'www.topsiteguide.com' 'www.topsiteuri.ro' 'ads.topwam.com' 'ads.torrpedo.net' 'torpiddurkeeopthalmic.info' 'c.total-media.net' 'cdn.total-media.net' 'i.total-media.net' 'ams.toxity.biz' 'www.tr100.net' 'ad.track.us.org' 'www.trackbacksecure.com' 't.trackedlink.net' 'usage.trackjs.com' 'api.trackuity.com' 'ads.tradeads.eu' 'tm.tradetracker.net' 'storage.trafic.ro' 'www.trafficresults.com' 'ads.travellogger.com' 'dm.travelocity.com' 'ad.triplemind.com' 'engine.trklnks.com' 'ad.topstat.com' 'nl.topstat.com' 's26.topstat.com' 'xl.topstat.com' 'ad.touchnclick.co.kr' 'www.track2cash.com' 'trackdiscovery.net' 'ads.trademe.co.nz' 'www.trafficcenter.de' 's3.trafficmaxx.de' 'ads.traderonline.com' 'www.trafficbeamer.com' 'www.trafficbeamer.nl' 'delivery.trafficbroker.com' 'www.trafficzap.com' 'www.trafix.ro' 'media.travelzoo.com' 'media2.travelzoo.com' 'advert.travlang.com' 'cdna.tremormedia.com' 'objects.tremormedia.com' 'www.trendcounter.com' 'ads.triada.bg' 'ads.tripican.com' 'hits.truehits.in.th' 'lvs.truehits.in.th' 'tracker.truehits.in.th' 'hits3.truehits.net' 'tracker.truehits.net' 'trusearch.net' 'origin-tracking.trulia.com' 'analytics.trutv.com' 'trywith.us' 'adclient1.tucows.com' 'counts.tucows.com' 'google.tucows.com' 'ads.tunenerve.com' 'stats.tunt.lv' 'd.turn.com' 'ad.tv2.no' 'adserver.tvcatchup.com' 'trax.tvguide.com' 'ads.tvtv.bg' 'ads.tweetmeme.com' 'analytics.twitter.com' 'twittercounter.com' 'srv2.twittercounter.com' 'et.twyn.com' 'tracknet.twyn.com' 'tx2.ru' 'cnt.tyxo.bg' 'adv.uauaclub.it' 'mde.ubid.com' 'a.ucoz.net' 's212.ucoz.net' 'credity.ucoz.ru' 'shanding.ucoz.es' 'ucounter.ucoz.net' 'udmserve.net' 'image.ugo.com' 'mediamgr.ugo.com' 'creativos.ads.uigc.net' 'adclient.uimserv.net' 'adimg.uimserv.net' 'pixelbox.uimserv.net' 'www.ukbanners.com' 'ukrbanner.net' 'tracking.ukwm.co.uk' 'advert.uloz.to' 'www.ultimatetopsites.com' 'advert.dyna.ultraweb.hu' 'stat.dyna.ultraweb.hu' 'undertonenetworks.com' 'www.undertonenetworks.com' 'adserving.unibet.com' 'www.unicast.com' 'advertisment.unimatrix.si' 'ads.univision.com' 'web.unltd.info' 'adclient-af.lp.uol.com.br' 'adrequisitor-af.lp.uol.com.br' 'ads.mtv.uol.com.br' 'update-java.kit.net' 'www.update-java.kit.net' 'c.uarating.com' 'www.upsellit.com' 'usabilitytesten.nl' 'usachoice.net' 'analytics.usdm.net' 'tag.userreport.com' 'www.usenetjunction.com' 'ads.usualgirls.com' 'ads.urlfan.com' 'ads.usercash.com' 'www.utarget.co.uk' 'rotabanner.utro.ru' 'rotabanner100.utro.ru' 'rotabanner234.utro.ru' 'rotabanner468.utro.ru' 'openx.utv.bg' 'tracking.vacationsmadeeasy.com' 'ads.vador.com' 'feed.validclick.com' 'ad.jp.ap.valuecommerce.com' 'ads.vclick.vn' 'vclicks.net' 'reklama.ve.lt' 'counters.vendio.com' 'cdsusa.veinteractive.com' 'config1.veinteractive.com' 'drs2.veinteractive.com' 'c.velaro.com' 'v.velaro.com' 'ab.vendemore.com' 'profiling.veoxa.com' 'vu.veoxa.com' 'spinbox.versiontracker.com' 'www.vertadnet.com' 'p.vibrant.co' 'ad.pornfuzepremium.videobox.com' 'content.videoclick.ru' 'drive.videoclick.ru' 'chappel.videogamer.com' 'ads.videohub.tv' 'www.videooizleyin.com' 'adserver.virginmedia.com' 'pilmedia.ads.visionweb.no' 'www.visits.lt' 'sniff.visistat.com' 'code.visitor-track.com' 'www.visitor-track.com' 'www.visitortracklog.com' 'banners.visitguernsey.com' 'optimized.by.vitalads.net' 'www.vjsoft.net' 'ads.vkushti.tv' 'ads.v-links.net' 'www.v-links.net' 'livetracker.voanews.eu' 'aa.voice2page.com' 'ads.vporn.com' 'ads.vreme.bg' 'banner.vrs.cz' 'www.vstats.net' 'delivery.w00tads.com' 'www.w1.ro' 'ads.w3hoster.de' 'fus.walla.co.il' 'beacon.walmart.com' 'beacon.affil.walmart.com' 'ad.wanderlist.com' 'tracking.waterfrontmedia.com' 'ads.wave.si' 'delivery.way2traffic.com' 'ads.weather.ca' 'btn.counter.weather.ca' 'pub.weatherbug.com' 'ads.weatherflow.com' 'ads.web1tv.de' 'tracking.web2corp.com' 'data.webads.co.nz' 'tr.webantenna.info' 'banners.webcams.com' 'www.web-chart.de' 'webcounter.be' 'diapi.webgains.com' 'webgozar.com' 'www.webgozar.ir' 'ads.webground.bg' 'webhits.de' 'www.webhits.de' 'ads.webkinz.com' 'ads2.weblogssl.com' 'counter.web-marketolog.ru' 'webmarketing3x.net' 'banners.webmasterplan.com' 'ebayrelevancead.webmasterplan.com' 'partners.webmasterplan.com' 'fc.webmasterpro.de' 'stat.webmedia.pl' 'clicks.webnug.com' 'astatic.weborama.fr' 'cstatic.weborama.fr' 'aerlingus2.solution.weborama.fr' 'aimfar.solution.weborama.fr' 'fnacmagasin.solution.weborama.fr' 'laredoute.solution.weborama.fr' 'pro.weborama.fr' 'counter.webservis.gen.tr' 'logo.webservis.gen.tr' 'www.webservis.gen.tr' 'dynad.website.bg' 'secure.webresint.com' 'www.website-hit-counters.com' 'www.webstat.se' 'www.webtistic.com' 'webtrackerplus.com' 'webtraffic.se' 'track.wesell.co.il' 'banner.westernunion.com' 'delivery.switch.whatculture.com' 'ads.whitelabelpros.com' 'whometrics.net' 'whosread.com' 'stats.widgadget.com' 'wikia-ads.wikia.com' 'a.wikia-beacon.com' 'geoiplookup.wikimedia.org' 'sdc8prod1.wiley.com' 'cacheserve.williamhill.com' 'serve.williamhill.com' 'd1.windows8downloads.com' 'banner-server.winecountry.com' 'ads.wineenthusiast.com' 'cache.winhundred.com' 'join1.winhundred.com' 'join2.winhundred.com' 'secure.winhundred.com' 'www.winhundred.com' 'win-spy.com' 'www.win-spy.com' 'api.wipmania.com' 'stats.wired.com' 'ctsde01.wiredminds.de' 'wba.wirtschaftsblatt.at' 'adv.wisdom.bg' 'phpadsnew.wn.com' 'clicktrack.wnu.com' 'tracker.wordstream.com' 'w00tpublishers.wootmedia.net' 's.stats.wordpress.com' 'links.worldbannerexchange.com' 'ads.worldstarhiphop.com' 'analytics.worldnow.com' 'wtsdc.worldnow.com' 'ads.worthplaying.com' 'pixel.wp.com' 'stats.wp.com' 'adsearch.wp.pl' 'adv.wp.pl' 'badv.wp.pl' 'dot.wp.pl' 'rek.www.wp.pl' 'ad.wsod.com' 'admedia.wsod.com' 'ads.wtfpeople.com' 'wtvertnet.com' 'oas.wwwheise.de' 'www.wysistat.com' 'ad.wz.cz' 'engine.xclaimwords.net' 'hr-engine.xclaimwords.net' 'ad.xe.gr' '148.xg4ken.com' '506.xg4ken.com' '531.xg4ken.com' 'www.xl-rank.com' 'xwell.ru' 'ox-d.xosdigital.com' 'ads.xpg.com.br' 'ssl.xplosion.de' 'x-road.co.kr' 'nedstats.xs4all.nl' 'ad.xrea.com' 'xtainment.net' 'ads.xtra.co.nz' 'track.xtrasize.nl' 'ads.xtargeting.com' 'www.xxxbannerswap.com' 'xylopologyn.com' 'www.xyztraffic.com' 'advertpro.ya.com' 'quad.yadro.ru' 'ad2.yam.com' 'ads.yam.com' 'ybex.com' 'ads.yeshanews.com' 'ad.yieldlab.net' 'counter.yesky.com' 'yieldbuild.com' 'hook.yieldbuild.com' 'payload.yieldbuild.com' 'yllix.com' 'ad.yonhapnews.co.kr' 'urchin.lstat.youku.com' 'go.youlamedia.com' 'gw.youmi.net' 'cdn.static.youmiad.com' 'www.yourhitstats.com' 'ad.yourmedia.com' 'ad1.yourmedia.com' 'pc2.yumenetworks.com' 'ads.zamunda.net' 'ads2.zamunda.net' 'ad.zanox.com' 'static.zanox.com' 'zanox-affiliate.de' 'www.zanox-affiliate.de' 'www.zapunited.com' 'zbest.in' 'banners.zbs.ru' 'ea.zebestof.com' 'ads.zeusclicks.com' 'apibeta.zeti.com' 'ziccardia.com' 'counter.zone.ee' 'a.zoot.ro' 'banner.0catch.com' 'bannerimages.0catch.com' 'stattrack.0catch.com' '0c9d8370d.se' '0427d7.se' '1bg.net' '100webads.com' 'www.123banners.com' '123go.com' 'ns1.123go.net' '123stat.com' '123-tracker.com' 'adclient.163.com' 'adgeo.163.com' '20d625b48e.se' 'pr.20min.es' 'img.2leva.bg' 'event.2leva.bg' 'banners.2lipslive.com' 'ads.24.com' 'stats.24.com' 'counter.24log.es' 'counter.24log.it' 'counter.24log.ru' 'counter.24log.com' 'pixel.33across.com' 'imgad1.3conline.com' 'imgad2.3conline.com' 'imgad3.3conline.com' 'ads.3sfmedia.com' 'guannan.3322.net' 'delivery.3rdads.com' 'openx.359gsm.com' 'ads.4tube.com' 'cdn1.adspace.4tube.com' 'adserver.4clicks.org' 'r.4at1.com' 'static.4chan-ads.org' 'banners.4d5.net' 'ads.4rati.lv' 'ad.stat.4u.pl' 'adstat.4u.pl' 'stat.4u.pl' 'softads.50webs.com' 'js.users.51.la' 'adserver.71i.de' 'www.777tool.com' '85dcf732d593.se' 'ads.o2.pl' 'adserver.o2.pl' 'adfiles.o2.pl.sds.o2.pl' 'madclient.uimserv.net' 'tools.ad-net.co.uk' 'am-display.com' 'uim.tifbs.net' 'fips.uimserv.net' 'uidbox.uimserv.net' 'xp.classifieds1000.com' 'www.elementnetwork.com' 'ads.emqus.com' 'www.g4whisperermedia.com' 'server.siteamplifier.net' 'ww1.tongji123.com' 'ww2.tongji123.com' 'ww3.tongji123.com' 'ww4.tongji123.com' 'www.countok.de' 'collect.evisitanalyst.com' 'www.adranking.de' 'www.andyhoppe.com' 'www.free-counters.net' 'analytics.gameforge.de' 'delivery.ads.gfsrv.net' 'media.ads.gfsrv.net' 'www.gratis-counter-gratis.de' 'media.hauptbruch.de' 'www.ranking-counter.de' 'www.rankmaschine.de' 'a.trkme.net' 's2.trafficmaxx.de' 'www.ineedhits.com' 'track.lativio.com' 'count3.51yes.com' 'count4.51yes.com' 'count5.51yes.com' 'count8.51yes.com' 'count10.51yes.com' 'count11.51yes.com' 'count12.51yes.com' 'count14.51yes.com' 'count15.51yes.com' 'count16.51yes.com' 'count17.51yes.com' 'count19.51yes.com' 'count20.51yes.com' 'count22.51yes.com' 'count24.51yes.com' 'count25.51yes.com' 'count27.51yes.com' 'count29.51yes.com' 'count30.51yes.com' 'count31.51yes.com' 'count32.51yes.com' 'count33.51yes.com' 'count35.51yes.com' 'count37.51yes.com' 'count38.51yes.com' 'count46.51yes.com' 'count47.51yes.com' 'count48.51yes.com' '7search.com' 'conversion.7search.com' 'ia1.7search.com' 'img.7search.com' 'meta.7search.com' 'www.7search.com' '77search.com' 'www.7metasearch.com' 'www.a1fax.com' 'advertisingagent.com' 'ajokeaday.com' 'bannersxchange.com' 'www.bannersxchange.com' 'bestsearch.com' 'www.bestsearch.com' 'www.buscamundo.com' 'internetsecurity.com' 'www.internetsecurity.com' 'www.payperranking.com' 'www.pay-per-search.com' 'paypertext.com' 'predictivesearch.com' 'seal.ranking.com' 'www.ranking.com' 'tracking.roispy.com' 'www.roispy.com' 'tracking.spiderbait.com' 'www.spiderbait.com' 'www.textadvertising.com' 'www.thetop10.com' 'trustgauge.com' 'www.trustgauge.com' 'seal.validatedsite.com' 'www.validatedsite.com' 'www.watch24.com' 'www.robsxxx.com' 'ztrack.net' 'www.fatpenguinmedia.com' 'phpadsnew.abac.com' 'www.obanner.net' 'farm.thinktarget.com' 'g.thinktarget.com' 'search.thinktarget.com' 'hitslap.com' 'data.lizads.com' 'fast.cbsi.demdex.net' 'chewbacca.cybereps.com' 'ds.cybereps.com' 'images.cybereps.com' 'yoda.cybereps.com' 'secure.cardtransaction.com' 'www.mp3musichq.com' 'spin.spinbox.net' 'ads.bidvertiser.com' 'bdv.bidvertiser.com' 'srv.bidvertiser.com' 'www.bidvertiser.com' 'img.revcontent.com' 'dc.kontera.com' 'kona29.kontera.com' 'te.kontera.com' 'www.kontera.com' 'lp.downloadquick.net' 'download.downloadquick.net' 'lp.sharelive.net' 'download.torchbrowser.com' 'lp.torchbrowser.com' 'cdn.adpacks.com' 'servedby.revcontent.com' 'clicks.about.com' 'f.about.com' 'home.about.com' 'images.about.com' 'lunafetch.about.com' 'pixel3.about.com' 'sprinks-clicks.about.com' '2001positions.com' 'ifa.empflixlive.com' 'static.ifa.empflixlive.com' 'www.flyingcroc.com' 'ifa.hardsexmate.com' 'ifa.maxpornlive.com' 'clicktraq.mtree.com' 'counter.mtree.com' 'dyntraq.mtree.com' 'mtree.com' 'mt1.mtree.com' 'mt2.mtree.com' 'mt4.mtree.com' 'mt10.mtree.com' 'mt11.mtree.com' 'mt12.mtree.com' 'mt15.mtree.com' 'mt32.mtree.com' 'mt34.mtree.com' 'mt35.mtree.com' 'mt37.mtree.com' 'mt55.mtree.com' 'mt58.mtree.com' 'mt83.mtree.com' 'mt94.mtree.com' 'mt103.mtree.com' 'mt113.mtree.com' 'mt124.mtree.com' 'mt127.mtree.com' 'porn.mtree.com' 'psy.mtree.com' 'ss.mtree.com' 'the.mtree.com' 'wm.mtree.com' 'xbs.mtree.com' 'xbs.pao.mtree.com' 'xbs.sea.mtree.com' 'www.mtree.com' 'dyn.naiadsystems.com' 'www.naiadsystems.com' 'cdn.nsimg.net' 'banners.outster.com' 'c1.outster.com' 'c2.outster.com' 'c3.outster.com' 'clit50.outster.com' 'clit120.outster.com' 'links.outster.com' 'refer1.outster.com' 'refer20.outster.com' 'refer25.outster.com' 'refer46.outster.com' 'refer85.outster.com' 'refer100.outster.com' 'refer102.outster.com' 'rr1.outster.com' 'start.outster.com' 'stats.outster.com' 'cgi.sexlist.com' 'cgi1.sexlist.com' 'enter.sexlist.com' 'images.sexlist.com' 'links.sexlist.com' 'lobby.sexlist.com' 'vis.sexlist.com' 'vis5.sexlist.com' 'xit.sexlist.com' 'sextracker.com' 'the.sextracker.com' 'adserver.sextracker.com' 'banners.sextracker.com' 'counter1.sextracker.com' 'clit.sextracker.com' 'clit1.sextracker.com' 'clit2.sextracker.com' 'clit3.sextracker.com' 'clit4.sextracker.com' 'clit5.sextracker.com' 'clit6.sextracker.com' 'clit7.sextracker.com' 'clit8.sextracker.com' 'clit9.sextracker.com' 'clit10.sextracker.com' 'clit11.sextracker.com' 'clit12.sextracker.com' 'clit13.sextracker.com' 'clit14.sextracker.com' 'clit15.sextracker.com' 'clit16.sextracker.com' 'elite.sextracker.com' 'graphics1.sextracker.com' 'graphics2.sextracker.com' 'hosting.sextracker.com' 'links.sextracker.com' 'mau.sextracker.com' 'moneytree.sextracker.com' 'ranks.sextracker.com' 'search.sextracker.com' 'start.sextracker.com' 'stats.sextracker.com' 'stx.sextracker.com' 'stx0.sextracker.com' 'stx1.sextracker.com' 'stx2.sextracker.com' 'stx3.sextracker.com' 'stx4.sextracker.com' 'stx5.sextracker.com' 'stx6.sextracker.com' 'stx7.sextracker.com' 'stx8.sextracker.com' 'stx9.sextracker.com' 'stx10.sextracker.com' 'stx11.sextracker.com' 'stx12.sextracker.com' 'stx13.sextracker.com' 'stx14.sextracker.com' 'stx15.sextracker.com' 'stxbans.sextracker.com' 'webmasters.sextracker.com' 'stx.banners.sextracker.com' 'wm.banners.sextracker.com' 'www.sextracker.com' 'ads.sexspaces.com' 'ifa.slutloadlive.com' 'static.ifa.slutloadlive.com' 'static.gfx.streamen.com' 'www.streamen.com' 'streamate.com' 'static.gfx.streamate.com' 'teen.streamate.com' 'www.streamate.com' 'ifa.streamateaccess.com' 'www.streamatelive.com' 'www.thesexcinema.com' 'ifa.tnaflixlive.com' 'c1.xxxcounter.com' 'c2.xxxcounter.com' 'c3.xxxcounter.com' 'free.xxxcounter.com' 'grafix.xxxcounter.com' 'links.xxxcounter.com' 'rr1.xxxcounter.com' 'start.xxxcounter.com' 'ifa.camads.net' 'ifa.keezlive.com' 'ifa.pornhublive.com' 'aphrodite.porntrack.com' 'stats1.porntrack.com' 'stats3.porntrack.com' 'www.seehits.com' 'as.sexad.net' 'counter2.sextracker.com' 'counter3.sextracker.com' 'counter4.sextracker.com' 'counter5.sextracker.com' 'counter6.sextracker.com' 'counter7.sextracker.com' 'counter8.sextracker.com' 'counter9.sextracker.com' 'counter10.sextracker.com' 'counter11.sextracker.com' 'counter12.sextracker.com' 'counter13.sextracker.com' 'counter14.sextracker.com' 'counter15.sextracker.com' 'counter16.sextracker.com' 'adserver.spankaway.com' 'adserver.spctl.com' 'asian.streamate.com' 'broadcaster.streamate.com' 'ebony.streamate.com' 'ifa.tube8live.com' 'banners.weselltraffic.com' 'clicks.weselltraffic.com' 'feeds.weselltraffic.com' 'webmaster.worldsex.com' 'ifa.xhamstercams.com' 'ifa.yobtcams.com' 'static.ifa.yobtcams.com' 'ifa.youjizzlive.com' 'ifa.youpornmate.com' 'kissfmro.count.brat-online.ro' 'didacticro.count.brat-online.ro' 'affinity.go2jump.org' 'adkengage.com' 'mv.bidsystem.com' 'kc.mv.bidsystem.com' 'icon.cubics.com' 'adsvr.adknowledge.com' 'bidsystem.adknowledge.com' 'bsclick.adknowledge.com' 'web.adknowledge.com' 'updates.desktop.ak-networks.com' 'vlogic.ak-networks.com' 'bspixel.bidsystem.com' 'cxpixel.bidsystem.com' 'feedx.bidsystem.com' 'tagline.bidsystem.com' 'ads.digitalmedianet.com' 'adserver.digitalmedianet.com' 'metrics.impactengine.com' '15minlt.adocean.pl' 'ad.adocean.pl' 'afilv.adocean.pl' 'aripaee.adocean.pl' 'b92rs.adocean.pl' 'bg.adocean.pl' 'bggde.adocean.pl' 'bggde-new.adocean.pl' 'blitzbg.adocean.pl' 'by.adocean.pl' 'cz.adocean.pl' 'delfiee.adocean.pl' 'delfilt.adocean.pl' 'delfilv.adocean.pl' 'diginet.adocean.pl' 'digital4ro.adocean.pl' 'edipresse.adocean.pl' 'ee.adocean.pl' 'eegde.adocean.pl' 'gspro.adocean.pl' 'hr.adocean.pl' 'hrgde.adocean.pl' 'hugde.adocean.pl' 'ilgde.adocean.pl' 'indexhu.adocean.pl' 'intactro.adocean.pl' 'investorbg.adocean.pl' 'keepaneyemk.adocean.pl' 'lrytaslt.adocean.pl' 'lt.adocean.pl' 'lv.adocean.pl' 'my.adocean.pl' 'myao.adocean.pl' 'ohtulehtee.adocean.pl' 'pracuj.adocean.pl' 'realitatero.adocean.pl' 'ringierro.adocean.pl' 'ringierrs.adocean.pl' 'ro.adocean.pl' 'ro1ro.adocean.pl' 'rogde.adocean.pl' 'rs.adocean.pl' 'rsgde.adocean.pl' 's1.sk.adocean.pl' 's1.cz.adocean.pl' 's1.czgde.adocean.pl' 's1.delfilt.adocean.pl' 's1.edipresse.adocean.pl' 's1.gojobsru.adocean.pl' 's1.my.adocean.pl' 's1.myao.adocean.pl' 's1.pracuj.adocean.pl' 's1.skgde.adocean.pl' 'sk.adocean.pl' 'si.adocean.pl' 'sportalbg.adocean.pl' 'thinkdigitalro.adocean.pl' 'tvn.adocean.pl' 'tvn2.adocean.pl' 'ua.adocean.pl' 'vbbg.adocean.pl' 'webgroundbg.adocean.pl' 'www.adorigin.com' 'storage.adsolutions.nl' 'telgids.adsolutions.nl' 'adserver.webads.it' 'adserver.webads.nl' 'adserver.webads.co.uk' 'st.adnow.com' 'st.ad.adnow.com' 'st.n.ads1-adnow.com' 'st.n.ads2-adnow.com' 'st.n.ads3-adnow.com' 'agevs.com' 'spots.ah-me.com' 'alfatraffic.com' 'www.antaraimedia.com' 'abc.doublegear.com' 'ads.fulldls.com' 'www.glxgroup.com' 'ad.iloveinterracial.com' 'cdn.mirageads.net' 'www.myshovel.com' 'st.ad.smaclick.com' 'teens24h.com' 'upads.info' 'cd-ads.com' 'delivery.hornyspots.com' 'f-js1.spotsniper.ru' 'st.pc.adonweb.ru' 'a1.mediagra.com' 'a2.mediagra.com' 'a3.mediagra.com' 'a4.mediagra.com' 'a5.mediagra.com' 'st.pay-click.ru' 'rb-net.com' 'rotator.trafficstars.com' 'ads.xhamster.com' 'm2.xhamster.com' 'partners.xhamster.com' 'aalbc.advertserve.com' 'cdn.advertserve.com' 'circuit.advertserve.com' 'divavillage.advertserve.com' 'hometheaterreview.advertserve.com' 'imagevenue.advertserve.com' 'oppknocks.advertserve.com' 'pridesource.advertserve.com' 'projectorreviews.advertserve.com' 'tradearabia.advertserve.com' 'tradefx.advertserve.com' 'www.advertserve.com' 'austria1.adverserve.net' 'adverserve.austriacomplus.at' 'squid.diepresse.com' 'werbung.diepresse.com' '123.ichkoche.at' 'aus.laola1.tv' 'static.styria-digital.com' 'adstats.adviva.net' 'smp.adviva.net' 'afe2.specificclick.net' 'ads.adviva.net' 'de.ads.adviva.net' 'cluster.adultadworld.com' 'cluster3.adultadworld.com' 'hippo.adultadworld.com' 'newt1.adultadworld.com' 'partners.adultadworld.com' 'textads.adultadworld.com' 'tigershark.adultadworld.com' 'cluster.adworldmedia.com' 'results.adworldmedia.com' 'www.adworldmedia.com' 'err.agava.ru' 'static.adtaily.com' 'static.adtaily.pl' 'ad.glossymedia.pl' 'bantam.ai.net' 'fiona.ai.net' 'ac2.valuead.com' 'ads.valuead.com' 'adsignal.valuead.com' 'axxessads.valuead.com' 'banners.valuead.com' 'hrads.valuead.com' 'moads.valuead.com' 'oin.valuead.com' 'pmads.valuead.com' 'redux.valuead.com' 'reduxads.valuead.com' 'videodetectivenetwork.valuead.com' 'vdn.valuead.com' 'yahooads.valuead.com' 'www.atrx7.com' 'ssum.casalemedia.com' 'rainbow-de.mythings.com' 'rainbow-es.mythings.com' 'rainbow-fi.mythings.com' 'rainbow-mx.mythings.com' 'rainbow-no.mythings.com' 'rainbow-ru-ak.mythings.com' 'rainbow-ru.mythings.com' 'rainbow-sg.mythings.com' 'cdn.taboola.com' 'c.webtrends.com' 'cdn-static.liverail.com' 'tracking.admarketplace.net' 'static.ampxchange.com' 'p.bm23.com' 'ads.pictela.net' 'tag.researchnow.com' 'b.thanksearch.com' 'e.thanksearch.com' 'www.77tracking.com' 'ak1s.abmr.net' 'targeting.adwebster.com' 'cdn.betrad.com' 'c.betrad.com' 'ads.static.blip.tv' 'cdn1.clkcln.com' 'fast.ecs.demdex.net' 'fast.ford.demdex.net' 'fast.td.demdex.net' 'ma156-r.analytics.edgekey.net' '79423.analytics.edgekey.net' 'my-cdn.effectivemeasure.net' 'cdn.fastclick.net' 'm1.fwmrm.net' 'js.indexww.com' 'a01.korrelate.net' 'a02.korrelate.net' 'plugin.mediavoice.com' 'vastx.moatads.com' 'geo.nbcsports.com' 'sana.newsinc.com' 'cdn.optimatic.com' 'c1.rfihub.net' 'files4.securedownload01.com' 'ad.sitemaji.com' 'ranker.springboardplatform.com' 'ads.yldmgrimg.net' 'e1.zedo.com' 'e2.zedo.com' 'z1.zedo.com' 'redir.adap.tv' 'delivery-s3.adswizz.com' 'fast.fairfaxau.demdex.net' 'fast.philly.demdex.net' 'tiads.instyle.com' 'tracker.marinsm.com' 'iocdn.coremetrics.com' 'update.hiconversion.com' 'secure.img-cdn.mediaplex.com' 'by.essl.optimost.com' 'ak.quantcast.com' 'widget.quantcast.com' 'mediaserver.bwinpartypartners.com' 'www.everestjs.net' 'video.unrulymedia.com' 'cdn.static.zdbb.net' 'ad131m.adk2.co' 'adsrvmedia.adk2.co' 'adtgs.adk2.co' 'cdn.adk2.co' 'matomy.adk2.co' 'ad-media.xe.gr' 'www.adobetag.com' 'a.adready.com' 'www.adreadytractions.com' 'cdn.adsrvmedia.net' 'content.adtegrity.net' 'bannerfarm.ace.advertising.com' 'uac.advertising.com' 'secure.uac.advertising.com' 'content.aimatch.com' 'cdn2sitescout-a.akamaihd.net' 'content.axill.com' 'static.adziff.com' 'cdn2.adsdk.com' 'rmd.atdmt.com' 'spd.atdmt.com' 'spe.atdmt.com' 'vid.atdmt.com' 'cdn.atomex.net' 'cdn.atwola.com' 'akamai.t.axf8.net' 'content.bannerconnect.net' 'static-cdn.labs.burstnet.com' 'ip.casalemedia.com' 'ads.cdnslate.com' 'cc.chango.com' 'cdn1.clkads.com' 'cdn1.clkmon.com' 'cdn1.clkoffers.com' 'cdn1.clkrev.com' 'tiads.sportsillustrated.cnn.com' 'libs.de.coremetrics.com' 'mktgcdn.de.coremetrics.com' 'tmscdn.de.coremetrics.com' 'content.cpxinteractive.com' 'fff.dailymail.co.uk' 'fast.adobe.demdex.net' 'fast.bet.demdex.net' 'fast.condenast.demdex.net' 'fast.de.demdex.net' 'fast.dm.demdex.net' 'fast.everydayhealth.demdex.net' 'fast.fedex.demdex.net' 'fast.gm.demdex.net' 'fast.iyogi.demdex.net' 'fast.marthastewart.demdex.net' 'fast.nfl.demdex.net' 'fast.postmedia.demdex.net' 'fast.sears.demdex.net' 'fast.swa.demdex.net' 'fast.telstra.demdex.net' 'fast.torontostar.demdex.net' 'fast.twc.demdex.net' 'analytics.disneyinternational.com' 'edge.aperture.displaymarketplace.com' 'files4.downloadnet1188.com' 'cdn1sitescout.edgesuite.net' 'ma74-r.analytics.edgesuite.net' 'ma76-c.analytics.edgesuite.net' 'ma204-r.analytics.edgesuite.net' 'img.en25.com' 'tiads.essence.com' 'tiads.ew.com' 's.fl-ads.com' 'promo.freshdirect.com' 'www30a1.glam.com' 'www30a6.glam.com' 'cdn.insights.gravity.com' 'b.grvcdn.com' 'tiads.health.com' 'js.hs-analytics.net' 'ads-a-darwin.hulu.com' 'cdn.innity.net' 'cdn.media.innity.net' 'secure.insightexpressai.com' 'service.maxymiser.net' 's2.mdpcdn.com' 'cdn.mediavoice.com' 'd-track.send.microadinc.com' 'mnet-ad.net' 's.moatads.com' 'svastx.moatads.com' 'z.moatads.com' 'e.monetate.net' 'sb.monetate.net' 'se.monetate.net' 'ads2.msads.net' 'cdn.mxpnl.com' 'rainbow-nl.mythings.com' 's.ntv.io' 'adcache.nymag.com' 'cdn3.optimizely.com' 'images.outbrain.com' 'storage.outbrain.com' 'widgets.outbrain.com' 'cdn.polmontventures.com' 'a.postrelease.com' 'www.geolocation.performgroup.com' 'abo.prismamediadigital.com' 'aboutads.quantcast.com' 'adv.r7.com' 'p0.raasnet.com' 'imagec15.247realmedia.com' 'pr.realvu.net' 'c2.rfihub.net' 'media.richrelevance.com' 'b.rmgserving.com' 'c.rmgserving.com' 'd.rmgserving.com' 'content.rmxads.com' 'analytics.rogersmedia.com' 'rsc.scmspain.com' 'm.servebom.com' 'secure-ds.serving-sys.com' 'download.cdn.sharelive.net' 'wd-edge.sharethis.com' 'ws.sharethis.com' 'cms.springboardplatform.com' 'api.taboola.com' 'c2.taboola.com' 'images.taboola.com' 'netstorage.taboola.com' 'trc.taboola.com' 'a.thanksearch.com' 'c.thanksearch.com' 'f.thanksearch.com' 'content.thewheelof.com' 'lib.spinmedia.com' 'cdn.vidible.tv' 'sb.voicefive.com' 'content.womensforum.com' 'content.yieldmanager.com' 'content-ssl.yieldmanager.com' 'static.yieldmo.com' 'analytics.yolacdn.net' 'ss3.zedo.com' 'tt3.zedo.com' 'xp1.zedo.com' 'xp2.zedo.com' 'cdn.adstract.com' 'dsum-sec.casalemedia.com' 's3.addthis.com' 's7.addthis.com' 's9.addthis.com' 'ssltracking.esearchvision.com' 'ads.undertone.com' 'ads.vegas.com' 'aka.accortech.com' 'cdn.ad4game.com' 'c03.adsummos.net' 'e35fbf.t.axf8.net' 'www.bkrtx.com' 'i.l.cnn.net' 'c.compete.com' 'dsa.csdata1.com' 'cdn.demdex.net' 'fast.bostonglobe.demdex.net' 'omnikool.discovery.com' 'aperture.displaymarketplace.com' 'cdn.doubleverify.com' '79423.analytics.edgesuite.net' 'ma156-r.analytics.edgesuite.net' 'cdn.siteanalytics.evolvemediametrics.com' 'cdn1.eyewonder.com' 'media.ftv-publicite.fr' 'dl.futureus.com' 'a.giantrealm.com' 'www30a5.glam.com' 'hs.interpolls.com' 'stream11.instream.com' 'ad.jamba.it' 'kona.kontera.com' 'cdn.krxd.net' 'rt.liftdna.com' 'a.ligatus.com' 'sr2.liveperson.net' 'contextual.media.net' 'gallys.nastydollars.com' 'traktr.news.com.au' 'dmeserv.newsinc.com' 'ad.policeone.com' 'graphics.pop6.com' 'ads.pro-market.net' 'a.rmgserving.com' 'track.sitetag.us' 'as.specificmedia.com' 'anon.doubleclick.speedera.net' 'fms2.eyewonder.speedera.net' 'd.thanksearch.com' 'tribalfusion.speedera.net' 'ad2.turn.com' 'urls.api.twitter.com' 'media-0.vpptechnologies.com' 'c14.zedo.com' 'static.atgsvcs.com' 'a.adroll.com' 'content.budsinc.com' 'cts.channelintelligence.com' 'aa.connextra.com' 'bb.connextra.com' 'cc.connextra.com' 'dd.connextra.com' 'ee.connextra.com' 'ff.connextra.com' 'tmscdn.coremetrics.com' 'metrics.ctvdigital.net' 'adinterax.cnet.com.edgesuite.net' 'c6.edgesuite.net' 'citi.bridgetrack.com.edgesuite.net' 'content.yieldmanager.edgesuite.net' 'fastclick.com.edgesuite.net' 'akatracking.esearchvision.com' 'cdn.springboard.gorillanation.com' 'cdn.triggertag.gorillanation.com' 'static.inviziads.com' 'vox-static.liverail.com' 'banner.missingkids.com' 'b.monetate.net' 'tracking.olx.com' 'i.cdn.openx.com' 'cdn.optmd.com' 'ads.premiereinteractive.com' 'l1.qsstats.com' 'adimages.scrippsnetworks.com' 'ds.serving-sys.com' 'ds-ll.serving-sys.com' 'download.cdn.shareazaweb.com' 'graphics.streamray.com' 'cdn.turn.com' 'download.cdn.downloadquick.net' 'download.cdn.torchbrowser.com' 'www.letssearch.com' 'www.nbcsearch.com' 'www.software-hq.net' 'ad.flux.com' 't.flux.com' 'zedoadservices.com' 'cnzz.mmstat.com' 'acookie.alimama.com' 'hz.mmstat.com' 'log.mmstat.com' 'pcookie.taobao.com' 'ac.mmstat.com' 'gm.mmstat.com' 'ad.360yield.com' 'fw.adsafeprotected.com' 'iw.antthis.com' 's.arclk.net' 'l.betrad.com' 'pixel.captora.com' 'statstracker.celebrity-gossip.net' 'tracking.clickmeter.com' 'www.clickmeter.com' 'tracking.conversionads.com' 'livingsocial.sp1.convertro.com' 'script.crsspxl.com' 'tag.crsspxl.com' 'cam.demdex.net' 'dpm.demdex.net' 'everydayhealth.demdex.net' 'fairfaxau.demdex.net' 'gm.demdex.net' 'nfl.demdex.net' 'philly.demdex.net' 'postmedia.demdex.net' 'swa.demdex.net' 'torontostar.demdex.net' 'toyota.demdex.net' 'ads.domainoptions.net' 'parkcloud.dynadot.com' 'st.dynamicyield.com' 'ads.ehealthcaresolutions.com' 'www.euroconcept.ro' 'track.eyeviewads.com' 'engine.fl-ads.com' 'click.gospect.com' 'api.hexagram.com' 'a.idio.co' 'ads.incmd10.com' 'bootstrap.livefyre.com' 'stream1.livefyre.com' 'flx367.lporirxe.com' 'stream1.marketwatch.fyre.co' 'heapanalytics.com' 'track.hubspot.com' 'c10048.ic-live.com' 'c10051.ic-live.com' 'c10054.ic-live.com' 'c10063.ic-live.com' 'c4.ic-live.com' 'c7.ic-live.com' 'clicks.investors4cash.com' 'geo.jetpackdigital.com' 'trk.kissmetrics.com' 'services.krxd.net' 'api.lanistaads.com' 'lc.livefyre.com' 'lc17.prod.livefyre.com' 'logs.loggly.com' 'cmi.netseer.com' 'h.nexac.com' 'tracking.optimatic.com' 'log3.optimizely.com' 'config.parsely.com' 'crm.pinion.gg' 'docs.pinion.gg' 'kermit.pinion.gg' 'log.pinion.gg' 'motd.pinion.gg' 'tix.pinion.gg' 'wiki.pinion.gg' 'www.pinion.gg' 'statdb.pressflex.com' 'ads1.qadabra.com' 'ads.qadserve.com' 'js4.ringrevenue.com' 'json4.ringrevenue.com' 'rc.rlcdn.com' 'w.coin.scribol.com' 'd.shareaholic.com' 's.shopify.com' 'pix.silverpush.co' 'ads.skinected.com' 'l.springmetrics.com' 'b.t.tailtarget.com' 'ws.tapjoyads.com' '21750.tctm.co' 'beacon.tracelytics.com' 'ads.tracking202.com' 'rtd.tubemogul.com' 'ats.tumri.net' 'w.usabilla.com' 'geoservice.webengage.com' 'tracking.websitealive.com' 'pixel.yabidos.com' 'download.ytdownloader.com' 'www.ytdownloader.com' 'engine.4chan-ads.org' 'ad.adbull.com' 'ads20.adcolony.com' 'ads.adk2.com' 'web-amz.adotube.com' 'insight.adsrvr.org' 'askads.ask.com' 'server1.beaconpush.com' 'socpixel.bidsystem.com' 'static.brsrvr.com' 'go.buzztrk.com' 'www.caphyon-analytics.com' 'adunit.chango.ca' 'ads.chango.com' 'adunit.chango.com' 'ping.chartbeat.net' 'sp1.convertro.com' 'nfl.sp1.convertro.com' 'admonkey.dapper.net' 'b.ensighten.com' 'cs.exitmonitor.com' 'ads.good.is' 'g2.gumgum.com' 'stack9.collect.igodigital.com' 'wenner.collect.igodigital.com' 'pixel.invitemedia.com' 'clicks.izea.com' 'a.lingospot.com' 'a1.opentracker.net' 'indium.openx.net' 'cid.pardot.com' 'vid.pardot.com' 'tracking.percentmobile.com' 'services.picadmedia.com' 'display.provenpixel.com' 'ads.reddit.com' 'www.reelcentric.com' 'rivasearchpage.com' 'tap.rubiconproject.com' 'ad.sharethis.com' 'l.sharethis.com' 'r.sharethis.com' 'smaato.net' 'ads2.smowtion.com' 'socialspark.com' 'req.tidaltv.com' 'redirect.tracking202.com' 'static.tracking202.com' 'p1.tcr21.tynt.com' 'redirect.viglink.com' 'www.w3counter.com' 'ots.optimize.webtrends.com' 'b.wishabi.com' 'track.yieldsoftware.com' 'stats.zmags.com' 'mi9.gscontxt.net' 'cdn.adbooth.net' 'rcm.amazon.com' 'alexa-sitestats.s3.amazonaws.com' 'fls-na.amazon-adsystem.com' 'rcm-eu.amazon-adsystem.com' 'wms-na.amazon-adsystem.com' 'ws-na.amazon-adsystem.com' 'tv4play-se.c.richmetrics.com' 'chuknu.sokrati.com' 'adsradios.adswizz.com' 'exchange.adswizz.com' 'synchrobox.adswizz.com' 'dni.agcdn.com' 'static-shareaholic.s3.amazonaws.com' 'pixelservice.apphb.com' 'tracker.leadenhancer.com' 't13.intelliad.de' 't23.intelliad.de' 'morehitserver.com' 'ads.p161.net' 'track.popmog.com' 'nationalpost-com.c.richmetrics.com' 'nj-com.c.richmetrics.com' 'track.shop2market.com' 'ad.sxp.smartclip.net' 'tracker.vinsight.de' 'r.yieldkit.com' 'srv.uk.znaptag.com' 'dm.demdex.net' 'aax-eu.amazon-adsystem.com' 'ir-de.amazon-adsystem.com' 'ir-uk.amazon-adsystem.com' 'rainbow-us.mythings.com' 'rainbow-geo-p.mythings.com' 'abandonment.saas.seewhy.com' 'ads.adhub.co.nz' 'www.adtaily.com' 'aslads.ask.com' 'analytics.bleacherreport.com' 's.btstatic.com' 'a.company-target.com' 'twc.demdex.net' 'marthastewart.demdex.net' 'hits.epochstats.com' 'js.geoads.com' 'a.goember.com' 's.innovid.com' 'www.intellisuggest.com' 'ads.investingchannel.com' 'o1.inviziads.com' 'tracker.issuu.com' 'create.leadid.com' 'metrics-api.librato.com' 'pixel.newscred.com' 'r.openx.net' 'delivery.optimatic.com' 'u.optorb.com' 'clicks.pureleads.com' 'technologyreview.qwobl.net' 'hitbox.realclearpolitics.com' 'pixel.realtor.com' 'pixel.redditmedia.com' 'click.sellmeyourtraffic.com' 'www.sellmeyourtraffic.com' 'howler.shareaholic.com' 'seg.sharethis.com' 'cdn.spectate.com' 't.tellapart.com' 'track.securedvisit.com' 'api.stathat.com' 'rtb.tubemogul.com' 'api.viglink.com' 'general.visualdna-stats.com' 'a.visualrevenue.com' 'www.webspectator.com' 'cdn.beaconpush.com' 'fedex.demdex.net' 'tags.deployads.com' 'track.keywordstrategy.org' 'a.klaviyo.com' 'cdn.segment.io' 'cdn.boomtrain.com' 'js.coinisrsdelivery.com' 's.idio.co' 'publish.webmasterbond.com' 'cdn.yb0t.com' 'creative.admtpmp123.com' 'creative.admtpmp124.com' 'matchbin-assets.s3.amazonaws.com' 'springclick-ads.s3.amazonaws.com' 'd1zatounuylvwg.cloudfront.net' 'd26b395fwzu5fz.cloudfront.net' 'jptracking.elasticbeanstalk.com' 'ads.goodreads.com' 'nau.hexagram.com' 't.mdn2015x3.com' 'asset.pagefair.net' 'static.springmetrics.com' 's.206solutions.com' 'aax.amazon-adsystem.com' 'htmlads.s3.amazonaws.com' 'mondoads.s3.amazonaws.com' 'vml1.s3.amazonaws.com' 'files.bannersnack.com' 'tags.hypeads.org' 'px.smowtion.com' 'cdn.adk2.com' 'cache.adnet-media.net' 'ads.advertisespace.com' 'static.adzerk.net' 'adflash.affairsclub.com' 'atrk.alexametrics.com' 'c.amazon-adsystem.com' 'cdn.brcdn.com' 'cdn.comparemetrics.com' 'beacon.jump-time.net' 'cdn.komoona.com' 'adimg.luminate.com' 'assets.luminate.com' 'static.luminate.com' 'content.mkt922.com' 't.neodatagroup.com' 'track.netshelter.net' 'static.parsely.com' 'static.tellapart.com' 'ad01.tmgrup.com.tr' 'a.tvlim.com' 'cdn.udmserve.net' 'a1.vdna-assets.com' '63mx.com' 'ads.ad-center.com' 'static.adk2.com' 'rev.adip.ly' 'async01.admantx.com' 'data.adsrvr.org' 'avidtrak.com' 'x.bidswitch.net' 'recon.bleacherreport.com' 'metrics.brightcove.com' 'eue.collect-opnet.com' 'intuit.sp1.convertro.com' 'addshoppers.t.domdex.com' 'affinity-xml.t.domdex.com' 'magnetic.domdex.com' 'magnetic.t.domdex.com' 'theinternetworksltd-news.t.domdex.com' 'static.etracker.com' 'go.goroost.com' 'chktrk.ifario.us' '7209235.collect.igodigital.com' 'nova.collect.igodigital.com' 'app.passionfruitads.com' 't.pswec.com' 'ads.publish2.com' 'img.pulsemgr.com' 'siteintercept.qualtrics.com' 'load.scanscout.com' 'receive.inplay.scanscout.com' 'www.sendori.com' 'analytics.shareaholic.com' 'cm.shareaholic.com' 'snowplow-collector.sugarops.com' 'affiliate.techstats.net' 's.thebrighttag.com' 'thelocalsearchnetwork.com' 'analytics.tout.com' 'stage.traffiliate.com' 'event.trove.com' 'ads.tunein.com' 'services.webspectator.com' 'ads.yashi.com' 'adserver.webmasterbond.com' 'code2.adtlgc.com' 'c1926.ic-live.com' 'l.linkpulse.com' 's248.meetrics.net' 's282.meetrics.net' 'counter.personyze.com' 'pong.qubitproducts.com' 'dn.c.richmetrics.com' 'measure.richmetrics.com' 'sync.richmetrics.com' 'geo.sanoma.fi' 'abp.smartadcheck.de' 'js.smartredirect.de' 'qa.stats.webs.com' 'prod-js.aws.y-track.com' 'go.affec.tv' 'stats.dailyrecord.co.uk' 'rainbow.mythings.com' 'www.smartredirect.de' 'cts.lipixeltrack.com' 'www.collect.mentad.com' 'idsync.rlcdn.com' 'adsssl.smowtion.com' 'beta.f.adbull.com' 'www.adotube.com' 'adsresult.net' 'pixel.adsafeprotected.com' 'match.adsrvr.org' 'api.adsymptotic.com' 'ads.adual.net' 'engine2.adzerk.net' 'vpc.altitude-arena.com' 'a.amxdt.com' 'data.apn.co.nz' 'tracking.badgeville.com' 'barilliance.net' 'www.barilliance.net' 'alleyezonme-collection.buzzfeed.com' 'srv.clickfuse.com' 'baublebar.sp1.convertro.com' 'api.demandbase.com' 'adobe.demdex.net' 'condenast.demdex.net' 'fairfax.demdex.net' 'mtvn.demdex.net' 'a.dpmsrv.com' 'px.dynamicyield.com' 'beacon.examiner.com' 'da.feedsportal.com' 'gonzogrape.gumgum.com' 'ads.havenhomemedia.com' 'analytics.hgcdn.net' '1168.ic-live.com' '1687.ic-live.com' '1839.ic-live.com' 'c1839.ic-live.com' 'c1921.ic-live.com' 'stack7.collect.igodigital.com' 'a.imonomy.com' 'rtr.innovid.com' 'www.jetpackdigital.com' 'c.jsrdn.com' 'i.kissmetrics.com' 'a.komoona.com' 'ad.leadboltads.net' 'ad3.liverail.com' 'ad4.liverail.com' 'ads.lucidmedia.com' 'tags.mediaforge.com' 'engine.nectarads.com' 'd.neodatagroup.com' 'analytics.newsinc.com' 'ox-d.newstogram.com' 'script.opentracker.net' 'server1.opentracker.net' 'server10.opentracker.net' 'log.optimizely.com' 'ntracking.optimatic.com' 'stats.pagefair.com' 'ads.pe.com' 'adserve.postrelease.com' 'lt.retargeter.com' 'collect.rewardstyle.com' 'mrp.rubiconproject.com' 'zeroclick.sendori.com' 'reporting.singlefeed.com' 'go.sonobi.com' 'search34.info.com' 'sync.search.spotxchange.com' 'js.srcsmrtgs.com' 'cdn.targetfuel.com' 'e.targetfuel.com' 'sslt.tellapart.com' 'i.trkjmp.com' 'beacon.videoegg.com' 'ads.wdmgroup.com' 'analytics.wishabi.ca' 'track.written.com' 'www.wtp101.com' 'zdbb.net' 'adsys.adk2x.com' 's.admathhd.com' 'client-verify.adtricity.com' 'www.applicationcontenttag.com' 'www.appsgrabbundles.com' 'ad.atdmt.com' 'www.bestcleardownloads.com' 'www.bestofreeapps.com' 'www.bitssendnow.com' 'www.bompcore.info' 'api.boomtrain.com' 'events.boomtrain.com' 'track.clicktraq.co' 'promo.clicnscores.com' 'consolefiles.info' 'aexp.demdex.net' 'pc1.dntrax.com' 'fastdownload10.com' 'dmp.gravity4.com' 'imads.integral-marketing.com' 'www.jddfmlafmdamracvaultsign.com' 'jwpltx.com' 'i.n.jwpltx.com' 'beacon.livefyre.com' 'js.matheranalytics.com' 'www.mftracking.com' 'c.newsinc.com' 'track.rtdock.com' 'pixel.mtrcs.samba.tv' 'tracker.samplicio.us' 'recommender.scarabresearch.com' 'track.scrillaspace.com' 'p.securedownload01.com' 'www.sharecapitalgrab.com' 's.tagsrvcs.com' 'd.t.tailtarget.com' 'www.trackingclick.net' 't.trrker.com' 'www.updatemetagift.com' 'www.zamontazz.info' 'zs1.zeroredirect1.com' 'www.zgaentinc.info' 't.zqtk.net' 'www.hostbodytower.com' 't.adk2.com' 'adrzr.com' 'www.bestdownloadapps.com' 'track.isp-survey.com' 'cdn.jdrinisocsachostdownload.com' 'admin1.newmagnos.com' 'cdn.opensubcontent.com' 'www.signsbitssign.com' 'www.todaybytehosting.com' 'collector-195.tvsquared.com' 'www.universebundlegrab.com' 'www.younewfiles.com' 'track.absoluteclickscom.com' 't.acxiom-online.com' 'api.addnow.com' 'adstract.adk2x.com' 'dy.adserve.io' 'tag.apxlv.com' 'stat.dailyoffbeat.com' 'freecharge.demdex.net' 'iyogi.demdex.net' 'widgets.kiosked.com' 'tracking.listhub.net' 'trax.prostrax.com' 'p.pxl2015x1.com' 'trends.revcontent.com' 'beacon.sojern.com' 'srv.stackadapt.com' 'tar.tradedoubler.com' 'n9bcd.ads.tremorhub.com' 'partners.tremorhub.com' 'admediator.unityads.unity3d.com' 'app.yieldify.com' 'zm1.zeroredirect5.com' 'tracker.us-east.zettata.com' 'm.altitude-arena.com' 'www.cloudtracked.com' 'tracker.freecharge.in' 'ads.grabgoodusa.com' 'securedownload01.net' 'ads.servebom.com' 'neo.go.sonobi.com' 'match.xg4ken.com' 't.ad2games.com' 'ad132m.adpdx.com' 'cdn.adpdx.com' 'admtpmp127.adsk2.co' 'adplexmedia.adk2.co' 'ad.adsrvr.org' 'ads-verify.com' 'cdn.appdynamics.com' 'promotions.betfred.com' 'tag.bounceexchange.com' 'd1z2jf7jlzjs58.cloudfront.net' 'd2zah9y47r7bi2.cloudfront.net' 'script.crazyegg.com' 'cu.genesismedia.com' 'cucdn.genesismedia.com' 'php.genesismedia.com' 'gscounters.eu1.gigya.com' 'c1937.ic-live.com' 'resources.kiosked.com' 'cdn.listrakbi.com' 'www.livefyre.com' 'cdn.matheranalytics.com' 't.mdn2015x2.com' 'ads.mic.com' 'dbg52463.moatads.com' 't.mtagmonetizationa.com' 'files.native.ad' 'ps.ns-cdn.com' 'match.rundsp.com' 'tag.mtrcs.samba.tv' 'cdn.scarabresearch.com' 'code.adsales.snidigital.com' 's5.spn.ee' 'sumome.com' 'load.sumome.com' 's.uadx.com' 'w.visualdna.com' 'wfpscripts.webspectator.com' 'cdn.yldbt.com' 'saxp.zedo.com' '2664.tm.zedo.com' '3211.tm.zedo.com' 'cdn.zettata.com' 'srv-us.znaptag.com' 'get1.0111design.info' 'api.access-mc.com' 'adsrvmedia.adk2.net' 'ads.adaptv.advertising.com' 'tracking.affiliates.de' 'arena.altitude-arena.com' 'ca.altitude-arena.com' 'pstats.blogworks.com' 'clicksimpact.cashtrk.com' 'a.centrum.cz' 'chosurvey.net' 'click.clktraker.com' 'stats.cloudwp.io' 'ad.cpmaxads.com' 'ads.creative-serving.com' 'bostonglobe.demdex.net' 'ford.demdex.net' 'www.dntx.com' 'nz-ssl.effectivemeasure.net' 's.effectivemeasure.net' 'counter.entertainmentwise.com' 'exciteable.net' 'exciteair.net' 'lp.ezdownloadpro.info' 'cdn.firstimpression.io' 'j.flxpxl.com' 'c10060.ic-live.com' 'matcher.idtargeting.com' 'ccs.infospace.com' 'www.i.matheranalytics.com' 'banners.moreniche.com' 'analytics.cnd-motionmedia.de' 'neecot.org' 'www.onadstracker.com' 'odds.optimizely.com' 'ads.polmontventures.com' 'ad.pxlad.io' 'ad-us-east-1.pxlad.io' 'api.revcontent.com' 'bomcl.richmetrics.com' 'd.tailtarget.com' 'j.traffichunt.com' 'www.trustedbestsites.com' 'uadx.com' 'analytics.upworthy.com' 'vacationcellular.net' 'rumds.wpdigital.net' 'yevins.com' 'i.yldbt.com' 'z2.zedo.com' 'segment-data.zqtk.net' 'get1.0111box.info' 's.206ads.com' 'ib.3lift.com' 'creative.ad122m.com' 'ad130m.adpdx.com' 'optimize.adpushup.com' 'ads-stream.com' 'js.apxlv.com' 'ads.adbooth.com' 'cdn.adbooth.com' 'www.adbooth.com' 'creative.adbooth.net' 'cdn.adengage.com' 'code.adengage.com' 'srv.adengage.com' 'api.adip.ly' 'ad132m.adk2.co' 'adbooth.adk2.co' 'creative.admtpmp127.com' 'cdn.adplxmd.com' 'files-www2.adsnative.com' 'static.adsnative.com' 'files.adspdbl.com' 'js.adsrvr.org' 'data.alexa.com' 'advice-ads.s3.amazonaws.com' 'ps-eu.amazon-adsystem.com' 'ps-us.amazon-adsystem.com' 'z-na.amazon-adsystem.com' 'cdn.installationsafe.net.s3.amazonaws.com' 'slate-ad-scripts.s3.amazonaws.com' 'znaptag-us.s3.amazonaws.com' 'cdn.avmws.com' 'beachfrontio.com' 't.beanstalkdata.com' 'ad.broadstreetads.com' 'cdn.broadstreetads.com' 'pageurl.btrll.com' 'pageurl-brx.btrll.com' 'pix.btrll.com' 'shim.btrll.com' 'vw.btrll.com' 'cdn.bttrack.com' 'adg.bzgint.com' 'dynamic.cannedbanners.com' 'data.captifymedia.com' 't.channeladvisor.com' 'tracking2.channeladvisor.com' 'www.clicktripz.com' 'images1.cliqueclack.com' 'd1fc8wv8zag5ca.cloudfront.net' 'd1l6p2sc9645hc.cloudfront.net' 'd1piupybsgr6dr.cloudfront.net' 'd13dhn7ldhrcf6.cloudfront.net' 'd2nq0f8d9ofdwv.cloudfront.net' 'd2oh4tlt9mrke9.cloudfront.net' 'd31qbv1cthcecs.cloudfront.net' 'd3c3cq33003psk.cloudfront.net' 'd3dcugpvnepf41.cloudfront.net' 'd3ujids68p6xmq.cloudfront.net' 'd33f10u0pfpplc.cloudfront.net' 'd33j9ks96yd6fm.cloudfront.net' 'd38cp5x90nxyo0.cloudfront.net' 'd5nxst8fruw4z.cloudfront.net' 'd8rk54i4mohrb.cloudfront.net' 'dl1d2m8ri9v3j.cloudfront.net' 'dff7tx5c2qbxc.cloudfront.net' 'rec.convertale.com' 'cdn-1.convertexperiments.com' 'use.convertglobal.com' 'casper.sp1.convertro.com' 'livenation.sp1.convertro.com' 'magazines.sp1.convertro.com' 'p.cpx.to' 'admp-tc.delfi.lv' 'scripts.demandbase.com' 'bet.demdex.net' 'cbsi.demdex.net' 'de.demdex.net' 'foxnews.demdex.net' 'sears.demdex.net' 'intbrands.t.domdex.com' 'td.demdex.net' 'tags-cdn.deployads.com' 'cdn.directrev.com' 'pds.directrev.com' 'xch.directrev.com' 'p1.dntrck.com' 'tiscali.js.ad.dotandad.com' 'cdn.elasticad.net' 'col.eum-appdynamics.com' 'banner.euroads.no' 'imp.euroads.no' 'pool.euroads.no' 'tracking1.euroads.no' 'cdn.evergage.com' 'hj.flxpxl.com' 'beacon.guim.co.uk' 'www.have9to.info' 'cdn.heapanalytics.com' 'cdn.performance.hlads.com' 'beam.hlserve.com' 'cdn.iasrv.com' 'c1349.ic-live.com' 'c1935.ic-live.com' 'c10050.ic-live.com' 'c10064.ic-live.com' '1703.ic-live.com' 'cdn.idtargeting.com' 'cdn.ip.inpwrd.com' 'cdn.libraries.inpwrd.com' 'load.instinctiveads.com' 'a.cdn.intentmedia.net' 'prod-services.interactiveone.com' 'cdn.investingchannel.com' 'admp-tc.iltalehti.fi' 'beacon.jumptime.com' 'timeseg.modules.jumptime.com' 'ad.kiosked.com' 'cdn.kixer.com' 'stat.komoona.com' 'adserver.kontextua.com' 'cf.ads.kontextua.com' 'collector.leaddyno.com' 'd.liadm.com' 'p.liadm.com' 'd.lumatag.co.uk' 'creative.m2pub.com' 's.m2pub.com' 'bc.marfeel.com' 'tags.mdotlabs.com' 'js.ad.mediamond.it' 'edge.metroleads.com' 'contentz.mkt51.net' 'contentz.mkt912.com' 'content.mkt931.com' 'content.mkt932.com' 'contentz.mkt932.com' 'contentz.mkt941.com' 'w.mlv-cdn.com' 'track.moreniche.com' 't.mtagmonetizationc.com' 'c.mtro.co' 'zdbb.netshelter.net' 'mix-test.uts.ngdata.com' 'eu.npario-inc.net' 'meter-svc.nytimes.com' 'ninja.onap.io' 'cdn.onscroll.com' 'vast.optimatic.com' 'pagefair.com' 'c.pebblemedia.be' 'analytics.dev.popdust.com' 'jadserve.postrelease.com' 's.ppjol.net' 'static.proximic.com' 'static.publish2.com' 'i.pxlad.io' 'static.pxlad.io' 'embed-stats.rbl.ms' 'frontpage-stats.rbl.ms' 'site-stats.rbl.ms' 'savvyads.com' 'ads.savvyads.com' 'collector.savvyads.com' 'mtrx.go.sonobi.com' 'analytics.revee.com' 'di-se.c.richmetrics.com' 'di-banner-se.c.richmetrics.com' 'vancouversun-com.c.richmetrics.com' 'cdn.sail-horizon.com' 'shareaholic.com' 'clickcdn.shareaholic.com' 'cdn.siftscience.com' 'tags.smowtion.com' 'gsf-cf.softonic.com' 'pixel.sojern.com' 'eventlogger.soundcloud.com' 'www.tagifydiageo.com' 'a.teads.tv' 'cdn.teads.tv' 't.teads.tv' 'static.tellaparts.com' 'ads.traffichunt.com' 'cdn.traffichunt.com' 'assets.tapad.com' 'analytics.userreport.com' 'cdn.userreport.com' 'sdscdn.userreport.com' 'tracking.rce.veeseo.com' 'delivery.vidible.tv' 'wsc1.webspectator.com' 'zafiti01.webtrekk-us.net' 'triggers.wfxtriggers.com' '3165.tm.zedo.com' 'www.zergnet.com' 'd.254a.com' 'kwserver.adhispanic.com' 'ads.adiply.com' 'srv.admailtiser.com' 'track.adbooth.net' 'app.adsbrook.com' 'cdn.adual.net' 'cdn.adquantix.com' 'crtl.aimatch.com' 'tr-1.agilone.com' 'cdn.appendad.com' 'www.badassjv.com' 'blockmetrics.com' 'cache.btrll.com' 'engine.carbonads.com' 'ycv.clearshieldredirect.com' 'd12tr1cdjbyzav.cloudfront.net' 'd2vig74li2resi.cloudfront.net' 'desv383oqqc0.cloudfront.net' 'js.convertale.com' 'tc-s.convertro.com' 'track.customer.io' 's.cxt.ms' 'dailymotion.demdex.net' 'error.demdex.net' 'gannett.demdex.net' 'links.services.disqus.com' 'hutchmedia.t.domdex.com' 'cdn5.js.ad.dotandad.com' 'filecdn2.dotandad.com' 's.dpmsrv.com' 'cf.effectivemeasure.net' 'us-cdn.effectivemeasure.net' 'idvisitor.expressnightout.com' 'ps.eyeota.net' 'analytics.fairfax.com.au' 'fmsads.com' 'www.fuze-sea1.xyz' 'ads.g-media.com' 'data.gosquared.com' 'data2.gosquared.com' 'ads.groupcommerce.com' 'c10013.ic-live.com' 'c1947.ic-live.com' 'c1950.ic-live.com' 'p1937.ic-live.com' 'ad.ipredictive.com' 'adserv.impactengine.com' 'adn.impactradius.com' 'stats.instdaddy.com' 'scripts.kissmetrics.com' 'ads.lanistaads.com' 'napi.lanistaads.com' 'rev.lanistaads.com' 'u.mdotlabs.com' 'content.mkt51.net' 'content.mkt941.com' 'f.monetate.net' 'tracker.mozo.com.au' 'papi.mynativeads.com' 'web-clients.mynativeads.com' 'static.nectarads.com' 'cl-c.netseer.com' 'js-agent.newrelic.com' 'adx.openadserve.com' 'load.passionfruitads.com' 'h.ppjol.com' 'traffic.pubexchange.com' 'ads.qadservice.com' 'www.qualitysoftware13.com' 'orca.qubitproducts.com' 'ortc-ws2-useast1-s0005.realtime.co' 'a.remarketstats.com' 'vg-no.c.richmetrics.com' 'partner.shareaholic.com' 'traffic.shareaholic.com' 'cc.simplereach.com' 'edge.simplereach.com' 'analytics.sitewit.com' 'st.smartredirect.de' 'bsf.smowtion.com' 'ts.smowtion.com' 'trial-collector.snplow.com' 'tracking.sokrati.com' 'traffic-offers.com' 'konnect.videoplaza.tv' 'trk.vidible.tv' 'scripts.webspectator.com' 'osc.optimize.webtrends.com' 'a.wishabi.com' 'track.youniversalmedia.com' 'axp.zedo.com' 'geo.ziffdavis.com' 'directile.net' 'api.proofpositivemedia.com' 's.pubmine.com' 't.254a.com' 'r.254a.com' 'yieldmanager.adbooth.com' 'counter.d.addelive.com' 'admaven.adk2x.com' 'adstrac.adk2x.com' 'snwmedia.adk2x.com' 'www.adovida.com' 'secure.adwebster.com' 'pixiedust.buzzfeed.com' 'tracking.crobo.com' 'comcast.demdex.net' 'ecs.demdex.net' 'get.ddlmediaus1000.info' 'collector.githubapp.com' 'geobeacon.ign.com' 'mmtrkpy.com' 'tracking.olx-st.com' 'api.optinmonster.com' 't01.proximic.com' 'go.redirectingat.com' 'track.rtb-media.ru' 'a.rvttrack.com' 'b.siftscience.com' 'ardrone.swoop.com' 'n.targetbtracker.com' 'collector-184.tvsquared.com' 'collector-428.tvsquared.com' 'a3.websitealive.com' 'zb.zeroredirect1.com' 'zc.zeroredirect1.com' 'ze1.zeroredirect1.com' 'js.moatads.com' 'adserver.advertisespace.com' 'aax-us-east-rtb.amazon-adsystem.com' 'ir-na.amazon-adsystem.com' 'rcm-na.amazon-adsystem.com' 'adtago.s3.amazonaws.com' 'sync.cmedia.s3.amazonaws.com' 'ecommstats.s3.amazonaws.com' 'exitsplash.s3.amazonaws.com' 'load.s3.amazonaws.com' 'ncads.s3.amazonaws.com' 'tracking.opencandy.com.s3.amazonaws.com' 'viewerstats.docstoc.com.s3.amazonaws.com' 'www.assoc-amazon.com' 's3.buysellads.com' 'new.cetrk.com' 'trk.cetrk.com' 'dl.gameplaylabs.com' 'ads.jetpackdigital.com' 'dl.keywordstrategy.org' 'media.opencandy.com' 'asset.pagefair.com' 'ads.smowtion.com' 'pixel.tapad.com' 'beacon.tunecore.com' 'p.addthis.com' 'rt3.infolinks.com' 'adaptv.pixel.invitemedia.com' 'g-pixel.invitemedia.com' 'segment-pixel.invitemedia.com' 't.invitemedia.com' 'engine.adzerk.net' 'certify.alexametrics.com' 'www.bizographics.com' 'analytics.brightedge.com' 'edge.analytics.brightedge.com' 'fhg.digitaldesire.com' 'tags.extole.com' 'clicks11.geoads.com' 'tracking.hubspot.com' 'of.inviziads.com' 'preview.leadmediapartners.com' 'ads.livepromotools.com' 'a.monetate.net' 'click.searchnation.net' 'ariel1.spaceprogram.com' 'www.stop-road16.info' 'www.stop-road43.info' 'www.stop-road71.info' 'revelations.trovus.co.uk' 'ttzmedia.com' 'www.ttzmedia.com' 'ev.yieldbuild.com' 'd.adroll.com' 's.adroll.com' 'stats.atoshonetwork.com' 'adweb1.hornymatches.com' 'adweb2.hornymatches.com' 'gbanners.hornymatches.com' 'adv.ilsecoloxix.it' 's32.research.de.com' 'd.skimresources.com' 't.skimresources.com' 'www.supersonicads.com' 'feed.topadvert.ru' 'app.ubertags.com' 'stats3.unrulymedia.com' 'adseu.novem.pl' 'cdn.qbaka.net' 'pixel.advertising.com' 'secure.ace.advertising.com' 'adiq.coupons.com' 'ads-us.pictela.net' 'pix.pulsemgr.com' 'cnn.dyn.cnn.com' 'gdyn.cnn.com' 'gdyn.nascar.com' 'gdyn.nba.com' 'www.ugdturner.com' 'gdyn.veryfunnyads.com' 'dbs.advertising.com' 'opera1-servedby.advertising.com' 'rd.advertising.com' 'servedby.advertising.com' 'bf.mocda1.com' 'adserve.advertising.com' 'wap.advertising.com' 'www.contextualclicks.com' 'www.thesearchster.com' 'ad.dc2.adtech.de' 'img-dc2.adtech.de' 'im.adtech.de' 'ads.aol.co.uk' 'adserver.aol.fr' 'img.bet-at-home.com' 'im.banner.t-online.de' 'adsby.webtraffic.se' 'adtech.de' 'ad-dc2.adtech.de' 'adserver.adtech.de' 'aka-cdn-ns.adtech.de' 'imageserv.adtech.de' 'adserver.adtechus.com' 'aka-cdn.adtechus.com' 'aka-cdn-ns.adtechus.com' 'adserver.eyeonx.ch' 'hiq.fotolog.com' 'at.ontargetjobs.com' 'adsrv.adplus.co.id' 'adssl-dc2.adtech.de' 'secserv.adtech.de' 'adv.aftonbladet.se' 'ads.immobilienscout24.de' 'jt.india.com' 'adv.svd.se' 'ads.adsonar.com' 'ads.tw.adsonar.com' 'js.adsonar.com' 'newsletter.adsonar.com' 'redir.adsonar.com' 'origin2.adsdk.com' 'free.aol.com' 'ar.atwola.com' 'ar7.atwola.com' 'tacoda.at.atwola.com' 'ums.adtechus.com' 'adnet.affinity.com' 'sl-retargeting.adsonar.com' 'demo.advertising.com' 'leadback.advertising.com' 'secure.leadback.advertising.com' 'smrtpxl.advertising.com' 'ads.web.aol.com' 'affiliate.aol.com' 'dynamic.aol.com' 'ar1.atwola.com' 'ar9.atwola.com' 'pixel.ingest.at.atwola.com' 'pr.atwola.com' 'uts-api.at.atwola.com' 'adserver.fixionmedia.com' 'ads.patch.com' 'ssl-sl-retargeting.adsonar.com' 'glb.adtechus.com' 'advertising.com' 'ace-lb.advertising.com' 'ace-tag.advertising.com' 'p.ace.advertising.com' 'r1.ace.advertising.com' 'secure.ace-tag.advertising.com' 'www.advertising.com' 'at.atwola.com' 'uk.at.atwola.com' 'helios.fvn.no' 'helios.gamerdna.com' 'ads.intergi.com' 'v.landingzone.se' 'ng3.ads.warnerbros.com' '1000ps.oewabox.at' 'tracking.kurier.at' 'atvplus.oewabox.at' 'newsnetw.oewabox.at' 'oe24.oewabox.at' 'ooen.oewabox.at' 'orf.oewabox.at' 'qs.oewabox.at' 'salzburg.oewabox.at' 'sdo.oewabox.at' 'sportat.oewabox.at' 'tirolcom.oewabox.at' 'top.oewabox.at' 't-orf.oewabox.at' 'willhab.oewabox.at' 'hit-parade.com' 'loga.hit-parade.com' 'logp.hit-parade.com' 'xiti.com' 'loga.xiti.com' 'logc1.xiti.com' 'logc2.xiti.com' 'logc3.xiti.com' 'logc7.xiti.com' 'logc8.xiti.com' 'logc11.xiti.com' 'logc13.xiti.com' 'logc14.xiti.com' 'logc15.xiti.com' 'logc16.xiti.com' 'logc19.xiti.com' 'logc22.xiti.com' 'logc26.xiti.com' 'logc31.xiti.com' 'logc32.xiti.com' 'logc35.xiti.com' 'logc89.xiti.com' 'logc111.xiti.com' 'logc138.xiti.com' 'logc142.xiti.com' 'logc149.xiti.com' 'logc169.xiti.com' 'logc173.xiti.com' 'logc180.xiti.com' 'logc189.xiti.com' 'logc181.xiti.com' 'logc202.xiti.com' 'logc205.xiti.com' 'logc206.xiti.com' 'logc209.xiti.com' 'logc210.xiti.com' 'logc218.xiti.com' 'logc238.xiti.com' 'logc253.xiti.com' 'logc279.xiti.com' 'logc400.xiti.com' 'logi4.xiti.com' 'logi5.xiti.com' 'logi6.xiti.com' 'logi7.xiti.com' 'logi8.xiti.com' 'logi9.xiti.com' 'logi10.xiti.com' 'logi11.xiti.com' 'logi12.xiti.com' 'logi13.xiti.com' 'logi103.xiti.com' 'logi104.xiti.com' 'logi118.xiti.com' 'logi125.xiti.com' 'logc135.xiti.com' 'logi141.xiti.com' 'logi150.xiti.com' 'logi151.xiti.com' 'logi162.xiti.com' 'logi163.xiti.com' 'logi242.xiti.com' 'logliberation.xiti.com' 'logp.xiti.com' 'logp2.xiti.com' 'logp3.xiti.com' 'logs1125.xiti.com' 'logs1204.xiti.com' 'logs1285.xiti.com' 'logv1.xiti.com' 'logv2.xiti.com' 'logv3.xiti.com' 'logv4.xiti.com' 'logv5.xiti.com' 'logv6.xiti.com' 'logv7.xiti.com' 'logv8.xiti.com' 'logv9.xiti.com' 'logv10.xiti.com' 'logv11.xiti.com' 'logv12.xiti.com' 'logv13.xiti.com' 'logv14.xiti.com' 'logv15.xiti.com' 'logv16.xiti.com' 'logv17.xiti.com' 'logv18.xiti.com' 'logv19.xiti.com' 'logv20.xiti.com' 'logv21.xiti.com' 'logv22.xiti.com' 'logv23.xiti.com' 'logv24.xiti.com' 'logv25.xiti.com' 'logv26.xiti.com' 'logv27.xiti.com' 'logv28.xiti.com' 'logv29.xiti.com' 'logv30.xiti.com' 'logv31.xiti.com' 'logv32.xiti.com' 'logv143.xiti.com' 'logv144.xiti.com' 'logv145.xiti.com' 'www.xiti.com' 'ib.reachjunction.com' 'photobucket.adnxs.com' 'secure.adnxs.com' 'ym.adnxs.com' 'ad.aquamediadirect.com' 'ads.dedicatedmedia.com' 'action.media6degrees.com' 'ad.thewheelof.com' 'a.triggit.com' 'ag.yieldoptimizer.com' 'ads.brand.net' 'px.admonkey.dapper.net' 'load.exelator.com' 'ad.himediadx.com' 'action.mathtag.com' 'cspix.media6degrees.com' 'secure.media6degrees.com' 'tag.yieldoptimizer.com' 'b.adnxs.com' 'nym1.b.adnxs.com' 'gam.adnxs.com' 'ads.bttbgroup.com' 'ad.dedicatedmedia.com' 'ads.matiro.com' 'ads.q1media.com' 'ads.reduxmediagroup.com' 'ad.retargeter.com' 'adan.xtendmedia.com' 'go.accmgr.com' 'advs.adgorithms.com' 'ad2.adnetwork.net' 'float.2299.bm-impbus.prod.nym2.adnexus.net' 'ib.adnxs.com' 'mob.adnxs.com' 'nym1.ib.adnxs.com' 'sin1.g.adnxs.com' 'a.admaxserver.com' 'go.adversal.com' 'rtb-ads.avazu.net' 'tag.beanstock.co' 'servedby.bigfineads.com' 'optimizedby.brealtime.com' 'ads.captifymedia.com' 'x.clickcertain.com' 'ads.clovenetwork.com' 'ads.cpxinteractive.com' 'ads.deliads.com' 'ads.digitalthrottle.com' 'ads.exactdrive.com' 'ads.fidelity-media.com' 'ads.gamned.com' 'tag.gayadnetwork.com' 'ad.imediaaudiences.com' 'secure-id.impressiondesk.com' 'ads.kmdisplay.com' 'tk.ads.mmondi.com' 'ad.netcommunities.com' 'ads.networkhm.com' 'ads.pubsqrd.com' 'ads.sonital.com' 'ads.sonobi.com' 'ads.suite6ixty6ix.com' 'ex.banner.t-online.de' 'ads.up-value.de' 'ads.vntsm.com' 'an.z5x.net' 'b.ds1.nl' 'k1s.nl' 'www.adv-italiana.com' 'www.infotelsrl.com' 'www.juiceadv.com' 'www.prdirectory.biz' 'ads.vjaffiliates.com' 'advdl.ammadv.it' 'adv.arubamediamarketing.it' 'feed.hype-ads.com' 'srv.juiceadv.com' 'bulgariabg.com' 'espresso-reklam.eu' 'openx.imoti.net' 'rot2.imoti.net' 'ads1.legalworld.bg' 'pagead.topobiavi.com' 'uppyads.com' 'ads.zajenata.bg' 'media01.adservinghost.com' 'bielertb.wemfbox.ch' 'blickonl.wemfbox.ch' 'bluewin.wemfbox.ch' 'bolero.wemfbox.ch' 'immosct.wemfbox.ch' 'moneyh.wemfbox.ch' 'nzz.wemfbox.ch' 'qs.wemfbox.ch' 'scout24.wemfbox.ch' 'si.wemfbox.ch' 'sport1.wemfbox.ch' 'swissinf.wemfbox.ch' 'wetter.wemfbox.ch' 'ww651.smartadserver.com' 'securite.01net.com' 'ads.20minutes.fr' 'smart.hola.com' 'ads.horyzon-media.com' 'www.meetic-partners.com' 'ad.prismamediadigital.com' 'ads.publicidad.net' 'addie.verticalnetwork.de' 'adtegrity.com' 'www.adtegrity.com' 'www.axill.com' 'images.axill.in' 'www.globe7.com' 'www.axill.in' 'www.cashtrafic.com' 'ads.clicmanager.fr' '29bca6cb72a665c8.se' '32d1d3b9c.se' 'aabe3b.se' 'aad73c550c.se' 'rotator.adxite.com' 'bfd69dd9.se' 'stats.sa-as.com' 'stats.visistat.com' 'adserver.veruta.com' 'images.tumri.net' 'www.tumri.net' 'ard.sexplaycam.com' 'flashbanners.static.ard.sexplaycam.com' 'ard.xxxblackbook.com' 'flashbanners.static.ard.xxxblackbook.com' 'geo.xxxblackbook.com' 'static.ard.xxxblackbook.com' 'ard.sweetdiscreet.com' 'adsby.uzoogle.com' 'api.nrelate.com' 'adcounter.theglobeandmail.com' 'adrates.theglobeandmail.com' 'ads.globeandmail.com' 'ads1.theglobeandmail.com' 'ecestats.theglobeandmail.com' 'ece5stats1.theglobeandmail.com' 'visit.theglobeandmail.com' 'www1.theglobeandmail.com' 'active.hit.stat24.com' 'home.hit.stat24.com' 'lt3.hit.stat24.com' 'nl4.hit.stat24.com' 'pro.hit.stat24.com' 'redefine.hit.stat24.com' 'redefine2.hit.stat24.com' 'ru2.hit.stat24.com' 's1.hit.stat24.com' 's2.hit.stat24.com' 's3.hit.stat24.com' 's4.hit.stat24.com' 'ua1.hit.stat24.com' 'ua2.hit.stat24.com' 'ua3.hit.stat24.com' 'ua4.hit.stat24.com' 'ua5.hit.stat24.com' 'uk4.hit.stat24.com' 'www.stat24.com' '4affiliate.net' 'clicktrace.info' 'mirageads.net' 'protect-x.com' 'www.getsearchlist.com' 'www.homeoffun.com' '1directory.ru' '1se.org' 'img.royal-cash.com' 'adds1.trafflow.com' 'tds.trafflow.com' 'banners.truecash.com' 'ads.ynot.com' 'ads.svnt.com' 'click.xxxofferz.com' 'bannersgomlm.buildreferrals.com' 'adds.trafflow.com' 'feed.trafflow.com' 'freeimghost.trafflow.com' 'ds.keshet-i.com' 'adserv.mako.co.il' 'sdc.mako.co.il' 'stats.mako.co.il' 'banners.news1.co.il' 'becl23.b2.gns.co.il' 'adserver1.adbrands.co.il' 'ads.doctors.co.il' 'ads.metatron.co.il' 'service1.predictad.com' 'service2.predictad.com' 'creative.xtendmedia.com' 'ads.one.co.il' 'bandoc.d-group.co.il' 'geo.widdit.com' 'ad0.bigmir.net' 'ad1.bigmir.net' 'ad4.bigmir.net' 'ad5.bigmir.net' 'ad6.bigmir.net' 'ad7.bigmir.net' 'adi.bigmir.net' 'c.bigmir.net' 'i.bigmir.net' 't.nrelate.com' 'bitcast-a.v1.iad1.bitgravity.com' 'ads.devicebondage.com' 'ads.fuckingmachines.com' 'ads.hogtied.com' 'ads.publicdisgrace.com' 'ads.sexandsubmission.com' 'ads.thetrainingofo.com' 'ads.ultimatesurrender.com' 'ads.whippedass.com' 'bbtv.blinkx.com' 'streamstats1.blinkx.com' 'ads.uknetguide.co.uk' 'www.bigpenisguide.com' 'fastwebcounter.com' 'stats.ozwebsites.biz' 'www.yrals.com' 'bravenet.com' 'adserv.bravenet.com' 'counter1.bravenet.com' 'counter2.bravenet.com' 'counter3.bravenet.com' 'counter4.bravenet.com' 'counter5.bravenet.com' 'counter6.bravenet.com' 'counter7.bravenet.com' 'counter8.bravenet.com' 'counter9.bravenet.com' 'counter10.bravenet.com' 'counter11.bravenet.com' 'counter12.bravenet.com' 'counter13.bravenet.com' 'counter14.bravenet.com' 'counter15.bravenet.com' 'counter16.bravenet.com' 'counter17.bravenet.com' 'counter18.bravenet.com' 'counter19.bravenet.com' 'counter20.bravenet.com' 'counter21.bravenet.com' 'counter22.bravenet.com' 'counter23.bravenet.com' 'counter24.bravenet.com' 'counter25.bravenet.com' 'counter26.bravenet.com' 'counter27.bravenet.com' 'counter28.bravenet.com' 'counter29.bravenet.com' 'counter30.bravenet.com' 'counter31.bravenet.com' 'counter32.bravenet.com' 'counter33.bravenet.com' 'counter34.bravenet.com' 'counter35.bravenet.com' 'counter36.bravenet.com' 'counter37.bravenet.com' 'counter38.bravenet.com' 'counter39.bravenet.com' 'counter40.bravenet.com' 'counter41.bravenet.com' 'counter42.bravenet.com' 'counter43.bravenet.com' 'counter44.bravenet.com' 'counter45.bravenet.com' 'counter46.bravenet.com' 'counter47.bravenet.com' 'counter48.bravenet.com' 'counter49.bravenet.com' 'counter50.bravenet.com' 'images.bravenet.com' 'linktrack.bravenet.com' 'pub2.bravenet.com' 'pub7.bravenet.com' 'pub9.bravenet.com' 'pub12.bravenet.com' 'pub13.bravenet.com' 'pub16.bravenet.com' 'pub23.bravenet.com' 'pub26.bravenet.com' 'pub27.bravenet.com' 'pub28.bravenet.com' 'pub29.bravenet.com' 'pub30.bravenet.com' 'pub31.bravenet.com' 'pub34.bravenet.com' 'pub39.bravenet.com' 'pub40.bravenet.com' 'pub42.bravenet.com' 'pub43.bravenet.com' 'pub45.bravenet.com' 'pub47.bravenet.com' 'pub49.bravenet.com' 'pub50.bravenet.com' 'xml.bravenet.com' 'segs.btrll.com' 'vast.bp3855098.btrll.com' 'vast.bp3855099.btrll.com' 'vast.bp3854536.btrll.com' 'vast.bp3855984.btrll.com' 'vast.bp3855987.btrll.com' 'vast.bp3855989.btrll.com' 'vast.bp3855991.btrll.com' 'vast.bp3855992.btrll.com' 'yrtas.btrll.com' 'brxserv-21.btrll.com' 'geo-errserv.btrll.com' 'addirector.vindicosuite.com' 'web.vindicosuite.com' 'ads.crawler.com' 'ads.websearch.com' 'tracking.godatafeed.com' 'www.cbeckads.com' 'atrd.netmng.com' 'brnys.netmng.com' 'com-kia.netmng.com' 'com-kodak.netmng.com' 'com-mitsubishi.netmng.com' 'com-morningstar.netmng.com' 'com-vw.netmng.com' 'dms.netmng.com' 'nbcustr.netmng.com' 'vw.netmng.com' 'a.netmng.com' 'display.digitalriver.com' 'stcwbd.com' 'tracking.tomsguide.com' 'tracking.tomshardware.com' 'www.ad.twitchguru.com' 'ads.bl-consulting.net' 'ads.gladen.bg' 'ads10.gladen.bg' 'ads.ibox.bg' 'ads.money.bg' 'www.burstbeacon.com' 'burstmedia.com' 'survey.burstmedia.com' 'websurvey.burstmedia.com' 'ads.burstnet.com' 'gifs.burstnet.com' 'sj.burstnet.com' 'text.burstnet.com' 'www.burstnet.com' 'www2.burstnet.com' 'www3.burstnet.com' 'www4.burstnet.com' 'www5.burstnet.com' 'www6.burstnet.com' 'www.burstnet.akadns.net' 'disco.flashbannernow.com' 'world.popadscdn.net' 'dclk.haaretz.com' 'dclk.haaretz.co.il' 'dclk.themarker.com' 'c4dl.com' 'www.c4dl.com' 'www.cash4downloads.com' 'adserver.merciless.localstars.com' 'statto.plus8.net' 'www.globalcharge.com' 'pluto.adcycle.com' 'www.adcycle.com' 'www.exchange-it.com' 'media.exchange-it.com' 'metacount.com' 'stats.metacount.com' 'www.metacount.com' 'popunder.com' 'media.popunder.com' 'www.popunder.com' 'www.rkdms.com' 'engine.phn.doublepimp.com' 'cdn.engine.phn.doublepimp.com' 'streamate.doublepimp.com' 'rts.pgmediaserve.com' 'rts.revfusion.net' 'ad.bnmla.com' 'domdex.com' 'qjex.net' 'rts.phn.doublepimp.com' 'ads.fuzzster.com' 'web.adblade.com' 'www.adsupply.com' 'ad1.adtitan.net' 'doublepimp.com' 'ad1.doublepimp.com' 'ad2.doublepimp.com' 'dev.doublepimp.com' 'rts.doublepimp.com' 'ad3.linkbucks.com' 'www.linkbucks.com' 'gk.rts.sparkstudios.com' 'spytrack.tic.ru' 'cdn.zeusclicks.com' 'hostedbannerads.aebn.net' 'realtouchbannerwidget.aebn.net' 'ox.tossoffads.com' 'www.tossoffads.com' 'affiliate.blucigs.com' 'bluhostedbanners.blucigs.com' 'ads.kaktuz.net' 'ads.bnmedia.com' 'ieginc.com' 'ads.iwangmedia.com' 'banners.rexmag.com' 'bmuk.burstnet.com' 'gr.burstnet.com' 'piwik.redtube.com' 'webstats.oanda.com' 'static.ad.libimseti.cz' 'h.waudit.cz' 'hitx.waudit.cz' 'intext.lookit.cz' 'ads.monogram.sk' 'casalemedia.com' 'as.casalemedia.com' 'b.casalemedia.com' 'c.casalemedia.com' 'i.casalemedia.com' 'img.casalemedia.com' 'js.casalemedia.com' 'r.casalemedia.com' 'www.casalemedia.com' 'www.oofun.com' '00fun.com' 'www.00fun.com' 'chat.888.com' 'images.888.com' 'setupspcp1.888.com' 'www.888.com' 'casino-on-net.com' 'demogwa.casino-on-net.com' 'images.casino-on-net.com' 'java2.casino-on-net.com' 'www.casino-on-net.com' 'www.casinoonnet.com' 'download1.pacificpoker.com' 'free.pacificpoker.com' 'images.pacificpoker.com' 'playersclub.reefclubcasino.com' 'www.pacificpoker.com' 'www.reefclubcasino.com' 'park.above.com' 'www.needmorehits.com' 'www.res-x.com' 'openx.trellian.com' 'banner.synergy-e.com' 'smart.synergy-e.com' 'stat.synergy-e.com' 'unitus.synergy-e.com' 'stat.fengniao.com' 'ads.webshots.com' 'adimg.bnet.com' 'mads.bnet.com' 'ocp.bnet.com' 'adlog.cbsi.com' 'mads.cbs.com' 'track.cbs.com' 'mads.cbsnews.com' 'ocp.cbsnews.com' 'adimg.chow.com' 'mads.chow.com' 'adimg.cnet.com' 'mads.cnet.com' 'remotead-internal.cnet.com' 'remotead.cnet.com' 'mads.cnettv.com' 'adimg.download.com' 'mads.download.com' 'bwp.findarticles.com' 'adimg.gamefaqs.com' 'mads.gamefaqs.com' 'adimg.theinsider.com' 'mads.theinsider.com' 'adimg.mp3.com' 'bwp.mp3.com' 'mads.mp3.com' 'adimg.news.com' 'adimg.tv.com' 'mads.tv.com' 'ads.zdnet.com' 'adimg.zdnet.com' 'mads.zdnet.com' 'bill.ccbill.com' 'images.ccbill.com' 'refer.ccbill.com' 'www.ccbill.com' 'www.ccbillcs.com' 'widget.perfectmarket.com' 'd-cache.microad.jp' 'amsv2.daum.net' 'vht.tradedoubler.com' 'cdn.clicktale.net' 'd-cache.microadinc.com' 'media.netrefer.com' 'media2.netrefer.com' 'cache1.adhostingsolutions.com' 'd.unanimis.co.uk' 'ads.forbes.com' 'vs.forbes.com' 'activity.serving-sys.com' 'bs.serving-sys.com' 'datacapture.serving-sys.com' 'pop.dnparking.com' 'a.ads99.cn' 'dwtracking.sdo.com' 'wwv.onetad.com' 'stats.dnparking.com' 'stat1.vipstat.com' 'goldbye.vicp.net' 'cdn.epicgameads.com' 'www.aptrafficnetwork.com' 'ads.gameservers.com' 'as.pmates.com' 'ads.sextvx.com' 'banners.videosz.com' 'feeds.videosz.com' 'ab.goodsblock.dt07.net' 'jsg.dt07.net' 'imgg.dt07.net' 'video-pomp.com' 'ad.abum.com' 'www.epicgameads.com' 'www.freepornsubmits.com' 'ilovecheating.com' 'ads.redtube.com' 'ad.slutload.com' 'banners.thirdmovies.com' 'ads.videosz.com' 'adserver.weakgame.com' 'xfuckbook.com' '404.xxxymovies.com' 'delivery.yourfuckbook.com' 'ads.ztod.com' 'banners.ztod.com' 'tools.ztod.com' 'watchddl.funu.info' 'ads.adgoto.com' 'banners.adgoto.com' 'v2.adgoto.com' 'www.mm26.com' 'www.18access.com' 'www.hentaidatabase.com' 'longtraffic.com' 'pussygreen.com' 'adv.sexcounter.com' 'cs.sexcounter.com' 'support.sextronix.com' 'www.sextronix.com' 'ads.asredas.com' 'secure-yt.imrworldwide.com' 'www.econda-monitor.de' 'www.free-choices.com' 'piwik.n24.de' 'ads.planet49.com' 'ads.adnet-media.net' '3amcouk.skimlinks.com' 'bikeforumsnet.skimlinks.com' 'complexcom.skimlinks.com' 'dirtytalk101com.skimlinks.com' 'freeforumsorg.skimlinks.com' 'handbagcom.skimlinks.com' 'hothardwarecom.skimlinks.com' 'mirrorcoukcelebs.skimlinks.com' 'projectw.skimlinks.com' 'reviewcentrecom.skimlinks.com' 'skimlinkscom.skimlinks.com' 'static.skimlinks.com' 'techradarcom.skimlinks.com' 'techspotcom.skimlinks.com' 'telegraphcouk.skimlinks.com' 'tidbitscom.skimlinks.com' 'toplessrobotcom.skimlinks.com' 'wirelessforumsorg.skimlinks.com' 'wordpresscom.skimlinks.com' 'wwwchipchickcom.skimlinks.com' 'wwwcultofmaccom.skimlinks.com' 'xmarkscom.skimlinks.com' 's.skimresources.com' 'bh.contextweb.com' 'cdslog.contextweb.com' 'media.contextweb.com' 'tag.contextweb.com' 'btn.clickability.com' 'button.clickability.com' 'cas.clickability.com' 'imp.clickability.com' 'ri.clickability.com' 's.clickability.com' 'sftp.clickability.com' 'stats.clickability.com' 'cdn.adbrau.com' 'cdn3.adbrau.com' 'asmedia.adsupplyssl.com' 'bbredir.com' 'srv.bebi.com' 'banners.bghelp.co.uk' 'wp1.cor-natty.com' 'count.im' 'downprov0.dd-download-dd-2.com' 'cdn.exoticads.com' 'content.exoticads.com' 'grabtrk.com' 'hot2015rewards.com' 'embed.insticator.com' 'itrengia.com' 'cdn.itrengia.com' 'ads.kickasstorrents.video' 'ads.mmediatags.com' 'ssl.mousestats.com' 'multioptik.com' 'neki.org' 'www.objectity.info' 'www.objectopoly.info' 'opensoftwareupdater.com' 'proudclick.com' 'cdn.pubexchange.com' 'quick-down-win.com' 'a10.reflexcash.com' 'ads.reflexcash.com' 'samvaulter.com' 'cdn.spoutable.com' 'engine.spoutable.com' 'www1.tec-tec-boom.com' 'xclusive.ly' 'pixel.yola.com' 'cdn1.zopiny.com' 'files.zz-download-zz5.com' 'files2.zz-download-zz7.com' 'adfoc.us' 'api.adquality.ch' 'ads.akademika.bg' 'img.avatraffic.com' 'bestappinstalls.com' 'ads.buzzlamp.com' 'ads.casumoaffiliates.com' 'cmtrading.ck-cdn.com' 'jque.net' 'ozertesa.com' 'pinion.gg' 'bin.pinion.gg' 'cdn.pinion.gg' 'programresolver.net' 'www.pstats.com' 'softwaare.net' 'theads.me' 'www.xyfex.com' '7vws1j1j.com' '94uyvwwh.com' 'adsbookie.com' 'ads.adsbookie.com' 't.cqq5id8n.com' 'cs.luckyorange.net' 'settings.luckyorange.net' 'upload.luckyorange.net' 'js.maxmind.com' 'ads.mylikes.com' 'www.mystat.pl' 'odzb5nkp.com' 'serials.ws' 'www.serials.ws' 'trafficg.com' 'www.trafficg.com' 'trw12.com' 'xpop.co' 'ad.zompmedia.com' 'pop.zompmedia.com' 'clicks.zwaar.org' '25643e662a2.com' 'www.adworld.com.tr' 'www1.arch-nicto.com' 'cdn.www1.arch-nicto.com' 'ads.ayads.co' 'click.bounceads.net' 'errorception.com' 'beacon.errorception.com' 'www.fulltraffic.net' 'static.kameleoon.com' 'assets.kixer.com' 'lognormal.net' 'cdn.luckyorange.com' 'w1.luckyorange.com' 'opendownloadmanager.com' 'popcash.net' 'soft-dld.com' 'softwareupdaterlp.com' '0iecfobt.com' 'www.adhexa.com' 'adprovider.adlure.net' 'geoservice.curse.com' 'ems2bmen.com' 'm57ku6sm.com' 'pixxur.com' 'analytics.codigo.se' 'cdn.directtrk.com' 'i.isohunt.to' 'opensoftwareupdate.com' 'popmyads.com' 'cdn.popmyads.com' 'assets.popmarker.com' 'c.cnzz.com' 'hos1.cnzz.com' 'hzs1.cnzz.com' 'hzs2.cnzz.com' 'hzs4.cnzz.com' 'hzs8.cnzz.com' 'hzs10.cnzz.com' 'hzs13.cnzz.com' 'hzs15.cnzz.com' 'hzs22.cnzz.com' 'icon.cnzz.com' 'pcookie.cnzz.com' 'pw.cnzz.com' 's1.cnzz.com' 's3.cnzz.com' 's4.cnzz.com' 's5.cnzz.com' 's7.cnzz.com' 's8.cnzz.com' 's9.cnzz.com' 's10.cnzz.com' 's11.cnzz.com' 's12.cnzz.com' 's13.cnzz.com' 's14.cnzz.com' 's15.cnzz.com' 's16.cnzz.com' 's18.cnzz.com' 's19.cnzz.com' 's20.cnzz.com' 's22.cnzz.com' 's23.cnzz.com' 's24.cnzz.com' 's26.cnzz.com' 's28.cnzz.com' 's29.cnzz.com' 's30.cnzz.com' 's33.cnzz.com' 's34.cnzz.com' 's37.cnzz.com' 's38.cnzz.com' 's47.cnzz.com' 's48.cnzz.com' 's50.cnzz.com' 's51.cnzz.com' 's54.cnzz.com' 's55.cnzz.com' 's61.cnzz.com' 's62.cnzz.com' 's63.cnzz.com' 's65.cnzz.com' 's66.cnzz.com' 's68.cnzz.com' 's69.cnzz.com' 's70.cnzz.com' 's76.cnzz.com' 's80.cnzz.com' 's83.cnzz.com' 's84.cnzz.com' 's85.cnzz.com' 's88.cnzz.com' 's89.cnzz.com' 's92.cnzz.com' 's94.cnzz.com' 's95.cnzz.com' 's99.cnzz.com' 's101.cnzz.com' 's102.cnzz.com' 's103.cnzz.com' 's105.cnzz.com' 's106.cnzz.com' 's108.cnzz.com' 's109.cnzz.com' 's110.cnzz.com' 's111.cnzz.com' 's112.cnzz.com' 's113.cnzz.com' 's115.cnzz.com' 's116.cnzz.com' 's118.cnzz.com' 's120.cnzz.com' 's130.cnzz.com' 's131.cnzz.com' 's132.cnzz.com' 's137.cnzz.com' 's142.cnzz.com' 'v1.cnzz.com' 'v3.cnzz.com' 'v4.cnzz.com' 'v5.cnzz.com' 'v7.cnzz.com' 'v9.cnzz.com' 'w.cnzz.com' 'zs11.cnzz.com' 'zs16.cnzz.com' 'qitrck.com' '3xtraffic.com' '33video.33universal.com' 'oasis.411affiliates.ca' 'acuityplatform.com' 'click-west.acuityplatform.com' 'serve-east.acuityplatform.com' 'tracker.banned-celebpics.com' 'counter.bizland.com' 'v.bsvideos.com' 'hfm.checkm8.com' 'qlipso.checkm8.com' 'sagedigital.checkm8.com' 'creative.clicksor.com' 'stat.designntrend.com' 'ppc-parked.domainsite.com' 'vcontent.e-messenger.net' 'ads.financialcontent.com' 'adserver.finditquick.com' 'partner.finditquick.com' 'www.findit-quick.com' 'txn.grabnetworks.com' 'ad.internetradioinc.com' 'click.linkstattrack.com' 'ads.lzjl.com' 'www.lzjl.com' 'ads.movieflix.com' 'ads.newgrounds.com' 'www.ngads.com' 'adimg.ngfiles.com' 'ads.onemodelplace.com' 'www.pythonpays.com' 'ads.redlightcenter.com' 'tor.redlightcenter.com' 'ad.trident.net' 'a.xanga.com' 'cache.betweendigital.com' 'dispenser-rtb.sape.ru' 'aj.600z.com' 'static.hatid.com' 'text-link-ads.ientry.com' 'aj.ientry.net' 'img1.ientry.net' 'piwik.ientry.com' 'tracking.ientry.net' 'images.indiads.com' 'servedby.indiads.com' 'ads2.playnet.com' 'as5000.wunderground.com' 'pda.mv.bidsystem.com' 'e.nspmotion.com' 'imgc.psychcentral.com' 'clickbank.net' 'hop.clickbank.net' 'zzz.clickbank.net' 'ua.adriver.ru' 'ua-content.adriver.ru' 'e2.molbuk.ua' 'ads.premiership.bg' 'media.easyads.bg' 'bms.xenium.bg' 'adfun.ru' 'ad1.adfun.ru' 'ads.juicyads.com' 'adserver.juicyads.com' 'fill.juicyads.com' 'mobile.juicyads.com' 'redir.juicyads.com' 'xapi.juicyads.com' 'www.juicyads.com' 'textad.eroticmatch.com' 'pod.manplay.com' 'textad.manplay.com' 'textad.passionsearch.com' 'banners.sexsearch.com' 'openx.sexsearchcom.com' 'textad.sexsearch.com' 'wt.sexsearch.com' 'textad.sexsearchcom.com' 'wt.sexsearchcom.com' 'textad.xpress.com' 'textad.xxxcupid.com' 'textad.xxxmatch.com' 'clickedyclick.com' 'www.clickedyclick.com' 'pod.infinitypersonals.com' 'textad.socialsex.com' 'adv.domino.it' 'count.vivistats.com' 'trk.newtention.net' 'www.ranking-links.de' 'api.zanox.com' 'ads.all-free-download.com' 'us1.siteimprove.com' 'us2.siteimprove.com' 'adv.all-free-download.com' 'www.top100lists.ca' 'siterecruit.comscore.com' 'oss-content.securestudies.com' 'beacon.scorecardresearch.com' 'sb.scorecardresearch.com' 'www2.survey-poll.com' 'www.premieropinion.com' 'a.scorecardresearch.com' 'c.scorecardresearch.com' 'post.securestudies.com' 'www.voicefive.com' 'udm.ia8.scorecardresearch.com' 'udm.ia9.scorecardresearch.com' 'beacon.securestudies.com' 'ar.voicefive.com' 'rules.securestudies.com' 'www.permissionresearch.com' 'relevantknowledge.com' 'www.relevantknowledge.com' 'web.survey-poll.com' 'www.surveysite.com' 'survey2.voicefive.com' 'data.abebooks.com' 'www25.bathandbodyworks.com' 'testdata.coremetrics.com' 'www.linkshare.com' 'rainbow-uk.mythings.com' 'www.ad4mat.ch' 'www.da-ads.com' 't.p.mybuys.com' 'w.p.mybuys.com' 'cdn.dsultra.com' 'ads.jpost.com' 'sslwidget.criteo.com' 'cas.criteo.com' 'dis.criteo.com' 'dis.eu.criteo.com' 'dis.ny.us.criteo.com' 'dis.sv.us.criteo.com' 'dis.us.criteo.com' 'ld2.criteo.com' 'rta.criteo.com' 'rtax.criteo.com' 'sapatoru.widget.criteo.com' 'static.criteo.net' 'static.eu.criteo.net' 'widget.criteo.com' 'www.criteo.com' 'cdn.adnxs.com' 'search.ipromote.com' 'api.wundercounter.com' 'www.wundercounter.com' 'www.traficmax.fr' 'www.deltahost.de' 'www.gratis-toplist.de' 'cqcounter.com' 'img.cqcounter.com' 'nl.cqcounter.com' 'no.2.cqcounter.com' 'se.cqcounter.com' 'xxx.cqcounter.com' 'zz.cqcounter.com' 'ar.2.cqcounter.com' 'au.2.cqcounter.com' 'bg.2.cqcounter.com' 'ca.2.cqcounter.com' 'de.2.cqcounter.com' 'fr.2.cqcounter.com' 'nz.2.cqcounter.com' 'si.2.cqcounter.com' 'th.2.cqcounter.com' 'tr.2.cqcounter.com' 'uk.2.cqcounter.com' 'us.2.cqcounter.com' 'us.cqcounter.com' '1au.cqcounter.com' '1bm.cqcounter.com' '1ca.cqcounter.com' '1de.cqcounter.com' '1es.cqcounter.com' '1fr.cqcounter.com' '1in.cqcounter.com' '1it.cqcounter.com' '1jo.cqcounter.com' '1nl.cqcounter.com' '1pt.cqcounter.com' '1se.cqcounter.com' '1si.cqcounter.com' '1th.cqcounter.com' '1tr.cqcounter.com' '1ua.cqcounter.com' '1uk.cqcounter.com' '1us.cqcounter.com' '1xxx.cqcounter.com' 'www2.cqcounter.com' 'www.cqcounter.com' 'counter.w3open.com' 'ns2.w3open.com' 'ad.koreadaily.com' 'gtb5.acecounter.com' 'gtb19.acecounter.com' 'gtcc1.acecounter.com' 'gtp1.acecounter.com' 'gtp16.acecounter.com' 'wgc1.acecounter.com' 'ads.fooyoh.com' 'tags.adcde.com' 'rmedia.adonnetwork.com' 'tags.bannercde.com' 'popunder.popcde.com' 'banners.camdough.com' 'ad.httpool.com' 'aurelius.httpool.com' 'trajan.httpool.com' 'nsrecord.org' 'ads.atomex.net' 'sync.atomex.net' 'trk.atomex.net' 'www.xg4ken.com' 'www.admarketplace.net' 'banners.sys-con.com' 'pixel.adblade.com' 'pixel.industrybrains.com' 'web.industrybrains.com' 'image2.pubmatic.com' 'tags.rtbidder.net' 'www.3dstats.com' 'adserv.net' 'www.adwarespy.com' 'affiliates.bhphotovideo.com' 'www.buildtraffic.com' 'www.buildtrafficx.com' 'www.eliteconcepts.com' 'www.loggerx.com' 'www.myaffiliateprogram.com' 'www.spywarespy.com' 'tracking.validclick.com' 'parking.parklogic.com' 'www.almondnetworks.com' 'www.freedownloadzone.com' 'helpmedownload.com' 'www.helpmedownload.com' 'www.mp3downloadhq.com' 'www.mp3helpdesk.com' 'ads.cdrinfo.com' 'bluehparking.com' 'extended.dmtracker.com' 'video.dmtracker.com' 'vs.dmtracker.com' 'beacon.ehow.com' 'ads.i-am-bored.com' 'beacon.cracked.com' 'external.dmtracker.com' 'parking.dmtracker.com' 'search.dmtracker.com' 'rte-img.nuseek.com' 'rotator.tradetracker.net' 'ti.tradetracker.net' 'rotator.tradetracker.nl' 'ti.tradetracker.nl' 'banneradvertising.adclickmedia.com' 'www.linkreferral.com' 'mmm.vindy.com' 'adsbox.detik.com' 'analytic.detik.com' 'imagescroll.detik.com' 'newopenx.detik.com' 'beta.newopenx.detik.com' 'o.detik.com' 'detik.serving-sys.com' 'geolocation.t-online.de' 'hit32.hotlog.ru' 'hit33.hotlog.ru' 'hit35.hotlog.ru' 'hit38.hotlog.ru' 'lycosu.com' 'oneund.ru' 'go.oneund.ru' 'hit39.hotlog.ru' 'hit41.hotlog.ru' 'js.hotlog.ru' 'ads.glispa.com' 'partners.mysavings.com' 'tracking.novem.pl' 'network.advplace.com' 'cashcownetworks.com' 'media.cashcownetworks.com' 'clickauditor.net' 'directleads.com' 'directtrack.com' 'adultadworld.directtrack.com' 'affiliace.directtrack.com' 'ampedmedia.directtrack.com' 'asseenonpc.directtrack.com' 'battleon.directtrack.com' 'bingorevenue.directtrack.com' 'cpacampaigns.directtrack.com' 'dcsmarketing.directtrack.com' 'doubleyourdating.directtrack.com' 'gozing.directtrack.com' 'images.directtrack.com' 'imagecache.directtrack.com' 'img.directtrack.com' 'ino.directtrack.com' 'latin3.directtrack.com' 'maxxaffiliate.directtrack.com' 'mysavings.directtrack.com' 'niteflirt.directtrack.com' 'nitropayouts.directtrack.com' 'offersquest.directtrack.com' 'rapidresponse.directtrack.com' 'revenuegateway.directtrack.com' 'secure.directtrack.com' 'sideshow.directtrack.com' 'trafficneeds.directtrack.com' 'varsityads.directtrack.com' 'www.directtrack.com' 'tracking.fathomseo.com' '123.fluxads.com' 'keywordmax.com' 'www.keywordmax.com' 'show.onenetworkdirect.net' 'login.tracking101.com' 'ads.dir.bg' 'banners.dir.bg' 'r.dir.bg' 'r5.dir.bg' 'images.bmnq.com' 'images.cnomy.com' 'images.skenzo.com' 'img.skenzo.com' 'pics.skenzo.com' 'ads.webhosting.info' 'seavideo-ak.espn.go.com' 'adsatt.abcnews.starwave.com' 'adsatt.disney.starwave.com' 'adsatt.espn.go.com' 'adsatt.espn.starwave.com' 'adsatt.familyfun.starwave.com' 'adsatt.go.starwave.com' 'adsatt.movies.starwave.com' 'espn-ak.starwave.com' 'odc.starwave.com' 'dcapps.disney.go.com' 'ngads.go.com' 'ad.infoseek.com' 'ad.go.com' 'adimages.go.com' 'ctologger01.analytics.go.com' 'www.cyberzine.com' 'rtb3.doubleverify.com' 'oxen.hillcountrytexas.com' 'linkjumps.com' 'counter.dreamhost.com' 'ads.dkelseymedia.com' 'www.superbanner.org' 'traffk.info' 'bilbob.com' 'didtal.com' 'hartim.com' 'www.qsstats.com' 'quinst.com' 'synad.nuffnang.com.my' 'synad2.nuffnang.com.my' 'www.livewebstats.dk' 'tags.bkrtx.com' 'banners.videosecrets.com' 'static-bp.kameleoon.com' 'cdn.engine.4dsply.com' 'i.blogads.com' 'pxl.ibpxl.com' 'native.sharethrough.com' 'cdn.tagcommander.com' 'cdn.tradelab.fr' 'adv.0tub.com' 'cdn1.adadvisor.net' 'cdn.adgear.com' 'www.ad4mat.at' 'www.ad4mat.de' 'cdn.engine.adsupply.com' 'ads.adxpansion.com' 'media.adxpansion.com' 'edge.ayboll.com' 'static.bannersbroker.com' 'ds.bluecava.com' 'lookup.bluecava.com' 'hat.bmanpn.com' 'static.clicktripz.com' 'stats.complex.com' 'cdn.complexmedianetwork.com' 'cdn.crowdtwist.com' 'cdn2.ads.datinggold.com' 'cdn.mb.datingadzone.com' 'media.go2speed.org' 'resources.infolinks.com' 'e.invodo.com' 'sec.levexis.com' 'mproxy.banner.linksynergy.com' 'media.livepromotools.com' 'cdn.orbengine.com' 'cdn.pardot.com' 'media.pussycash.com' 'include.reinvigorate.net' 'cdna.runadtag.com' 'img.ads.sanomamobileads.nl' 'cdn1.skinected.com' 'rome.specificclick.net' 'cdn1.steelhousemedia.com' 'cdn4s.steelhousemedia.com' 'www.synovite-scripts.com' 'loader.topadvert.ru' 'tcr.tynt.com' 'cts.w55c.net' 'images.webads.it' 'images.webads.nl' 'images.webads.co.uk' 'static.woopra.com' 'wprp.zemanta.com' 'g.3gl.net' 'adcdn.33universal.com' 'static.cdn.adblade.com' 'y.cdn.adblade.com' 'adunit.cdn.auditude.com' 'ndn.cdn.auditude.com' 'm.burt.io' 'cv.bsvideos.com' 'tube8.celogera.com' 'banners.crakcash.com' 'ebocornac.com' 'herezera.com' 'pixel.indieclick.com' 'staticd.cdn.industrybrains.com' 'cdn.ads.ookla.com' 'apis.sharethrough.com' 'c.supert.ag' 'cdn.engine.trklnks.com' 'ads.w55c.net' 'img1.zergnet.com' 'img2.zergnet.com' 'img3.zergnet.com' 'img4.zergnet.com' 'ads.amdmb.com' 'dynamic1.anandtech.com' 'dynamic2.anandtech.com' 'dynamic1.dailytech.com' 'now.eloqua.com' 's323.t.eloqua.com' 's1184.t.eloqua.com' 's1471.t.eloqua.com' 's1481.t.eloqua.com' 's2150.t.eloqua.com' 's3015.t.eloqua.com' 'amare.softwaregarden.com' 'www.trafficflame.com' 'hitpro.us' 'www.hitpro.us' 'iframes.us' 'www.iframes.us' 'www.targeted-banners.com' 'www.adventertainment.it' 'banners.direction-x.com' '599.stats.misstrends.com' '602.stats.misstrends.com' '604.stats.misstrends.com' '606.stats.misstrends.com' '654.stats.misstrends.com' '671.stats.misstrends.com' '680.stats.misstrends.com' '699.stats.misstrends.com' '726.stats.misstrends.com' '750.stats.misstrends.com' '803.stats.misstrends.com' '879.stats.misstrends.com' '986.stats.misstrends.com' '1559.stats.misstrends.com' '1800.stats.misstrends.com' '1867.stats.misstrends.com' '2278.stats.misstrends.com' '4184.stats.misstrends.com' 'cm.marketgid.com' 'imgg.marketgid.com' 'jsc.marketgid.com' 'videoclick.ru' 'www.humanclick.com' 'hc2.humanclick.com' 'wizard.liveperson.com' 'www.liveperson.com' 'liveperson.net' 'lptag.liveperson.net' 'sec1.liveperson.net' 'server.iad.liveperson.net' 'www.hostedbanners.com' 'landingpages.sunnytoolz.com' 'ads.guru3d.com' 'banner1.pornhost.com' 'ad3.hornymatches.com' 'banner.adserverpub.com' 'js.adserverpub.com' 'www2.adserverpub.com' 'images.brainfox.com' 'search.brainfox.com' 'www.brainfox.com' 'results.cafefind.net' 'www.exactadvertising.com' 'leadgenetwork.com' 'www.leadgenetwork.com' 'gamevance.com' 'www.gamevance.com' 'ad7.literotica.com' 'r1.literotica.com' 'creative.ak.facebook.com' 'creative.ak.fbcdn.net' 'cx.atdmt.com' 'cdn.atlassbx.com' 'pixel.facebook.com' 'ads.skupe.net' '005.free-counter.co.uk' '006.free-counter.co.uk' '008.free-counter.co.uk' '008.free-counters.co.uk' 'ad1.adfarm1.adition.com' 'ad2.adfarm1.adition.com' 'ad3.adfarm1.adition.com' 'ad4.adfarm1.adition.com' 'dsp.adfarm1.adition.com' 'rtb.metrigo.com' 'banners.virtuagirlhd.com' 'cbanners.virtuagirlhd.com' 'www.tostadomedia.com' 'www.1freecounter.com' 'jizzads.com' 'www.jizzads.com' 'dce.nextstat.com' 'hits.nextstat.com' 'hv3.webstat.com' 'hits.webstat.com' 'areasnap.com' 'uk.ads.hexus.net' 'adserver4.fluent.ltd.PI:EMAIL:<EMAIL>END_PI' 'hexusads.fluent.ltd.uk' 'ads.americanidol.com' 'ads.ign.com' 'nb.myspace.com' 'adserver.snowball.com' 't.snowball.com' 'fimserve.askmen.com' 'fimserve.ign.com' 'delb.myspace.com' 'delb2.myspace.com' 'demr.myspace.com' 'fimserve.myspace.com' 'fimserve.rottentomatoes.com' 'mpp.specificclick.net' 'mpp.vindicosuite.com' 'adcontent.gamespy.com' 'ads.gamespyid.com' 'atax.askmen.com' 'wrapper.askmen.com' 'wrapper.direct2drive.com' 'wrapper.fileplanet.com' 'atax.gamermetrics.com' 'atax.gamespy.com' 'wrapper.gamespyid.com' 'wrapper.giga.de' 'atax.ign.com' 'wrapper.ign.com' 'atax.teamxbox.com' 'wrapper.teamxbox.com' 'aujourdhui.refr.adgtw.orangeads.fr' 'all.orfr.adgtw.orangeads.fr' 'ap.read.mediation.pns.ap.orangeads.fr' 'ad.cashdorado.de' 'adserver.freenet.de' 'adview.ppro.de' 'cdn.stroeerdigitalmedia.de' '5d406.v.fwmrm.net' '5d427.v.fwmrm.net' '2822.v.fwmrm.net' '2945.v.fwmrm.net' '5be16.v.fwmrm.net' '5d0dd.v.fwmrm.net' '5d4a1.v.fwmrm.net' 'bd0dc.v.fwmrm.net' 'g1.v.fwmrm.net' '1c6e2.v.fwmrm.net' '2a86.v.fwmrm.net' '2df7d.v.fwmrm.net' '2df7e.v.fwmrm.net' '5bde1.v.fwmrm.net' '165a7.v.fwmrm.net' '2915d.v.fwmrm.net' '2915dc.v.fwmrm.net' '2912a.v.fwmrm.net' '2975c.v.fwmrm.net' '29773.v.fwmrm.net' 'bea4.v.fwmrm.net' 'm.v.fwmrm.net' '2ab7f.v.fwmrm.net' '9cf9.v.fwmrm.net' 'ads.adultfriendfinder.com' 'pop6.adultfriendfinder.com' 'ads.alt.com' 'ads.amigos.com' 'ads.asiafriendfinder.com' 'ads.friendfinder.com' 'e89.friendfinder.com' 'banners.getiton.com' 'ads.jewishfriendfinder.com' 'graphics.medleyads.com' 'ads.millionairemate.com' 'ads.outpersonals.com' 'ads.passion.com' 'content.pop6.com' 'ads.seniorfriendfinder.com' 'adultfriendfinder.com' 'adserver.adultfriendfinder.com' 'banners.adultfriendfinder.com' 'cover9.adultfriendfinder.com' 'geobanner.adultfriendfinder.com' 'guest.adultfriendfinder.com' 'iframe.adultfriendfinder.com' 'option9.adultfriendfinder.com' 'tgp.adultfriendfinder.com' 'www.adultfriendfinder.com' 'adserver.alt.com' 'banners.alt.com' 'banners.amigos.com' 'adserver.asiafriendfinder.com' 'banners.asiafriendfinder.com' 'banners.bigchurch.com' 'ads.bondage.com' 'adserver.bondage.com' 'banners.bookofsex.com' 'ads.breakthru.com' 'adserver.cams.com' 'banners.cams.com' 'promo.cams.com' 'adserver.friendfinder.com' 'banners.friendfinder.com' 'geobanner.friendfinder.com' 'openads.friendfinder.com' 'banners.fuckbookhookups.com' 'banners.gayfriendfinder.com' 'banners.germanfriendfinder.com' 'getiton.com' 'geobanner.getiton.com' 'banners.hornywife.com' 'banners.icams.com' 'banners.jewishfriendfinder.com' 'medleyads.com' 'www.medleyads.com' 'adserver.millionairemate.com' 'banners.millionairemate.com' 'adserver.outpersonals.com' 'banners.outpersonals.com' 'adserver.passion.com' 'banner.passion.com' 'banners.passion.com' 'geobanner.passion.com' 'adserver.penthouse.com' 'banners.penthouse.com' 'glean.pop6.com' 'adserver.seniorfriendfinder.com' 'banners.seniorfriendfinder.com' 'geobanner.seniorfriendfinder.com' 'affiliates.streamray.com' 'banners.images.streamray.com' 'free.content.streamray.com' 'livecamgirls.streamray.com' 'banners.swapfinder.com' 'free.thesocialsexnetwork.com' 'ad.bubblestat.com' 'in.bubblestat.com' 'www2.click-fr.com' 'www3.click-fr.com' 'www4.click-fr.com' 'media.foundry42.com' 'ads.pornerbros.com' 'cs.adxpansion.com' 'cs1.adxpansion.com' 'dev.media.adxpansion.com' 'www.adxpansion.com' 'site.falconbucks.com' 'ad2.gammae.com' 'internalads.gammae.com' 'ads.givemegay.com' 'www.linkfame.com' '1274.mediatraffic.com' 'www.mediatraffic.com' 'www.surfaccuracy.com' 'ads.sxx.com' 'ads.vipcams.com' '15minadlt.hit.gemius.pl' 'hit.gemius.pl' 'activeby.hit.gemius.pl' 'ad.hit.gemius.pl' 'adactiongapl.hit.gemius.pl' 'adafi.hit.gemius.pl' 'adbg.hit.gemius.pl' 'adclick.hit.gemius.pl' 'adcz.hit.gemius.pl' 'adee.hit.gemius.pl' 'adhr.hit.gemius.pl' 'adlt.hit.gemius.pl' 'adlv.hit.gemius.pl' 'adnet.hit.gemius.pl' 'adnetgalt.hit.gemius.pl' 'adocean-by.hit.gemius.pl' 'adocean-cz.hit.gemius.pl' 'adocean-ee.hit.gemius.pl' 'adocean-hr.hit.gemius.pl' 'adocean-lt.hit.gemius.pl' 'adocean-lv.hit.gemius.pl' 'adocean-pl.hit.gemius.pl' 'adocean-ro.hit.gemius.pl' 'adocean-si.hit.gemius.pl' 'adocean-ua.hit.gemius.pl' 'adro.hit.gemius.pl' 'adrs.hit.gemius.pl' 'advice.hit.gemius.pl' 'advicead.hit.gemius.pl' 'aolt.hit.gemius.pl' 'aolv.hit.gemius.pl' 'apolloadlv.hit.gemius.pl' 'arbo.hit.gemius.pl' 'aripaadee.hit.gemius.pl' 'avt.hit.gemius.pl' 'allegro.hit.gemius.pl' 'axel.hit.gemius.pl' 'b92adrs.hit.gemius.pl' 'bestjobs.hit.gemius.pl' 'bg.hit.gemius.pl' 'blitzadbg.hit.gemius.pl' 'ghm_bulgaria.hit.gemius.pl' 'centrumcz.hit.gemius.pl' 'ua.cnt.gemius.pl' 'corm.hit.gemius.pl' 'counter.gemius.pl' 'cz.hit.gemius.pl' 'darikspaceadbg.hit.gemius.pl' 'delfiadlt.hit.gemius.pl' 'delfiadlv.hit.gemius.pl' 'delfiadee.hit.gemius.pl' 'delfilv.hit.gemius.pl' 'diginetlt.hit.gemius.pl' 'digital4adro.hit.gemius.pl' 'dirbg.hit.gemius.pl' 'edipresse.hit.gemius.pl' 'ee.hit.gemius.pl' 'eega.hit.gemius.pl' 'eniro.hit.gemius.pl' 'gaae.hit.gemius.pl' 'gaat.hit.gemius.pl' 'gaba.hit.gemius.pl' 'gabe.hit.gemius.pl' 'gabg.hit.gemius.pl' 'gaby.hit.gemius.pl' 'gacz.hit.gemius.pl' 'gadk.hit.gemius.pl' 'gaee.hit.gemius.pl' 'gadnet.hit.gemius.pl' 'gahu.hit.gemius.pl' 'gajo.hit.gemius.pl' 'gail.hit.gemius.pl' 'gakz.hit.gemius.pl' 'galb.hit.gemius.pl' 'galindia.hit.gemius.pl' 'galt.hit.gemius.pl' 'galv.hit.gemius.pl' 'gamk.hit.gemius.pl' 'gapl.hit.gemius.pl' 'gars.hit.gemius.pl' 'garo.hit.gemius.pl' 'garu.hit.gemius.pl' 'gask.hit.gemius.pl' 'gatr.hit.gemius.pl' 'gaua.hit.gemius.pl' 'gazeta.hit.gemius.pl' 'gdebg.hit.gemius.pl' 'gdeil.hit.gemius.pl' 'gdecz.hit.gemius.pl' 'gdelv.hit.gemius.pl' 'gdesk.hit.gemius.pl' 'gders.hit.gemius.pl' 'gemadhu.hit.gemius.pl' 'generalmediaadhu.hit.gemius.pl' 'gg.hit.gemius.pl' 'gde-default.hit.gemius.pl' 'ghmme.hit.gemius.pl' 'ghmbg.hit.gemius.pl' 'ghmpl.hit.gemius.pl' 'ghmrs.hit.gemius.pl' 'goldbach.hit.gemius.pl' 'gspro.hit.gemius.pl' 'gtlt.hit.gemius.pl' 'gtlv.hit.gemius.pl' 'idg.hit.gemius.pl' 'hr.hit.gemius.pl' 'hu.hit.gemius.pl' 'huadn.hit.gemius.pl' 'icorpadro.hit.gemius.pl' 'idm.hit.gemius.pl' 'interia.hit.gemius.pl' 'investoradbg.hit.gemius.pl' 'keepaneyeadmk.hit.gemius.pl' 'kon.hit.gemius.pl' 'lrytasadlt.hit.gemius.pl' 'ls.hit.gemius.pl' 'lt.hit.gemius.pl' 'lv.hit.gemius.pl' 'mbank.hit.gemius.pl' 'mediaregad.hit.gemius.pl' 'metagaua.hit.gemius.pl' 'mreg.hit.gemius.pl' 'negadbg.hit.gemius.pl' 'netsprint.hit.gemius.pl' 'neogenadro.hit.gemius.pl' 'o2.hit.gemius.pl' 'o2adpl.hit.gemius.pl' 'oglasnikadhr.hit.gemius.pl' 'ohtulehtadee.hit.gemius.pl' 'olx.hit.gemius.pl' 'onet.hit.gemius.pl' 'opt.hit.gemius.pl' 'prefix.hit.gemius.pl' 'pracuj.hit.gemius.pl' 'pro.hit.gemius.pl' 'rbcgaru.hit.gemius.pl' 'realitateadro.hit.gemius.pl' 'ringieradrs.hit.gemius.pl' 'ringieradro.hit.gemius.pl' 'ro.hit.gemius.pl' 'ro1adro.hit.gemius.pl' 'rp.hit.gemius.pl' 'scz.hit.gemius.pl' 'see.hit.gemius.pl' 'seznam.hit.gemius.pl' 'si.hit.gemius.pl' 'sk.hit.gemius.pl' 'slovakia.hit.gemius.pl' 'spir.hit.gemius.pl' 'spl.hit.gemius.pl' 'sportaladbg.hit.gemius.pl' 'st.hit.gemius.pl' 'st1.hit.gemius.pl' 'std1.hit.gemius.pl' 'str.hit.gemius.pl' 'stua.hit.gemius.pl' 'thinkdigitaladro.hit.gemius.pl' 'tr.hit.gemius.pl' 'tvn.hit.gemius.pl' 'ua.hit.gemius.pl' 'vbadbg.hit.gemius.pl' 'webgroundadbg.hit.gemius.pl' 'wp.hit.gemius.pl' 'wykop.hit.gemius.pl' 'home.hit.stat.pl' 'onet.hit.stat.pl' 's1.hit.stat.pl' 's2.hit.stat.pl' 's3.hit.stat.pl' 's4.hit.stat.pl' 'sisco.hit.stat.pl' 'www.stat.pl' 'baner.energy-torrent.com' 'contentwidgets.net' 'ads-by.madadsmedia.com' 'ads-by.yieldselect.com' 'ibmvideo.com' 'intermediaceli.com' 'adtrade.ro' 'www.adtrade.ro' 'c0.amazingcounters.com' 'c1.amazingcounters.com' 'c2.amazingcounters.com' 'c3.amazingcounters.com' 'c4.amazingcounters.com' 'c5.amazingcounters.com' 'c6.amazingcounters.com' 'c7.amazingcounters.com' 'c8.amazingcounters.com' 'c9.amazingcounters.com' 'cb.amazingcounters.com' 'www.amazingcounters.com' 'ads.betanews.com' 'everydaygays.com' 'www.everydaygays.com' 'm.usersonline.com' 'gscounters.gigya.com' 'gscounters.us1.gigya.com' 'adserver.adsbyfpc.com' 'www.adultadbroker.com' 'www.buy404s.com' 'domainplayersclub.com' 'reviews.domainplayersclub.com' 'ebtmarketing.com' 'www.ebtmarketing.com' 'www.exitforcash.com' 'www.fpcpopunder.com' 'popunder.fpctraffic.com' 'www.fpctraffic.com' 'fpctraffic2.com' 'www.fpctraffic2.com' 'www.freeezinebucks.com' 'freeticketcash.com' 'frontpagecash.com' 'www.frontpagecash.com' 'www.toppornblogs.com' 'hitexchange.net' 'gif.hitexchange.net' 'img.hitexchange.net' 'www.hitexchange.net' 'hitx.net' 'gif.hitx.net' 'www.hitx.net' 'www.clickaction.net' 'server2.discountclick.com' 'a.hspvst.com' 'van.redlightcenter.com' 'webmaster.utherverse.com' 'www.cpx24.com' 'ourbesthits.com' 'thebighits.com' 'www.edomz.com' 'secure.gaug.es' 'flagcounter.com' 'spads.yamx.com' 'dft.cl.dynad.net' 'www.statsmachine.com' 'stat001.mylivepage.com' 'stat002.mylivepage.com' 'stat003.mylivepage.com' 'stat004.mylivepage.com' 'stat005.mylivepage.com' 'stat006.mylivepage.com' 'stat007.mylivepage.com' 'stat008.mylivepage.com' 'stat009.mylivepage.com' 'stat010.mylivepage.com' 'bounceexchange.com' 'ads.admnx.com' 'www.digiaquascr.com' 'wms-tools.com' 'www.777seo.com' 'www.adseo.net' 'www.affordablewebsitetraffic.com' 'codeads.com' 'www.codeads.com' '14.ca.enwebsearch.com' 'www.ewebse.com' 'www.freehitwebcounters.com' 'www.milesdebanners.com' 'redemptionengine.com' 'www.redemptionengine.com' 'ads.nwso.net' 'images-pw.secureserver.net' 'images.secureserver.net' 'ms-mvp.org' 'www.ms-mvp.org' 'apex-ad.com' 'www.standardinternet.com' 'max.gunggo.com' 'g.p.mybuys.com' 'errorkillers.net' 'highpro1.com' 'babanetwork.adk2x.com' 'hlamedia.adk2x.com' 'p.adpdx.com' 'static-trackers.adtarget.me' 'pureadexchange.com' 'www.pureadexchange.com' 'www.tradeadexchange.com' 'trackers.adtarget.me' 'conversion-pixel.invitemedia.com' 'mottnow.adk2x.com' 's.admtpmp123.com' 's.admtpmp127.com' 'www.adnetworkperformance.com' 'ads.adplxmd.com' 'ads.adsfirefly.com' 'js.ad-score.com' 'adcmtd.mac-torrent-download.net' 'www.totaladperformance.com' 'www.liveadexchanger.com' 'jp.admob.com' 'dp.g.doubleclick.net' 'service.urchin.com' 's.admtpmp124.com' 'analytics-api-samples.googlecode.com' '1435575.fls.doubleclick.net' '4053494.fls.doubleclick.net' '4236808.fls.doubleclick.net' 'www.googletagmanager.com' 'www3.webhostingtalk.com' 'trafficedge.adk2x.com' 'lesechos.ezakus.net' 'm1.2mdn.net' 'rmcdn.2mdn.net' 'rmcdn.f.2mdn.net' 'n339.asp-cc.com' 'ads.cc-dt.com' 'clickserve.cc-dt.com' 'creative.cc-dt.com' 'clickserve.dartsearch.net' 'clickserve.eu.dartsearch.net' 'clickserve.uk.dartsearch.net' 'ad2.doubleclick.net' 'ad.ae.doubleclick.net' 'ad.ar.doubleclick.net' 'ad.at.doubleclick.net' 'ad.au.doubleclick.net' 'ad.be.doubleclick.net' 'ad.br.doubleclick.net' 'ad.ca.doubleclick.net' 'ad.ch.doubleclick.net' 'ad.cl.doubleclick.net' 'ad.cn.doubleclick.net' 'ad.de.doubleclick.net' 'ad.dk.doubleclick.net' 'ad.es.doubleclick.net' 'ad.fi.doubleclick.net' 'ad.fr.doubleclick.net' 'ad.gr.doubleclick.net' 'ad.hk.doubleclick.net' 'ad.hr.doubleclick.net' 'ad.hu.doubleclick.net' 'ad.ie.doubleclick.net' 'ad.in.doubleclick.net' 'ad.jp.doubleclick.net' 'ad.kr.doubleclick.net' 'ad.it.doubleclick.net' 'ad.nl.doubleclick.net' 'ad.no.doubleclick.net' 'ad.nz.doubleclick.net' 'ad.pl.doubleclick.net' 'ad.pt.doubleclick.net' 'ad.ro.doubleclick.net' 'ad.ru.doubleclick.net' 'ad.se.doubleclick.net' 'ad.sg.doubleclick.net' 'ad.si.doubleclick.net' 'ad.terra.doubleclick.net' 'ad.th.doubleclick.net' 'ad.tw.doubleclick.net' 'ad.uk.doubleclick.net' 'ad.us.doubleclick.net' 'ad.za.doubleclick.net' 'ad.n2434.doubleclick.net' 'ad-emea.doubleclick.net' 'creatives.doubleclick.net' 'dfp.doubleclick.net' 'feedads.g.doubleclick.net' 'fls.doubleclick.net' 'fls.uk.doubleclick.net' 'ir.doubleclick.net' 'iv.doubleclick.net' 'm.doubleclick.net' 'motifcdn.doubleclick.net' 'motifcdn2.doubleclick.net' 'n4052ad.doubleclick.net' 'n4403ad.doubleclick.net' 'n479ad.doubleclick.net' 'paypalssl.doubleclick.net' 'pubads.g.doubleclick.net' 's2.video.doubleclick.net' 'static.doubleclick.net' 'survey.g.doubleclick.net' 'doubleclick.ne.jp' 'www3.doubleclick.net' 'www.doubleclick.net' 'doubleclick.com' 'www2.doubleclick.com' 'www3.doubleclick.com' 'www.doubleclick.com' 'www.bt.emsecure.net' 'tpc.googlesyndication.com' 'ad.rs.doubleclick.net' 'affiliate.2mdn.net' 'clickserve.us2.dartsearch.net' 'ad-apac.doubleclick.net' 'adclick.g.doubleclick.net' 'gan.doubleclick.net' 'googleads2.g.doubleclick.net' 'n4061ad.hk.doubleclick.net' 'securepubads.g.doubleclick.net' 'code.adtlgc.com' 'ip-geo.appspot.com' 'nojsstats.appspot.com' 'gae.caspion.com' 'ad.co-co-co.co' 'ad-ace.doubleclick.net' 'ad.bg.doubleclick.net' 'bid.g.doubleclick.net' 'cm.g.doubleclick.net' '4360661.fls.doubleclick.net' '4488352.fls.doubleclick.net' 'stats.g.doubleclick.net' 'fls.au.doubleclick.net' 'www.doubleclickbygoogle.com' 'video-stats.video.google.com' 'ssl.google-analytics.com' 'www.google-analytics.com' '4.afs.googleadservices.com' 'pagead2.googleadservices.com' 'partner.googleadservices.com' 'www.googleadservices.com' 'domains.googlesyndication.com' 'www.googletagservices.com' 'www.linksalpha.com' 'log2.quintelligence.com' 'web.acumenpi.com' 'ads.bloodhorse.com' 'st.magnify.net' 'stats.magnify.net' 'ads.thehorse.com' 'search.etargetnet.com' 'bg.search.etargetnet.com' 'cz.search.etargetnet.com' 'hr.search.etargetnet.com' 'hu.search.etargetnet.com' 'pl.search.etargetnet.com' 'ro.search.etargetnet.com' 'rs.search.etargetnet.com' 'sk.search.etargetnet.com' 'bg.static.etargetnet.com' 'cz.static.etargetnet.com' 'hr.static.etargetnet.com' 'hu.static.etargetnet.com' 'rs.static.etargetnet.com' 'ad.sitelement.sk' 'tracking.admail.am' 'www.adylalahb.ru' 'c.am11.ru' 'ads.gadget.ro' 'cdn.iqcontentplatform.de' 'l.lp4.io' 'p.lp4.io' 'rtbproxy.mgid.com' 'splitter.ndsplitter.com' 'switch.rtbsystem.com' 's62.research.de.com' 'show.smartcontext.pl' 't.goadservices.com' 'e.maxtraffic.com' 'track.recreativ.ru' 'adsfeed3.brabys.co.za' 'traffic.brand-wall.net' 'advertising.fussball-liveticker.eu' 'adv.medicine.bg' 'delivery1.topad.mobi' 'mp.pianomedia.eu' 'click.plista.com' 'farm.plista.com' 'app3.rutarget.ru' 'us-sonar.sociomantic.com' 'adserver.spritmonitor.de' 'xblasterads1.com' 'yieldads.com' 'scambiobanner.altervista.org' 'avazudsp.net' 'piwik.hboeck.de' 'ads2.opensubtitles.org' 'test.wiredminds.de' 'wm.wiredminds.de' 'eps-analyzer.de' 'openx.itsmassive.com' 'openads.motorrad-net.at' 'static.openads.motorrad-net.at' 'stats.ser4.de' 'stats.speak2us.net' 'ads.sysmesh.com' 'sonar.sociomantic.com' 'api.7segments.com' 'a.mobile.toboads.com' 'relay.mobile.toboads.com' 'count.yandeg.ru' 'adbuka.com' 'www.adbuka.com' 'www.blogads.de' 'ads.energy-torrent.com' 'hits.europuls.eu' 'ads.moitesdelki.bg' 'ads3.moitepari.bg' 'ad.propellerads.com' 'stats.warenform.de' 'media.adcarousel.pl' 'www.adcarousel.pl' 'www.adtraff.ru' 'advombat.ru' 'am15.net' 'ads.betweendigital.com' 'baypops.com' 'cdn.contentspread.net' 'ads.finzoom.com.tr' 'js.e-generator.com' 'target.e-generator.com' 'target.net.finam.ru' 'track.idtargeting.com' 'jadcenter.com' 'mediatex.in' 's300.meetrics.net' 'wh.motorpresse-statistik.de' 'js.smi2.ru' 'target.smi2.net' 'stats.virtuemart.net' 'park.beenetworks.net' 'lb.fruitflan.com' 'adcentre.it-advanced.com' 'dc61.s290.meetrics.net' 'partnerearning.com' 'eu-sonar.sociomantic.com' 'www2.stats4free.de' 'www.stats4free.de' 'ads.videofen.com' 'wmapp.wiredminds.de' 'adlimg05.com' 'www.adlimg05.com' 'dc56.s290.meetrics.net' 'ad10.play3.de' 'scripts.conversionattribution.com' 'banner.finzoom.ro' 'cpm.adspine.com' 'advbox.biz' 'ox.affiliation-int.com' 'de1.frosmo.com' 'goodsupportn.su' 'ireklama.mk' 'www.sitecounter.be' 'afx.tagcdn.com' 'pix.tagcdn.com' 'www.trafficrank.de' 'www.weitclick.de' 'wm-goldenclick.ru' 'br.comclick.com' 'bdx.comclick.com' 'ct2.comclick.com' 'fl01.ct2.comclick.com' 'ihm01.ct2.comclick.com' 'www.comclick.com' 'js.himediads.com' 'c.adforgeinc.com' 'www.adshost3.com' 'c7.adforgeinc.com' 'adstest.reklamstore.com' 'banner.ringofon.com' 'ad.db3nf.com' 'go.jetswap.com' 'tracksy.com' 'findfavour.com' 'get.mirando.de' 'r.refinedads.com' 'limg.adspirit.de' 'taz.adspirit.de' 'urban.adspirit.de' 'admention.adspirit.de' 'adx.adspirit.de' 'lidlretargeting.adspirit.de' 'ruemedia.adspirit.net' 'sgmedia.adspirit.net' 'ja.revolvermaps.com' 'jb.revolvermaps.com' 'jc.revolvermaps.com' 'jd.revolvermaps.com' 'je.revolvermaps.com' 'jf.revolvermaps.com' 'jg.revolvermaps.com' 'jh.revolvermaps.com' 'ji.revolvermaps.com' 'jk.revolvermaps.com' 'rb.revolvermaps.com' 'rc.revolvermaps.com' 'rd.revolvermaps.com' 're.revolvermaps.com' 'rg.revolvermaps.com' 'rh.revolvermaps.com' 'ri.revolvermaps.com' 'rk.revolvermaps.com' 'folkd.put.omnimon.de' 'openx.omniton.net' 'cdn.adspirit.de' 'ad4mat.de' 'serve.oxcluster.com' 'seekbang.com' 'www.seekbang.com' 'adbucks.brandreachsys.com' 'adc.brandreachsys.com' 'fe.brandreachsys.com' 'lg1.brandreachsys.com' 'mad2.brandreachsys.com' 'media.brandreachsys.com' 'clicks.equantum.com' 'adb.fling.com' 'br.fling.com' 'track.fling.com' 'kaizentraffic.com' 'br.meetlocals.com' 'promos.naked.com' 'br.naked.com' 'apps.nastydollars.com' 'clicks.nastydollars.com' 'graphics.nastydollars.com' 'webmasters.nastydollars.com' 'www-old.nastydollars.com' 'br.realitykings.com' 'track.realitykings.com' 'br.rk.com' 'promos.fling.com' 'promos.meetlocals.com' 'gallysorig.nastydollars.com' 'grab.nastydollars.com' 'hostedads.realitykings.com' 'promos.wealthymen.com' 'banners.sublimedirectory.com' 'ads.blitz.bg' 'ads.den.bg' 'b.grabo.bg' 'ads.hobyto.com' 'ads.popfolkstars.com' 'ad.sbb.bg' 'reklama.wisdom.bg' 'www.totalfax.net' 'www.disable-uac.com' 's2.tracemyip.org' 'www.tracemyip.org' 'www.visitdetails.com' 'searchnigeria.net' 'ads.adhall.com' 'px.adhigh.net' 'tracker.databrain.com' 'www.iperbanner.com' 'ads.iwannawatch.to' 'mgjmp.com' 'abs.beweb.com' 'bps.beweb.com' 'abs.proxistore.com' 'bps.tesial-tech.be' 'www.adroz.com' 'axsrv.com' 'adserver.gunaxin.com' 'tracker.u-link.me' 'hits.convergetrack.PI:EMAIL:<EMAIL>END_PI' 'ads.worddictionary.co.uk' 'clicks.searchconscious.com' 'zde-affinity.edgecaching.net' 'ads.ninemsn.com.au' 'advertising.ninemsn.com.au' 'click.hotlog.ru' 'hit.hotlog.ru' 'hit1.hotlog.ru' 'hit2.hotlog.ru' 'hit3.hotlog.ru' 'hit4.hotlog.ru' 'hit5.hotlog.ru' 'hit6.hotlog.ru' 'hit7.hotlog.ru' 'hit8.hotlog.ru' 'hit9.hotlog.ru' 'hit10.hotlog.ru' 'hit13.hotlog.ru' 'hit14.hotlog.ru' 'hit15.hotlog.ru' 'hit16.hotlog.ru' 'hit17.hotlog.ru' 'hit18.hotlog.ru' 'hit19.hotlog.ru' 'hit20.hotlog.ru' 'hit21.hotlog.ru' 'hit22.hotlog.ru' 'hit23.hotlog.ru' 'hit24.hotlog.ru' 'hit25.hotlog.ru' 'hit26.hotlog.ru' 'hit27.hotlog.ru' 'hit28.hotlog.ru' 'hit29.hotlog.ru' 'hit30.hotlog.ru' 'hit40.hotlog.ru' 'www.hotlog.ru' 'relay-ba.ads.httpool.com' 'relay-bg.ads.httpool.com' 'relay-cz.ads.httpool.com' 'relay-ks.ads.httpool.com' 'relay-mk.ads.httpool.com' 'relay-rs.ads.httpool.com' 'static.httpool.com.mk' 'adtier.toboads.com' 'relay-ba.toboads.com' 'relay-bg.toboads.com' 'relay-si.toboads.com' 'tas2.toboads.si' 'tas-ba.toboads.com' 'tas-bg.toboads.com' 'tas-cz.toboads.com' 'tas-hr.toboads.com' 'tas-ks.toboads.com' 'tas-mk.toboads.com' 'tas-rs.toboads.com' 'tas-si.toboads.com' 'stat.axelspringer.hu' 'dubai.best-top.biz' 'it.best-top.biz' 'ru.best-top.biz' 'sk.best-top.biz' 'ua.best-top.biz' 'uk.best-top.biz' 'www.best-top.hu' 'top-fr.mconet.biz' 'top-it.mconet.biz' 'top-ru.mconet.biz' 'top-sk.mconet.biz' 'top-ua.mconet.biz' 'top-us.mconet.biz' 'bw.ads.t-online.de' 'data.ads.t-online.de' 'red.ads.t-online.de' 'a.ads.t-online.de' 'admin.ads.t-online.de' 's.ads.t-online.de' 'homepage.t-online.de' 'banners.directnic.com' 'dnads.directnic.com' 'stats.directnic.com' 'www.directnicparking.com' 'images.parked.com' 'www.searchnut.com' 'www.buycheapadvertising.com' 'stats.pusher.com' 'vpnaffiliates.com' 'revenue.com' 'ads.artsopolis.com' 'www.logging.to' 'configusa.veinteractive.com' 'cdn.mercent.com' 'ad.yabuka.com' 'ox-d.beforeitsnews.com' 'ad.epochtimes.com' 'www.e-traffic.com' 'www.etraffic.com' 'ads.footballmedia.com' 'o-oe.com' 'arsconsole.global-intermedia.com' 'feeds.global-intermedia.com' 'error.pimproll.com' 'promo.pimproll.com' 'www.noadnetwork.com' 'ads.burgasinfo.com' 'ads.manager.bg' 'ads.sport1.bg' 'ads.trafficnews.bg' 'ads.football24.bg' 'bgbaner.com' 'www.bgbaner.com' 'ads.icn.bg' 'ads.laptop.bg' 'ads.mixbg.net' 'ads.petvet.bg' 'advert.technews.bg' 'ad.thesimplecomplex.bg' 'advertisement.bg' 'adverts.novatv.bg' 'ad.petel.bg' 'ads.idgworldexpo.com' 'lycos-eu.imrworldwide.com' 'ninemsn.imrworldwide.com' 'nt-es.imrworldwide.com' 'safe-es.imrworldwide.com' 'secure-asia.imrworldwide.com' 'secure-au.imrworldwide.com' 'secure-dk.imrworldwide.com' 'secure-it.imrworldwide.com' 'secure-sg.imrworldwide.com' 'secure-jp.imrworldwide.com' 'secure-nz.imrworldwide.com' 'secure-uk.imrworldwide.com' 'secure-us.imrworldwide.com' 'secure-za.imrworldwide.com' 'server-au.imrworldwide.com' 'server-br.imrworldwide.com' 'server-by.imrworldwide.com' 'server-de.imrworldwide.com' 'server-dk.imrworldwide.com' 'server-ee.imrworldwide.com' 'server-fi.imrworldwide.com' 'server-it.imrworldwide.com' 'server-jp.imrworldwide.com' 'server-lv.imrworldwide.com' 'server-lt.imrworldwide.com' 'server-no.imrworldwide.com' 'server-nz.imrworldwide.com' 'server-oslo.imrworldwide.com' 'server-pl.imrworldwide.com' 'server-se.imrworldwide.com' 'server-sg.imrworldwide.com' 'server-stockh.imrworldwide.com' 'server-uk.imrworldwide.com' 'server-us.imrworldwide.com' 'telstra.imrworldwide.com' 'adserve.doteasy.com' 'pbg2cs01.doteasy.com' 'hitcounter01.xspp.com' '9am.count.brat-online.ro' '24fun.count.brat-online.ro' 'onefm.count.brat-online.ro' 'bestjobs.count.brat-online.ro' 'capital.count.brat-online.ro' 'cotidianul.count.brat-online.ro' 'g-f5fun.count.brat-online.ro' 'g-f5news.count.brat-online.ro' 'g-protv.count.brat-online.ro' 'gsp.count.brat-online.ro' 'hotnews.count.brat-online.ro' 'profm.count.brat-online.ro' 'mtv.count.brat-online.ro' 'myvideo.count.brat-online.ro' 'qds.count.brat-online.ro' 'realitatea.count.brat-online.ro' 'sport.count.brat-online.ro' 'viva.count.brat-online.ro' 'wall-streetro.count.brat-online.ro' 'ads.didactic.ro' 'error.intuitext.ro' 'promo.intuitext.ro' 'admon1.count.brat-online.ro' 'link4link.com' 'plus.link4link.com' 'ad.sexcount.de' 'www.sexcount.de' 'count.xhit.com' 'www.erotikcounter.org' 'show.communiad.com' 'data.kataweb.it' 'oasjs.kataweb.it' 'adagiof3.repubblica.it' 'www.down1oads.com' 'm.exactag.com' 'pxc.otto.de' 'banner.adtrgt.com' 'popunder.adtrgt.com' 'transition.adtrgt.com' 'url.adtrgt.com' 'data.coremetrics.com' 'jsfp.coremetrics.com' 'test.coremetrics.com' 'twci.coremetrics.com' 'redirect.ad-feeds.net' 'roitrack.adtrgt.com' 'redirect.ad-feeds.com' '113693url.displayadfeed.com' 'redirect.xmladfeed.com' 'c1024.ic-live.com' 'c10014.ic-live.com' 'spiegel.met.vgwort.de' 'de.ioam.de' 'bm.met.vgwort.de' 'focus.met.vgwort.de' 'handelsblatt.met.vgwort.de' 'n-tv.met.vgwort.de' 'rp-online.met.vgwort.de' 'sz.met.vgwort.de' 'zeit.met.vgwort.de' 'static.dynad.net' 'www.freestats.tv' 'om.metacrawler.com' 'om.webcrawler.com' 'is2.websearch.com' 'adserv.brandaffinity.net' 'dp.specificclick.net' 'smp.specificmedia.com' 'specificmedia.com' 'www.specificmedia.com' 'clients.bluecava.com' 'ads.iwon.com' 'c4.iwon.com' 'cc.iwon.com' 'docs1.iwon.com' 'my.iwon.com' 'plus.iwon.com' 'prizemachine.games.iwon.com' 'search.iwon.com' 'searchassistant.iwon.com' 'www1.iwon.com' 'c4.mysearch.com' 'cm.myway.com' 'speedbar.myway.com' 'cm.need2find.com' 'utm.cursormania.com' 'utm.trk.cursormania.com' 'utm.excite.co.uk' 'utm.trk.excite.com' 'utm.excite.it' 'utm.myfuncards.com' 'utm.trk.myfuncards.com' 'utm.trk.myway.com' 'utm.myway.com' 'utm.popswatter.com' 'utm.trk.popswatter.com' 'utm.popularscreensavers.com' 'utm.trk.popularscreensavers.com' 'utm.smileycentral.com' 'utm2.smileycentral.com' 'utm.trk.smileycentral.com' 'utmtrk2.smileycentral.com' 'utm.webfetti.com' 'utm.trk.webfetti.com' 'utm.zwinky.com' 'utm.trk.zwinky.com' 'buddies.funbuddyicons.com' 'www.funbuddyicons.com' 'download.funwebproducts.com' 'www.funwebproducts.com' 'image.i1img.com' 'help.mysearch.com' 'msalt.mysearch.com' 'www.mysearch.com' 'bar.mytotalsearch.com' 'www.mytotalsearch.com' 'mywebsearch.com' 'bar.mywebsearch.com' 'cfg.mywebsearch.com' 'download.mywebsearch.com' 'edits.mywebsearch.com' 'search.mywebsearch.com' 'weatherbugbrowserbar.mywebsearch.com' 'www.mywebsearch.com' 'ka.bar.need2find.com' 'kc.search.need2find.com' 'kz.search.need2find.com' 'www.erodynamics.nl' 'ads.happyidiots.nl' 'ads3.ipon.lt' 'v2.ads3.ipon.lt' 'sa1.ipon.lt' 'sa2.ipon.lt' 'keytarget.adnet.lt' 'keisu02.eproof.com' 'control.adap.tv' 'ads.shopstyle.com' 'elv3-tslogging.touchcommerce.com' 'ad.batanga.net' 'tracking.batanga.com' 'horizon.mashable.com' 'cdn.viglink.com' 's.webtrends.com' '0532a9.r.axf8.net' '064bdf.r.axf8.net' '0d7292.r.axf8.net' '0f36f3.r.axf8.net' '1bb261.r.axf8.net' '247590.r.axf8.net' '276bf6.r.axf8.net' '332645.r.axf8.net' '3bb4f0.r.axf8.net' '51af72.r.axf8.net' '5b008e.r.axf8.net' '5ebec5.r.axf8.net' '72d329.r.axf8.net' '8b3439.r.axf8.net' '8cb8a3.r.axf8.net' '8d6274.r.axf8.net' '8d6274.t.axf8.net' '9dacbd.r.axf8.net' '9d060c.r.axf8.net' '994119.r.axf8.net' '1018d7.r.axf8.net' 'ab44aa.r.axf8.net' 'ac9d98.r.axf8.net' 'b3a70b.t.axf8.net' 'b5057c.r.axf8.net' 'c2c738.r.axf8.net' 'caea4e.r.axf8.net' 'caea4e.t.axf8.net' 'c6530e.r.axf8.net' 'd077aa.r.axf8.net' 'd3fd89.r.axf8.net' 'd9d0e0.r.axf8.net' 'e3f364.r.axf8.net' 'fdff44.r.axf8.net' 'fdff44.t.axf8.net' 'connexity.net' 'cti.w55c.net' 'pixel.admedia.com' 'exit.silvercash.com' 'ads.mrskin.com' 'p.chango.com' 'bannerads.mantecabulletin.com' 'adserver.sitesense.com' 'ebdr2.com' 'p.ebdr2.com' 'ebdr3.com' 'cdn.visiblemeasures.com' 'affiliate.trk4.com' 'clickboothlnk.com' 'www.clickboothlnk.com' 'ad.viewablemedia.net' 'recs.richrelevance.com' 'u-ads.adap.tv' 'log.adap.tv' 'qlog.adap.tv' 'ad.adlegend.com' 'media.adlegend.com' 'media.customeracquisitionsite.com' 'media.nyadmcncserve-05y06a.com' 'b.admedia.com' 'footerroll.admedia.com' 'g.admedia.com' 'inline.admedia.com' 'm.admedia.com' 'v.admedia.com' 'vslider.admedia.com' 'pixel.adadvisor.net' 'www.adadvisor.net' 'click.cheapstuff.com' 'delivery.first-impression.com' 'click.mrrage.com' 'click.rateit.com' 'sftrack.searchforce.net' 'click.top10sites.com' 'usadserver.com' 'www.usadserver.com' 'analytics.vast.com' 'ad.turn.com' 'r.turn.com' 'adsharenetwork.com' 'rs.gwallet.com' 'www.ojrq.net' 'feed.afy11.net' 'hpr.outbrain.com' 'log.outbrain.com' 'tracking.skyword.com' 'ads.adap.tv' 't-ads.adap.tv' 'media1.ancestry.com' 'media.gsimedia.net' 'ads.revsci.net' 'js.revsci.net' 'jsl.revsci.net' 'pix01.revsci.net' 'pix03.revsci.net' 'pix04.revsci.net' 'revsci.tvguide.com' 'ad.afy11.net' 'beacon.afy11.net' 'ads.yankscash.com' 'ads.healthline.com' 'a.rfihub.com' 'ads.p.veruta.com' 'pq-direct.revsci.net' 'containertags.belboon.de' 'adserver-live.yoc.mobi' 'go.goldbachpoland.bbelements.com' 'bbcdn.go.adevolution.bbelements.com' 'go.adevolution.bbelements.com' 'go.adlt.bbelements.com' 'bbcdn.go.evolutionmedia.bbelements.com' 'go.evolutionmedia.bbelements.com' 'bbcdn.go.idmnet.bbelements.com' 'bbcdn.go.pl.bbelements.com' 'go.gba.bbelements.com' 'bbnaut.ibillboard.com' 'as.yl.impact-ad.jp' 'cdn.brsrvr.com' 'launch.zugo.com' 'gamersad.com' 'adserver.startnow.com' 'go.startnow.com' 'minisearch.startnow.com' 'nav.startnow.com' 'search.startnow.com' 'srch.startnow.com' 'toolbar.startnow.com' 'www.startnow.com' 'i.zugo.com' 'zoek.zugo.com' 'www.zugo.com' 'rotor6.newzfind.com' 'sutra.newzfind.com' 'outwar.com' 'fabar.outwar.com' 'sigil.outwar.com' 'torax.outwar.com' 'www.outwar.com' 'php4you.biz' 'ads.rampidads.com' 'main.rampidads.com' 'www.rampidads.com' 'track.zugo.com' 'www.classifieds1000.com' 'ads.meredithads.com' 'ads.ero-advertising.com' 'adspaces.ero-advertising.com' 'api.ero-advertising.com' 'apo.ero-advertising.com' 'banners.ero-advertising.com' 'data.ero-advertising.com' 'invideo.ero-advertising.com' 'layerads.ero-advertising.com' 'redirects.ero-advertising.com' 'speedclicks.ero-advertising.com' 'thumbs.ero-advertising.com' 'adc-serv.net' 'ad.adc-serv.net' 'r.adc-serv.net' 'ad.adserver01.de' 'r.adserver01.de' 'adin.bigpoint.com' 'ad.e-sport.com' 'advert.leo.org' 'm1.webstats4u.com' 'www.webstats4u.com' 'adx.chip.de' 'douglas01.webtrekk.net' 'handelsblatt01.webtrekk.net' 'jade01.webtrekk.net' 'lastampa01.webtrekk.net' 'prosieben01.webtrekk.net' 'sapato01.webtrekk.net' 'sofa01.webtrekk.net' 'tiscaliadv01.webtrekk.net' 'track.webtrekk.de' 'trendmicroeuropa01.webtrekk.net' 'triboo01.webtrekk.net' 'vnumedia01.webtrekk.net' 'weltonline01.webtrekk.net' 'zeit01.webtrekk.net' 'www.counti.de' 'statistiq.com' 'www.topsites24.de' 'ads.webtools24.net' 'banner.webtools24.net' 'main.exoclick.com' 'syndication.exoclick.com' 'www.gbcash.com' 'syndication.jsadapi.com' 'peakclick.com' 'feed.peakclick.com' 'www.peakclick.com' 'www.stats.net' 'g.promosrv.com' 'www.singlesadnetwork.com' 'mf.sitescout.com' 'reboot.sitescout.com' 'revcontent.sitescout.com' 'vom.sitescout.com' 'wam-ads.sitescout.com' 'madbid.sitescoutadserver.com' 'monk.sitescoutadserver.com' 'www.ads180.com' 'clicksagent.com' 'www.clicksagent.com' 'easyadservice.com' 'www.exitmoney.com' 'aff.naughtyconnect.com' 'www.pillsmoney.com' 'track.oainternetservices.com' 'oxcash.com' 'clicks2.oxcash.com' 'popup.oxcash.com' 'track.oxcash.com' 'exit.oxcash2.com' 'realbannerads.com' 'www.realtextads.com' 'www.ruclicks.com' 'banners.thiswillshockyou.com' 'banners.amfibi.com' 'promo.badoink.com' 'adsgen.bangbros.com' 'adsrv.bangbros.com' 'newads.bangbros.com' 'tck.bangbros.com' 'tracking.craktraffic.com' 'www.fuckbookdating.com' 'webmasters.h2porn.com' 'ads.nudereviews.com' 'www.oainternet.com' 'iframes.prettyincash.com' 'stepnation.com' 'ads.whaleads.com' 'images.ads.whaleads.com' 'banners.advidi.com' 'www.loading-delivery1.com' 'www.loading-delivery2.com' 'banners.meccahoo.com' 'cdn.banners.scubl.com' 'banners.swingers-match.com' 'www.targetingnow.com' 'media.trafficfactory.biz' 'rpc-php.trafficfactory.biz' 'banners.askmecca.com' 'avenfeld.com' 'www2.drunkenstepfather.com' 'panzertraffic.com' 'd.plugrush.com' 'mobile.plugrush.com' 'slider.plugrush.com' 'w.plugrush.com' 'widget.supercounters.com' 'vip.adstatic.com' 'ads.crakmedia.com' 'corporate.crakmedia.com' 'www.crakmedia.com' 'ftvcash.com' '404.fuckyoucash.com' 'bloggers.fuckyoucash.com' 'internal.fuckyoucash.com' 'affiliates.lifeselector.com' 'ads.program3.com' 'lead.program3.com' 'media.lead.program3.com' 'www.program3.com' 'moo.sitescout.com' 'ads2.vasmg.com' 'checktraf.com' 'flash4promo.ru' 'dev.visualwebsiteoptimizer.com' 'actvtrack.com' 'fb.cashtraffic.com' 'image.cecash.com' 'image1.cecash.com' 'coolwebstats.com' 'www.coolwebstats.com' 'flashmediaportal.com' 'flttracksecure.com' 'ads.ibtracking.com' 'sascentral.com' 'community.adlandpro.com' 'ads.affbuzzads.com' 'www.affbuzzads.com' 'www.yourdedicatedhost.com' 'radarurl.com' 'srv.overlay-ad.com' 'ads.iawsnetwork.com' 'oreo.iawsnetwork.com' 'stats.parstools.com' 'revotrack.revotas.com' 'ads2.iweb.cortica.com' 'adserver-static1.iweb.cortica.com' 'ads.mondogames.com' 'bannerco-op.com' 'www.regdefense.com' 'bannersgomlm.com' 'www.bannersgomlm.com' 'ads.cinemaden.com' 'www.freestat.ws' 'www.hiperstat.com' 'www.specialstat.com' 'stat.superstat.info' 'www.superstat.info' 'www.blogrankers.com' 'counter.awempire.com' 'counter.jasmin.hu' 'adson.awempire.com' 'iframes.awempire.com' 'promo.awempire.com' 'static.awempire.com' 'creatives.livejasmin.com' 'live-cams-0.livejasmin.com' 'live-cams-1.livejasmin.com' 'static.creatives.livejasmin.com' 'www.2.livejasmin.com' 'ads.gofuckyourself.com' 'analytics.unister-gmbh.de' 'analytics-static.unister-gmbh.de' 'static.unister-adservices.com' 'ad.adnet.de' 'exchangecash.de' 'pr-cy.ru' 's1.rotaban.ru' 'adimg1.chosun.com' 'cad.chosun.com' 'hitlog2.chosun.com' 'counter.joins.com' 'adplus.yonhapnews.co.kr' 'allerinternett.tns-cs.net' 'amedia.tns-cs.net' 'api.tns-cs.net' 'e24dp.tns-cs.net' 'eddamedia.tns-cs.net' 'eniro.tns-cs.net' 'hmortensen.tns-cs.net' 'idg.tns-cs.net' 'med-tek.tns-cs.net' 'na.tns-cs.net' 'mno.tns-cs.net' 'mtg.tns-cs.net' 'nrk.tns-cs.net' 'polaris.tns-cs.net' 'test.tns-cs.net' 'tunmedia.tns-cs.net' 'vg.tns-cs.net' 'www.adcell.de' 'openx.4shared.com' 'www.easycounter.com' 'www.fastusersonline.com' 'adsnew.gsmarena.com' 'url.nossopark.com.br' 'pingomatic.com' 'ads.phonearena.com' 'bannerexchange.troglod.com' 'www.usersonlinecounter.com' 'botd2.wordpress.com' 'xxx-r.com' 'pagerank.scambiositi.com' 'www.statsforever.com' 'www.widebanner.com' 'feeds.wise-click.com' 'tgptraffic.biz' 'd.nster.net' 'js.nster.net' 'payn.me' 'static.hotjar.com' 'www.start4ads.net' 'ads.directcorp.de' 'adserver.directcorp.de' 'exit-ad.de' 'www.exit-ad.de' 'www.little-help.com' 'promo-m.bongacash.com' 'www.awmads.com' 'vktr073.net' 'assculo.com' 'sellpic.in' 'ads.adhood.com' 'www.ad-skills.nl' 'www.hubtraffic.com' 'hubxt.pornhub.com' 'img.clicksagent.com' 'rubanners.com' '2.rubanners.com' 'img.ruclicks.com' 'zhirok.com' 'promo.bongacash.com' '3animalsex.com' 'www.3animalsex.com' 'www.adcode.ws' 'api.adlure.net' 'a.adorika.net' 'adv.adultpartnership.com' 'counter.cam-content.com' 'piwik.cam-content.com' 'www.crackserver.com' 'ads2.ero-advertising.com' 'askjolene.ero-advertising.com' 'banners2.ero-advertising.com' 'imads.ero-advertising.com' 'js.ero-advertising.com' 'popads.ero-advertising.com' 'tracker.ero-advertising.com' 'adman.kathimerini.gr' 'penix.nl' 'www.promotion-campaigns.com' 'ads.rude.com' 'banners.rude.com' 'banners.content.rude.com' 'www.sexleech.com' 'stat-tracker.net' 'uberads.net' 'ad.velmedia.net' 'www.velmedia.net' 'smartinit.webads.nl' 'www.wmsonic.com' 'www.zoo-fuck.net' 'artwork.aim4media.com' 'www.aim4media.com' 'popupmoney.com' 'www.popupmoney.com' 'n.adonweb.ru' 'pc.adonweb.ru' 'wu.adonweb.ru' 'n.pcads.ru' 'www.ipcounter.de' 'counter.xeanon.com' 'park.affiliation-int.com' 'tcm.affiliation-int.com' 'a.1nimo.com' 'adv.protraffic.com' 'www.adhood.com' 'amateurdevils.com' 'webdata.vidz.com' 'free-lesbian-pic.in' 'www.turkeyrank.com' 'ads.ad4max.com' 'router.adlure.net' 'furious.adman.gr' 'static.adman.gr' 'ads.adone.com' 'cache.ad-serverparc.nl' 'cluster.ad-serverparc.nl' 'clickbux.ru' 'adserve.donanimhaber.com' 'ads.discreetad.com' 'pops.ero-advertising.com' 'a.heavy-r.com' 'openx.iamexpat.nl' 'inndl.com' 'itmcash.com' 'ads.itmcash.com' 's6.lebenna.com' 'linktarget.com' 'lw.lnkworld.com' 'mymediadownloadseighteen.com' 'mymediadownloadsseventeen.com' 'wwa.pacific-yield.com' 'adv.rockstar.bg' 'webmasters.videarn.com' 'ad.wingads.com' 'db0.net-filter.com' 'db2.net-filter.com' 'db3.net-filter.com' 'db4.net-filter.com' 'db5.net-filter.com' 'db6.net-filter.com' 'db7.net-filter.com' 'sitestats.com' 'db0.sitestats.com' 'db1.sitestats.com' 'db2.sitestats.com' 'db3.sitestats.com' 'db4.sitestats.com' 'db5.sitestats.com' 'db6.sitestats.com' 'db7.sitestats.com' 'www.sitestats.com' 'stats-newyork1.bloxcms.com' 'cdn1.traffichaus.com' 'sscdn.banners.advidi.com' 'promo.lifeselector.com' 'media.b.lead.program3.com' 'rcm-images.amazon.com' 'cdnads.cam4.com' 'ad.insightexpress.com' 'invite.insightexpress.com' 'www.insightexpress.com' 'ad.insightexpressai.com' 'icompass.insightexpressai.com' 'core.insightexpressai.com' 'rb.insightexpressai.com' 'insightexpresserdd.com' 'srv2trking.com' 'extreme-dm.com' 'e0.extreme-dm.com' 'e1.extreme-dm.com' 'e2.extreme-dm.com' 'nht-2.extreme-dm.com' 'nht-3.extreme-dm.com' 'reports.extreme-dm.com' 't.extreme-dm.com' 't0.extreme-dm.com' 't1.extreme-dm.com' 'u.extreme-dm.com' 'u0.extreme-dm.com' 'u1.extreme-dm.com' 'v.extreme-dm.com' 'v0.extreme-dm.com' 'v1.extreme-dm.com' 'w.extreme-dm.com' 'w0.extreme-dm.com' 'w1.extreme-dm.com' 'x3.extreme-dm.com' 'y.extreme-dm.com' 'y0.extreme-dm.com' 'y1.extreme-dm.com' 'z.extreme-dm.com' 'z0.extreme-dm.com' 'z1.extreme-dm.com' 'extremetracking.com' 'adsfac.us' 'level3.applifier.com' 'a.dlqm.net' 'ads-v-darwin.hulu.com' 'nbc.interpolls.com' 'pollserver.interpolls.com' 'ps2.interpolls.com' 'ps.interpolls.com' 'sw.interpolls.com' 'wb.interpolls.com' 'cdn.program3.com' 'm.sancdn.net' 'udm.ri1.scorecardresearch.com' 'udm.ri2.scorecardresearch.com' 'udm.ri3.scorecardresearch.com' 'udm.ri4.scorecardresearch.com' 'udm.ri5.scorecardresearch.com' 'udm.ri6.scorecardresearch.com' 'udm.ri7.scorecardresearch.com' 'udm.ri8.scorecardresearch.com' 'udm.ri9.scorecardresearch.com' 'cv.apprupt.com' 'www.clickmanage.com' 'www.abcjmp.com' '3151.77152.blueseek.com' '4802.170.blueseek.com' '5740.4785.blueseek.com' '5882.1158.blueseek.com' '5990.findit.blueseek.com' '7457.accessaw.blueseek.com' '7457.pownit.blueseek.com' '7979.nosubid.blueseek.com' 'itc.2081.blueseek.com' 'itcg3.c5369.blueseek.com' '2183.jsjmlejl.clickshield.net' 'redirect.clickshield.net' 'www.find-fast-answers.com' 'www.icityfind.com' 'primosearch.com' '4133.88.primosearch.com' '4654.2465.primosearch.com' '5490.spedads.primosearch.com' '5486.winxp.primosearch.com' '6266.570204.primosearch.com' 'www.primosearch.com' 'whatseek.com' 'ads.empoweringmedia.net' 'ad.71i.de' 'cdn.adstatic.com' 'www.advconversion.com' 'exityield.advertise.com' 'network.advertise.com' 'www.advertise.com' 'd.aggregateknowledge.com' 'd.agkn.com' 'cdn.alleliteads.com' 'adbcache.brandreachsys.com' 'cdn1.ads.brazzers.com' 'i.cdnpark.com' 'connect5364.com' 'coreclickhoo.com' 'ads.cracked.com' 'track.cracked.com' 'ping.crowdscience.com' 'click.dealshark.com' 'ads.deviantart.com' 'adsvr.deviantart.com' 'ads.exoclick.com' 'msnads-wm9.fplive.net' 'cdntest.gand.de' 'ips-invite.iperceptions.com' 'ads.mediaforge.com' 'img.metaffiliation.com' 'a.global.msads.net' 'global.msads.net' 'ads.msn.com' 'ads1.msn.com' 'ads2.msn.com' 'a.ads1.msn.com' 'b.ads1.msn.com' 'a.ads2.msn.com' 'cdn.promo.pimproll.com' 'cdn.g.promosrv.com' 'rd-direct.com' 'cdn.redlightcenter.com' 'http100.content.ru4.com' 'http300.content.ru4.com' 'http.content.ru4.com' 'bcbb.rubiconproject.com' 'banners.securedataimages.com' 'e.sexad.net' 'pod.sexsearch.com' 'pixel.solvemedia.com' 'fms2.pointroll.speedera.net' 'ad-cdn.technoratimedia.com' 'demoq.use-trade.com' 'ads2.vortexmediagroup.com' 'richmedia.yimg.com' 'stats.lightningcast.net' 'stats2.lightningcast.net' 'blueadvertise.com' 'adserver2.blueadvertise.com' 'cbpublishing.blueadvertise.com' 'cdxninteractive.blueadvertise.com' 'creditburner.blueadvertise.com' 'my.blueadvertise.com' 'ads.opensubtitles.org' 'll.atdmt.com' 's.atemda.com' 'static.ifa.camads.net' 'qlipsodigital.checkm8.com' 'static.contentabc.com' 'static.cpalead.com' 'cache.daredorm.com' 'cachewww.europacasino.com' 'cdn.intermarkets.net' 'cdn.inskinmedia.com' 'intermrkts.vo.llnwd.net' 'wbads.vo.llnwd.net' 'scripts.mofos.com' 'cdn.opencandy.com' 'cache.realitykings.com' 'media.sexinyourcity.com' 'cdn.taboolasyndication.com' 'cdn1.telemetryverification.net' 'ff1.telemetryverification.net' 'cdn.banner.thumbplay.com' 'media.trafficjunky.net' 'creativeby2.unicast.com' 'pl.yumenetworks.com' 'pl1.yumenetworks.com' 'cdn.cpmstar.com' 'static.ads.crakmedia.com' 'static.fleshlight.com' 'content.ipro.com' 'cdn-01.yumenetworks.com' 'tealium.hs.llnwd.net' 'im.afy11.net' 'cdn.content.exoticads.com' 'munchkin.marketo.net' 'ox.fashion.bg' 'e.freewebhostingarea.com' 'spns.seriousads.net' 'ads.adgarden.net' 'ad-rotator.com' 'serv.adspeed.com' 'www.adspeed.com' 'clickthru.net' 'nbrtrack.com' 'filter.eclickz.com' 'ads.localyokelmedia.com' 'tracki112.com' 'attribution.webmarketing123.com' 'www.adimpact.com' 'blogadswap.com' 'clixtk.com' 'www.iwstats.com' 'maxtracker.net' 'bgmenu.postaffiliatepro.com' 'www.tarakc1.net' 'www.adworkmedia.com' 'www.bannerflux.com' 'www.onlineuserscounter.com' 'quik2link.com' 'uptodatecontent.net' 'ctrck.com' 'search.eclickz.com' 'www.freeusersonline.com' 'www.linkcounter.com' 'www.adcash.com' 'adspserving.com' 'www.adversal.com' 'adv.blogupp.com' 'www.chrumedia.com' 'www.hit-counts.com' 'www.validview.com' 'ads.peoplespharmacy.com' 'www.yieldtraffic.com' 'ads.3e-news.net' 'b.detetoigrae.com' 'a.kik.bg' 'openx.stand.bg' 'ads.start.bg' 'www.banners.bgcatalog.net' 'track.make-a-site.net' 'ads.assistance.bg' 'delivery.ads.assistance.bg' 'ads.pik.bg' 'o.ibg.bg' 'r01.ibg.bg' 'reklama.bgads.net' 'banners.citybuild.bg' 'www.cpmfun.com' 'ex-traffic.com' 'forexadv.eu' 'stat.ganbox.com' 'ads.ka6tata.com' 'ads.lifesport.bg' 'adds.misiamoiatdom.com' 'ad.moreto.net' 'banner.sedem.bg' 'openx.vizzia.bg' 'ads.webcafe.bg' 'analytic.gatewayinterface.com' 'analyticcdn.globalmailer.com' 'mediaview.globalmailer.com' 'rt.globalmailer.com' 'pcash.globalmailer5.com' 'pcash.imlive.com' 'ads.sexier.com' 'ads.streamlivesex.com' 'pcash.wildmatch.com' 'ad.crwdcntrl.net' 'ag.tags.crwdcntrl.net' 'bb.crwdcntrl.net' 'bcp.crwdcntrl.net' 'bebo.crwdcntrl.net' 'blogtalkradio.crwdcntrl.net' 'cdn.crwdcntrl.net' 'celebslam.tags.crwdcntrl.net' 'cnnmoney.tags.crwdcntrl.net' 'coop.crwdcntrl.net' 'deviantart.crwdcntrl.net' 'fotolog.crwdcntrl.net' 'huffingtonpost.crwdcntrl.net' 'justjared.crwdcntrl.net' 'livejournal.tags.crwdcntrl.net' 'multiply.crwdcntrl.net' 'nbcu.tags.crwdcntrl.net' 'perfspot.crwdcntrl.net' 'sociallitelife.tags.crwdcntrl.net' 'sportsillustrated.tags.crwdcntrl.net' 'superficial.crwdcntrl.net' 'tags.crwdcntrl.net' 'videogum.tags.crwdcntrl.net' 'vidilife.crwdcntrl.net' 'wwtdd.tags.crwdcntrl.net' 'yardbarker.tags.crwdcntrl.net' 'ads2.jubii.dk' 'fe.lea.jubii.dk' 'fe.lea.lycos.de' 'fe.lea.spray.se' 'top-fwz1.mail.ru' 'list.ru' 'top.list.ru' 'top1.list.ru' 'top3.list.ru' 'top6.list.ru' 'host4.list.ru' 'drivelinemedia.com' 'images.drivelinemedia.com' 'www.drivelinemedia.com' 'images.enhance.com' 'www.enhance.com' 'gflinks.industrybrains.com' 'ilinks.industrybrains.com' 'imglinks.industrybrains.com' 'jlinks.industrybrains.com' 'links.industrybrains.com' 'shlinks.industrybrains.com' 'c.openclick.com' 'mdnhinc.com' 'www.siteboxparking.com' 'www.ultsearch.com' 'c.enhance.com' 'goclick.com' 'c.mdnhinc.com' 'cb.mdnhinc.com' 'title.mximg.com' 'cb.openclick.com' 'images.ultsearch.com' 'imagesb.ultsearch.com' 'adtrack.voicestar.com' 'banners.yllix.com' 'click2.yllix.com' 'promo.love-money.de' 'www.adwurkz.com' 'data.emimino.cz' 'expressdelivery.biz' 'secure.expressdelivery.biz' 'www.expressdelivery.biz' 'www.fleshlightreviews.net' 'www.hypercounter.com' 'engine.turboroller.ru' 'aa.newsblock.dt00.net' 'foreign.dt00.net' 'mytraf.info' 'www.mytraf.info' 'mytraf.ru' 'www.mytraf.ru' 'banners.adfox.ru' 'rq.adfox.ru' 'sup.adfox.ru' 'sedu.adhands.ru' 'img.dt00.net' 'mg.dt00.net' 'nbimg.dt00.net' 'counter.hitmir.ru' 'marketgid.com' 'aa-gb.marketgid.com' 'ab-nb.marketgid.com' 'ac-nb.marketgid.com' 'af-gb.marketgid.com' 'ai-gb.marketgid.com' 'ak-gb.marketgid.com' 'al-gb.marketgid.com' 'autocounter.marketgid.com' 'c.marketgid.com' 'counter.marketgid.com' 'c209.actionteaser.ru' 'i209.actionteaser.ru' 'v.actionteaser.ru' 'stat.adlabs.ru' 'cs01.trafmag.com' 'cs77.trafmag.com' 'cs00.trafmag.com' 'cs01.trafmag.com' 'cs02.trafmag.com' 'cs03.trafmag.com' 'cs04.trafmag.com' 'cs05.trafmag.com' 'cs06.trafmag.com' 'cs07.trafmag.com' 'cs08.trafmag.com' 'cs09.trafmag.com' 'cs10.trafmag.com' 'cs11.trafmag.com' 'cs12.trafmag.com' 'cs13.trafmag.com' 'cs14.trafmag.com' 'cs15.trafmag.com' 'cs16.trafmag.com' 'cs17.trafmag.com' 'cs18.trafmag.com' 'cs19.trafmag.com' 'cs20.trafmag.com' 'cs21.trafmag.com' 'cs22.trafmag.com' 'cs23.trafmag.com' 'cs24.trafmag.com' 'cs25.trafmag.com' 'cs26.trafmag.com' 'cs27.trafmag.com' 'cs28.trafmag.com' 'cs29.trafmag.com' 'cs30.trafmag.com' 'cs31.trafmag.com' 'cs32.trafmag.com' 'cs33.trafmag.com' 'cs34.trafmag.com' 'cs35.trafmag.com' 'cs36.trafmag.com' 'cs37.trafmag.com' 'cs38.trafmag.com' 'cs39.trafmag.com' 'cs40.trafmag.com' 'cs41.trafmag.com' 'cs42.trafmag.com' 'cs43.trafmag.com' 'cs44.trafmag.com' 'cs45.trafmag.com' 'cs46.trafmag.com' 'cs47.trafmag.com' 'cs48.trafmag.com' 'cs49.trafmag.com' 'cs50.trafmag.com' 'cs51.trafmag.com' 'cs52.trafmag.com' 'cs53.trafmag.com' 'cs54.trafmag.com' 'cs55.trafmag.com' 'cs56.trafmag.com' 'cs57.trafmag.com' 'cs58.trafmag.com' 'cs59.trafmag.com' 'cs60.trafmag.com' 'cs61.trafmag.com' 'cs62.trafmag.com' 'cs63.trafmag.com' 'cs64.trafmag.com' 'cs65.trafmag.com' 'cs66.trafmag.com' 'cs67.trafmag.com' 'cs68.trafmag.com' 'cs69.trafmag.com' 'cs70.trafmag.com' 'cs71.trafmag.com' 'cs72.trafmag.com' 'cs73.trafmag.com' 'cs74.trafmag.com' 'cs75.trafmag.com' 'cs76.trafmag.com' 'cs77.trafmag.com' 'cs78.trafmag.com' 'cs79.trafmag.com' 'cs80.trafmag.com' 'cs81.trafmag.com' 'cs82.trafmag.com' 'cs83.trafmag.com' 'cs84.trafmag.com' 'cs85.trafmag.com' 'cs86.trafmag.com' 'cs87.trafmag.com' 'cs88.trafmag.com' 'cs89.trafmag.com' 'cs90.trafmag.com' 'cs91.trafmag.com' 'cs92.trafmag.com' 'cs93.trafmag.com' 'cs94.trafmag.com' 'cs95.trafmag.com' 'cs96.trafmag.com' 'cs97.trafmag.com' 'cs98.trafmag.com' 'cs99.trafmag.com' 'parking.reg.ru' 'com.adv.vz.ru' '234x120.adv.vz.ru' 'p2p.adv.vz.ru' 'txt.adv.vz.ru' 'tizer.adv.vz.ru' 'counter.aport.ru' 'gs.spylog.ru' 'spylog.com' 'hits.spylog.com' 'www.spylog.com' 'spylog.ru' 'tools.spylog.ru' 'www.spylog.ru' 'promotion.partnercash.de' 'advert.rare.ru' 'www.cpaempire.com' 'ekmas.com' 'js.cybermonitor.com' 'estat.com' 'perso.estat.com' 'prof.estat.com' 'prof.beta.estat.com' 's.estat.com' 'sky.estat.com' 'w.estat.com' 'www.estat.com' 'tracking.opencandy.com' 'www.adpeepshosted.com' 'ping.hellobar.com' 'adklip.com' 'topads.rrstar.com' 'get.lingospot.com' 'd.castplatform.com' 'iact.atdmt.com' 'c.atdmt.com' 'flex.atdmt.com' 'flex.msn.com' 'otf.msn.com' 'trafficgateway.research-int.se' 'my.trackjs.com' 'image.atdmt.com' 'img.atdmt.com' 'www.atdmt.com' 'analytics.newsvine.com' 'tracking.bannerflow.com' 'analytics-eu.clickdimensions.com' 'universal.iperceptions.com' 'api.atdmt.com' 'bidclix.net' 'www.bidclix.net' 'collector.deepmetrix.com' 'www.deepmetrix.com' 'adsyndication.msn.com' 'c.no.msn.com' 'log.newsvine.com' 'c.ninemsn.com.au' 'e3.adpushup.com' 'mt.adquality.ch' 'api.iperceptions.com' 'data.queryly.com' 'adserver2.shoutz.com' 'aidps.atdmt.com' 'analytics.atdmt.com' 'c1.atdmt.com' 'ec.atdmt.com' 'h.atdmt.com' 'bat.bing.com' 'c.bing.com' 'analytics.breakingnews.com' 'analytics.clickdimensions.com' 'databroker-us.coremotives.com' 'analytics.live.com' 'digg.analytics.live.com' 'madserver.net' 'analytics.microsoft.com' 'ads1.msads.net' 'a.ads1.msads.net' 'a.ads2.msads.net' 'b.ads2.msads.net' 'analytics.msn.com' 'ads.eu.msn.com' 'images.adsyndication.msn.com' 'analytics.msnbc.msn.com' 'arc2.msn.com' 'arc3.msn.com' 'arc9.msn.com' 'blu.mobileads.msn.com' 'col.mobileads.msn.com' 'popup.msn.com' 'analytics.r.msn.com' '0.r.msn.com' 'a.rad.msn.com' 'b.rad.msn.com' 'rmads.msn.com' 'rmads.eu.msn.com' 'rpt.rad.msn.com' 'udc.msn.com' 'analytics.msnbc.com' 'msn.serving-sys.com' 'click.atdmt.com' 'jact.atdmt.com' 'sact.atdmt.com' 'beacon.clickequations.net' 'js.clickequations.net' 'cachebanner.europacasino.com' 'servedby.o2.co.uk' 'tags.tagcade.com' 'cachebanner.titanpoker.com' 'creativeby1.unicast.com' 'ping1.unicast.com' 'cachebanner.vegasred.com' 'i.w55c.net' 'v10.xmlsearch.miva.com' 'partners.10bet.com' 'affiliates.bet-at-home.com' 'partners.betfredaffiliates.com' 'sportingbeteur.adsrv.eacdn.com' 'partners.fanduel.com' 'banner.goldenpalace.com' 'affiliates.neteller.com' 'affiliates.pinnaclesports.com' 'partner.sbaffiliates.com' 'banners.victor.com' 'ecess1.cdn.continent8.com' 'one.cam4ads.com' 'ads.yvmads.com' 'adserver.gallerytrafficservice.com' 'www.gallerytrafficservice.com' 'beta.galleries.paperstreetcash.com' 'pepipo.com' 'www.pepipo.com' 'a.adnium.com' 'popit.mediumpimpin.com' 'promo.sensationalcash.com' 'ads.gtsads.com' 'static.cdn.gtsads.com' 'engine.gtsads.com' 'geoip.gtsads.com' 'nimages.gtsads.com' 'images.gtsads.com' 'creative.nscash.com' 'www.spunkycash.com' 'as.ad-411.com' 'chokertraffic.com' 'new.chokertraffic.com' 'www.chokertraffic.com' 'flashadtools.com' 'www.flashadtools.com' 'geo.gexo.com' 'ads.hornypharaoh.com' 'tools.pacinocash.com' 'analytics.pimproll.com' 'dev.trafficforce.com' 'ads.voyit.com' 'board.classifieds1000.com' 'edmedsnow.com' 'pk.adlandpro.com' 'te.adlandpro.com' 'trafficex.adlandpro.com' 'www.adlandpro.com' '247nortonsupportpc.com' 'advancedsoftwaresupport.com' 'www.errornuker.com' 'www.evidencenuker.com' 'spamnuker.com' 'www.spamnuker.com' 'www.spywarenuker.com' 'openx.vivthomas.com' 'adserver.adklik.com.tr' 's.adklik.com.tr' 'ads2.mynet.com' 'betaffs.com' 'getmailcounter.com' '1empiredirect.com' 'hstraffa.com' 'redirects.coldhardcash.com' 'gen2server.com' 'peelads.hustler.com' 'redroomnetwork.com' 'www.redroomnetwork.com' 'ads.trafficpimps.com' 'www.traffic-trades.com' 'bob.crazyshit.com' 'www.ninjadollars.com' 'www.99stats.com' 'static.99widgets.com' 'advertising.justusboys.net' 'lo2.me' 'ocxxx.com' 'ads.oxymoronent.com' 'advertising.rockettube.net' 'stats.xxxrewards.com' 'rewards.macandbumble.com' 'secure6.platinumbucks.com' 'ayboll.sgsrv.com' 'sureads.com' 'www.adregistry.com' 'applicationstat.com' 'scrollingads.hustlermegapass.com' 'www.mediareps.com' 'tools.naughtyamerica.com' 'www.secretbehindporn.com' 'link.siccash.com' 'vmn.net' 'sony.tcliveus.com' 'tc.zionsbank.com' 'commons.pajamasmedia.com' 'realtimeads.com' 'ads.eqads.com' 'e-ads.eqads.com' 'broadspring.com' 'www.broadspring.com' 'api.content.ad' 'partners.content.ad' 'xml.intelligenttrafficsystem.com' 'adserver.matchcraft.com' 'engine.4dsply.com' 'engine.adsupply.com' 'tracking.1betternetwork.com' 'cpatrack.leadn.com' 'tracking.opienetwork.com' 'www.adminder.com' 'analytics.atomiconline.com' 'widget.crowdignite.com' 'geo.gorillanation.com' 'cms.springboard.gorillanation.com' 'analytics.springboardvideo.com' 'analytics.stg.springboardvideo.com' 'stats.thoughtcatalog.com' 'img.linkstorm.net' 'tracking.onespot.com' 'seeclickfix.com' 'www.seeclickfix.com' 'stats.triggit.com' 'ads.softure.com' 'adserver.softure.com' 'log.trafic.ro' 'www.trafic.ro' 'ads.dijitalvarliklar.com' 'banner-img.haber7.com' 'a.kickass.to' 'www.coolfreehost.com' 'e2yth.tv' 'schoorsteen.geenstijl.nl' 'as.adwise.bg' 'i.adwise.bg' 'www.adwise.bg' 'ads.jenite.bg' 'banners.alo.bg' 'adserver.economic.bg' 'adv.starozagorci.com' 'openx.vsekiden.com' 'ads.3bay.bg' 'ads.biznews.bg' 'adv.alo.bg' 'adsys.insert.bg' 'ads.kulinar.bg' 'reklama.topnovini.bg' 'adv.webvariant.com' 'adv.consadbg.com' 'www.revisitors.com' 'affiliates.thrixxx.com' 'content.thrixxx.com' 'cz2.clickzs.com' 'cz3.clickzs.com' 'cz4.clickzs.com' 'cz5.clickzs.com' 'cz6.clickzs.com' 'cz7.clickzs.com' 'cz8.clickzs.com' 'cz9.clickzs.com' 'cz11.clickzs.com' 'js3.clickzs.com' 'js4.clickzs.com' 'js5.clickzs.com' 'js6.clickzs.com' 'js7.clickzs.com' 'js8.clickzs.com' 'js9.clickzs.com' 'js11.clickzs.com' 'jsp.clickzs.com' 'jsp2.clickzs.com' 'vip.clickzs.com' 'vip2.clickzs.com' 'www.clickzs.com' 'www.hit-now.com' 'www.netdirect.nl' 'startpunt.nu.site-id.nl' 'www.site-id.nl' 'nedstat.nl' 'www.nedstat.nl' 'm1.nedstatpro.net' 'www.nedstat.co.uk' 'fr.sitestat.com' 'uk.sitestat.com' 'www.sitestat.com' 'www.nedstat.com' 'nedstat.net' 'be.nedstat.net' 'es.nedstat.net' 'uk.nedstat.net' 'usa.nedstat.net' 'nl.nedstatpro.net' 'uk.nedstatpro.net' 'sitestat.com' 'be.sitestat.com' 'de.sitestat.com' 'es.sitestat.com' 'fi.sitestat.com' 'int.sitestat.com' 'se.sitestat.com' 'us.sitestat.com' 'geoaddicted.net' 'promotools.islive.nl' 'promotools.vpscash.nl' 'www.xxx-hitz.org' 'sms-ads.com' 'affiliate.bfashion.com' 'ads2.nextmedia.bg' 'ads.bg-mamma.com' 'adx.darikweb.com' 'stats.darikweb.com' 'adedy.com' 'adserver.hardsextube.com' 'realmedia.nana.co.il' 'xwbe.wcdn.co.il' 'dm.mlstat.com' 'www.mlstat.com' 'www.shareaza.com' 'download.shareazaweb.com' 'ads.downloadaccelerator.com' 'ad1.speedbit.com' 'ad2.speedbit.com' 'ad3.speedbit.com' 'ad4.speedbit.com' 'ad5.speedbit.com' 'ad6.speedbit.com' 'ad7.speedbit.com' 'ad8.speedbit.com' 'ad9.speedbit.com' 'ad10.speedbit.com' 'ads1.speedbit.com' 'ads2.speedbit.com' 'ads3.speedbit.com' 'ads4.speedbit.com' 'ads5.speedbit.com' 'ads6.speedbit.com' 'ads7.speedbit.com' 'ads8.speedbit.com' 'ads9.speedbit.com' 'ads10.speedbit.com' 'mirrorsearch.speedbit.com' 'ads.cursorinfo.co.il' 'protizer.ru' 'rm.tapuz.co.il' 'x4u.ru' 'geo.yad2.co.il' 'pics.yad2.co.il' 'walla.yad2.co.il' 'yad1.yad2.co.il' 'www.adoptim.com' 'ariboo.com' 'www.ariboo.com' 'ads.globescale.com' 'cursor.kvada.globescale.com' 'cetrk.com' 'crazyegg.com' 'ads.kyalon.net' 'www.antarasystems.com' 'ads.netsol.com' 'stats.netsolads.com' 'ads.networksolutions.com' 'code.superstats.com' 'counter.superstats.com' 'stats.superstats.com' 'hjlas.com' 'kvors.com' 'nbjmp.com' 'rotator.nbjmp.com' 'codead.impresionesweb.com' 'codenew.impresionesweb.com' 'gad.impresionesweb.com' 'alt.impresionesweb.com' 'code.impresionesweb.com' 'gb.impresionesweb.com' 'paneles.impresionesweb.com' 'www.impresionesweb.com' 'alternativos.iw-advertising.com' 'ads.abqjournal.com' 'ads.accessnorthga.com' 'adireland.com' 'www3.adireland.com' 'www.adireland.com' 'ads.admaxasia.com' 'ads.albawaba.com' 'ads.angop.ao' 'ads.mm.ap.org' 'adnet.asahi.com' 'ads.bangkokpost.co.th' 'stats.bbc.co.uk' 'visualscience.external.bbc.co.uk' 'ads.bcnewsgroup.com' 'ads.bninews.com' 'rmedia.boston.com' 'ads.businessweek.com' 'ads.butlereagle.com' 'ads5.canoe.ca' 'oasad.cantv.net' 'ads1.capitalinteractive.co.uk' 'ads.casinocity.com' 'as1.casinocity.com' 'dart.chron.com' 'adtrack.cimedia.net' 'realaudio.cimedia.net' 'fr.classic.clickintext.net' 'fr.64.clickintext.net' 'ads.clubplanet.com' 'ads3.condenast.co.uk' 'clips.coolerads.com' 'ads.cnpapers.com' 'openx.cnpapers.com' 'ads.dixcom.com' 'www.dnps.com' 'www.dolanadserver.com' 'ads.eastbayexpress.com' 'adv.ecape.com' 'advertising.embarcaderopublishing.com' 'iklan.emedia.com.my' 'ads.emol.com' 'ads.empowher.com' 'unit2.euro2day.gr' 'adverts.f-1.com' 'campaigns.f2.com.au' 'ads.fairfax.com.au' 'images.ads.fairfax.com.au' 'tracking.fccinteractive.com' 'redirect.fairfax.com.au' 'ad1.firehousezone.com' 'ad2.firehousezone.com' 'klipmart.forbes.com' 'onset.freedom.com' 'ads.ft.com' 'track.ft.com' 'ads.globalsportsmedia.com' 'www.gcmadvertising.com' 'ads.grupozeta.es' 'adimage.guardian.co.uk' 'ads.guardian.co.uk' 'ad.hankooki.com' 'log.hankooki.com' 'web2.harris-pub.com' 'ad.hbinc.com' 'ads.hellomagazine.com' 'id.hellomagazine.com' 'webtrend25.hemscott.com' 'adserver.heraldextra.com' 'tag-stats.huffingtonpost.com' 'advertising.illinimedia.com' 'www.indiads.com' 'ads.indiatimes.com' 'adscontent2.indiatimes.com' 'adstil.indiatimes.com' 'netspiderads.indiatimes.com' 'netspiderads2.indiatimes.com' 'netspiderads3.indiatimes.com' 'adsrv.iol.co.za' 'html.knbc.com' 'ads.lavoix.com' 'ad1.logger.co.kr' 'trk14.logger.co.kr' 'oas.mainetoday.com' 'utils.media-general.com' 'ads.mgnetwork.com' 'tracking.military.com' 'ad.mirror.co.uk' 'ads1.moneycontrol.com' 'partners.cfl.mybrighthouse.com' 'mouads.com' 'ads.movieweb.com' 'adserv.mywebtimes.com' 'html.nbc10.com' 'adserver.news.com.au' 'promos.newsok.com' 'collector.newsx.cc' 'ads.northjersey.com' 'adserver.nydailynews.com' 'ads.nytimes.com' 'up.nytimes.com' 'rm.ocregister.com' 'ads.online.ie' 'ads.pagina12.com.ar' 'adserver.passagemaker.com' 'adserv.postbulletin.com' 'webtrends.randallpub.com' 'bst.reedbusiness.com' 'oas.roanoke.com' 'adman.rep-am.com' 'ads.rttnews.com' 'ads.ruralpress.com' 'maxads.ruralpress.com' 'ads.sabah.com.tr' 'ads.sddt.com' 'ads.signonsandiego.com' 'ads.space.com' 'ads.sportingnews.com' 'ads.stephensmedia.com' 'adzone.stltoday.com' 'applets.sulekha.com' 'suads.sulekha.com' 'te.suntimes.com' 'ads.swiftnews.com' 'dcs.swiftnews.com' 'm.teamsugar.com' 'ads.telegraph.co.uk' 'ads.thecrimson.com' 'test.theeagle.com' 'ad.thehill.com' 'ads.thehour.com' 'ads.thestar.com' 'te.thestar.com' 'mercury.tiser.com.au' 'ads.townhall.com' 'adsys.townnews.com' 'stats.townnews.com' 'ads.trackentertainment.com' 'ads.victoriaadvocate.com' 'ads2.victoriaadvocate.com' 'adserver.virgin.net' 'admanage.wescompapers.com' 'ads.wfmz.com' 'html.wnbc.com' 'ads.wnd.com' 'ads.advance.net' 'ads.al.com' 'ads.cleveland.com' 'geoip.cleveland.com' 'ads.gulflive.com' 'geoip.gulflive.com' 'ads.lehighvalleylive.com' 'geoip.lehighvalleylive.com' 'ads.masslive.com' 'geoip.masslive.com' 'ads.mlive.com' 'geoip.mlive.com' 'science.mlive.com' 'ads.nj.com' 'geoip.nj.com' 'ads.nola.com' 'geoip.nola.com' 'ads.oregonlive.com' 'geoip.oregonlive.com' 'ads.pennlive.com' 'geoip.pennlive.com' 'ads.silive.com' 'geoip.silive.com' 'ads.syracuse.com' 'geoip.syracuse.com' 'ads1.ami-admin.com' 'cms1.ami-admin.com' 'ads.fitpregnancy.com' 'ads.muscleandfitness.com' 'ads.muscleandfitnesshers.com' 'ads.starmagazine.com' 'ads.belointeractive.com' 'ads4.clearchannel.com' 'dart.clearchannel.com' 'w10.centralmediaserver.com' 'atpco.ur.gcion.com' 'q.azcentral.com' 'q.pni.com' 'ad.usatoday.com' 'ads.usatoday.com' 'c.usatoday.com' 'gannett.gcion.com' 'apptap.scripps.com' 'railads.scripps.com' 'adsremote.scrippsnetworks.com' 'adindex.laweekly.com' 'adindex.ocweekly.com' 'adindex.villagevoice.com' 'oas.villagevoice.com' 'bestoffers.activeshopper.com' 'e-zshopper.activeshopper.com' 'mini.activeshopper.com' 'mobile.activeshopper.com' 'uk.activeshopper.com' 'ads2.mediashakers.com' 'admez.com' 'www.admez.com' 'andr.net' 'www.andr.net' 'ads.identads.com' 'justns.com' 'v2.urlads.net' 'www.urlcash.net' 'media.ventivmedia.com' 'bugsforum.com' 'date.ventivmedia.com' 'stats.ventivmedia.com' 'ads.ventivmedia.com' 'ad.naver.com' 'adcreative.naver.com' 'nv1.ad.naver.com' 'nv2.ad.naver.com' 'nv3.ad.naver.com' 'ad.amiadogroup.com' 'vistabet-affiliate.host.bannerflow.com' 'cdn.beaconads.com' 'assets.customer.io' 'cdn.app.exitmonitor.com' 'pixels.mentad.com' 'cdn.ndparking.com' 'cdn.popcash.net' 'media.struq.com' 'tags.api.umbel.com' 'cdnm.zapunited.com' 'backfill.ph.affinity.com' 'inm.affinitymatrix.com' 'cdn.chitika.net' 'adn.fusionads.net' 'cdn.petametrics.com' 'ad.reachppc.com' 'pubs.hiddennetwork.com' 'pixel1097.everesttech.net' 'pixel1324.everesttech.net' 'pixel1350.everesttech.net' 'pixel1370.everesttech.net' 'pixel1553.everesttech.net' 'pixel1739.everesttech.net' 'raskrutka.ucoz.com' 'ad.nozonedata.com' 'ad.digitimes.com.tw' 'www.ad-souk.com' 'ads.mediatwo.com' 'mads.dailymail.co.uk' 'in-cdn.effectivemeasure.net' 'scripts.chitika.net' 'rtbcdn.doubleverify.com' 's.marketwatch.com' 'stags.peer39.net' 'www.secure-processingcenter.com' 'www.spywarebegone.com' 'www.zipitfast.com' 'ads.drugs.com' 'www.spyarsenal.com' 'www.tsgonline.com' 'nana10.checkm8.com' 'nana10digital.checkm8.com' 'nrg.checkm8.com' 'nrgdigital.checkm8.com' 'sport5.checkm8.com' 'sport5digital.checkm8.com' 'affiliate.dtiserv.com' 'ds.eyeblaster.com' 'ads.lesbianpersonals.com' 'contextlinks.netseer.com' 'asd.tynt.com' 'c04.adsummos.net' 'cdn.at.atwola.com' 'ads.chango.ca' 'me-cdn.effectivemeasure.net' 'za-cdn.effectivemeasure.net' 'www8.effectivemeasure.net' 'cdn.flashtalking.com' 'servedby.flashtalking.com' 'stat.flashtalking.com' 'video.flashtalking.com' 'ads.germanfriendfinder.com' 'a.huluad.com' 'adt.m7z.net' 'download.realtimegaming.com' 'tap-cdn.rubiconproject.com' 'bridgetrack.speedera.r3h.net' 'media-1.vpptechnologies.com' 'media-2.vpptechnologies.com' 'media-4.vpptechnologies.com' 'media-5.vpptechnologies.com' 'media-6.vpptechnologies.com' 'media-8.vpptechnologies.com' 'media-a.vpptechnologies.com' 'media-b.vpptechnologies.com' 'media-c.vpptechnologies.com' 'media-d.vpptechnologies.com' 'media-e.vpptechnologies.com' 'media-f.vpptechnologies.com' 'static.vpptechnologies.com' 'web.checkm8.com' 'web2.checkm8.com' 'stats.homestead.com' 'track.homestead.com' 'track2.homestead.com' 'www.shareasale.com' 'ads.boursorama.com' 'analytics.youramigo.com' '24m.nuggad.net' 'abcno.nuggad.net' 'axdget-sync.nuggad.net' 'capital.nuggad.net' 'dol.nuggad.net' 'ebayit-dp.nuggad.net' 'jip.nuggad.net' 'lokalavisendk.nuggad.net' 'lpm-francetv.nuggad.net' 'lpm-lagardere.nuggad.net' 'lpm-tf1.nuggad.net' 'mobilede-dp.nuggad.net' 'n24se.nuggad.net' 'naftemporiki.nuggad.net' 'noa.nuggad.net' 'om.nuggad.net' 'pegasus.nuggad.net' 'pressbox.nuggad.net' 'prime.nuggad.net' 'ri.nuggad.net' 'teletypos.nuggad.net' 'tv2dk.nuggad.net' '3w.nuggad.net' '71i.nuggad.net' 'ad.u.nuggad.net' 'adcloud-dp.nuggad.net' 'adselect.nuggad.net' 'arbomedia.nuggad.net' 'arbomediacz.nuggad.net' 'asqlesechos.nuggad.net' 'asv.nuggad.net' 'attica.nuggad.net' 'bei.nuggad.net' 'berldk.nuggad.net' 'billboard.nuggad.net' 'ci.nuggad.net' 'derstandard.nuggad.net' 'dbadk.nuggad.net' 'eu.nuggad.net' 'gwp.nuggad.net' 'httpool.nuggad.net' 'httpoolat.nuggad.net' 'httpoolbg.nuggad.net' 'httpoolbih.nuggad.net' 'httpoolcr.nuggad.net' 'httpoolro.nuggad.net' 'httpoolsr.nuggad.net' 'interia.nuggad.net' 'ip.nuggad.net' 'jpdk.nuggad.net' 'jobzdk.nuggad.net' 'jubdk.nuggad.net' 'jppol.nuggad.net' 'krone.nuggad.net' 'medienhaus.nuggad.net' 'mobilede.nuggad.net' 'msnad.nuggad.net' 'mtv.nuggad.net' 'nettno.nuggad.net' 'nuggad.nuggad.net' 'oms.nuggad.net' 'poldk.nuggad.net' 'rmsi.nuggad.net' 'si.nuggad.net' 'survey.nuggad.net' 'yahoo.nuggad.net' 'www.retrostats.com' 'counter.dt07.net' 'ads.xxxbunker.com' 'blue.sexer.com' 'hello.sexer.com' 'white.sexer.com' 'it.bannerout.com' 'www.firebanner.com' 'www.scambiobanner.tv' 's3.pageranktop.com' 'bbg.d1.sc.omtrdc.net' 'buzzfeed.d1.sc.omtrdc.net' 'idgenterprise.d1.sc.omtrdc.net' 'lakeshore.d1.sc.omtrdc.net' 'pcworldcommunication.d2.sc.omtrdc.net' 'foxnews.tt.omtrdc.net' 'lowes.tt.omtrdc.net' 'nautilus.tt.omtrdc.net' 'toysrus.tt.omtrdc.net' 'som.aeroplan.com' 'tracking.everydayhealth.com' 'omni.focus.de' 'metrics.ilsole24ore.com' 'metrics.laredoute.fr' 'stats2.luckymag.com' 'metrics.necn.com' '1und1internetag.d3.sc.omtrdc.net' 'cafemom.d2.sc.omtrdc.net' 'centricabritishgas.d3.sc.omtrdc.net' 'citicorpcreditservic.tt.omtrdc.net' 'comcastresidentialservices.tt.omtrdc.net' 'comvelgmbh.d1.sc.omtrdc.net' 'condenast.insight.omtrdc.net' 'cri.d1.sc.omtrdc.net' 'daimlerag.d2.sc.omtrdc.net' 'espndotcom.tt.omtrdc.net' 'fairfaxau.d1.sc.omtrdc.net' 'hm.d1.sc.omtrdc.net' 'internetretailer.d2.sc.omtrdc.net' 'marchofdimes.d2.sc.omtrdc.net' 'mashable.d2.sc.omtrdc.net' 'nascardigitalsap.d2.sc.omtrdc.net' 'nzz.d3.sc.omtrdc.net' 'nydailynews.d1.sc.omtrdc.net' 'petfooddirect.d1.sc.omtrdc.net' 'rtve.d1.sc.omtrdc.net' 'seb.d1.sc.omtrdc.net' 'softlayer.d1.sc.omtrdc.net' 'tacobell.d1.sc.omtrdc.net' 'metrics.rcsmetrics.it' 'metrics.td.com' 'tracking.whattoexpect.com' '2o7.net' '102.112.207.net' '102.112.2o7.net' '102.122.2o7.net' '192.168.112.2o7.net' '192.168.122.2o7.net' '1105governmentinformationgroup.122.2o7.net' '3gupload.112.2o7.net' '10xhellometro.112.2o7.net' 'acckalaharinet.112.2o7.net' 'acpmagazines.112.2o7.net' 'adbrite.122.2o7.net' 'advertisingcom.122.2o7.net' 'advertisementnl.112.2o7.net' 'aehistory.112.2o7.net' 'aetv.112.2o7.net' 'affilcrtopcolle.112.2o7.net' 'agamgreetingscom.112.2o7.net' 'agbmcom.112.2o7.net' 'agegreetings.112.2o7.net' 'agmsnag.112.2o7.net' 'agwebshots.112.2o7.net' 'agyahooag.112.2o7.net' 'albanytimesunion.122.2o7.net' 'allbritton.122.2o7.net' 'amazonmerchants.122.2o7.net' 'amazonshopbop.122.2o7.net' 'amdvtest.112.2o7.net' 'ameritradeogilvy.112.2o7.net' 'ameritradeamerivest.112.2o7.net' 'amznshopbop.122.2o7.net' 'angiba.112.2o7.net' 'angmar.112.2o7.net' 'angmil.112.2o7.net' 'angpar.112.2o7.net' 'sa.aol.com.122.2o7.net' 'aolbks.122.2o7.net' 'aolcamember.122.2o7.net' 'aolcg.122.2o7.net' 'aolcmp.122.2o7.net' 'aolcommem.122.2o7.net' 'aolcommvid.122.2o7.net' 'aolcsmen.122.2o7.net' 'aoldlama.122.2o7.net' 'aoldrambuie.122.2o7.net' 'aolgam.122.2o7.net' 'aolgamedaily.122.2o7.net' 'aoljournals.122.2o7.net' 'aollatblog.122.2o7.net' 'aollove.122.2o7.net' 'aolmov.122.2o7.net' 'aolmus.122.2o7.net' 'aolnews.122.2o7.net' 'aolnssearch.122.2o7.net' 'aolpf.122.2o7.net' 'aolpolls.122.2o7.net' 'aolsearch.122.2o7.net' 'aolshred.122.2o7.net' 'aolsports.122.2o7.net' 'aolstylist.122.2o7.net' 'aolsvc.122.2o7.net' 'aolswitch.122.2o7.net' 'aoltruveo.122.2o7.net' 'aoltmz.122.2o7.net' 'aolturnercnnmoney.122.2o7.net' 'aolturnersi.122.2o7.net' 'aoluk.122.2o7.net' 'aolvideo.122.2o7.net' 'aolwinamp.122.2o7.net' 'aolwbautoblog.122.2o7.net' 'aolwbcinema.122.2o7.net' 'aolwbdnlsq.122.2o7.net' 'aolwbengadget.122.2o7.net' 'aolwbgadling.122.2o7.net' 'aolwbluxist.122.2o7.net' 'aolwbtvsq.122.2o7.net' 'aolwbpspfboy.122.2o7.net' 'aolwbwowinsd.122.2o7.net' 'aolwpmq.122.2o7.net' 'aolwpnscom.122.2o7.net' 'aolwpnswhatsnew.112.2o7.net' 'aolyedda.122.2o7.net' 'apdigitalorgovn.112.2o7.net' 'apdigitalorg.112.2o7.net' 'apnonline.112.2o7.net' 'aporg.112.2o7.net' 'associatedcontent.112.2o7.net' 'atlanticmedia.122.2o7.net' 'audible.112.2o7.net' 'aumo123usedcarscom.112.2o7.net' 'aumoautomotivectl.112.2o7.net' 'aumoautomotivecom.112.2o7.net' 'aumoautomobilemagcom.112.2o7.net' 'aumocarsbelowinvoice.112.2o7.net' 'aumointernetautoguidecom.112.2o7.net' 'aumomotortrend.112.2o7.net' 'aumonewcarcom.112.2o7.net' 'aumotradeinvaluecom.112.2o7.net' 'autobytel.112.2o7.net' 'autobytelcorppopup.112.2o7.net' 'autoanythingcom.112.2o7.net' 'autoscout24.112.2o7.net' 'autoweb.112.2o7.net' 'avgtechnologies.112.2o7.net' 'avon.112.2o7.net' 'awarenesstech.122.2o7.net' 'babycentercom.112.2o7.net' 'bankrate.112.2o7.net' 'bankwest.112.2o7.net' 'bbc.112.2o7.net' 'bhgdiabeticliving.112.2o7.net' 'bhgdiy.112.2o7.net' 'bhgkitchenbath.112.2o7.net' 'bhgscrap.112.2o7.net' 'bhgremodel.112.2o7.net' 'bhgquilting.112.2o7.net' 'bnkholic.112.2o7.net' 'bellglobemediapublishing.122.2o7.net' 'belointeractive.122.2o7.net' 'bertelwissenprod.122.2o7.net' 'bet.122.2o7.net' 'betterhg.112.2o7.net' 'bigpond.122.2o7.net' 'bizjournals.112.2o7.net' 'blethenmaine.112.2o7.net' 'bmwmoter.122.2o7.net' 'bnk30livejs.112.2o7.net' 'bnkr8dev.112.2o7.net' 'bonintnewsktarcom.112.2o7.net' 'bonneville.112.2o7.net' 'bonniercorp.122.2o7.net' 'boostmobile.112.2o7.net' 'bostoncommonpress.112.2o7.net' 'brightcove.112.2o7.net' 'brighthouse.122.2o7.net' 'bruceclay.112.2o7.net' 'btcom.112.2o7.net' 'builderonlinecom.112.2o7.net' 'businessweekpoc.112.2o7.net' 'buycom.122.2o7.net' 'buzznet.112.2o7.net' 'byubroadcast.112.2o7.net' 'canadapost.112.2o7.net' 'cancalgary.112.2o7.net' 'canfinancialpost.112.2o7.net' 'cannationalpost.112.2o7.net' 'canwestglobal.112.2o7.net' 'canoe.112.2o7.net' 'canottowa.112.2o7.net' 'canshowcase.112.2o7.net' 'cantire.122.2o7.net' 'canwest.112.2o7.net' 'capcityadvcom.112.2o7.net' 'capecodonlinecom.112.2o7.net' 'care2.112.2o7.net' 'carlsonradisson.112.2o7.net' 'cartoonnetwork.122.2o7.net' 'cba.122.2o7.net' 'cbc.122.2o7.net' 'cbcnewmedia.112.2o7.net' 'cbmsn.112.2o7.net' 'cbglobal.112.2o7.net' 'cbs.112.2o7.net' 'cbscom.112.2o7.net' 'cbsdigitalmedia.112.2o7.net' 'cbsnfl.112.2o7.net' 'cbspgatour.112.2o7.net' 'cbsspln.112.2o7.net' 'cbstelevisiondistribution.112.2o7.net' 'ccrgaviscom.112.2o7.net' 'cengagecsinfosec.112.2o7.net' 'chacha.112.2o7.net' 'chchoice.112.2o7.net' 'chghowardjohnson.112.2o7.net' 'chgsupereight.112.2o7.net' 'ciaocom.122.2o7.net' 'ciscowebex.112.2o7.net' 'cnhicrossvillechronicle.122.2o7.net' 'cnhidailyindependent.122.2o7.net' 'cnhienid.122.2o7.net' 'cnnireport.122.2o7.net' 'cnetasiapacific.122.2o7.net' 'chgwyndham.112.2o7.net' 'chicagosuntimes.122.2o7.net' 'chumtv.122.2o7.net' 'ciaoshopcouk.122.2o7.net' 'ciaoshopit.122.2o7.net' 'classicvacations.112.2o7.net' 'classmatescom.112.2o7.net' 'clubmed.112.2o7.net' 'clubmom.122.2o7.net' 'cmp.112.2o7.net' 'cmpdotnetjunkiescom.112.2o7.net' 'cmpglobalvista.112.2o7.net' 'cmtvia.112.2o7.net' 'cnetaustralia.122.2o7.net' 'cneteurope.122.2o7.net' 'cnetjapan.122.2o7.net' 'cnetnews.112.2o7.net' 'cnettech.112.2o7.net' 'cnetzdnet.112.2o7.net' 'cnheagletribune.112.2o7.net' 'cnhiautovertical.122.2o7.net' 'cnhibatesvilleheraldtribune.122.2o7.net' 'cnhibdtonline.122.2o7.net' 'cnhieagletribune.122.2o7.net' 'cnhijohnstown.122.2o7.net' 'cnhijoplinglobe.122.2o7.net' 'cnhinewscourier.122.2o7.net' 'cnhinewsservicedev.122.2o7.net' 'cnhirecordeagle.122.2o7.net' 'cnn.122.2o7.net' 'cnnglobal.122.2o7.net' 'cnocanoecaprod.112.2o7.net' 'cnoompprod.112.2o7.net' 'computerworldcom.112.2o7.net' 'condeconsumermarketing.112.2o7.net' 'condenast.112.2o7.net' 'conpst.112.2o7.net' 'cookingcom.112.2o7.net' 'corelcom.112.2o7.net' 'coreluk.112.2o7.net' 'costargroup.112.2o7.net' 'couhome.112.2o7.net' 'couponchief.122.2o7.net' 'coxhsi.112.2o7.net' 'coxnet.112.2o7.net' 'coxnetmasterglobal.112.2o7.net' 'cpusall.112.2o7.net' 'createthegroup.122.2o7.net' 'creditcardscom.112.2o7.net' 'cruisecritic.112.2o7.net' 'csoonlinecom.112.2o7.net' 'ctvcrimelibrary.112.2o7.net' 'ctvmaincom.112.2o7.net' 'ctvsmokinggun.112.2o7.net' 'ctvtsgtv.112.2o7.net' 'cwportal.112.2o7.net' 'cxociocom.112.2o7.net' 'cxocomdev.112.2o7.net' 'cyberdefender.122.2o7.net' 'dailyheraldpaddockpublication.112.2o7.net' 'dardenrestaurants.112.2o7.net' 'dealnews.122.2o7.net' 'delightful.112.2o7.net' 'dennispublishing.112.2o7.net' 'daimlerag.122.2o7.net' 'divx.112.2o7.net' 'dixonscouk.112.2o7.net' 'dmcontactmanagement.122.2o7.net' 'dmvguidecom.112.2o7.net' 'doctorsassociatesrx.112.2o7.net' 'dominionenterprises.112.2o7.net' 'dotster.112.2o7.net' 'dotsterdomaincom.112.2o7.net' 'dotsterdotsteraug08.112.2o7.net' 'dreamhome.112.2o7.net' 'eaeacom.112.2o7.net' 'eagamesuk.112.2o7.net' 'eaglemiles.112.2o7.net' 'eapogocom.112.2o7.net' 'earthlink.122.2o7.net' 'earthlnkpsplive.122.2o7.net' 'edietsmain.112.2o7.net' 'edmunds.112.2o7.net' 'edsa.122.2o7.net' 'efashionsolutions.122.2o7.net' 'ehadvicedev.112.2o7.net' 'eharmony.112.2o7.net' 'electronicarts.112.2o7.net' 'eloqua.122.2o7.net' 'emc.122.2o7.net' 'enterprisemediagroup.112.2o7.net' 'entrepreneur.122.2o7.net' 'entrepreneurpoc.122.2o7.net' 'epebuild.112.2o7.net' 'eplans.112.2o7.net' 'eremedia.112.2o7.net' 'eset.122.2o7.net' 'eurostar.122.2o7.net' 'eventbrite.122.2o7.net' 'evepdaikencom.112.2o7.net' 'evepdcharleston.112.2o7.net' 'evepdaggiesports.112.2o7.net' 'evepdbrazossports.112.2o7.net' 'evepdeagledev.112.2o7.net' 'ewsabilene.112.2o7.net' 'ewscorpuschristi.112.2o7.net' 'ewscripps.112.2o7.net' 'ewsmemphis.112.2o7.net' 'ewsnaples.112.2o7.net' 'ewsventura.112.2o7.net' 'examinercom.122.2o7.net' 'expedia1.112.2o7.net' 'expedia6vt.112.2o7.net' 'expedia8.112.2o7.net' 'experianservicescorp.122.2o7.net' 'expertsexchange.112.2o7.net' 'extrovert.122.2o7.net' 'ezgds.112.2o7.net' 'f2communitynews.112.2o7.net' 'f2nbt.112.2o7.net' 'f2network.112.2o7.net' 'f2nmycareer.112.2o7.net' 'f2nsmh.112.2o7.net' 'f2ntheage.112.2o7.net' 'facebookinc.122.2o7.net' 'factiva.122.2o7.net' 'fanatics.112.2o7.net' 'farecastcom.122.2o7.net' 'fbfredericksburgcom.112.2o7.net' 'figlobal.112.2o7.net' 'fim.122.2o7.net' 'flyingmag.com.122.2o7.net' 'ford.112.2o7.net' 'foxamw.112.2o7.net' 'foxcom.112.2o7.net' 'foxidol.112.2o7.net' 'foxinteractivemedia.122.2o7.net' 'furnlevitz.112.2o7.net' 'furniturecom.112.2o7.net' 'fusetv.112.2o7.net' 'gap.112.2o7.net' 'gatehousemedia.122.2o7.net' 'gateway.122.2o7.net' 'genetree.112.2o7.net' 'geosign.112.2o7.net' 'gifastcompanycom.112.2o7.net' 'gjfastcompanycom.112.2o7.net' 'gjincscobleizer.112.2o7.net' 'giftscom.122.2o7.net' 'gmgmacfs.112.2o7.net' 'gmgmacmortgage.112.2o7.net' 'gmgmcom.112.2o7.net' 'gmgoodwrenchdmaprod.112.2o7.net' 'gntbcstkare.112.2o7.net' 'gntbcstksdk.112.2o7.net' 'gntbcstkthv.112.2o7.net' 'gntbcstkxtv.112.2o7.net' 'gntbcstwbir.112.2o7.net' 'gntbcstwfmy.112.2o7.net' 'gntbcstwkyc.112.2o7.net' 'gntbcstwlbz.112.2o7.net' 'gntbcstwmaz.112.2o7.net' 'gntbcstwcsh.112.2o7.net' 'gntbcstwltx.112.2o7.net' 'gntbcstwtlv.112.2o7.net' 'gntbcstwtsp.112.2o7.net' 'gntbcstwusa.112.2o7.net' 'gntbcstwxia.112.2o7.net' 'gntbcstwzzm.112.2o7.net' 'gntbcstglobal.112.2o7.net' 'gntbcstkusa.112.2o7.net' 'gourmetgiftbaskets.112.2o7.net' 'gpapercareer.112.2o7.net' 'gpapermom104.112.2o7.net' 'grunerandjahr.112.2o7.net' 'guj.122.2o7.net' 'hallmarkibmcom.112.2o7.net' 'harconsumer.112.2o7.net' 'harrahscom.112.2o7.net' 'harpo.122.2o7.net' 'haymarketbusinesspublications.122.2o7.net' 'hchrmain.112.2o7.net' 'healthgrades.112.2o7.net' 'healthination.122.2o7.net' 'hearstdigital.122.2o7.net' 'hearstugo.112.2o7.net' 'hearstmagazines.112.2o7.net' 'heavycom.122.2o7.net' 'hertz.122.2o7.net' 'hickoryfarms.112.2o7.net' 'highbeam.122.2o7.net' 'himedia.112.2o7.net' 'hisnakiamotors.122.2o7.net' 'hollywood.122.2o7.net' 'homepjlconline.com.112.2o7.net' 'homepproav.112.2o7.net' 'homesteadtechnologies.122.2o7.net' 'homestore.122.2o7.net' 'hotelscom.122.2o7.net' 'hphqglobal.112.2o7.net' 'hswmedia.122.2o7.net' 'hulu.112.2o7.net' 'huludev.112.2o7.net' 'ibibo.112.2o7.net' 'ice.112.2o7.net' 'idgenterprise.112.2o7.net' 'ihc.112.2o7.net' 'imc2.122.2o7.net' 'imeem.112.2o7.net' 'imiliving.122.2o7.net' 'incisivemedia.112.2o7.net' 'indigio.122.2o7.net' 'infratotalduicom.122.2o7.net' 'infrastrategy.122.2o7.net' 'infoworldmediagroup.112.2o7.net' 'intelcorpchan.112.2o7.net' 'intelcorperror.112.2o7.net' 'intelcorpsupp.112.2o7.net' 'interchangecorporation.122.2o7.net' 'interland.122.2o7.net' 'intuitinc.122.2o7.net' 'insiderpagescom.122.2o7.net' 'instadia.112.2o7.net' 'ipcmarieclaireprod.122.2o7.net' 'ipcmedia.122.2o7.net' 'ipcnowprod.122.2o7.net' 'ipcuncut.122.2o7.net' 'ipcwebuserprod.122.2o7.net' 'ipcyachtingworldprod.122.2o7.net' 'itmedia.122.2o7.net' 'itv.112.2o7.net' 'iusacomlive.112.2o7.net' 'ivillageglobal.112.2o7.net' 'jackpot.112.2o7.net' 'jennycraig.112.2o7.net' 'jetbluecom2.112.2o7.net' 'jetbluepkgcs.112.2o7.net' 'jijsonline.112.2o7.net' 'jijsonline.122.2o7.net' 'jiktnv.122.2o7.net' 'jiwire.112.2o7.net' 'jiwtmj.122.2o7.net' 'jmsyap.112.2o7.net' 'johnlewis.112.2o7.net' 'jrcdelcotimescom.122.2o7.net' 'jrcom.112.2o7.net' 'journalregistercompany.122.2o7.net' 'kaboose.112.2o7.net' 'kasperthreatpostprod.112.2o7.net' 'kaspersky.122.2o7.net' 'kbbmain.112.2o7.net' 'kelleybluebook.112.2o7.net' 'kiplinger.112.2o7.net' 'lab88inc.112.2o7.net' 'laptopmag.122.2o7.net' 'lastminengb.112.2o7.net' 'laxnws.112.2o7.net' 'laxprs.112.2o7.net' 'laxpsd.112.2o7.net' 'laxtrb.112.2o7.net' 'laxwht.122.2o7.net' 'laxwht.112.2o7.net' 'ldsfch.112.2o7.net' 'leaitworldprod.112.2o7.net' 'leeenterprises.112.2o7.net' 'leveragemarketing.112.2o7.net' 'lintv.122.2o7.net' 'livedealcom.112.2o7.net' 'livenation.122.2o7.net' 'mailtribunecom.112.2o7.net' 'mapscom2.112.2o7.net' 'marinermarketing.112.2o7.net' 'marketlive.122.2o7.net' 'marketworksinc.122.2o7.net' 'marksandspencer.122.2o7.net' 'mattressusa.122.2o7.net' 'maxim.122.2o7.net' 'mcclatchy.112.2o7.net' 'mdjacksonville.112.2o7.net' 'mdpparents.112.2o7.net' 'mdwathens.112.2o7.net' 'mdwaugusta.112.2o7.net' 'mdwjuneau.112.2o7.net' 'mdwoakridge.112.2o7.net' 'mdwsavannah.112.2o7.net' 'mdwskirt.112.2o7.net' 'medhelpinternational.112.2o7.net' 'mediabistro.112.2o7.net' 'mediabistrocom.112.2o7.net' 'medialogic.122.2o7.net' 'mediamatters.112.2o7.net' 'meetupdev.122.2o7.net' 'memberservicesinc.122.2o7.net' 'metacafe.122.2o7.net' 'mgdothaneagle.112.2o7.net' 'mghickoryrecord.112.2o7.net' 'mgjournalnow.112.2o7.net' 'mgoanow.112.2o7.net' 'mngitwincities.112.2o7.net' 'mdstaugustine.112.2o7.net' 'mgstarexponent.112.2o7.net' 'mgtbo.112.2o7.net' 'mgtbopanels.112.2o7.net' 'mgtimesdispatch.112.2o7.net' 'mgwcbd.112.2o7.net' 'mgwjar.112.2o7.net' 'mgwnct.112.2o7.net' 'mgwsav.112.2o7.net' 'mgwsls.112.2o7.net' 'milbglobal.112.2o7.net' 'microsoftxbox.112.2o7.net' 'microsoftgamestudio.112.2o7.net' 'microsofteup.112.2o7.net' 'microsoftinternetexplorer.112.2o7.net' 'microsoftmachinetranslation.112.2o7.net' 'microsoftoffice.112.2o7.net' 'microsoftsto.112.2o7.net' 'microsoftuk.122.2o7.net' 'microsoftwga.112.2o7.net' 'microsoftwindows.112.2o7.net' 'microsoftwindowsmobile.122.2o7.net' 'microsoftwllivemkt.112.2o7.net' 'microsoftwlmailmkt.112.2o7.net' 'microsoftwlmessengermkt.112.2o7.net' 'microsoftwlmobilemkt.112.2o7.net' 'microsoftwlsearchcrm.112.2o7.net' 'midala.112.2o7.net' 'midar.112.2o7.net' 'midcru.112.2o7.net' 'midsen.112.2o7.net' 'mitsubishi.112.2o7.net' 'mkcthehomemarketplace.112.2o7.net' 'mkt10.122.2o7.net' 'mlarmani.122.2o7.net' 'mlbam.112.2o7.net' 'mlbatlanta.112.2o7.net' 'mlbcincinnati.112.2o7.net' 'mlbcom.112.2o7.net' 'mlbglobal.112.2o7.net' 'mlbglobal08.112.2o7.net' 'mlbsanfrancisco.112.2o7.net' 'mlsglobal.112.2o7.net' 'mmc.122.2o7.net' 'mngi.112.2o7.net' 'mngidailybreeze.112.2o7.net' 'mngimng.112.2o7.net' 'mngirockymtnnews.112.2o7.net' 'mngislctrib.112.2o7.net' 'mngisv.112.2o7.net' 'mngiyhnat.112.2o7.net' 'morningnewsonline.112.2o7.net' 'movitex.122.2o7.net' 'mpire.112.2o7.net' 'mngidmn.112.2o7.net' 'mngimercurynews.112.2o7.net' 'mseupwinxpfam.112.2o7.net' 'msna1com.112.2o7.net' 'msnaccountservices.112.2o7.net' 'msnbcom.112.2o7.net' 'msnbc.112.2o7.net' 'msnbcnewsvine.112.2o7.net' 'msneshopbase.112.2o7.net' 'msninvite.112.2o7.net' 'msninviteprod.112.2o7.net' 'msnlivefavorites.112.2o7.net' 'msnmercom.112.2o7.net' 'msnmercustacqprod.112.2o7.net' 'msnonecare.112.2o7.net' 'msnportalaffiliate.112.2o7.net' 'msnportalaunews.112.2o7.net' 'msnportalbeetoffice2007.112.2o7.net' 'msnportalhome.112.2o7.net' 'msnportalgame.112.2o7.net' 'msnportallatino.112.2o7.net' 'msnportalmsgboardsrvc.112.2o7.net' 'msnportalscp.112.2o7.net' 'msnportalvideo.112.2o7.net' 'msntrademarketing.112.2o7.net' 'msnwinonecare.112.2o7.net' 'msnportal.112.2o7.net' 'msnportallive.112.2o7.net' 'msnservices.112.2o7.net' 'mssbcprod.112.2o7.net' 'mswindowswolglobal.112.2o7.net' 'mswlspcmktdev.112.2o7.net' 'mswmwpapolloprod.122.2o7.net' 'mtvn.112.2o7.net' 'multiply.112.2o7.net' 'mxmacromedia.112.2o7.net' 'myfamilyancestry.112.2o7.net' 'nandomedia.112.2o7.net' 'nasdaq.122.2o7.net' 'natgeoedit.112.2o7.net' 'natgeoeditcom.112.2o7.net' 'natgeoglobal.112.2o7.net' 'natgeohomepage.112.2o7.net' 'natgeonavcom.112.2o7.net' 'natgeonews.112.2o7.net' 'natgeongkidsmagccom.112.2o7.net' 'natgeongmcom.112.2o7.net' 'natgeopeopleplaces.112.2o7.net' 'natgeotravelermagcom.112.2o7.net' 'natgeovideo.112.2o7.net' 'nautilus.122.2o7.net' 'nbcuniversal.122.2o7.net' 'neber.112.2o7.net' 'nebnr.112.2o7.net' 'neref.112.2o7.net' 'networksolutions.112.2o7.net' 'newcom.122.2o7.net' 'newlook.112.2o7.net' 'newsday.122.2o7.net' 'newsinteractive.112.2o7.net' 'newsinternational.122.2o7.net' 'newsok.112.2o7.net' 'newsquestdigitalmedia.122.2o7.net' 'newstimeslivecom.112.2o7.net' 'newyorkandcompany.112.2o7.net' 'newyorkmagazine.112.2o7.net' 'nhl.112.2o7.net' 'nielsen.112.2o7.net' 'nikefootball.112.2o7.net' 'nikefootballglobal.112.2o7.net' 'nikegoddess.112.2o7.net' 'nikehome.112.2o7.net' 'nikerunning.112.2o7.net' 'nikerunningglobal.112.2o7.net' 'njmvc.112.2o7.net' 'nmanchorage.112.2o7.net' 'nmbakersfieldca.112.2o7.net' 'nmbeaufort.112.2o7.net' 'nmbelleville.112.2o7.net' 'nmbradenton.112.2o7.net' 'nmcharlotte.112.2o7.net' 'nmcolumbia.112.2o7.net' 'nmcomnancomedia.112.2o7.net' 'nmeprod.122.2o7.net' 'nmfortworth.112.2o7.net' 'nmfresno.112.2o7.net' 'nmhiltonhead.112.2o7.net' 'nmkansascity.112.2o7.net' 'nmlexington.112.2o7.net' 'nmmclatchy.112.2o7.net' 'nmmerced.112.2o7.net' 'nmmiami.112.2o7.net' 'nmminneapolis.112.2o7.net' 'nmmodesto.112.2o7.net' 'nmraleigh.112.2o7.net' 'nmrockhill.112.2o7.net' 'nmsacramento.112.2o7.net' 'nmsanluisobispo.112.2o7.net' 'nmstatecollege.112.2o7.net' 'nmtacoma.112.2o7.net' 'nmthatsracin.112.2o7.net' 'nortelcom.112.2o7.net' 'northjersey.112.2o7.net' 'northwestairlines.112.2o7.net' 'novell.112.2o7.net' 'novellcom.112.2o7.net' 'nsdldlese.112.2o7.net' 'nttcommunications.122.2o7.net' 'nysun.com.112.2o7.net' 'nytbglobe.112.2o7.net' 'nytrflorence.112.2o7.net' 'nytrgainesville.112.2o7.net' 'nytrhendersonville.112.2o7.net' 'nytrlakeland.112.2o7.net' 'nytrlexington.112.2o7.net' 'nytrocala.112.2o7.net' 'nytrsantarosa.112.2o7.net' 'nytrsarasota.112.2o7.net' 'nytrthibodaux.112.2o7.net' 'nytrtuscaloosa.112.2o7.net' 'nytrwilmington.112.2o7.net' 'nytrworcester.112.2o7.net' 'nyttechnology.112.2o7.net' 'nytrwinterhaven.112.2o7.net' 'oberonincredig.112.2o7.net' 'oklahomadepartmentofcommerce.112.2o7.net' 'omniture.112.2o7.net' 'omniturecom.112.2o7.net' 'omniturebanners.112.2o7.net' 'omniscbt.112.2o7.net' 'omvisidtest1.112.2o7.net' 'onetoone.112.2o7.net' 'onlinegurupopularsitecom.112.2o7.net' 'oodpreprod.122.2o7.net' 'optimost.112.2o7.net' 'oraclecom.112.2o7.net' 'oracleglobal.112.2o7.net' 'osiristrading.112.2o7.net' 'ottdailytidingscom.112.2o7.net' 'ottacknet.112.2o7.net' 'overstockcom.112.2o7.net' 'overturecom.112.2o7.net' 'overturecomvista.112.2o7.net' 'pandasoftware.112.2o7.net' 'parade.122.2o7.net' 'parship.122.2o7.net' 'partygaming.122.2o7.net' 'partygamingglobal.122.2o7.net' 'patrickhillery.112.2o7.net' 'paypal.112.2o7.net' 'pch.122.2o7.net' 'pctoolscom.112.2o7.net' 'pcworldcommunication.122.2o7.net' 'pelmorexmedia.122.2o7.net' 'pentonmedia.122.2o7.net' 'pennwellcorp.112.2o7.net' 'petakfc.112.2o7.net' 'petamain.112.2o7.net' 'pfizer.122.2o7.net' 'philips.112.2o7.net' 'phillyburbscom.112.2o7.net' 'phillycom.112.2o7.net' 'phillymedia.112.2o7.net' 'pittsburghpostgazette.112.2o7.net' 'planetout.122.2o7.net' 'pldev.112.2o7.net' 'plsoyfoods.112.2o7.net' 'poacprod.122.2o7.net' 'poconorecordcom.112.2o7.net' 'popcapgames.122.2o7.net' 'popsci.com.122.2o7.net' 'powellsbooks.122.2o7.net' 'poweronemedia.122.2o7.net' 'premiumtv.122.2o7.net' 'primediabusiness.122.2o7.net' 'primestarmagazine.112.2o7.net' 'prisacom.112.2o7.net' 'prnewswire.122.2o7.net' 'primemensfitness.112.2o7.net' 'pulkauaiworld.112.2o7.net' 'pultheworldlink.112.2o7.net' 'questiacom.112.2o7.net' 'questsoftware.112.2o7.net' 'qwestfull.112.2o7.net' 'rainbowmedia.122.2o7.net' 'rakuten.112.2o7.net' 'rcci.122.2o7.net' 'rcntelecom.112.2o7.net' 'reagroup.122.2o7.net' 'rebtelnetworks.112.2o7.net' 'recordeaglecom.112.2o7.net' 'recordnetcom.112.2o7.net' 'recordonlinecom.112.2o7.net' 'registercom.122.2o7.net' 'remodelingonlinecom.112.2o7.net' 'rentcom.112.2o7.net' 'restoredchurchofgod.112.2o7.net' 'reunioncom.112.2o7.net' 'ringcentral.112.2o7.net' 'ringierag.112.2o7.net' 'riptownmedia.122.2o7.net' 'riverdeep.112.2o7.net' 'rmgparcelforcecom.112.2o7.net' 'rmgroyalmailcom.112.2o7.net' 'rrpartners.122.2o7.net' 'rtst.122.2o7.net' 'safaribooks.112.2o7.net' 'saksfifthavenue.122.2o7.net' 'santacruzsentinelcom.112.2o7.net' 'saxobutlereagle.122.2o7.net' 'saxoconcordmonitor.122.2o7.net' 'saxoeverett.122.2o7.net' 'saxofosters.122.2o7.net' 'saxogoerie.122.2o7.net' 'saxogreensboro.122.2o7.net' 'saxoorklamedia.122.2o7.net' 'saxopeninsuladailynews.122.2o7.net' 'saxorutland.122.2o7.net' 'saxosumteritem.122.2o7.net' 'saxotech.122.2o7.net' 'saxotechtylerpaper.122.2o7.net' 'saxotelegraph.122.2o7.net' 'saxotoledo.122.2o7.net' 'saxowatertowndailytimes.122.2o7.net' 'saxowenworld.122.2o7.net' 'saxowesterncommunications.122.2o7.net' 'sbsblukgov.112.2o7.net' 'sciamcom.112.2o7.net' 'scottrade.112.2o7.net' 'scrippsdiy.112.2o7.net' 'scrippsfineliving.112.2o7.net' 'scrippsfoodnet.112.2o7.net' 'scrippsfoodnetnew.112.2o7.net' 'scrippsgac.112.2o7.net' 'scrippshgtv.112.2o7.net' 'scrippshgtvpro.112.2o7.net' 'scrippsrecipezaar.112.2o7.net' 'seacoastonlinecom.112.2o7.net' 'sears.112.2o7.net' 'searscom.112.2o7.net' 'searskmartcom.112.2o7.net' 'sento.122.2o7.net' 'sevenoneintermedia.112.2o7.net' 'schaeffers.112.2o7.net' 'shawnewspapers.112.2o7.net' 'shopping.112.2o7.net' 'skyauction.122.2o7.net' 'slbbbcom.112.2o7.net' 'sltravelcom.112.2o7.net' 'smartmoney.112.2o7.net' 'smibs.112.2o7.net' 'smokingeverywhere.122.2o7.net' 'smokinggun.122.2o7.net' 'smpopmech.112.2o7.net' 'smwww.112.2o7.net' 'snagajob.122.2o7.net' 'snapfish.112.2o7.net' 'softonic.112.2o7.net' 'sonychina.112.2o7.net' 'sonycorporate.112.2o7.net' 'sonyscei.112.2o7.net' 'southcoasttodaycom.112.2o7.net' 'spamfighter.112.2o7.net' 'sparknetworks.112.2o7.net' 'spencergifts.112.2o7.net' 'sportingnews.122.2o7.net' 'sprintglobal.112.2o7.net' 'stampscom.112.2o7.net' 'starz.122.2o7.net' 'stpetersburgtimes.122.2o7.net' 'stubhub.122.2o7.net' 'stylincom.112.2o7.net' 'subaruofamerica.112.2o7.net' 'summitbusinessmedia.112.2o7.net' 'sunglobal.112.2o7.net' 'superpages.122.2o7.net' 'surfline.112.2o7.net' 'survey.122.2o7.net' 'svd.112.2o7.net' 'swsoft.122.2o7.net' 'sympmsnglobalen.112.2o7.net' 'sympmsnmusic.112.2o7.net' 'tangomedia.112.2o7.net' 'tbstv.112.2o7.net' 'techreview.112.2o7.net' 'tel3adv.112.2o7.net' 'tele2nl.112.2o7.net' 'telefloracom.112.2o7.net' 'tescostores.122.2o7.net' 'thayhoteldelcoronado.112.2o7.net' 'thayhiltonlongisland.112.2o7.net' 'thayvenetian.112.2o7.net' 'thedailystarcom.112.2o7.net' 'thegroup.112.2o7.net' 'thgalecom.112.2o7.net' 'thelibraryofcongress.122.2o7.net' 'thestar.122.2o7.net' 'thestardev.122.2o7.net' 'thinkgeek.112.2o7.net' 'thomasvillefurniture.122.2o7.net' 'thome.112.2o7.net' 'timecom.112.2o7.net' 'timecom.122.2o7.net' 'timeew.122.2o7.net' 'timeessence.122.2o7.net' 'timefoodandwine.122.2o7.net' 'timefortune.112.2o7.net' 'timehealthtips.122.2o7.net' 'timeinc.122.2o7.net' 'timelife.122.2o7.net' 'timeoutcommunications.122.2o7.net' 'timepeople.122.2o7.net' 'timepespanol.122.2o7.net' 'timespctenbest.122.2o7.net' 'timeteenpeople.122.2o7.net' 'tirerackcom.112.2o7.net' 'tgn.122.2o7.net' 'tjx.112.2o7.net' 'tmslexus.112.2o7.net' 'tmstoyota.112.2o7.net' 'tnttv.112.2o7.net' 'tomsshoes.122.2o7.net' 'torstardigital.122.2o7.net' 'toyotamotorcorporation.122.2o7.net' 'trailblazers.122.2o7.net' 'trane-ir-corp-ingersollrand.112.2o7.net' 'travidia.112.2o7.net' 'tribuneinteractive.122.2o7.net' 'trinitymirror.112.2o7.net' 'tumi.112.2o7.net' 'turnerclassic.112.2o7.net' 'turnersports.112.2o7.net' 'tvguide.112.2o7.net' 'uolfreeservers.112.2o7.net' 'uoljunocom2.112.2o7.net' 'uolnetzeronet2.112.2o7.net' 'uolphotosite.112.2o7.net' 'upi.112.2o7.net' 'usatoday1.112.2o7.net' 'usdm.122.2o7.net' 'usnews.122.2o7.net' 'ussearch.122.2o7.net' 'tbsveryfunnyads.112.2o7.net' 'vcomdeepdiscount.112.2o7.net' 'vcommerce.112.2o7.net' 'verisignwildcard.112.2o7.net' 'vermontteddybear.112.2o7.net' 'viaaddictingclips.112.2o7.net' 'viaaddictinggames.112.2o7.net' 'viaatom.112.2o7.net' 'viaatomv6.112.2o7.net' 'viabestweekever.112.2o7.net' 'viacomedycentral.112.2o7.net' 'viacomedycentralrl.112.2o7.net' 'viacomedyde.112.2o7.net' 'viagametrailers.112.2o7.net' 'vialogoonline.112.2o7.net' 'vialogorollup.112.2o7.net' 'viamtvcom.112.2o7.net' 'viamtvtr.112.2o7.net' 'vianickde.112.2o7.net' 'viasatsatelliteservices.112.2o7.net' 'viashockwave.112.2o7.net' 'viaspike.112.2o7.net' 'viamtv.112.2o7.net' 'viamtvukdev.112.2o7.net' 'viamtvnvideo.112.2o7.net' 'viamtvtr3s.112.2o7.net' 'vianewnownext.112.2o7.net' 'viaquiz.112.2o7.net' 'viaukplayer.112.2o7.net' 'viarnd.112.2o7.net' 'viavh1com.112.2o7.net' 'viay2m.112.2o7.net' 'victoriaadvocate.112.2o7.net' 'vintacom.112.2o7.net' 'vintadream.112.2o7.net' 'viamtvuk.112.2o7.net' 'viamtvromania.112.2o7.net' 'viavh1scandalist.112.2o7.net' 'viavh1video.112.2o7.net' 'virginmedia.112.2o7.net' 'virginmobile.122.2o7.net' 'vitacost.122.2o7.net' 'videotroncom.112.2o7.net' 'vodafonegroup.122.2o7.net' 'volkswagen.122.2o7.net' 'vpmc.122.2o7.net' 'walgrns.112.2o7.net' 'walmart.112.2o7.net' 'warnerbros.112.2o7.net' 'warnerbrothersrecords.112.2o7.net' 'waterfrontmedia.112.2o7.net' 'wbextecd.112.2o7.net' 'wbnews.112.2o7.net' 'wbprocurement.112.2o7.net' 'wcastrprod.122.2o7.net' 'webroot.112.2o7.net' 'westwickfarrow.122.2o7.net' 'whitecastle.122.2o7.net' 'wileypublishing.112.2o7.net' 'winecom.112.2o7.net' 'wineenthusiastcom.112.2o7.net' 'winmpmain.112.2o7.net' 'wissende.122.2o7.net' 'wlaptoplogic.122.2o7.net' 'worldnowboston.112.2o7.net' 'wpni.112.2o7.net' 'wpnipostcomjobs.112.2o7.net' 'wrigley.122.2o7.net' 'wwatchcomusa.112.2o7.net' 'wweconsumer.112.2o7.net' 'wwecorp2.112.2o7.net' 'xhealth.112.2o7.net' 'xhealthmobiltools.112.2o7.net' 'yamaha.122.2o7.net' 'yellcom.122.2o7.net' 'yellspain.112.2o7.net' 'yrkdsp.112.2o7.net' 'yukoyuko.112.2o7.net' 'zag.112.2o7.net' 'zango.112.2o7.net' 'zdau-builder.122.2o7.net' 'ziffdavisenterprise.112.2o7.net' 'ziffdavisenterpriseglobal.112.2o7.net' 'ziffdavisfilefront.112.2o7.net' 'ziffdavisglobal.112.2o7.net' 'ziffdavispennyarcade.112.2o7.net' 'ziffdaviseweek.112.2o7.net' 'stats.esomniture.com' 'www.omniture.com' 'www.touchclarity.com' 'nossl.aafp.org' 'metrics.aarp.org' 'ewstv.abc15.com' 'metrics.accuweather.com' 'metrics.acehardware.com' 'stats.adultswim.com' 'analytic.ae.com' 'metrics.aetn.com' 'metric.allrecipes.com' 'stats2.allure.com' 'b.alot.com' 'analytics.amakings.com' 'metrics.amd.com' 'metrics.americancityandcounty.com' 'a.americanidol.com' 'metric.angieslist.com' 'o.sa.aol.com' 's.sa.aol.com' 'metrics.apartmentfinder.com' 'metrics.ariba.com' 'omniture.artinstitutes.edu' 'stats2.arstechnica.com' 'vs.asianave.com' 'stats.askmen.com' 'metrics.autotrader.co.uk' 'metrics.autobytel.com' 'metrics.automobilemag.com' 'www2.autopartswarehouse.com' 'metrics.azfamily.com' 'metrics.babycenter.com' 'metrics.babycentre.co.uk' 'stats.backcountry.com' 'omni.basspro.com' 'sa.bbc.co.uk' 'metrics.beachbody.com' 'a.beliefnet.com' 'metrics.bestbuy.com' 'metrics.bet.com' 'n.betus.com' 'metrics.bhg.com' 'metrics.bitdefender.com' 'metric.bizjournals.com' 'metrics.blackberry.com' 'vs.blackplanet.com' 'om.blockbuster.com' 'metrics.bloomberg.com' 'o.bluewin.ch' 'n.bodybuilding.com' 'stats.bookingbuddy.com' 'metrics.bose.com' 'metrics.boston.com' 'om.businessweek.com' 'stats.buycostumes.com' 'stats.cafepress.com' 'omni.canadiantire.ca' 'metrics.car.com' 'metrics.caranddriver.com' 'metrics.cars.com' 'metrics.carbonite.com' 'metrics.carphonewarehouse.com' 'stats.cartoonnetwork.com' 'omni.cash.ch' 'metrics.cbc.ca' 'om.cbsi.com' 'mtrics.cdc.gov' 'metrics.centex.com' 'metrics.chacha.com' 'webstat.channel4.com' 'omniture.chip.de' 'metrics.chron.com' 'om.cnet.co.uk' 'metrics.cleveland.com' 'metrics.cnn.com' 'track.collegeboard.com' 'serviceo.comcast.net' 'metrics.compactappliance.com' 'stats.concierge.com' 'metrics.corus.ca' 'metrics.cosmopolitan.co.uk' 'omn.crackle.com' 'om.craftsman.com' 'smetrics.creditreport.com' 'metrics.crystalcruises.com' 'omni.csc.com' 'metrics.csmonitor.com' 'metrics.ctv.ca' 'metrics.dailymotion.com' 'metrics.dailystrength.org' 'metrics.dallasnews.com' 'metrics.delias.com' 'nsm.dell.com' 'metrics.delta.com' 'metrics.dentonrc.com' 'stats2.details.com' 'metrics.dickssportinggoods.com' 'stats.dice.com' 'img.discovery.com' 'metrics.discovery.com' 'omni.dispatch.com' 'metrics.divinecaroline.com' 'metrics.diy.com' 'metrics.doctoroz.com' 'metrics.dollargeneral.com' 'om.dowjoneson.com' 'stats.drugstore.com' 'metrics.dunkindonuts.com' 'stats.economist.com' 'metrics.ems.com' 'wa.eonline.com' 'stats.epicurious.com' 'wa.essent.nl' 'stats.examiner.com' 'om.expedia.com' 'metrics.express.com' 'metrics.expressen.se' 'o.fandango.com' 'metrics.fedex.com' 'metrics.finishline.com' 'metrics.fitnessmagazine.com' 'metrics.ford.com' 'metrics.foreignpolicy.com' 'metrics.foxnews.com' 'smetrics.freecreditreport.com' 'metrics.frontlineshop.com' 'metrics.flyingmag.com' 'metrics.fnac.es' 'sc-forbes.forbes.com' 'a.fox.com' 'stats.ft.com' 'track.futureshop.ca' 'metrics.gamestop.com' 'metrics.gcimetrics.com' 'stats2.gq.com' 'stats2.glamour.com' 'metrics.gnc.com' 'stats2.golfdigest.com' 'metrics.govexec.com' 'stats.grubstreet.com' 'hits.guardian.co.uk' 'metrics.harley-davidson.com' 'analytics.hayneedle.com' 'metrics.hbogo.com' 'minerva.healthcentral.com' 'metrics.hhgregg.com' 'metrics.homebase.co.uk' 'omt.honda.com' 'metrics.hoovers.com' 'metrics.howstuffworks.com' 'metrics.hrblock.com' 'my.iheartradio.com' 'sc.independent.co.uk' 'stats.ign.com' 'metrics.imvu.com' 'www91.intel.com' 'stats.investors.com' 'metrics.store.irobot.com' 'dc.kaboodle.com' 'metrics.kbb.com' 'ww9.kohls.com' 'metrics.lawyers.com' 'metrics.lehighvalleylive.com' 'metrics.us.levi.com' 'metrics.lexus.com' 'metrics.lhj.com' 'stats.libresse.no' 'om.lonelyplanet.com' 'analytics.mail-corp.com' 'metric.makemytrip.com' 'metric.marthastewart.com' 'metrics.mcafee.com' 'tracking.medpagetoday.com' 'metrics.mercola.com' 'report.mitsubishicars.com' 'an.mlb.com' 'metrics.mlive.com' 'metric.modcloth.com' 'metrics.moneymart.ca' 'metrics.more.com' 'stats.mvilivestats.com' 'metric.mylife.com' 'metrics.mysanantonio.com' 'metrics.nba.com' 'oimg.nbcuni.com' 'om.neimanmarcus.com' 'ometrics.netapp.com' 'metrics.newcars.com' 'metrics.nfl.com' 'metrics.nissanusa.com' 'metrics.nj.com' 'metrics.nola.com' 'metrics.nutrisystem.com' 'stats.nymag.com' 'om.onlineshoes.com' 'o.opentable.com' 'metrics.oprah.com' 'metrics.oregonlive.com' 'metrics.pagoda.com' 'stats.pandora.com' 'metrics.parents.com' 'metrics.pe.com' 'metrics.pennlive.com' 'metrics.penton.com' 'metric.petinsurance.com' 'metrics.petsmart.com' 'metrics.philly.com' 'metrics.us.playstation.com' 'metrics.politico.com' 'metrics.performgroup.com' 'metrics.radioshack.com' 'metrics.ralphlauren.com' 'mtrcs.redhat.com' 'metric.rent.com' 'metrics.retailmenot.com' 'data.ritzcarlton.com' 'om.rogersmedia.com' 'metrics.seattlepi.com' 'metrics.seenon.com' 'stats2.self.com' 'om.sfgate.com' 'metrics.sharecare.com' 'ou.shutterfly.com' 'metrics.shoedazzle.com' 'metrics.shopoon.fr' 'omniture.shopstyle.com' 'metrics.silive.com' 'b.skinstore.com' 'metrics.sky.com' 'metrics.skype.com' 'metrics.slate.com' 'stats.slashgear.com' 'metrics.speedousa.com' 'omni.sportingnews.com' 'metrics.sportsauthority.com' 'metrics.solarwinds.com' 'metrics.sony.com' 'omn.sonypictures.com' 'metrics.southwest.com' 'metrics.starwoodhotels.com' 'omniture.stuff.co.nz' 'stats.style.com' 'metrics.sun.com' 'metric.superpages.com' 'metrics.svd.se' 'om.symantec.com' 'metrics.syracuse.com' 'analytics.tbs.com' 'metrics.teambeachbody.com' 'stats2.teenvogue.com' 'info.telstra.com' 'metrics.tgw.com' 'hits.theguardian.com' 'metrics.thinkgeek.com' 'metrics.three.co.uk' 'metrics.ticketmaster.com' 'tgd.timesonline.co.uk' 'metrics.tlc.com' 'metrics.toptenreviews.com' 'metrics.toyota.com' 'metrics.toysrus.com' 'metrics.traderonline.com' 'om.truecar.com' 'metric.trulia.com' 'metrics.tulsaworld.com' 'metrics.turner.com' 'metrics.tvguide.com' 'metrics.uol.com.br' 'stats2.vanityfair.com' 'sleep.vermontteddybear.com' 'metrics.vividseats.com' 'sc.vmware.com' 'metrics.vodafone.co.uk' 'metric.volkswagen.com' 'webstats.volvo.com' 'stats.voyages-sncf.com' 'stats.vulture.com' 'wa.and.co.uk' 'webanalyticsnossl.websense.com' 'std.o.webmd.com' 'metrics.which.co.uk' 'metrics.windowsitpro.com' 'metrics.winsupersite.com' 'stats2.wmagazine.com' 'an.worldbaseballclassic.com' 'metric.worldcat.org' 'metrics.worldmarket.com' 's.xbox.com' 'smetrics.yellowbook.com' 'metric.yellowpages.com' 'track.www.zazzle.com' 'mbox.offermatica.intuit.com' 'mbox12.offermatica.com' 'metrics.iconfitness.com' 'crain.d1.sc.omtrdc.net' 'newjobs.d1.sc.omtrdc.net' 'rodale.d1.sc.omtrdc.net' 'siemens.d1.sc.omtrdc.net' 'truevalue.d2.sc.omtrdc.net' 'mbox3.offermatica.com' 'mbox3e.offermatica.com' 'mbox4.offermatica.com' 'mbox4e.offermatica.com' 'mbox5.offermatica.com' 'mbox9.offermatica.com' 'mbox9e.offermatica.com' 'americaneagleoutfitt.tt.omtrdc.net' 'angieslist.tt.omtrdc.net' 'carbonite.tt.omtrdc.net' 'comcast.tt.omtrdc.net' 'educationmanagementl.tt.omtrdc.net' 'dellinc.tt.omtrdc.net' 'readersdigest.tt.omtrdc.net' 'rentcom.tt.omtrdc.net' 'reunion.tt.omtrdc.net' 'geo.offermatica.com' 'mbox6.offermatica.com' 'a.advanstar.com' 'a.amd.com' 'a.answers.com' 'a.autoexpress.co.uk' 'a.bizarremag.com' 'a.cbc.ca' 'vendorweb.citibank.com' 'b.computerworlduk.com' 'a.custompc.co.uk' 'ap101.curves.com' 'b.digitalartsonline.co.uk' 'a.environmentaldefense.org' 'a.evo.co.uk' 'a.fandango.com' 'tracking.foxnews.com' 'wss.hbpl.co.uk' 'a.heretv.com' 'h.hollywood.com' 'a.independent.co.uk' 'a.itpro.co.uk' 'a.law.com' 'a.macuser.co.uk' 'a.modernmedicine.com' 'cs.montrealplus.ca' 'a.networkworld.com' 'a.pcpro.co.uk' 'a.pokerplayermagazine.co.uk' 'c.realtytrac.com' 'a.shop.com' 'a.spicetv.com' 'h.spill.com' 'a.tempurpedic.com' 'ngd.thesun.co.uk' 'a.tiscali.co.uk' 'a.venetian.com' 'a.vonage.com' 'ws.yellowpages.ca' 'www.freestats.ws' 'geoip.edagames.com' 'click.khingtracking.com' '5advertise.com' 'admediacpm.com' 'ads-cpm.com' 'adserver.ads-cpm.com' 's42.cpmaffiliation.com' 'www.cpmaffiliation.com' 'soft4update.forfreeupgrades.org' 'regiepublicitairecpm.com' 'code.d-agency.net' 'switch.d-agency.net' 'code.rtbsystem.com' 'ads-colruytgroup.adhese.com' 'ads-nrc.adhese.com' 'pool-nrc.adhese.com' 'ads.pebblemedia.adhese.com' 'pool.pebblemedia.adhese.com' 'ads.persgroep.adhese.com' 'pool-colruytgroup.adhese.com' 'pool.persgroep.adhese.com' 'ads.roularta.adhese.com' 'pool.roularta.adhese.com' 'pebble-adhese.gva.be' 'pebble-adhese.hbvl.be' 'ox-d.buddytv.com' 'ox-d.cloud9-media.net' 'ox-d.cordillera.tv' 'ox-d.dailyherald.com' 'ox-d.digiday.com' 'ox-d.eluniversal.com' 'ox-d.footballmedia.com' 'ox-d.gamer-network.net' 'ox-d.gamerpublishing.com' 'ox-d.globalpost.com' 'ox-d.hdcmedia.nl' 'ox-d.hypeads.org' 'ox-d.iflscience.com' 'ox-d.johnstonpress.co.uk' 'ox-d.majorgeeks.com' 'ox-d.makerstudios.com' 'ox-d.mirror-digital.com' 'ox-d.mm1x.nl' 'ox-d.mmaadnet.com' 'ox-d.motogp.com' 'ox-d.officer.com' 'bid.openx.net' 'prod-d.openx.com' 'u.openx.net' 'uk-ads.openx.net' 'us-u.openx.net' 'ox-d.openxadexchange.com' 'd.peoplesearchads.com' 'ox-d.photobucket.com' 'ax-d.pixfuture.net' 'ox-d.popmatters.com' 'ox-d.qz.com' 'ox-d.rantsports.com' 'ox-d.restaurant.com' 'ox-d.ads.revnm.com' 'ox-d.sbnation.com' 'ox-d.ask.servedbyopenx.com' 'ox-d.apax.servedbyopenx.com' 'ox-d.bauer.servedbyopenx.com' 'ox-d.boston.servedbyopenx.com' 'ox-d.cheezburger.servedbyopenx.com' 'ox-d.concourse.servedbyopenx.com' 'ox-d.curse.servedbyopenx.com' 'ox-d.futurenet.servedbyopenx.com' 'ox-d.ibt.servedbyopenx.com' 'ox-d.imgur.servedbyopenx.com' 'ox-d.leessp.servedbyopenx.com' 'ox-d.mediavine.servedbyopenx.com' 'ox-d.nydailynews.servedbyopenx.com' 'ox-d.philly.servedbyopenx.com' 'ox-d.publisherdesk.servedbyopenx.com' 'ox-d.ranker.servedbyopenx.com' 'ox-d.realtor.servedbyopenx.com' 'ox-d.venturebeat.servedbyopenx.com' 'ox-d.sidereel.com' 'adserv.bulletinmarketing.com' 'addelivery.thestreet.com' 'torr-d.torrpedoads.net' 'us-ads.openx.net' 'ox-d.secure-clicks.org' 'a.unanimis.co.uk' 'ox-d.verivox.de' 'ox-d.viralnova.com' 'ox-d.w00tmedia.net' 'ox-d.wahwahnetworks.com' 'ox-d.washingtonpost.servedbyopenx.com' 'ads.webcamclub.com' 'ox-d.whalerPI:EMAIL:<EMAIL>END_PI' 'ox-d.zam.com' 'www.avnads.com' '314.hittail.com' '815.hittail.com' '922.hittail.com' '1262.hittail.com' '30811.hittail.com' '3241.hittail.com' '3415.hittail.com' '3463.hittail.com' '3918.hittail.com' '3933.hittail.com' '3957.hittail.com' '4134.hittail.com' '4560.hittail.com' '4612.hittail.com' '8260.hittail.com' '8959.hittail.com' '9394.hittail.com' '9446.hittail.com' '9547.hittail.com' '9563.hittail.com' '9571.hittail.com' '10006.hittail.com' '10168.hittail.com' '12877.hittail.com' '13223.hittail.com' '14228.hittail.com' '15141.hittail.com' '15628.hittail.com' '15694.hittail.com' '16565.hittail.com' '19097.hittail.com' '19500.hittail.com' '19533.hittail.com' '20909.hittail.com' '21807.hittail.com' '22537.hittail.com' '23315.hittail.com' '23837.hittail.com' '24725.hittail.com' '24809.hittail.com' '25057.hittail.com' '26288.hittail.com' '27460.hittail.com' '27891.hittail.com' '28305.hittail.com' '30001.hittail.com' '31335.hittail.com' '31870.hittail.com' '34673.hittail.com' '35385.hittail.com' '71158.hittail.com' '73091.hittail.com' '77266.hittail.com' '78843.hittail.com' '93367.hittail.com' '99400.hittail.com' '100065.hittail.com' '103532.hittail.com' '106242.hittail.com' '108411.hittail.com' 'tracking.hittail.com' 'tracking2.hittail.com' 'ads.neudesicmediagroup.com' 'domainsponsor.com' 'images.domainsponsor.com' 'spi.domainsponsor.com' 'dsparking.com' 'dsnetservices.com' 'dsnextgen.com' 'www.dsnextgen.com' 'www.kanoodle.com' 'content.pulse360.com' 'ads.videoadex.com' 'green.erne.co' 'geoloc4.geovisite.com' 'ibannerx.com' 'adyoulike.omnitagjs.com' 'prosearchs.in' 'whoads.net' 'creativecdn.com' 'www.efficienttraffic.com' 'adserver.magazyn.pl' 'banners.oxiads.fr' 'aff.tagcdn.com' 'hub.adlpartner.com' 'ad.asntown.net' 'marketingenhanced.com' 'www2.yidsense.com' 'sre.zemanta.com' 'www8.afsanalytics.com' 'www.yidsense.com' 'find-me-now.com' 'cdn.tapstream.com' 'static.canalstat.com' 'www.geoworldonline.com' 'metriweb.be' 'www.pagerank-gratuit.com' 'a1.x-traceur.com' 'a3.x-traceur.com' 'a12.x-traceur.com' 'a18.x-traceur.com' 'a20.x-traceur.com' 'logos.x-traceur.com' 'services.x-traceur.com' 'arecio.work' 'go27.net' 'eu1.heatmap.it' 'oxybe.com' 'pubted.com' 'ucoxa.work' 'www.frameptp.com' 'geoloc16.geovisite.com' 'xed.pl' 'www.xed.pl' 'c.ad6media.fr' 'fwg0b0sfig.s.ad6media.fr' 'www.adverteasy.fr' 'ads.databrainz.com' 'geoloc2.geovisite.com' 'u.heatmap.it' 'megapopads.com' 'sender.megapopads.com' 'tracking.veille-referencement.com' 'static.adbutter.net' 'j.adlooxtracking.com' 'ads.clipconverter.cc' 'fo-api.omnitagjs.com' 'analytics.safelinking.net' 'stabx.net' 'www.x-park.net' 'st-1.1fichier.com' 'r.ad6media.fr' 'adbanner.adxcore.com' 'l.adxcore.com' 'ad.adxcore.com' 'd.adxcore.com' 'ad.ohmyad.co' 'l.ohmyad.co' 'at.alenty.com' 'www.alenty.com' 'secure.audienceinsights.net' 'logger.cash-media.de' 'deplayer.net' 'www.drimads.com' 'server1.affiz.net' 'apicit.net' 'www.canalstat.com' 'stats.click-internet.fr' 'www.diffusionpub.com' 'dreamad.org' '3wregie.ezakus.net' 'overblog.ezakus.net' 'ads.freecaster.tv' 'geoloc12.geovisite.com' 'geoloc13.geovisite.com' 'geoloc14.geovisite.com' 'www.net-pratique.fr' 'ads1.nexdra.com' 'www.noowho.com' 'paulsnetwork.com' 'piwik.org' 'hit.reference-sexe.com' 'tracker.squidanalytics.com' 'ads.stickyadstv.com' 'script.yeb.biz' 'fr.1sponsor.com' 'adv.440network.com' 'fr.cim.clickintext.net' 'fr.slidein.clickintext.net' 'fr.85.clickintext.net' 'top.c-stat.eu' 'exgfsbucks.com' 'geoloc17.geovisite.com' 'www.livecount.fr' 'adtools.matrix-cash.com' 'adhosting.ohmyad.co' 'www.one-door.com' 'c.thestat.net' 'www.toptracker.ru' 'www.pro.webstat.pl' 'tracking.wisepops.com' 'www.xstat.pl' 'zbiornik.com' 'adbard.net' 'cache.adviva.net' 'cdn.amgdgt.com' 'media.baventures.com' 'js.bizographics.com' 'rkcache.brandreachsys.com' 's.clicktale.net' 'images.ddc.com' 'cdn.firstlook.com' 'm2.fwmrm.net' 'cache.gfrevenge.com' 'cache.izearanks.com' 'media.markethealth.com' 'crtv.mate1.com' 'cdn.media6degrees.com' 'static.meteorsolutions.com' 'tas.orangeads.fr' 'bannershotlink.perfectgonzo.com' 'iframes.perfectgonzo.com' 'pluginx.perfectgonzo.com' 'cache.specificmedia.com' 'www.traveladvertising.com' 'cdn.undertone.com' 'wp.vizu.com' 'cm.eyereturn.com' 'return.uk.domainnamesales.com' 'pixel.sitescout.com' 'www.adultmoda.com' 'btprmnav.com' 'bttrack.com' 'pixel.crosspixel.net' 'tracking.aimediagroup.com' 'www.maxbounty.com' 'www.mb01.com' 'as1.mistupid.com' 'delta.rspcdn.com' 'androidsdk.ads.mp.mydas.mobi' 'bank01.ads.dt.mydas.mobi' 'bank02.ads.dt.mydas.mobi' 'bank03.ads.dt.mydas.mobi' 'bank04.ads.dt.mydas.mobi' 'bank05.ads.dt.mydas.mobi' 'bank06.ads.dt.mydas.mobi' 'bank07.ads.dt.mydas.mobi' 'bank08.ads.dt.mydas.mobi' 'bank09.ads.dt.mydas.mobi' 'bank10.ads.dt.mydas.mobi' 'bank11.ads.dt.mydas.mobi' 'bank12.ads.dt.mydas.mobi' 'bank13.ads.dt.mydas.mobi' 'bank15.ads.dt.mydas.mobi' 'bank16.ads.dt.mydas.mobi' 'bank17.ads.dt.mydas.mobi' 'bank18.ads.dt.mydas.mobi' 'bank19.ads.dt.mydas.mobi' 'bank20.ads.dt.mydas.mobi' 'bank01.ads.mp.mydas.mobi' 'bank02.ads.mp.mydas.mobi' 'bank03.ads.mp.mydas.mobi' 'bank04.ads.mp.mydas.mobi' 'bank05.ads.mp.mydas.mobi' 'bank06.ads.mp.mydas.mobi' 'bank07.ads.mp.mydas.mobi' 'bank08.ads.mp.mydas.mobi' 'bank09.ads.mp.mydas.mobi' 'bank10.ads.mp.mydas.mobi' 'bank11.ads.mp.mydas.mobi' 'bank12.ads.mp.mydas.mobi' 'bank13.ads.mp.mydas.mobi' 'bank15.ads.mp.mydas.mobi' 'bank16.ads.mp.mydas.mobi' 'bank17.ads.mp.mydas.mobi' 'bank18.ads.mp.mydas.mobi' 'bank19.ads.mp.mydas.mobi' 'bank20.ads.mp.mydas.mobi' 'srv.buysellads.com' 'www.iboard.com' 'cg-global.maxymiser.com' 'www.mcsqd.com' 'ab163949.adbutler-kaon.com' 'ads.d-msquared.com' '1.ofsnetwork.com' 'ads.sportsblog.com' 'ab159015.adbutler-zilon.com' 'pub17.bravenet.com' 'www.countmypage.com' 'www.cpalist.com' 'click.icetraffic.com' 'pix.lfstmedia.com' 'map.media6degrees.com' 'd6y5.ads.pof.com' 't.ads.pof.com' 'clickserv.sitescout.com' 'www4search.net' 'archive.coolerads.com' 'counter.co.kz' 'hitmodel.net' 'openads.hiphopsite.com' 'delivery.serve.bluelinkmarketing.com' 'connexionsafe.com' 'geo.crtracklink.com' 'delivery.myswitchads.com' 'delivery.us.myswitchads.com' 'www.searchnet.com' 'delivery.c.switchadhub.com' 'banner.titanpoker.com' 'banner.vegasred.com' 'coolinc.info' 'www.mb57.com' 'banners.leadingedgecash.com' 'www2.leadingedgecash.com' 'www.leadingedgecash.com' 'd.adgear.com' 'o.adgear.com' 'www.albiondrugs.com' 'banner.casinotropez.com' 'banner.europacasino.com' 'www.favicon.com' 'purefuck.com' 'ads.purefuck.com' 'adwords2.paretologic.revenuewire.net' 'members.sexroulette.com' 'www.ab4tn.com' 'anti-virus-removal.info' 'bb.o2.eyereturn.com' 'www.full-edition.info' 'musicmembersarea.com' 'www.pdf-platinum.info' 'www.trackingindahouse.com' 'www.apponic.com' 'www.adelixir.com' 'geo.connexionsecure.com' 'ertya.com' 'eyereact.eyereturn.com' 'o2.eyereturn.com' 'timespent.eyereturn.com' 'voken.eyereturn.com' 'frtya.com' 'geo.hyperlinksecure.com' 'ads.linuxjournal.com' 'stats.polldaddy.com' 'geo.safelinktracker.com' 'www.safemobilelink.com' 'seethisinaction.com' 'spc.cefhdghhafdgceifiehdfdad.iban.telemetryverification.net' 'topqualitylink.com' 'www.webmoblink.com' 'botd.wordpress.com' 'stats.wordpress.com' 'top100italiana.com' 'www.adloader.com' 'ads.adtrustmedia.com' 'update.privdog.com' 'www.privdog.com' 'adserver.exgfnetwork.com' 'www.mycleanerpc.com' 'adskape.ru' 'p543.adskape.ru' 'p13178.adskape.ru' 'p1574.adskape.ru' 'p2408.adskape.ru' 'p4010.adskape.ru' 'p9762.adskape.ru' '1gavcom.popunder.ru' 'anrysys.popunder.ru' 'balakin.popunder.ru' 'basterr.popunder.ru' 'bizbor.popunder.ru' 'bugera.popunder.ru' 'clik2008.popunder.ru' 'darseo.popunder.ru' 'djeps.popunder.ru' 'ead-soft.popunder.ru' 'freegroupvideo.popunder.ru' 'gajime.popunder.ru' 'h0rnd0g.popunder.ru' 'jabu.popunder.ru' 'kamasutra.popunder.ru' 'kinofree.popunder.ru' 'low-hacker.popunder.ru' 'luksona.popunder.ru' 'milioner.popunder.ru' 'palmebi.popunder.ru' 'rapsubs.popunder.ru' 'sayhello.popunder.ru' 'soski.popunder.ru' 'spike669.popunder.ru' 'stepan007.popunder.ru' 'tengo.popunder.ru' 'the-kret.popunder.ru' 'tvzebra.popunder.ru' 'vaime.net.popunder.ru' 'viper.popunder.ru' 'vistas.popunder.ru' 'wera.popunder.ru' 'zampolit1990.popunder.ru' 'zonawm.biz.popunder.ru' 'popunder.ru' 'pop-under.ru' 'admanager.tvysoftware.com' 'adrotator.se' 'f8350e7c1.se' 'www.hit-counter-download.com' 'rotator.offpageads.com' 'ae.amgdgt.com' 'at.amgdgt.com' 'cdns.amgdgt.com' 'topcounts.com' 'astalavista.box.sk' 'www.customersupporthelp.com' 'www.platinumbucks.com' 'www.sexfind.com' 'pubs.lemonde.fr' 'realmedia.lesechos.fr' 'pvpub.paruvendu.fr' 'ad2play.ftv-publicite.fr' 'pub.ftv-publicite.fr' 'ox.forexbrokerz.com' 'ad.inmatads.info' 'ad.inpizdads.info' 'ad.inpulds.info' 'ad.lazynerd.info' 'adv.p2pbg.com' 'ad.philipstreehouse.info' 'ad.sethads.info' 'ad.theequalground.info' 'ad.thoughtsondance.info' 'pops.velmedia.net' 'ad.vikadsk.com' 'ad.vuiads.net' 'ad2.vuiads.net' 'ad2.ycasmd.info' 'www.zlothonline.info' 'ad.zoglafi.info' 'ads.9mp.ro' 'mouseflow.com' 'a.mouseflow.com' 'www.onlinewebservice3.de' 'ads.adbroker.de' 'track.celeb.gate.cc' 'www.hitmaster.de' 'www.webanalyser.net' 'evania.adspirit.de' 'www.counter4all.de' 'ad.ad24.ru' '234.adru.net' 'adserveonline.biz' 'bdgadv.ru' 'ads.dailystar.com.lb' 'openads.flagman.bg' 'www.klamm-counter.de' 'promoserver.net' 'scripts.psyma.com' 'aff.summercart.com' 'banners.tempobet.com' 'img6.adspirit.de' 'img7.adspirit.de' 'ev.ads.pointroll.com' 'speed.pointroll.com' 'pointroll.com' 'ads.pointroll.com' 'clk.pointroll.com' 'media.pointroll.com' 't.pointroll.com' 'track.pointroll.com' 'www.pointroll.com' 'statsv3.gaycash.com' 'carpediem.sv2.biz' 'dvdmanager-203.sv2.biz' 'ktu.sv2.biz' 'pub.sv2.biz' 'media.yesmessenger.com' 'outils.yes-messenger.com' 'www.dodostats.com' 'avalon.topbucks.com' 'botw.topbucks.com' 'clickheat.topbucks.com' 'cluster-03.topbucks.com' 'mainstream.topbucks.com' 'rainbow.topbucks.com' 'referral.topbucks.com' 'vod.topbucks.com' 'referral.vod.topbucks.com' 'webmaster.topbucks.com' 'dynamic.fmpub.net' 'keywords.fmpub.net' 'tenzing.fmpub.net' 'mapstats.blogflux.com' 'topsites.blogflux.com' 'www.blogtopsites.com' 'www.topblogs.com.ph' 'www.fickads.net' 'www.maxxxhits.com' 'novarevenue.com' 'techlifeconnected.com' 'hypertracker.com' 'www.bnmq.com' 'cnomy.com' 'pics.cnomy.com' 'pics.kolmic.com' 'mysearch-engine.com' 'www.searchacross.com' 'searchdiscovered.com' 'searchfwding.com' 'searchignited.com' 'searchtoexplore.com' 'taffr.com' 'tamprc.com' 'www.theuniquesearch.com' 'banner.ambercoastcasino.com' 'banner.cdpoker.com' 'banner.eurogrand.com' 'm.friendlyduck.com' 'www.webtrackerplus.com' 'search.keywordblocks.com' 'www.mnetads.com' 'tour.affbuzzads.com' 'www.friendlyduck.com' 's.krebsonsecurity.com' 'cloud-observer.ip-label.net' 'ad.caradisiac-publicite.com' 'ads.canalblog.com' 'geo.deepmetrix.com' 'banners.easydns.com' 'www.incentaclick.com' 'chlcotrk.com' 'www.mlinktracker.com' 'www.mmtracking.com' 'mpmotrk.com' 'mprptrk.com' 'mpxxtrk.com' 'sebcotrk.com' 'suscotrk.com' 'quantserve.com' 'edge.quantserve.com' 'www.edge.quantserve.com' 'flash.quantserve.com' 'pixel.quantserve.com' 'secure.quantserve.com' 'segapi.quantserve.com' 'cms.quantserve.com' 'ads.techweb.com' 'client.roiadtracker.com' 'ds-aksb-a.akamaihd.net' 'cdn.publicidad.net' 'get.whitesmoke.com' 'www.whitesmoke.com' 'www.whitesmoke.us' 'ak1.abmr.net' 'ads.xda-developers.com' 'ads.sidekick.condenast.com' 'cache.dtmpub.com' 't.omkt.co' 'ads.directnetadvertising.net' 'www.directnetadvertising.net' 'tiads.people.com' 'ads.vimg.net' 'hosting.conduit.com' 'apps.conduit-banners.com' 'www.conduit-banners.com' 'users.effectivebrand.com' 'www.effectivebrand.com' 'search.effectivebrand.com' 'pcbutts1.ourtoolbar.com' 'banners.affiliatefuel.com' 'r1.affiliatefuel.com' 'www.affiliatefuel.com' 'aftrk.com' 'banners.aftrk.com' 'cookies.cmpnet.com' 'ccc00.opinionlab.com' 'ccc01.opinionlab.com' 'rate.opinionlab.com' 'www.opinionlab.com' 'csma95349.analytics.edgesuite.net' 'an.secure.tacoda.net' 'ads.tarrobads.com' 'hu.2.cqcounter.com' 'highspeedtesting.com' 'adserver.highspeedtesting.com' 'creative.wwwpromoter.com' 'banners.18vision.com' 'banners.amateurtour.com' 'banners.celebtaboo.com' 'banners.dollarmachine.com' 'banners.exsluts.com' 'banners.totalaccessporn.com' 'c4tracking01.com' 'stats.sbstv.dk' 'analytics.juggle.com' 'adtradradservices.com' 'www.earnify.com' 'www.komodia.com' 'tracking.chooserocket.com' 'ads2.williamhill.com' 'api.cheatsheet.me' 'interyield.jmp9.com' 'track.blogmeetsbrand.com' 'interyield.td553.com' 'admarket.entireweb.com' 'ad.download.cnet.com' 'ml314.com' 'mlno6.com' 'api.adsnative.com' 'offers.affiliatetraction.com' 'stats.articlesbase.com' 'track.ionicmedia.com' 'api.mixpanel.com' 'live.monitus.net' 'log.olark.com' 'thesearchagency.net' 'adx.bixee.com' 'banners.brinkin.com' 'stats.buysellads.com' 'zfhg.digitaldesire.com' 'adsrv.ea.com' 'adx.ibibo.com' 'pixel.parsely.com' 'www.pixeltrack66.com' 'analytics.sonymusic.com' 'px.steelhousemedia.com' 'tag.tlvmedia.com' 'winknewsads.com' 'api.bounceexchange.com' 'iluv.clickbooth.com' 'cpatraffictracker.com' 'immanalytics.com' 'tracking.intermundomedia.com' 'cdnt.meteorsolutions.com' 'naughtyadserve.com' 'adsformula.sitescout.com' 'distillery.wistia.com' 'tools.ranker.com' 't.afftrackr.com' 'tcgtrkr.com' 'tsmtrk.com' 'www.clear-request.com' 'dcs.netbiscuits.net' 'lb.web-stat.com' 'server2.web-stat.com' 'www.electronicpromotion.com' 'api.opencandy.com' 'www.rewardszoneusa.com' 'www.webhostingcounter.com' 'www.trackingstatalytics.com' 'www.smartlinks.dianomi.com' 'www.dianomioffers.co.uk' 'n.ad-back.net' 'bcanalytics.bigcommerce.com' 'www.oktrk.com' 'pipedream.wistia.com' 's.svtrd.com' 'www.ist-track.com' 'www.ycctrk.co.uk' 'www.powerlinks.com' 'accutrk.com' 'comcluster.cxense.com' 'lfscpttracking.com' 'ads.referlocal.com' 'www.trkr1.com' 'trustedtrack.com' 'adexcite.com' 'q1mediahydraplatform.com' '123count.com' 'www.123count.com' 'www.123stat.com' 'count1.compteur.fr' 'www.countercentral.com' 'web-stat.com' 'server3.web-stat.com' 'server4.web-stat.com' 'www.web-stat.com' 'seomatrix.webtrackingservices.com' 'www.adfusion.com' 'adreadytractions.com' 'www.adversalservers.com' 'clickgooroo.com' 'bigapple.contextuads.com' 'cowboy.contextuads.com' 'loadus.exelator.com' 'www.gxplugin.com' 'winter.metacafe.com' 'container.pointroll.com' 'ads.sexinyourcity.com' 'www.sexinyourcity.com' 'www1.sexinyourcity.com' 'swtkes.com' 'ads.designtaxi.com' 'ads.gomonews.com' 'cdn.linksmart.com' 'www.registryfix.com' 'www.acez.com' 'www.acezsoftware.com' 'cpalead.com' 'data.cpalead.com' 'www.cpalead.com' 'dzxcq.com' 'www.performics.com' 'aetrk.com' 'members.commissionmonster.com' 'www.contextuads.com' 'www.couponsandoffers.com' 'track.dmipartners.com' 'ecdtrk.com' 'f5mtrack.com' 'www.free-counter.com' 'gd.geobytes.com' 'ism2trk.com' 'ads.jiwire.com' 'clk.madisonlogic.com' 'jsc.madisonlogic.com' 'clients.pointroll.com' 'ads.psxextreme.com' 'ads.queendom.com' 'secure2.segpay.com' 'adserver.sharewareonline.com' 'adserver.softwareonline.com' 'www.text-link-ads.com' 'www.textlinkads.com' 'www.vivo7.com' 'secure.w3track.com' 'www.adwareprofessional.com' 'centertrk.com' 'sinettrk.com' 'b.sli-spark.com' 'traktum.com' 'track.childrensalon.com' 'adserver.powerlinks.com' 'track.webgains.com' 'ads.adhsm.adhese.com' 'ads.nrc.adhese.com' 'pool.adhsm.adhese.com' 'pool.nrc.adhese.com' 'pool.sanoma.adhese.com' 'ads.bluesq.com' 'ads.comeon.com' 'inskinad.com' 'ads.mrgreen.com' 'ads.offsidebet.com' 'ads.o-networkaffiliates.com' 't.wowanalytics.co.uk' 'ads.betsafe.com' 'www.inskinad.com' 'ads.mybet.com' 'metering.pagesuite.com' 'adserv.adbonus.com' 'www.adbonus.com' 'ads.cc' 'ads.matchbin.com' 'analytics.matchbin.com' 'www.metricsimage.com' 'www.nitronetads.com' 'p.placemypixel.com' 'ads.radiatemedia.com' 'analytics.radiatemedia.com' 'www.silver-path.com' 'ad.rambler.ru' 'ad2.rambler.ru' 'ad3.rambler.ru' 'counter.rambler.ru' 'images.rambler.ru' 'info-images.rambler.ru' 'scnt.rambler.ru' 'scounter.rambler.ru' 'top100.rambler.ru' 'top100-images.rambler.ru' 'st.top100.ru' 'delivery.sid-ads.com' 'delivery.switchadhub.com' 'www.totemcash.com' 'banners.toteme.com' 'cachebanners.toteme.com' 'adserving.muppetism.com' 'scripts.adultcheck.com' 'gfx.webmasterprofitcenter.com' 'promo.webmasterprofitcenter.com' 'promo.worldprofitcenter.com' 'ads.profitsdeluxe.com' 'www.sexy-screen-savers.com' 'ads.playboy.com' 'a.submityourflicks.com' 'delivery.trafficforce.com' 'ads.traffichaus.com' 'syndication.traffichaus.com' 'www.traffichaus.com' 'aff.adsurve.com' 'ads.amakings.com' 'ads.amaland.com' 'ads.bigrebelads.com' 'adserver2.exgfnetwork.com' 'analytics.fuckingawesome.com' 'ads.jo-games.com' 'ads.myjizztube.com' 'www.tubehits.com' 'ads.watchmygf.net' 'openx.watchmygf.net' 'stats.watchmygf.com' 'aylarl.com' 'www.etahub.com' 'ads.mail3x.com' 'ctrack.trafficjunky.net' 'static.trafficjunky.net' 'xads.100links.com' 'optimized-by.simply.com' 'histats2014.simply-webspace.it' 'www.naughty-traffic.com' 'ads.host.camz.com' 'ads.amateurmatch.com' 'ads.datinggold.com' 'code.directadvert.ru' 'ad.oyy.ru' 'cityads.ru' 'promo.cityads.ru' 'www.cityads.ru' 'track.seorate.ru' '5726.bapi.adsafeprotected.com' '6063.bapi.adsafeprotected.com' 'dt.adsafeprotected.com' 'static.adsafeprotected.com' 'spixel.adsafeprotected.com' 'adlik.akavita.com' 'www.targetvisit.com' 'www.hobwelt.com' 'addfreestats.com' 'top.addfreestats.com' 'www.addfreestats.com' 'www1.addfreestats.com' 'www2.addfreestats.com' 'www3.addfreestats.com' 'www4.addfreestats.com' 'www5.addfreestats.com' 'www6.addfreestats.com' 'www7.addfreestats.com' 'www8.addfreestats.com' 'www9.addfreestats.com' 'www.mvav.com' 'admax.nexage.com' 'bbads.sx.atl.publicus.com' 'd.xp1.ru4.com' 'udm.ia6.scorecardresearch.com' 'udm.ia7.scorecardresearch.com' 'sa.scorecardresearch.com' 'click.silvercash.com' 'smc.silvercash.com' 'www.silvercash.com' 'banners.weboverdrive.com' 'ads.tripod.com' 'ads1.tripod.com' 'nedstat.tripod.com' 'cm8.lycos.com' 'images-aud.freshmeat.net' 'images-aud.slashdot.org' 'images-aud.sourceforge.net' 'events.webflowmetrics.com' 'track1.breakmedia.com' 'alt.webtraxs.com' 'www.webtraxs.com' 'www.scanspyware.net' 'pbid.pro-market.net' 'spd.atdmt.speedera.net' 'ads.fmwinc.com' 'images.specificclick.net' 'specificpop.com' 'www.specificpop.com' 'hitslink.com' 'counter.hitslink.com' 'counter2.hitslink.com' 'profiles.hitslink.com' 'www2.hitslink.com' 'www.hitslink.com' 'loc1.hitsprocessor.com' 'click.trafikkfondet.no' 'aa.oasfile.aftenposten.no' 'ap.oasfile.aftenposten.no' 'adcache.aftenposten.no' 'webhit.aftenposten.no' 'helios.finn.no' 's05.flagcounter.com' 'www.kickassratios.com' 'partners.badongo.com' 'ua.badongo.com' 'amo.servik.com' 'www.1adult.com' '11zz.com' 'i.11zz.com' 'in.11zz.com' 'www.11zz.com' 'www.acmexxx.com' 'adchimp.com' 'adultlinksco.com' 'www.adultlinksco.com' 'cashcount.com' 'www.cashcount.com' 'cecash.com' 'tats.cecash.com' 'www.cecash.com' 'cttracking08.com' 'in.cybererotica.com' 'in.ff5.com' 'in.joinourwebsite.com' 'www.joinourwebsite.com' 'tgp.pornsponsors.com' 'www.pornsponsors.com' 'in.riskymail4free.com' 'www.riskymail4free.com' 'img.xratedbucks.com' 'bigtits.xxxallaccesspass.com' 'nm.xxxeuropean.com' 't.adonly.com' 'tags.adonly.com' 'www.ccbilleu.com' 'c.pioneeringad.com' 'j.pioneeringad.com' 'banners.lativio.com' 'join4free.com' 'asians.join4free.com' 'clickthrough.wegcash.com' 'free.wegcash.com' 'programs.wegcash.com' 'promos.wegcash.com' 'serve.ads.chaturbate.com' 'bill.ecsuite.com' 'adserver.exoticads.com' 'promo.lonelywifehookup.com' 'www.trafficcashgold.com' 'promo.ulust.com' 'ads.xprofiles.com' 'www.adsedo.com' 'www.sedotracker.com' 'www.sedotracker.de' 'static.crowdscience.com' 'js.dmtry.com' 'static.parkingpanel.com' 'img.sedoparking.com' 'traffic.revenuedirect.com' 'sedoparking.com' 'www.sedoparking.com' 'www1.sedoparking.com' 'www.incentivenetworks2.com' 'ggo.directrev.com' 'itunesdownloadstore.com' 'searchatomic.com' 'ideoclick.com' 'partners.realgirlsmedia.com' 'www30a4.glam.com' 'ignitad.com' 'hookedmediagroup.com' 'ads.hookedmediagroup.com' 'beacon.hookedmediagroup.com' 'www.hookedmediagroup.com' 't4.trackalyzer.com' 't6.trackalyzer.com' 't5.trackalyzer.com' 'trackalyzer.com' 't1.trackalyzer.com' 't2.trackalyzer.com' 't3.trackalyzer.com' 'vizisense.net' 'beacon-1.newrelic.com' 'beacon-2.newrelic.com' 'beacon-3.newrelic.com' 'beacon-4.newrelic.com' 'beacon-6.newrelic.com' 'www.skassets.com' 'www.holika.com' 'fcds.affiliatetracking.net' 'our.affiliatetracking.net' 'www.affiliatetracking.net' 'www.affiliatetracking.com' 'ads.evtv1.com' 'roia.biz' 'ads.vidsense.com' 'wetrack.it' 'st.wetrack.it' 'vrp.outbrain.com' 'servads.fansshare.com' 'pagetracking.popmarker.com' 'beacon.mediahuis.be' 'prpops.com' 'prscripts.com' 'anm.intelli-direct.com' 'info.intelli-direct.com' 'oxfam.intelli-direct.com' 'tui.intelli-direct.com' 'www.intelli-direct.com' 'tags.transportdirect.info' 'cpc.trafiz.net' 't3.trafiz.net' 'track.trafiz.net' 'track-683.trafiz.net' 'track-711.trafiz.net' 'blogadvertising.me' 'ads1.blogadvertising.me' 'www.blogadvertising.me' 'adserver1.backbeatmedia.com' 'adserver1-images.backbeatmedia.com' 'bullseye.backbeatmedia.com' 'www.clickthruserver.com' 'advertising.bayoubuzz.com' 'adserve.cpmba.se' 'intadserver101.info' 'intadserver102.info' 'intadserver103.info' 'banners.popads.net' 'popadscdn.net' 'affiliates.date-connected.com' 'track.justcloud.com' 'www.liveadclicks.com' 'www.pixelpmm.info' 'www1.tudosearch.com' 'pix.impdesk.com' 'tally.upsideout.com' 'www.virtualsurfer.com' 'www.youho.com' 'a.gsmarena.com' 'tracksitetraffic1.com' 'www.universal-traffic.com' 'codice.shinystat.com' 'codicebusiness.shinystat.com' 'codicefl.shinystat.com' 'codiceisp.shinystat.com' 's1.shinystat.com' 's2.shinystat.com' 's3.shinystat.com' 's4.shinystat.com' 's9.shinystat.com' 'www.shinystat.com' 'codice.shinystat.it' 'codiceisp.shinystat.it' 's1.shinystat.it' 's2.shinystat.it' 's3.shinystat.it' 's4.shinystat.it' 'www.shinystat.it' 'worldsoftwaredownloads.com' 'yourfreesoftonline.com' 'youronlinesoft.com' 'yoursoftwareplace.com' 'didtheyreadit.com' 'www.didtheyreadit.com' 'www.readnotify.com' 'xpostmail.com' 'www.xtrafic.ro' 'sitemeter.com' 'ads.sitemeter.com' 'sm1.sitemeter.com' 'sm2.sitemeter.com' 'sm3.sitemeter.com' 'sm4.sitemeter.com' 'sm5.sitemeter.com' 'sm6.sitemeter.com' 'sm7.sitemeter.com' 'sm8.sitemeter.com' 'sm9.sitemeter.com' 's10.sitemeter.com' 's11.sitemeter.com' 's12.sitemeter.com' 's13.sitemeter.com' 's14.sitemeter.com' 's15.sitemeter.com' 's16.sitemeter.com' 's17.sitemeter.com' 's18.sitemeter.com' 's19.sitemeter.com' 's20.sitemeter.com' 's21.sitemeter.com' 's22.sitemeter.com' 's23.sitemeter.com' 's24.sitemeter.com' 's25.sitemeter.com' 's26.sitemeter.com' 's27.sitemeter.com' 's28.sitemeter.com' 's29.sitemeter.com' 's30.sitemeter.com' 's31.sitemeter.com' 's32.sitemeter.com' 's33.sitemeter.com' 's34.sitemeter.com' 's35.sitemeter.com' 's36.sitemeter.com' 's37.sitemeter.com' 's38.sitemeter.com' 's39.sitemeter.com' 's40.sitemeter.com' 's41.sitemeter.com' 's42.sitemeter.com' 's43.sitemeter.com' 's44.sitemeter.com' 's45.sitemeter.com' 's46.sitemeter.com' 's47.sitemeter.com' 's49.sitemeter.com' 's48.sitemeter.com' 's50.sitemeter.com' 's51.sitemeter.com' 'www.sitemeter.com' 'ads.net-ad-vantage.com' 'ia.spinbox.net' 'netcomm.spinbox.net' 'vsii.spinbox.net' 'www.spinbox.net' 'adtegrity.spinbox.net' 'ad.bannerhost.ru' 'ad2.bannerhost.ru' 'ads.photosight.ru' 'ad.yadro.ru' 'ads.yadro.ru' 'counter.yadro.ru' 'sticker.yadro.ru' 'upstats.yadro.ru' '100-100.ru' 'www.100-100.ru' 'business.lbn.ru' 'www.business.lbn.ru' 'fun.lbn.ru' 'www.fun.lbn.ru' '234.media.lbn.ru' 'adland.medialand.ru' 'adnet.medialand.ru' 'content.medialand.ru' 'flymedia-mladnet.medialand.ru' 'popunder-mladnet.medialand.ru' 'www.europerank.com' 'ads.glasove.com' 'delfin.bg' 'ads.delfin.bg' 'diff4.smartadserver.com' 'mobile.smartadserver.com' 'rtb-csync.smartadserver.com' 'www5.smartadserver.com' 'www6.smartadserver.com' 'ww38.smartadserver.com' 'ww62.smartadserver.com' 'ww147.smartadserver.com' 'ww150.smartadserver.com' 'ww206.smartadserver.com' 'ww400.smartadserver.com' 'ww690.smartadserver.com' 'ww691.smartadserver.com' 'ww797.smartadserver.com' 'ww965.smartadserver.com' 'ww1003.smartadserver.com' 'smart.styria-digital.com' 'ww881.smartadserver.com' 'www9.smartadserver.com' 'radar.network.coull.com' 'delivery.thebloggernetwork.com' 'logs.thebloggernetwork.com' 'www.adforgames.com' 'clkmon.com' 'clkrev.com' 'tag.navdmp.com' 'device.maxmind.com' 'rhtag.com' 'www.rightmedia.com' 'c.securepaths.com' 'www.securepaths.com' 'srvpub.com' 'dx.steelhousemedia.com' 'adr.adplus.co.id' 'd1.24counter.com' 'www.admixxer.com' 'affrh2019.com' 'analytics.bluekai.com' 'stags.bluekai.com' 'c.chango.com' 'd.chango.com' 'dnetshelter3.d.chango.com' 'clkfeed.com' 'clkoffers.com' 'creoads.com' 'realtime.services.disqus.com' 'tempest.services.disqus.com' 'eclkmpbn.com' 'eclkmpsa.com' 'eclkspbn.com' 'eclkspsa.com' 's4is.histats.com' 'ad5.netshelter.net' 'px.owneriq.net' 'session.owneriq.net' 'spx.owneriq.net' 'stats.snacktools.net' 'tags.t.tailtarget.com' 'h.verticalscope.com' 'w55c.net' 'tags.w55c.net' 'ads.wellsmedia.com' 'ad.looktraffic.com' 'www.1800banners.com' 'ads.ad4game.com' 'addjump.com' 'aff.adventory.com' 'www.besthitsnow.com' 'ad.blackystars.com' 'www.blog-hits.com' 'www.cashlayer.com' 'ads1.cricbuzz.com' 'juggler.services.disqus.com' 'www.e-googles.com' 'ads.imaging-resource.com' 'ad.leadbolt.net' 'optimum-hits.com' 'www.optimum-hits.com' 'ads.right-ads.com' 'ad.slashgear.com' 'www.supremehits.net' 'adserver.twitpic.com' 'bluebyt.com' 'ad.a-ads.com' 'convusmp.admailtiser.com' 'installm.net' 't4.liverail.com' 'navdmp.com' 'px.splittag.com' 's.weheartstats.com' 'analytics.bigcommerce.com' 'www.freenew.net' 'ping.qbaka.net' 'adultdatingtest.worlddatingforum.com' 'banners.adventory.com' 'as.autoforums.com' 'as2.autoforums.com' 'a.collective-media.net' 'b.collective-media.net' 'www.counters4u.com' 'odin.goo.mx' 'gostats.com' 'c1.gostats.com' 'c2.gostats.com' 'c3.gostats.com' 'c4.gostats.com' 'monster.gostats.com' 'gostats.ir' 'c3.gostats.ir' 'gostats.pl' 'gostats.ro' 'gostats.ru' 'c4.gostats.ru' 'monster.gostats.ru' 's4.histats.com' 's10.histats.com' 's11.histats.com' 's128.histats.com' 's129js.histats.com' 'sstatic1.histats.com' 'in-appadvertising.com' 'widget6.linkwithin.com' 'ad1.netshelter.net' 'ad2.netshelter.net' 'ad4.netshelter.net' 'peerfly.com' 'i.simpli.fi' 'ads.somd.com' 'webstats.thaindian.com' 'www.trafficpace.com' 'stats.vodpod.com' 'service.clicksvenue.com' 'eu-px.steelhousemedia.com' 'ww-eu.steelhousemedia.com' 'ads.eu.e-planning.net' 'ox-d.bannersbroker.com' 'probes.cedexis.com' 'files5.downloadnet1188.com' 'adplus.goo.mx' 'www.klixmedia.com' 'static.realmediadigital.com' 'files5.securedownload01.com' 'reseller.sexyads.com' 'www.sexyads.net' 'servedby.studads.com' 'a.thoughtleadr.com' 'wp-stats.com' 'ad01.advertise.com' 'adserver.bizhat.com' 'cn.clickable.net' 'clustrmaps.com' 'www2.clustrmaps.com' 'www3.clustrmaps.com' 'www4.clustrmaps.com' 'www.clustrmaps.com' 'referrer.disqus.com' 'www.easyspywarescanner.com' 'adv.elaana.com' 'hitstatus.com' 'hits.informer.com' 'rt.legolas-media.com' 'my.mobfox.com' 'banners.mynakedweb.com' 'pi.pardot.com' 'registrydefender.com' 'www.registrydefender.com' 'registrydefenderplatinum.com' 'www.registrydefenderplatinum.com' 'www.seekways.com' 'thesurfshield.com' 'www.thesurfshield.com' 'www.toplistim.com' 't.dtscout.com' 'r.bid4keywords.com' 'ads.abovetopsecret.com' 'adserverus.info' 'www.arcadebanners.com' 'www.autosurfpro.com' 'www.blogpatrol.com' 'tracking.fanbridge.com' 'www2.game-advertising-online.com' 'www3.game-advertising-online.com' 'ads.msn2go.com' 'mycounter.tinycounter.com' 'urlstats.com' 'ads.verticalscope.com' 'webcounter.com' 'www.webcounter.com' 'error.000webhost.com' 'arank.com' 'b3d.com' 'bde3d.com' 'www.b3d.com' 'track.blvdstatus.com' 'ads.us.e-planning.net' 'www.game-advertising-online.com' 'www.mypagerank.net' 'obeus.com' 'www.sacredphoenix.com' 'srv.sayyac.com' 'srv.sayyac.net' 'www.tangabilder.to' 'by.uservoice.com' 'www.vizury.com' 'window1.com' 'scripts.sophus3.com' 'gm.touchclarity.com' 'traffic.webtrafficagents.com' 'adv.aport.ru' 'stat.aport.ru' 'host1.list.ru' 'host3.list.ru' 'host7.list.ru' 'host11.list.ru' 'host13.list.ru' 'host14.list.ru' 'stat.stars.ru' 'engine.rbc.medialand.ru' 'click.readme.ru' 'img.readme.ru' 'adv.magna.ru' 'lstats.qip.ru' 'ads.fresh.bg' 'ads.standartnews.com' 'op.standartnews.com' 'openx.bmwpower-bg.net' 'vm3.parabol.object.bg' 'ads.tv7.bg' 'ads.tv7.sporta.bg' 'www.islamic-banners.com' 'js.adlink.net' 'tc.adlink.net' 'cdn.tracking.bannerflow.com' 'aka-cdn.adtech.de' 'adtag.asiaone.com' 'ads.casino.com' 'dws.reporting.dnitv.com' 'md.ournet-analytics.com' 'www.ournet-analytics.com' 'ads.dichtbij.adhese.com' 'pool.dichtbij.adhese.com' 'c.statcounter.com' 'c1.statcounter.com' 'c2.statcounter.com' 'c3.statcounter.com' 'c4.statcounter.com' 'c5.statcounter.com' 'c6.statcounter.com' 'c7.statcounter.com' 'c8.statcounter.com' 'c10.statcounter.com' 'c11.statcounter.com' 'c12.statcounter.com' 'c13.statcounter.com' 'c14.statcounter.com' 'c15.statcounter.com' 'c16.statcounter.com' 'c17.statcounter.com' 'c18.statcounter.com' 'c19.statcounter.com' 'c20.statcounter.com' 'c21.statcounter.com' 'c22.statcounter.com' 'c23.statcounter.com' 'c24.statcounter.com' 'c25.statcounter.com' 'c26.statcounter.com' 'c27.statcounter.com' 'c28.statcounter.com' 'c29.statcounter.com' 'c30.statcounter.com' 'c31.statcounter.com' 'c32.statcounter.com' 'c33.statcounter.com' 'c34.statcounter.com' 'c35.statcounter.com' 'c36.statcounter.com' 'c37.statcounter.com' 'c38.statcounter.com' 'c39.statcounter.com' 'c40.statcounter.com' 'c41.statcounter.com' 'c42.statcounter.com' 'c43.statcounter.com' 'c45.statcounter.com' 'c46.statcounter.com' 'my.statcounter.com' 'my8.statcounter.com' 's2.statcounter.com' 'secure.statcounter.com' 'www.statcounter.com' 'www.clixtrac.com' 'ic.tynt.com' 'freakads.com' 'poponclick.com' 'ads.kidssports.bg' 'hgads.silvercdn.com' 'cdn.adrotator.se' 'cdn.exactag.com' 'link.bannersystem.cz' 'counter.cnw.cz' 'counter.prohledat.cz' 'toplist.cz' 'www.toplist.cz' 'toplist.eu' 'toplist.sk' 'bannerlink.xxxtreams.com' 'monitoring.profi-webhosting.cz' 'reklama.vaseporno.eu' 'clicks2.traffictrader.net' 'clicks3.traffictrader.net' 'weownthetraffic.com' 'www.weownthetraffic.com' 'stats.xxxkey.com' 'clicks.traffictrader.net' 'clicks.eutopia.traffictrader.net' 'www.adultdvdhits.com' 'ads.contentabc.com' 'banners.dogfart.com' 'tour.brazzers.com' 'promo.twistyscash.com' 'syndication.cntrafficpro.com' 'ads.brazzers.com' 'ads2.brazzers.com' 'ads2.contentabc.com' 'ads.genericlink.com' 'ads.ghettotube.com' 'ads.iknowthatgirl.com' 'ads.ireel.com' 'ads.mofos.com' 'ads.trafficjunky.net' 'delivery.trafficjunky.net' 'tracking.trafficjunky.net' 'ads.videobash.com' 'ads.weownthetraffic.com' 'www.ypmadserver.com' 'an.tacoda.net' 'anad.tacoda.net' 'anat.tacoda.net' 'cashengines.com' 'click.cashengines.com' 'www.cashengines.com' 'qrcdownload.ibcustomerzone.com' 'click.interactivebrands.com' 'safepay2.interactivebrands.com' 'www.interactivebrands.com' 'helpdesk.marketbill.com' 'www.marketbill.com' 'download2.marketengines.com' 'secure.marketengines.com' 'secure3.marketengines.com' 'geotarget.info' 'www.geotarget.info' 'kt.tns-gallup.dk' 'ajakkirj.spring-tns.net' 'delfi.spring-tns.net' 'err.spring-tns.net' 'kainari.spring-tns.net' 'kotikokki.spring-tns.net' 'lehtimedia.spring-tns.net' 'is.spring-tns.net' 'mtv3.spring-tns.net' 'myyjaosta.spring-tns.net' 'ohtuleht.spring-tns.net' 'postimees.spring-tns.net' 'smf.spring-tns.net' 'talsa.spring-tns.net' 'telkku.spring-tns.net' 'valitutpal.spring-tns.net' 'vuokraovi.spring-tns.net' 'sdc.flysas.com' 'piwik.onlinemagasinet.no' 'dinsalgsvagt.adservinginternational.com' 'dr.adservinginternational.com' 'fynskemedieradmin.adservinginternational.com' 'media.adservinginternational.com' 'dk1.siteimprove.com' 'ssl.siteimprove.com' 'gaytrafficbroker.com' 'ads.lovercash.com' 'media.lovercash.com' 'ads.singlescash.com' 'www.cashthat.com' 'paime.com' 'www.adengage.com' 'au.effectivemeasure.net' 'id-cdn.effectivemeasure.net' 'me.effectivemeasure.net' 'my.effectivemeasure.net' 'sea.effectivemeasure.net' 'yahoo.effectivemeasure.net' 'www6.effectivemeasure.net' 'www8-ssl.effectivemeasure.net' 'www9.effectivemeasure.net' 'www.effectivemeasure.net' 'ads.netcommunities.com' 'adv2.expres.ua' 'ms.onscroll.com' 'www.cheekybanners.com' 'ping.onscroll.com' 'adgebra.co.in' 'marketing.888.com' 'platform.communicatorcorp.com' 'textads.sexmoney.com' 'www.cybilling.com' 'bannerrotation.sexmoney.com' 'click.sexmoney.com' 'imageads.sexmoney.com' 'pagepeels.sexmoney.com' 'www.sexmoney.com' 'counter.sexsuche.tv' 'de.hosting.adjug.com' 'com-cdiscount.netmng.com' 'adx.hendersonvillenews.com' 'adx.ocala.com' 'adx.starbanner.com' 'adx.starnewsonline.com' 'adx.telegram.com' 'adx.timesdaily.com' 'adx.theledger.com' 'nyads.ny.publicus.com' 'bbads.sv.publicus.com' 'beads.sx.atl.publicus.com' 'cmads.sv.publicus.com' 'crimg.sv.publicus.com' 'fdads.sv.publicus.com' 'nsads.sv.publicus.com' 'ptads.sv.publicus.com' 'rhads.sv.publicus.com' 'siads.sv.publicus.com' 'tpads.sv.publicus.com' 'wdads.sx.atl.publicus.com' 'lladinserts.us.publicus.com' 'ads.adhese.be' 'host2.adhese.be' 'host3.adhese.be' 'host4.adhese.be' 'adhese.standaard.be' 'eas1.emediate.eu' 'eas2.emediate.eu' 'eas3.emediate.eu' 'eas4.emediate.eu' 'ad2.emediate.se' 'e2.emediate.se' 'eas.hitta.se' 'rig.idg.no' 'a37.korrelate.net' 'a68.korrelate.net' 'anet.tradedoubler.com' 'anetch.tradedoubler.com' 'anetdk.tradedoubler.com' 'anetfi.tradedoubler.com' 'anetit.tradedoubler.com' 'anetlt.tradedoubler.com' 'anetse.tradedoubler.com' 'clk.tradedoubler.com' 'clkde.tradedoubler.com' 'clkuk.tradedoubler.com' 'hst.tradedoubler.com' 'hstde.tradedoubler.com' 'hstes.tradedoubler.com' 'hstfr.tradedoubler.com' 'hstgb.tradedoubler.com' 'hstit.tradedoubler.com' 'hstno.tradedoubler.com' 'hstpl.tradedoubler.com' 'hstus.tradedoubler.com' 'img.tradedoubler.com' 'imp.tradedoubler.com' 'impat.tradedoubler.com' 'impbe.tradedoubler.com' 'impch.tradedoubler.com' 'impcz.tradedoubler.com' 'impde.tradedoubler.com' 'impdk.tradedoubler.com' 'impes.tradedoubler.com' 'impfi.tradedoubler.com' 'impfr.tradedoubler.com' 'impgb.tradedoubler.com' 'impie.tradedoubler.com' 'impit.tradedoubler.com' 'implt.tradedoubler.com' 'impnl.tradedoubler.com' 'impno.tradedoubler.com' 'imppl.tradedoubler.com' 'impru.tradedoubler.com' 'impse.tradedoubler.com' 'pf.tradedoubler.com' 'tbl.tradedoubler.com' 'tbs.tradedoubler.com' 'tracker.tradedoubler.com' 'wrap.tradedoubler.com' 'active.cache.el-mundo.net' 'eas3.emediate.se' 'eas8.emediate.eu' 'adv.punto-informatico.it' 'anetno.tradedoubler.com' 'stardk.tradedoubler.com' 'tarno.tradedoubler.com' '24counter.com' 'clkads.com' 'flurry.com' 'data.flurry.com' 'dev.flurry.com' 'da.newstogram.com' 'redirectingat.com' 'aff.ringtonepartner.com' 'the-best-track.com' 'advertising.thediabetesnetwork.com' 'w-tres.info' 'adreactor.com' 'adserver.adreactor.com' 'adtactics.com' 'www.adtactics.com' 'adscampaign.net' 'www.adscampaign.net' 'adsvert.com' 'ads.betternetworker.com' 'xyz.freeweblogger.com' 'www.htmate2.com' 'secure.mymedcenter.net' 'www.pantanalvip.com.br' 'www.persianstat.com' 'ads.tritonmedia.com' 'mmaadnet.ad-control-panel.com' 'as.gostats.com' 'ded.gostats.com' 'www.searchmachine.com' 'advertisingnemesis.com' 'adportal.advertisingnemesis.com' 'ads.advertisingnemesis.com' 'adserver.hipertextual.com' 'adopt.specificclick.net' 'afe.specificclick.net' 'bp.specificclick.net' 'dg.specificclick.net' 'ads.freeonlinegames.com' 'stats.freeonlinegames.com' 'ads.desktopscans.com' 'hornytraffic.com' 'www.hornytraffic.com' 'stats.ircfast.com' '007.free-counter.co.uk' 'ads.adhostingsolutions.com' 'ads.asexstories.com' 'www.black-hole.co.uk' 'mm.chitika.net' 'freeonlineusers.com' 'ads.harpers.org' 'www.historykill.com' 'www.killercash.com' 'www.swanksoft.com' 'ads.thegauntlet.com' 'www.traffic4u.com' 'www.trustsoft.com' 'cm3.bnmq.com' 'images.bnmq.com' 'search.in' 'g.adspeed.net' 'tags.bluekai.com' 'www.dating-banners.com' 'ads.free-banners.com' 'www.free-hardcoresex.org' 'ad4.gueb.com' 'ad7.gueb.com' 'ext.host-tracker.com' 'ads.loveshack.org' 'www.megastats.com' 'meiluziai.info' 'search2007.info' 'banner.techarp.com' 'webads.tradeholding.com' 'www.worlds-best-online-casinos.com' 'www.adultdatingtraffic.com' 'counter.relmaxtop.com' 'www.relmaxtop.com' 'advertising.entensity.net' 'freemarketforever.com' 'www.1trac.com' 'www.adscampaign.com' 'www.adultdatelink.com' 'www.adultfriendsearch.com' 'www.atomictime.net' 'network.clickconversion.net' 'freelogs.com' 'bar.freelogs.com' 'goo.freelogs.com' 'htm.freelogs.com' 'ico.freelogs.com' 'joe.freelogs.com' 'mom.freelogs.com' 'xyz.freelogs.com' 'st1.freeonlineusers.com' 'affiliate.friendsearch.com' 'dating.friendsearch.com' 'www.friendsearch.com' 'www.herbalsmokeshops.com' 'service.persianstat.com' 'www.persianstat.ir' 'www.registrysweeper.com' 'russiantwinksecrets.com' 'ads.soft32.com' 'www.spywarecease.com' 'www.websitealive3.com' 'x2.xclicks.net' 'x3.xclicks.net' 'x4.xclicks.net' 'x5.xclicks.net' 'x6.xclicks.net' 'counter.yakcash.com' 'adsystem.adbull.com' 'www.adgroups.net' 'www.adszooks.com' 'www.adultblogtoplist.com' 'www.adultlinkexchange.com' 'www.blogtoplist.com' 'www.commissionempire.com' 'server.cpmstar.com' 'easyhitcounters.com' 'beta.easyhitcounters.com' 'fishclix.com' 'www.fishclix.com' 'affiliate.free-banners.com' 'home.free-banners.com' 'www.free-banners.com' 'partner.friendsearch.com' 'www.funklicks.com' 'www.gamertraffic.com' 'advertising.goldseek.com' 'ads.gravytrainproductions.com' 'ads.gusanito.com' 'tracking.hostgator.com' 'ads.infomediainc.com' 'kazaa.com' 'www.kazaa.com' 'www.knacads.com' 'ads.mindviz.com' 'traffic.mindviz.com' 'mvtracker.com' 'ft.mvtracker.com' 'www.mvtracker.com' 'sayac.onlinewebstat.com' 'ads2.radiocompanion.com' 'ads.retirementjobs.com' 'silveragesoftware.com' 'www.silveragesoftware.com' 'www.top1.ro' 'www.top90.ro' 'partners.visiads.com' 'adsrv.worldvillage.com' 'www.xclicks.net' 'counter.yakbucks.com' 'www.3bsoftware.com' 'www.blowadvertising.com' 'bunny-net.com' 'www.cbproads.com' 'www.downloadupload.com' 'www.filehog.com' 'www.handyarchive.com' 'www.pc-test.net' 'pulsix.com' 'www.pulsix.com' 'restore-pc.com' 'www.restore-pc.com' 'www.searchmagna.com' 'www.trackzapper.com' 'landing.trafficz.com' 'landings.trafficz.com' 'fcc.adjuggler.com' 'image.adjuggler.com' 'img1.adjuggler.com' 'rotator.adjuggler.com' 'www.adjuggler.com' 'adprudence.rotator.hadj7.adjuggler.net' 'amc.rotator.hadj1.adjuggler.net' 'bullzeye.rotator.hadj1.adjuggler.net' 'cdmedia.rotator.hadj7.adjuggler.net' 'csm.rotator.hadj7.adjuggler.net' 'fidelity.rotator.hadj7.adjuggler.net' 'forum.rotator.hadj7.adjuggler.net' 'ientry.rotator.hadj1.adjuggler.net' 'rebellionmedia.rotator.hadj7.adjuggler.net' 'ssprings.rotator.hadj7.adjuggler.net' 'traffiqexchange.rotator.hadj7.adjuggler.net' 'ads.bootcampmedia.com' 'aj.daniweb.com' 'ads.gamersmedia.com' 'ads.gamesbannernet.com' 'ads.greenerworldmedia.com' 'ads.heraldnet.com' '7.rotator.wigetmedia.com' 'ads.livenation.com' 'ads.as4x.tmcs.ticketmaster.com' 'ads.as4x.tmcs.net' 'api.bizographics.com' 'ak.sail-horizon.com' 'servedby.integraclick.com' 'fast.mtvn.demdex.net' 'ma211-r.analytics.edgesuite.net' 'sitestats.tiscali.co.uk' 'adsweb.tiscali.it' 'au-cdn.effectivemeasure.net' 'ma76-r.analytics.edgesuite.net' 'c.effectivemeasure.net' 'nz-cdn.effectivemeasure.net' 'ph-cdn.effectivemeasure.net' 'sg-cdn.effectivemeasure.net' 'fast.fairfax.demdex.net' '4qinvite.4q.iperceptions.com' 'tiads.timeinc.net' 'front.adproved.net' 'ads.msvp.net' 'piwik.iriscorp.co.uk' 'petsmovies.com' 'zoomovies.org' 'www.zoomovies.org' 'api.instantdollarz.com' 'dl.ezthemes.com' 'dl1.ezthemes.com' 'ezthemes.ezthemes.com' 'funskins.ezthemes.com' 'galtthemes.ezthemes.com' 'themexp.ezthemes.com' 'topdesktop.ezthemes.com' 'www.ezthemes.com' 'www.themexp.org' 'piwik.datawrapper.de' 'tags.expo9.exponential.com' 'tribalfusion.com' 'a.tribalfusion.com' 'cdn1.tribalfusion.com' 'cdn5.tribalfusion.com' 'ctxt.tribalfusion.com' 'm.tribalfusion.com' 's.tribalfusion.com' 'www.tribalfusion.com' 'a.websponsors.com' 'g.websponsors.com' 'cz4.clickzzs.nl' 'cz5.clickzzs.nl' 'cz7.clickzzs.nl' 'cz8.clickzzs.nl' 'cz11.clickzzs.nl' 'jsp.clickzzs.nl' 'jsp2.clickzzs.nl' 'js7.clickzzs.nl' 'js11.clickzzs.nl' 'vip.clickzzs.nl' 'vip2.clickzzs.nl' 'a3.adzs.nl' 'a4.adzs.nl' 'img.adzs.nl' 'www.cash4members.com' 'privatamateure.com' 'webmaster.privatamateure.com' 'www.privatamateure.com' 'servedby.ipromote.com' 'pureleads.com' 'boloz.com' 'feed3.hype-ads.com' 'testats.inuvo.com' 'tracking.inuvo.com' 'myap.liveperson.com' 'img1.ncsreporting.com' 'www.ncsreporting.com' 'aff.primaryads.com' 'images.primaryads.com' 'ads.proz.com' 'theaffiliateprogram.com' 'www.theaffiliateprogram.com' 'err.000webhost.com' 'error404.000webhost.com' 'www.pornobanner.com' 'ad.realist.gen.tr' 'www.adultvalleycash.com' 'www.leadxml.com' 'ehho.com' 'femeedia.com' 'gbscript.com' '403.hqhost.net' '404.hqhost.net' 'luckytds.ru' 'next-layers.com' 'petrenko.biz' 'www.petrenko.biz' 'tr-af.com' 'vug.in' 'xtds.info' 'zr0.net' 'adnet.pravda.com.ua' 'a.abnad.net' 'b.abnad.net' 'c.abnad.net' 'd.abnad.net' 'e.abnad.net' 't.abnad.net' 'z.abnad.net' 'advert.ru.redtram.com' 'img2.ru.redtram.com' 'js.redtram.com' 'js.en.redtram.com' 'js.ru.redtram.com' 'n4p.ru.redtram.com' 'relestar.com' 'clk.relestar.com' 'ban.xpays.com' 'exit.xpays.com' 'www.xpays.com' 'banner.50megs.com' 'aboutwebservices.com' 'ad.aboutwebservices.com' 'downloadz.us' 'free-counter.5u.com' 'free-stats.com' 'free-stats.i8.com' 'freestats.com' 'banner.freeservers.com' 'eegad.freeservers.com' 'abbyssh.freestats.com' 'insurancejournal.freestats.com' 'hit-counter.5u.com' 'barafranca.iwarp.com' 'site-stats.i8.com' 'statistics.s5.com' 'sitetracker.com' 'pomeranian99.sitetracker.com' 'www.sitetracker.com' 'www2a.sitetracker.com' 'cyclops.prod.untd.com' 'nztv.prod.untd.com' 'track.untd.com' 'web-counter.5u.com' 'adv.drtuber.com' 'links-and-traffic.com' 'www.links-and-traffic.com' 'vdhu.com' 'promo.hdvbucks.com' 'bn.premiumhdv.com' 'clicktracks.com' 'stats.clicktracks.com' 'stats1.clicktracks.com' 'stats2.clicktracks.com' 'stats3.clicktracks.com' 'stats4.clicktracks.com' 'www.clicktracks.com' 'webalize.net' 'www.webalize.net' 'group11.iperceptions.com' 'ca.ientry.net' 'www.moviedollars.com' 'webconnect.net' 'secure.webconnect.net' 'www.webconnect.net' 'www.worldata.com' 'ads.adagent.chacha.com' 'adecn-w.atdmt.com' 'srch.atdmt.com' 'atlasdmt.com' 'www.atlasdmt.com' 'www.avenuea.com' 'ads.bidclix.com' 'www.bidclix.com' 'serving.xxxwebtraffic.com' 'www.afcyhf.com' 'www.anrdoezrs.net' 'mp.apmebf.com' 'www.apmebf.com' 'www.awltovhc.com' 'www.commission-junction.com' 'www.dpbolvw.net' 'www.emjcd.com' 'www.ftjcfx.com' 'www.jdoqocy.com' 'www.kqzyfj.com' 'www.lduhtrp.net' 'qksrv.com' 'www.qksrv.net' 'www.qksz.net' 'www.tkqlhce.com' 'www.tqlkg.com' 'csp.fastclick.net' 'cdn.mplxtms.com' 'n.mplxtms.com' 't.mplxtms.com' 'krs.ymxpb.com' 'cj.dotomi.com' 'adfarm.mediaplex.com' 'imgserv.adbutler.com' 'servedbyadbutler.com' 'adrotator.com' 'www.adrotator.com' 'counter.sparklit.com' 'vote.sparklit.com' 'webpoll.sparklit.com' 'abtracker.adultbouncer.com' 'ads.xbiz.com' 'exchange.xbiz.com' 'www62.prevention.com' 'diet.rodale.com' 'data.cmcore.com' 'analytics.harpercollins.com' 'd1.playboy.com' 'www62.runningtimes.com' 'www9.swansonvitamins.com' 'www2.kiehls.com' 'www62.bicycling.com' 'log.aebn.net' 'cerberus.entertainment.com' 'c.maccosmetics.com' 'site.puritan.com' 'www3.bloomingdales.com' 'core.bluefly.com' 'www9.collectiblestoday.com' 'cmd.customink.com' 'rpt.footlocker.com' 'ww62.hsn.com' '1901.nordstrom.com' 'sd.play.com' 'www25.victoriassecret.com' 'webtrends1.britishgas.co.uk' 'secure-eu.imrworldwide.com' 'mv.treehousei.com' 'ap.lijit.com' 'beacon.lijit.com' 'www.lijit.com' 'www.hugedomains.com' 'server1.103092804.com' 'server2.103092804.com' 'server3.103092804.com' 'server4.103092804.com' 'www.103092804.com' 'www.dicarlotrack.com' 'tracking.gajmp.com' 'www.jmpads.com' 'www.leadtrackgo.com' 'www.rsptrack.com' 'www.sq2trk2.com' 'www.xy7track.com' 'affiliates.yourapprovaltracker.com' 'ssl.clickbank.net' 'www.liqwid.net' 'www.shopathome.com' 'intellitxt.com' 'de.intellitxt.com' 'images.intellitxt.com' 'pixel.intellitxt.com' 'uk.intellitxt.com' 'us.intellitxt.com' 'www.intellitxt.com' 'mamamia.au.intellitxt.com' 'zdnet.be.intellitxt.com' 'ad-hoc-news.de.intellitxt.com' 'atspace.de.intellitxt.com' 'audio.de.intellitxt.com' 'awardspace.de.intellitxt.com' 'bild.de.intellitxt.com' 'chip.de.intellitxt.com' 'castingshow-news.de.intellitxt.com' 'computerbase.de.intellitxt.com' 'computerbild.de.intellitxt.com' 'computerhilfen.de.intellitxt.com' 'computerwoche.de.intellitxt.com' 'digital-world.de.intellitxt.com' 'ghacks.de.intellitxt.com' 'golem.de.intellitxt.com' 'gulli.de.intellitxt.com' 'inquake.de.intellitxt.com' 'loady.de.intellitxt.com' 'macwelt.de.intellitxt.com' 'msmobiles.de.intellitxt.com' 'news.de.intellitxt.com' 'pcwelt.de.intellitxt.com' 'php-mag.de.intellitxt.com' 'php-magnet.de.intellitxt.com' 'softonic.de.intellitxt.com' 'supernature-forum.de.intellitxt.com' 'supportnet.de.intellitxt.com' 'tecchannel.de.intellitxt.com' 'winfuture.de.intellitxt.com' 'wg-gesucht.de.intellitxt.com' 'womenshealth.de.intellitxt.com' 'actualite-de-stars.fr.intellitxt.com' 'telefonica.es.intellitxt.com' 'cowcotland.fr.intellitxt.com' 'froggytest.fr.intellitxt.com' 'generation-nt.fr.intellitxt.com' 'hiphopgalaxy.fr.intellitxt.com' 'infos-du-net.fr.intellitxt.com' 'memoclic.fr.intellitxt.com' 'neteco.fr.intellitxt.com' 'pcinpact.fr.intellitxt.com' 'pc-infopratique.fr.intellitxt.com' 'presence-pc.fr.intellitxt.com' 'programme-tv.fr.intellitxt.com' 'reseaux-telecoms.fr.intellitxt.com' 'tomshardware.fr.intellitxt.com' 'zataz.fr.intellitxt.com' 'techgadgets.in.intellitxt.com' 'telefonino.it.intellitxt.com' 'computeridee.nl.intellitxt.com' 'computertotaal.nl.intellitxt.com' 'techworld.nl.intellitxt.com' 'techzine.nl.intellitxt.com' 'topdownloads.nl.intellitxt.com' 'webwereld.nl.intellitxt.com' 'compulenta.ru.intellitxt.com' 'rbmods.se.intellitxt.com' 'tomshardware.se.intellitxt.com' '4thegame.uk.intellitxt.com' 'amygrindhouse.uk.intellitxt.com' 'anorak.uk.intellitxt.com' 'bink.uk.intellitxt.com' 'bit-tech.uk.intellitxt.com' 'biosmagazine.uk.intellitxt.com' 'cbronline.uk.intellitxt.com' 'computeractive.uk.intellitxt.com' 'computing.uk.intellitxt.com' 'contactmusic.uk.intellitxt.com' 'digit-life.uk.intellitxt.com' 'efluxmedia.uk.intellitxt.com' 'express.uk.intellitxt.com' 'femalefirst.uk.intellitxt.com' 'ferrago.uk.intellitxt.com' 'fhm.uk.intellitxt.com' 'footymad.uk.intellitxt.com' 'freedownloadcenter.uk.intellitxt.com' 'freedownloadmanager.uk.intellitxt.com' 'freewarepalm.uk.intellitxt.com' 'futurepublications.uk.intellitxt.com' 'gamesindustry.uk.intellitxt.com' 'handbag.uk.intellitxt.com' 'hellomagazine.uk.intellitxt.com' 'hexus.uk.intellitxt.com' 'itpro.uk.intellitxt.com' 'itreviews.uk.intellitxt.com' 'knowyourmobile.uk.intellitxt.com' 'legitreviews-uk.intellitxt.com' 'letsgodigital.uk.intellitxt.com' 'lse.uk.intellitxt.com' 'mad.uk.intellitxt.com' 'mobilecomputermag.uk.intellitxt.com' 'monstersandcritics.uk.intellitxt.com' 'newlaunches.uk.intellitxt.com' 'nodevice.uk.intellitxt.com' 'ok.uk.intellitxt.com' 'pcadvisor.uk.intellitxt.com' 'pcgamer.uk.intellitxt.com' 'pcpro.uk.intellitxt.com' 'pcw.uk.intellitxt.com' 'physorg.uk.intellitxt.com' 'playfuls.uk.intellitxt.com' 'pocketlint.uk.intellitxt.com' 'product-reviews.uk.intellitxt.com' 'sharecast.uk.intellitxt.com' 'sofeminine.uk.intellitxt.com' 'softpedia.uk.intellitxt.com' 'squarefootball.uk.intellitxt.com' 'tcmagazine.uk.intellitxt.com' 'teamtalk.uk.intellitxt.com' 'techradar.uk.intellitxt.com' 'thehollywoodnews.uk.intellitxt.com' 'theinquirer.uk.intellitxt.com' 'theregister.uk.intellitxt.com' 'thetechherald.uk.intellitxt.com' 'videojug.uk.intellitxt.com' 'vitalfootball.uk.intellitxt.com' 'vnunet.uk.intellitxt.com' 'webuser.uk.intellitxt.com' 'wi-fitechnology.uk.intellitxt.com' 'windows7news.uk.intellitxt.com' 'worldtravelguide.uk.intellitxt.com' '1up.us.intellitxt.com' '247wallstreet.us.intellitxt.com' '2snaps.us.intellitxt.com' '2spyware.us.intellitxt.com' '24wrestling.us.intellitxt.com' '411mania.us.intellitxt.com' '4w-wrestling.us.intellitxt.com' '5starsupport.us.intellitxt.com' '9down.us.intellitxt.com' '10best.us.intellitxt.com' 'able2know.us.intellitxt.com' 'accuweather.us.intellitxt.com' 'aceshowbiz.us.intellitxt.com' 'aclasscelebs.us.intellitxt.com' 'activewin.us.intellitxt.com' 'actionscript.us.intellitxt.com' 'advancedmn.us.intellitxt.com' 'adwarereport.us.intellitxt.com' 'afterdawn.us.intellitxt.com' 'afraidtoask.us.intellitxt.com' 'ajc.us.intellitxt.com' 'akihabaranews.us.intellitxt.com' 'alive.us.intellitxt.com' 'allcarselectric.us.intellitxt.com' 'allgetaways.us.intellitxt.com' 'allhiphop.us.intellitxt.com' 'allrefer.us.intellitxt.com' 'allwomenstalk.us.intellitxt.com' 'amdzone.us.intellitxt.com' 'americanmedia.us.intellitxt.com' 'andpop.us.intellitxt.com' 'androidandme.us.intellitxt.com' 'androidcentral.us.intellitxt.com' 'androidcommunity.us.intellitxt.com' 'answerbag.us.intellitxt.com' 'answers.us.intellitxt.com' 'antimusic.us.intellitxt.com' 'anythinghollywood.us.intellitxt.com' 'appscout.us.intellitxt.com' 'artistdirect.us.intellitxt.com' 'askmen.us.intellitxt.com' 'askmen2.us.intellitxt.com' 'aquasoft.us.intellitxt.com' 'architecturaldesigns.us.intellitxt.com' 'autoforums.us.intellitxt.com' 'automobilemag.us.intellitxt.com' 'automotive.us.intellitxt.com' 'autospies.us.intellitxt.com' 'autoworldnews.us.intellitxt.com' 'away.us.intellitxt.com' 'aximsite.us.intellitxt.com' 'b5media.us.intellitxt.com' 'backseatcuddler.us.intellitxt.com' 'balleralert.us.intellitxt.com' 'baselinemag.us.intellitxt.com' 'bastardly.us.intellitxt.com' 'beautyden.us.intellitxt.com' 'becomegorgeous.us.intellitxt.com' 'beliefnet.us.intellitxt.com' 'betanews.us.intellitxt.com' 'beyondhollywood.us.intellitxt.com' 'bigbigforums.us.intellitxt.com' 'bittenandbound.us.intellitxt.com' 'blacksportsonline.us.intellitxt.com' 'blastro.us.intellitxt.com' 'bleepingcomputer.us.intellitxt.com' 'blisstree.us.intellitxt.com' 'boldride.us.intellitxt.com' 'bootdaily.us.intellitxt.com' 'boxingscene.us.intellitxt.com' 'bradpittnow.us.intellitxt.com' 'bricksandstonesgossip.us.intellitxt.com' 'brighthub.us.intellitxt.com' 'brothersoft.us.intellitxt.com' 'bukisa.us.intellitxt.com' 'bullz-eye.us.intellitxt.com' 'bumpshack.us.intellitxt.com' 'businessinsider.us.intellitxt.com' 'businessknowhow.us.intellitxt.com' 'bustedcoverage.us.intellitxt.com' 'buzzfoto.us.intellitxt.com' 'buzzhumor.us.intellitxt.com' 'bolt.us.intellitxt.com' 'cafemom.us.intellitxt.com' 'canmag.us.intellitxt.com' 'car-stuff.us.intellitxt.com' 'cavemancircus.us.intellitxt.com' 'cbstv.us.intellitxt.com' 'newyork.cbslocal.us.intellitxt.com' 'cdreviews.us.intellitxt.com' 'cdrinfo.us.intellitxt.com' 'cdrom-guide.us.intellitxt.com' 'celebitchy.us.intellitxt.com' 'celebridoodle.us.intellitxt.com' 'celebrity-babies.us.intellitxt.com' 'celebritytoob.us.intellitxt.com' 'celebridiot.us.intellitxt.com' 'celebrifi.us.intellitxt.com' 'celebritymound.us.intellitxt.com' 'celebritynation.us.intellitxt.com' 'celebrityodor.us.intellitxt.com' 'celebrity-rightpundits.us.intellitxt.com' 'celebritysmackblog.us.intellitxt.com' 'celebrityviplounge.us.intellitxt.com' 'celebslam.us.intellitxt.com' 'celebrity-gossip.us.intellitxt.com' 'celebritypwn.us.intellitxt.com' 'celebritywonder.us.intellitxt.com' 'celebuzz.us.intellitxt.com' 'channelinsider.us.intellitxt.com' 'cheatcc.us.intellitxt.com' 'cheatingdome.us.intellitxt.com' 'chevelles.us.intellitxt.com' 'cmp.us.intellitxt.com' 'cnet.us.intellitxt.com' 'coedmagazine.us.intellitxt.com' 'collegefootballnews.us.intellitxt.com' 'comicbookmovie.us.intellitxt.com' 'comicbookresources.us.intellitxt.com' 'comingsoon.us.intellitxt.com' 'complex.us.intellitxt.com' 'compnet.us.intellitxt.com' 'consumerreview.us.intellitxt.com' 'contactmusic.us.intellitxt.com' 'cooksrecipes.us.intellitxt.com' 'cooltechzone.us.intellitxt.com' 'counselheal.us.intellitxt.com' 'countryweekly.us.intellitxt.com' 'courierpostonline.us.intellitxt.com' 'coxtv.us.intellitxt.com' 'crmbuyer.us.intellitxt.com' 'csharpcorner.us.intellitxt.com' 'csnation.us.intellitxt.com' 'ctv.us.intellitxt.com' 'dabcc.us.intellitxt.com' 'dailycaller.us.intellitxt.com' 'dailygab.us.intellitxt.com' 'dailystab.us.intellitxt.com' 'dailytech.us.intellitxt.com' 'damnimcute.us.intellitxt.com' 'danasdirt.us.intellitxt.com' 'daniweb.us.intellitxt.com' 'darkhorizons.us.intellitxt.com' 'darlamack.us.intellitxt.com' 'dbtechno.us.intellitxt.com' 'delawareonline.us.intellitxt.com' 'delconewsnetwork.us.intellitxt.com' 'destructoid.us.intellitxt.com' 'demonews.us.intellitxt.com' 'denguru.us.intellitxt.com' 'derekhail.us.intellitxt.com' 'dietsinreview.us.intellitxt.com' 'digitalhome.us.intellitxt.com' 'digitalmediaonline.us.intellitxt.com' 'digitalmediawire.us.intellitxt.com' 'digitaltrends.us.intellitxt.com' 'diyfood.us.intellitxt.com' 'dlmag.us.intellitxt.com' 'dnps.us.intellitxt.com' 'doubleviking.us.intellitxt.com' 'download32.us.intellitxt.com' 'drdobbs.us.intellitxt.com' 'driverguide.us.intellitxt.com' 'drugscom.us.intellitxt.com' 'eastsideboxing.us.intellitxt.com' 'eatingwell.us.intellitxt.com' 'ebaumsworld.us.intellitxt.com' 'ecanadanow.us.intellitxt.com' 'ecommercetimes.us.intellitxt.com' 'eepn.us.intellitxt.com' 'efanguide.us.intellitxt.com' 'egotastic.us.intellitxt.com' 'eharmony.us.intellitxt.com' 'ehomeupgrade.us.intellitxt.com' 'ehow.us.intellitxt.com' 'electronista.us.intellitxt.com' 'emaxhealth.us.intellitxt.com' 'encyclocentral.us.intellitxt.com' 'entrepreneur.us.intellitxt.com' 'entertainmentwise.us.intellitxt.com' 'eontarionow.us.intellitxt.com' 'estelle.us.intellitxt.com' 'eten-users.us.intellitxt.com' 'everyjoe.us.intellitxt.com' 'evilbeetgossip.us.intellitxt.com' 'eweek.us.intellitxt.com' 'examnotes.us.intellitxt.com' 'excite.us.intellitxt.com' 'experts.us.intellitxt.com' 'extntechnologies.us.intellitxt.com' 'extremeoverclocking.us.intellitxt.com' 'extremetech.us.intellitxt.com' 'eztracks.us.intellitxt.com' 'fangoria.us.intellitxt.com' 'faqts.us.intellitxt.com' 'fatbackandcollards.us.intellitxt.com' 'fatbackmedia.us.intellitxt.com' 'fatfreekitchen.us.intellitxt.com' 'feedsweep.us.intellitxt.com' 'fhmonline.us.intellitxt.com' 'fightline.us.intellitxt.com' 'filmdrunk.us.intellitxt.com' 'filedudes.us.intellitxt.com' 'filmstew.us.intellitxt.com' 'filmthreat.us.intellitxt.com' 'firingsquad.us.intellitxt.com' 'fixya.us.intellitxt.com' 'flashmagazine.us.intellitxt.com' 'flyingmag.us.intellitxt.com' 'forbes.us.intellitxt.com' 'fortunecity.us.intellitxt.com' 'forumediainc.us.intellitxt.com' 'foxnews.us.intellitxt.com' 'foxsports.us.intellitxt.com' 'foxtv.us.intellitxt.com' 'freecodecs.us.intellitxt.com' 'freewarehome.us.intellitxt.com' 'friendtest.us.intellitxt.com' 'futurelooks.us.intellitxt.com' 'g2.us.intellitxt.com' 'g3.us.intellitxt.com' 'g4.us.intellitxt.com' 'g5.us.intellitxt.com' 'gabsmash.us.intellitxt.com' 'gamedev.us.intellitxt.com' 'gamesradar.us.intellitxt.com' 'gamerstemple.us.intellitxt.com' 'gannettbroadcast.us.intellitxt.com' 'gannettwisconsin.us.intellitxt.com' 'gardenweb.us.intellitxt.com' 'gather.us.intellitxt.com' 'geek.us.intellitxt.com' 'geekstogo.us.intellitxt.com' 'genmay.us.intellitxt.com' 'gigwise.us.intellitxt.com' 'girlsaskguys.us.intellitxt.com' 'givememyremote.us.intellitxt.com' 'goal.us.intellitxt.com' 'gonintendo.us.intellitxt.com' 'gossipcenter.us.intellitxt.com' 'gossiponthis.us.intellitxt.com' 'gossipteen.us.intellitxt.com' 'gottabemobile.us.intellitxt.com' 'govpro.us.intellitxt.com' 'graytv.us.intellitxt.com' 'gsmarena.us.intellitxt.com' 'gtmedia.us.intellitxt.com' 'guardianlv.us.intellitxt.com' 'guru3d.us.intellitxt.com' 'hackedgadgets.us.intellitxt.com' 'hairboutique.us.intellitxt.com' 'hardcoreware.us.intellitxt.com' 'hardforum.us.intellitxt.com' 'hardocp.us.intellitxt.com' 'hardwaregeeks.us.intellitxt.com' 'hardwarezone.us.intellitxt.com' 'harmony-central.us.intellitxt.com' 'haveuheard.us.intellitxt.com' 'helium.us.intellitxt.com' 'hiphoprx.us.intellitxt.com' 'hiphopdx.us.intellitxt.com' 'hiphoplead.us.intellitxt.com' 'hngn.com.us.intellitxt.com' 'hollyrude.us.intellitxt.com' 'hollywood.us.intellitxt.com' 'hollywooddame.us.intellitxt.com' 'hollywoodbackwash.us.intellitxt.com' 'hollywoodchicago.us.intellitxt.com' 'hollywoodstreetking.us.intellitxt.com' 'hollywoodtuna.us.intellitxt.com' 'hometheaterhifi.us.intellitxt.com' 'hongkiat.us.intellitxt.com' 'hoopsworld.us.intellitxt.com' 'hoovers.us.intellitxt.com' 'horoscope.us.intellitxt.com' 'hostboard.us.intellitxt.com' 'hothardware.us.intellitxt.com' 'hotmommagossip.us.intellitxt.com' 'howardchui.us.intellitxt.com' 'hq-celebrity.us.intellitxt.com' 'huliq.us.intellitxt.com' 'i4u.us.intellitxt.com' 'iamnotageek.us.intellitxt.com' 'icentric.us.intellitxt.com' 'ichef.us.intellitxt.com' 'icydk.us.intellitxt.com' 'idontlikeyouinthatway.us.intellitxt.com' 'iesb.us.intellitxt.com' 'ign.us.intellitxt.com' 'india-forums.us.intellitxt.com' 'babes.ign.us.intellitxt.com' 'cars.ign.us.intellitxt.com' 'comics.ign.us.intellitxt.com' 'cube.ign.us.intellitxt.com' 'ds.ign.us.intellitxt.com' 'filmforcedvd.ign.us.intellitxt.com' 'gameboy.ign.us.intellitxt.com' 'music.ign.us.intellitxt.com' 'psp.ign.us.intellitxt.com' 'ps2.ign.us.intellitxt.com' 'psx.ign.us.intellitxt.com' 'revolution.ign.us.intellitxt.com' 'sports.ign.us.intellitxt.com' 'wireless.ign.us.intellitxt.com' 'xbox.ign.us.intellitxt.com' 'xbox360.ign.us.intellitxt.com' 'idm.us.intellitxt.com' 'i-hacked.us.intellitxt.com' 'imnotobsessed.us.intellitxt.com' 'impactwrestling.us.intellitxt.com' 'imreportcard.us.intellitxt.com' 'infopackets.us.intellitxt.com' 'insidemacgames.us.intellitxt.com' 'intermix.us.intellitxt.com' 'internetautoguide.us.intellitxt.com' 'intogossip.us.intellitxt.com' 'intomobile.us.intellitxt.com' 'investingchannel.us.intellitxt.com' 'investopedia.us.intellitxt.com' 'ittoolbox.us.intellitxt.com' 'itxt2.us.intellitxt.com' 'itxt3.us.intellitxt.com' 'itworld.us.intellitxt.com' 'ivillage.us.intellitxt.com' 's.ivillage.us.intellitxt.com' 'iwon.us.intellitxt.com' 'jacksonsun.us.intellitxt.com' 'jakeludington.us.intellitxt.com' 'jkontherun.us.intellitxt.com' 'joblo.us.intellitxt.com' 'juicyceleb.us.intellitxt.com' 'juicy-news.blogspot.us.intellitxt.com' 'jupiter.us.intellitxt.com' 'justjared.us.intellitxt.com' 'justmovietrailers.us.intellitxt.com' 'jutiagroup.us.intellitxt.com' 'kaboose.us.intellitxt.com' 'killerstartups.us.intellitxt.com' 'kissingsuzykolber.us.intellitxt.com' 'knac.us.intellitxt.com' 'kpopstarz.us.intellitxt.com' 'laboroflove.us.intellitxt.com' 'laineygossip.us.intellitxt.com' 'laptoplogic.us.intellitxt.com' 'laptopmag.us.intellitxt.com' 'lat34.us.intellitxt.com' 'latinpost.us.intellitxt.com' 'letsrun.us.intellitxt.com' 'latinoreview.us.intellitxt.com' 'lifescript.us.intellitxt.com' 'linuxdevcenter.us.intellitxt.com' 'linuxjournal.us.intellitxt.com' 'livescience.us.intellitxt.com' 'livestrong.us.intellitxt.com' 'lmcd.us.intellitxt.com' 'lockergnome.us.intellitxt.com' 'lohud.us.intellitxt.com' 'longhornblogs.us.intellitxt.com' 'lxer.us.intellitxt.com' 'lyrics.us.intellitxt.com' 'macdailynews.us.intellitxt.com' 'macnewsworld.us.intellitxt.com' 'macnn.us.intellitxt.com' 'macgamefiles.us.intellitxt.com' 'macmegasite.us.intellitxt.com' 'macobserver.us.intellitxt.com' 'madamenoire.us.intellitxt.com' 'madpenguin.us.intellitxt.com' 'mainstreet.us.intellitxt.com' 'majorgeeks.us.intellitxt.com' 'makeherup.us.intellitxt.com' 'makemeheal.us.intellitxt.com' 'makeushot.us.intellitxt.com' 'masalatalk.us.intellitxt.com' 'mazdaworld.us.intellitxt.com' 'medicinenet.us.intellitxt.com' 'medindia.us.intellitxt.com' 'memphisrap.us.intellitxt.com' 'meredithtv.us.intellitxt.com' 'methodshop.us.intellitxt.com' 'military.us.intellitxt.com' 'missjia.us.intellitxt.com' 'mobile9.us.intellitxt.com' 'mobileburn.us.intellitxt.com' 'mobiletechreview.us.intellitxt.com' 'mobilewhack.us.intellitxt.com' 'mobilityguru.us.intellitxt.com' 'modifiedlife.us.intellitxt.com' 'mommyish.us.intellitxt.com' 'morningstar.us.intellitxt.com' 'motortrend.us.intellitxt.com' 'moviehole.us.intellitxt.com' 'movie-list.us.intellitxt.com' 'movies.us.intellitxt.com' 'movieweb.us.intellitxt.com' 'msfn.us.intellitxt.com' 'msnbc.us.intellitxt.com' 'autos.msnbc.us.intellitxt.com' 'business.msnbc.us.intellitxt.com' 'health.msnbc.us.intellitxt.com' 'nbcsports.us.intellitxt.com' 'news.msnbc.us.intellitxt.com' 'sports.msnbc.us.intellitxt.com' 'technology.msnbc.us.intellitxt.com' 'travel-and-weather.msnbc.us.intellitxt.com' 'mmafighting.us.intellitxt.com' 'entertainment.msn.us.intellitxt.com' 'muscleandfitnesshers.us.intellitxt.com' 'mydigitallife.us.intellitxt.com' 'myfavoritegames.us.intellitxt.com' 'mydailymoment.us.intellitxt.com' 'nasioc.us.intellitxt.com' 'nationalledger.us.intellitxt.com' 'nationalenquirer.us.intellitxt.com' 'naturalhealth.us.intellitxt.com' 'natureworldnews.us.intellitxt.com' 'nbcnewyork.us.intellitxt.com' 'nbcuniversaltv.us.intellitxt.com' 'neoseeker.us.intellitxt.com' 'neowin.us.intellitxt.com' 'nextround.us.intellitxt.com' 'newsoxy.us.intellitxt.com' 'newstoob.us.intellitxt.com' 'nihoncar.us.intellitxt.com' 'ninjadude.us.intellitxt.com' 'ntcompatible.us.intellitxt.com' 'oceanup.us.intellitxt.com' 'octools.us.intellitxt.com' 'ocworkbench.us.intellitxt.com' 'officer.us.intellitxt.com' 'okmagazine.us.intellitxt.com' 'onlamp.us.intellitxt.com' 'ontheflix.us.intellitxt.com' 'oocenter.us.intellitxt.com' 'osdir.us.intellitxt.com' 'ostg.us.intellitxt.com' 'outofsightmedia.us.intellitxt.com' 'overclockersonline.us.intellitxt.com' 'overthelimit.us.intellitxt.com' 'pal-item.us.intellitxt.com' 'pcmag.us.intellitxt.com' 'pcper.us.intellitxt.com' 'penton.us.intellitxt.com' 'perezhilton.us.intellitxt.com' 'philadelphia_cbslocal.us.intellitxt.com' 'phonearena.us.intellitxt.com' 'pickmeupnews.us.intellitxt.com' 'pinkisthenewblog.us.intellitxt.com' 'popdirt.us.intellitxt.com' 'popfill.us.intellitxt.com' 'popoholic.us.intellitxt.com' 'poponthepop.us.intellitxt.com' 'popularmechanics.us.intellitxt.com' 'prettyboring.us.intellitxt.com' 'priusonline.us.intellitxt.com' 'profootballweekly.us.intellitxt.com' 'programmerworld.us.intellitxt.com' 'pro-networks.us.intellitxt.com' 'ps3news.us.intellitxt.com' 'punchjump.us.intellitxt.com' 'puppytoob.us.intellitxt.com' 'pwinsider.us.intellitxt.com' 'quickpwn.us.intellitxt.com' 'quinstreet.us.intellitxt.com' 'rankmytattoos.us.intellitxt.com' 'rantsports.us.intellitxt.com' 'rcpmag.us.intellitxt.com' 'realitytea.us.intellitxt.com' 'realitytvmagazine.us.intellitxt.com' 'recipeland.us.intellitxt.com' 'redbalcony.us.intellitxt.com' 'reelmovienews.us.intellitxt.com' 'rickey.us.intellitxt.com' 'ringsurf.us.intellitxt.com' 'rnbdirt.us.intellitxt.com' 'rumorfix.us.intellitxt.com' 'sports.rightpundits.us.intellitxt.com' 'rojakpot.us.intellitxt.com' 'rpg.us.intellitxt.com' 'rx8club.us.intellitxt.com' 'rydium.us.intellitxt.com' 'scanwith.us.intellitxt.com' 'scienceworldreport.us.intellitxt.com' 'screensavers.us.intellitxt.com' 'sdcexecs.us.intellitxt.com' 'shallownation.us.intellitxt.com' 'shebudgets.us.intellitxt.com' 'sheknows.us.intellitxt.com' 'shoutwire.us.intellitxt.com' 'siliconera.us.intellitxt.com' 'slashfilm.us.intellitxt.com' 'smartabouthealth.us.intellitxt.com' 'smartcarfinder.us.intellitxt.com' 'smartdevicecentral.us.intellitxt.com' 'sportingnews.us.intellitxt.com' 'soccergaming.us.intellitxt.com' 'socialanxietysupport.us.intellitxt.com' 'socialitelife.us.intellitxt.com' 'soft32.us.intellitxt.com' 'softpedia.us.intellitxt.com' 'sohh.us.intellitxt.com' 'space.us.intellitxt.com' 'speedguide.us.intellitxt.com' 'speedtv.us.intellitxt.com' 'sportscarillustrated.us.intellitxt.com' 'sprintusers.us.intellitxt.com' 'sqlservercentral.us.intellitxt.com' 'starcasm.us.intellitxt.com' 'starpulse.us.intellitxt.com' 'steadyhealth.us.intellitxt.com' 'stockgroup.us.intellitxt.com' 'storknet.us.intellitxt.com' 'stupidcelebrities.us.intellitxt.com' 'styleblazer.us.intellitxt.com' 'supercars.us.intellitxt.com' 'superherohype.us.intellitxt.com' 'surebaby.us.intellitxt.com' 'symbianone.us.intellitxt.com' 'symbian-freak.us.intellitxt.com' 'taletela.us.intellitxt.com' 'tbohiphop.us.intellitxt.com' 'techeblog.us.intellitxt.com' 'tech-faq.us.intellitxt.com' 'techgage.us.intellitxt.com' 'techguy.us.intellitxt.com' 'techimo.us.intellitxt.com' 'technobuffalo.us.intellitxt.com' 'technologyguide.us.intellitxt.com' 'techpowerup.us.intellitxt.com' 'techspot.us.intellitxt.com' 'techsupportforum.us.intellitxt.com' 'tenmagazines.us.intellitxt.com' 'tgdaily.us.intellitxt.com' 'thathappened.us.intellitxt.com' 'theadvertiser.us.intellitxt.com' 'theblemish.us.intellitxt.com' 'thebosh.us.intellitxt.com' 'thecarconnection.us.intellitxt.com' 'thecelebritycafe.us.intellitxt.com' 'theeldergeek.us.intellitxt.com' 'thefinalfantasy.us.intellitxt.com' 'theforce.us.intellitxt.com' 'thefrisky.us.intellitxt.com' 'thefutoncritic.us.intellitxt.com' 'thegauntlet.us.intellitxt.com' 'theglobeandmail.us.intellitxt.com' 'thegloss.us.intellitxt.com' 'thehdroom.us.intellitxt.com' 'thehollywoodgossip.us.intellitxt.com' 'themanroom.us.intellitxt.com' 'theonenetwork.us.intellitxt.com' 'thepaparazzis.us.intellitxt.com' 'thestreet.us.intellitxt.com' 'thesuperficial.us.intellitxt.com' 'thetechlounge.us.intellitxt.com' 'thetechzone.us.intellitxt.com' 'theunwired.us.intellitxt.com' 'theybf.us.intellitxt.com' 'thinkcomputers.us.intellitxt.com' 'thoughtsmedia.us.intellitxt.com' 'threadwatch.us.intellitxt.com' 'tmz.us.intellitxt.com' 'todayshow.us.intellitxt.com' 'toofab.us.intellitxt.com' 'toms.us.intellitxt.com' 'tomsforumz.us.intellitxt.com' 'tomshardware.us.intellitxt.com' 'tomsnetworking.us.intellitxt.com' 'topsocialite.us.intellitxt.com' 'topnews.us.intellitxt.com' 'toptechreviews.us.intellitxt.com' 'toptenreviews.us.intellitxt.com' 'topspeed.us.intellitxt.com' 'torquenews.us.intellitxt.com' 'tothecenter.us.intellitxt.com' 'traileraddict.us.intellitxt.com' 'trekweb.us.intellitxt.com' 'tribal.us.intellitxt.com' 'triumphrat.us.intellitxt.com' 'tsxclub.us.intellitxt.com' 'tutorialoutpost.us.intellitxt.com' 'tvfanatic.us.intellitxt.com' 'tv-now.us.intellitxt.com' 'tv-rightcelebrity.us.intellitxt.com' 'tweaks.us.intellitxt.com' 'tweaktown.us.intellitxt.com' 'tweakvista.us.intellitxt.com' 'tweetsoup.us.intellitxt.com' 'twitchguru.us.intellitxt.com' 'ubergizmo.us.intellitxt.com' 'unathleticmag.us.intellitxt.com' 'universityherald.us.intellitxt.com' 'upi.us.intellitxt.com' 'vault9.us.intellitxt.com' 'viaarena.us.intellitxt.com' 'vibe.us.intellitxt.com' 'videocodezone.us.intellitxt.com' 'vidnet.us.intellitxt.com' 'voodoofiles.us.intellitxt.com' 'warcry.us.intellitxt.com' 'washingtontimes.us.intellitxt.com' 'weightlossforall.us.intellitxt.com' 'whatthetech.us.intellitxt.com' 'whoateallthepies.uk.intellitxt.com' 'wincert.us.intellitxt.com' 'windowsbbs.us.intellitxt.com' 'windowsitpro.us.intellitxt.com' 'winmatrix.us.intellitxt.com' 'winterrowd.us.intellitxt.com' 'wiregirl.us.intellitxt.com' 'withleather.us.intellitxt.com' 'wm5fixsite.us.intellitxt.com' 'womensforum.us.intellitxt.com' 'worldnetdaily.us.intellitxt.com' 'wowinterface.us.intellitxt.com' 'wrestling-edge.us.intellitxt.com' 'wwtdd.us.intellitxt.com' 'x17online.us.intellitxt.com' 'xmlpitstop.us.intellitxt.com' 'yeeeah.us.intellitxt.com' 'yourtango.us.intellitxt.com' 'zatznotfunny.us.intellitxt.com' 'zeldalily.us.intellitxt.com' 'zug.us.intellitxt.com' 'vibrantmedia.com' 'itxt.vibrantmedia.com' 'www.vibrantmedia.com' 'click.maxxandmore.com' 'link.maxxandmore.com' 'promo.passioncams.com' 'banners.payserve.com' 'secure.vxsbill.com' 'video.od.visiblemeasures.com' 'googlenews.xorg.pl' '1.googlenews.xorg.pl' '2.googlenews.xorg.pl' '3.googlenews.xorg.pl' '4.googlenews.xorg.pl' '5.googlenews.xorg.pl' 'optimize.innity.com' 'api.adrenalads.com' 'cache.blogads.com' 'f.blogads.com' 'g.blogads.com' 'st.blogads.com' 'weblog.blogads.com' 't.blogreaderproject.com' 'ads.exactseek.com' 'tracer.perezhilton.com' 'ads.pressflex.com' 'adserver.pressflex.com' 'fishadz.pressflex.net' 'www.projectwonderful.com' 'mydmp.exelator.com' 'banners.absolpublisher.com' 'tracking.absolstats.com' 'img.blogads.com' 'stat.blogads.com' 'www.blogads.com' 'adms.physorg.com' 'loadeu.exelator.com' 'loadm.exelator.com' 'ads.imgur.com' 'tracking.m6r.eu' 'network.adsmarket.com' 'z.blogads.com' 'p.raasnet.com' 'ads.sfomedia.com' 'stats.twistage.com' 'stat.delo.ua' 'c.mystat-in.net' '___id___.c.mystat-in.net' '011707160008.c.mystat-in.net' '121807150325.c.mystat-in.net' '122907224924.c.mystat-in.net' '061606084448.c.mystat-in.net' '070806142521.c.mystat-in.net' '090906042103.c.mystat-in.net' '092706152958.c.mystat-in.net' '102106151057.c.mystat-in.net' '112006133326.c.mystat-in.net' '14713804a.l2m.net' '30280827a.l2m.net' 'jmm.livestat.com' 'www.livestat.com' 'analytics.clickpathmedia.com' 'trafficads.com' 'www.trafficads.com' 'click.zipcodez.com' 'ads-aa.wunderground.com' 'ads3.wunderground.com' 'ads.wunderground.com' 'server.as5000.com' 'server2.as5000.com' 'xml.ecpvads.com' 'cpanel.nativeads.com' 'xml.plusfind.net' 'cpv.popxml.com' 'app.super-links.net' 'cpm.super-links.net' 'cpm.tz4.com' 'adx.adosx.com' 'cdn.adosx.com' 'filter.adsparkmedia.net' 'xml.adsparkmedia.net' 'affiliates.hookup.com' 'xml.mxsads.com' 'ads.sexforums.com' 'pl3087.puhtml.com' 'pl5102.puhtml.com' 'pl106067.puhtml.com' 'pl107977.puhtml.com' 'pl108062.puhtml.com' 'pl109504.puhtml.com' 'pl137937.puhtml.com' 'exits.adultcash.com' 'popfree.adultcash.com' 'www.adultcash.com' 'www.bnhtml.com' 'www.crazyprotocol.com' 'cdn.dabhit.com' 'feedbackexplorer.com' 'www.lonelycheatingwives.com' 'www.spookylinks.com' 'dn.adzerver.com' 'temp.adzerver.com' 'www.clickterra.net' 'admanage.com' 'xml.admanage.com' 'www.professionalcash.com' 'pl136883.puhtml.com' 'www.terraclicks.com' 'www.terrapops.com' 'affiliate.adgtracker.com' 'go.ad2up.com' 'adsvids.com' 'adsvidsdouble.com' 'padsdel.cdnads.com' 'go.padsdel.com' 'go.padsdelivery.com' 'go.padstm.com' 'a2pub.com' 'cdn.adtrace.org' 'wateristian.com' 'rmbn.net' 'clickadu.com' '1phads.com' 'www2.acint.net' 'serve.adhance.com' 'jsc.adskeeper.co.uk' 'adsyst.biz' 'adultcomix.biz' 'free.adultcomix.biz' 'artcomix.com' 'top.artcomix.com' 'www.artcomix.com' 'cartoonpornguide.com' 'free.cartoonpornguide.com' 'www.cartoonpornguide.com' 'ads.depositfiles.com' 'jsn.dt00.net' 'dvdhentai.net' '9.ecounter.org' 'www.fhserve.com' 'secure.fhserve.com' 'www.ilovecheating.com' 'imgn.marketgid.com' 'jsn.marketgid.com' 'go.mobisla.com' 'go.mobtrks.com' 'go.mobytrks.com' 'go.oclasrv.com' 'go.oclaserver.com' 'go.onclasrv.com' 'onclickads.net' 'otherprofit.com' 't.otherprofit.com' 'popander.mobi' 'popunder.net' 'www.postads24.com' 'propellerpops.com' 'go.pub2srv.com' 'www.reduxmediia.com' 'xml.seekandsee.com' 'www.scoreadate.com' 'c1.smartclick.net' 'www.stamplive.com' 'toon-families.com' 'www.toon-families.com' 'toonfamilies.net' 'www.toonfamilies.net' 'traffic.ru' 'pu.trafficshop.com' 'webmasters.tubealliance.com' 'affiliates.upforitnetworks.com' 'stat.upforitnetworks.com' 'www.yourlustmedia.com' 'rotator.7x3.net' 'adultimate.net' 'ads.alphaporno.com' 'bestadbid.com' 'www.bravospots.com' 'www.crocoads.com' 'ad.depositfiles.com' 'ad3.depositfiles.com' 'jsc.dt07.net' 'www.feyads.com' 'helltraffic.com' 'www.helltraffic.com' 'jsu.mgid.com' 'mg.mgid.com' 'echo.teasernet.ru' 'tmserver-1.com' 'www.tubedspots.com' 'xxxreactor.com' 'webclients.net' 'www.webclients.net' 'websponsors.com' 'ocs.websponsors.com' 'www.websponsors.com' 'bi.medscape.com' 'adv.medscape.com' 'as.medscape.com' 'adv.webmd.com' 'as.webmd.com' 'www.gameplaylabs.com' 'img.jizzads.com' 'ads4pubs.com' 'fttcj.com' 'ads.socialreach.com' 'cc.webpower.com' 'clickcash.webpower.com' 'orders.webpower.com' 'apps.clickcash.com' 'promo.clickcash.com' 'www.clickcash.com' 'getclicky.com' 'in.getclicky.com' 'pmetrics.getclicky.com' 'static.getclicky.com' 'pmetrics.performancing.com' 'stats.webleads-tracker.com' 'verivox01.webtrekk.net' 'www.webtrends.net' 'hm.webtrends.com' 'scs.webtrends.com' 'webtrendslive.com' 'ctix8.cheaptickets.com' 'rd.clickshift.com' 'wt.o.nytimes.com' 'wt.ticketmaster.com' 'dc.webtrends.com' 'm.webtrends.com' 'statse.webtrendslive.com' 'dcs.wtlive.com' 'dcstest.wtlive.com' 'wtrs.101com.com' 'sdc.acc.org' 'sdc.caranddriver.com' 'dcs.mattel.com' 'sdc.brightcove.com' 'sdc.ca.com' 'sdc.dishnetwork.com' 'sdc.dn.no' 'sdc.dtag.com' 'sdc.entertainment.com' 'sdc.flyingmag.com' 'sdc.francetelecom.com' 'ssdc.icelandair.com' 'sdc.jumptheshark.com' 'sdc.lef.org' 'sdc.livingchoices.com' 'sdc.mcafee.com' 'sdc.netiq.com' 'sdc.plannedparenthood.org' 'sdc.radio-canada.ca' 'sdc.rbistats.com' 'sdc.roadandtrack.com' 'sdc.sanofi-aventis.us' 'sdc.traderonline.com' 'sdc.tvguide.com' 'sdc.usps.com' 'sdc.vml.com' 'sdc.windowsmarketplace.com' 'wdcs.trendmicro.com' 'webtrends.telegraph.co.uk' 'www.1sexsex.com' 'teenboobstube.com' 'tubeanalporn.com' 'adsystem.simplemachines.org' 'aidu.ivwbox.de' 'chip.ivwbox.de' 'ciao.ivwbox.de' 'daserste.ivwbox.de' 'faz.ivwbox.de' 'freecast.ivwbox.de' 'finatime.ivwbox.de' 'gsea.ivwbox.de' 'handbl.ivwbox.de' 'heise.ivwbox.de' 'heute.ivwbox.de' 'mclient.ivwbox.de' 'mdr.ivwbox.de' 'mobile.ivwbox.de' 'morgpost.ivwbox.de' 'netzeitu.ivwbox.de' 'newsclic.ivwbox.de' 'ntv.ivwbox.de' 'qs.ivwbox.de' 'reuterde.ivwbox.de' 'rtl.ivwbox.de' 'schuelvz.ivwbox.de' 'spoxcom.ivwbox.de' 'studivz.ivwbox.de' 'sueddeut.ivwbox.de' 'swr.ivwbox.de' 'rbb.ivwbox.de' 'tagessch.ivwbox.de' 'vanity.ivwbox.de' 'welten.ivwbox.de' 'wetteronl.ivwbox.de' 'wirtwoch.ivwbox.de' 'www.ivwbox.de' 'yahoo.ivwbox.de' 'zdf.ivwbox.de' 'zeitonl.ivwbox.de' 'superxmassavers.ru' 'www.yourxmasgifts.ru' 'www.yournewluxurywatch.ru' 'event.ohmyad.co' 'core.videoegg.com' 'content.dl-rms.com' 'imagenen1.247realmedia.com' 'imagec05.247realmedia.com' 'imagec07.247realmedia.com' 'imagec08.247realmedia.com' 'imagec09.247realmedia.com' 'imagec10.247realmedia.com' 'imagec11.247realmedia.com' 'imagec12.247realmedia.com' 'imagec14.247realmedia.com' 'imagec16.247realmedia.com' 'imagec17.247realmedia.com' 'imagec18.247realmedia.com' 'imageceu1.247realmedia.com' 'oasc05.247realmedia.com' 'oasc06.247realmedia.com' 'oasc08.247realmedia.com' 'oasc09.247realmedia.com' 'oasc10.247realmedia.com' 'oasc11.247realmedia.com' 'oasc12.247realmedia.com' 'oasc17.247realmedia.com' 'oasc02023.247realmedia.com' 'oasc03012.247realmedia.com' 'oasc03049.247realmedia.com' 'oasc04052.247realmedia.com' 'oasc05024.247realmedia.com' 'oasc05134.247realmedia.com' 'oasc05135.247realmedia.com' 'oasc05139.247realmedia.com' 'oasc06006.247realmedia.com' 'oasc08006.247realmedia.com' 'oasc08008.247realmedia.com' 'oasc08011.247realmedia.com' 'oasc08024.247realmedia.com' 'oasc10015.247realmedia.com' 'oasc11009.247realmedia.com' 'oasc12001.247realmedia.com' 'oasc12016.247realmedia.com' 'oasc12056.247realmedia.com' 'oasc14008.247realmedia.com' 'oasc18005.247realmedia.com' 'openadstream-eu1.247realmedia.com' 'ads.realmedia.com.br' 'ad.realmedia.co.kr' 'tech.realmedia.co.kr' 'tracking.247search.com' 'realmedia-a592.d4p.net' 'rusads.toysrus.com' 'oascentral.aeroplan.com' 'sifomedia.aftonbladet.se' 'oascentral.arkansasonline.com' 'as.bankrate.com' 'oascentral.beliefnet.com' 'ads.benefitspro.com' 'ads.bhmedianetwork.com' 'ads.bloomberg.com' 'ad.directrev.com' 'a.diximedia.es' 'oascentral.dominionenterprises.com' 'ads.epi.es' 'oascentral.fiercemarkets.com' 'ads.fora.tv' 'sifomedia.idg.se' 'ads.itzdigital.com' 'ads.lifehealthpro.com' 'oas.monster.com' 'b3.mookie1.com' 'premium.mookie1.com' 't.mookie1.com' 'ads.mrtones.com' 'mig.nexac.com' 'ads.nwsource.com' 'ads.propertycasualty360.com' 'oas.providencejournal.com' 'ads.seattletimes.com' 'a3.suntimes.com' 'ads.telecinco.es' 'ads.timesunion.com' 'adsrv.dispatch.com' 'mjx.ads.nwsource.com' 'oascentral.123greetings.com' 'oas.247sports.com' 'oascentral.abclocal.go.com' 'oascentral.adage.com' 'oas.ad-vice.biz' 'oascentral.alladultchannel.com' 'oascentral.hosted.ap.org' 'oascentral.artistdirect.com' 'oascentral.autoweek.com' 'oascentral.blackenterprise.com' 'oascentral.blogher.org' 'oascentral.bigfishgames.com' 'oascentral.bristolpress.com' 'oascentral.broadway.com' 'oascentral.browardpalmbeach.com' 'oascentral.businessinsurance.com' 'oascentral.businessweek.com' 'oascentral.buy.com' 'oascentral.buysell.com' 'oascentral.capecodonline.com' 'oascentral.careerbuilder.com' 'oascentral.citypages.com' 'oascentral.citypaper.com' 'realmedia.channel4.com' 'oascentral.charleston.net' 'oascentral.chicagobusiness.com' 'oascentral.chron.com' 'oascentral.comcast.net' 'oascentral.comics.com' 'oascentral.consumerreports.org' 'oascentral.courttv.com' 'oascentral.crainsdetroit.com' 'oascentral.crainsnewyork.com' 'oascentral.crimelibrary.com' 'oascentral.cygnusb2b.com' 'oascentral.dailybreeze.com' 'oascentral.dailyherald.com' 'oascentral.dailylocal.com' 'oas.dallasnews.com' 'oascentral.datasphere.com' 'oas.deejay.it' 'oascentral.discovery.com' 'oascentral.dollargeneral.com' 'oascentral.emarketer.com' 'oascentral.emedicine.com' 'oascentral.escapistmagazine.com' 'oascentral.feedroom.com' 'oas.five.tv' 'oascentral.fosters.com' 'oascentral.freedom.com' 'oascentral.goerie.com' 'oascentral.gotriad.com' 'oascentral.grandparents.com' 'oascentral.greenevillesun.com' 'oascentral.hamptonroads.com' 'oascentral.herald-dispatch.com' 'oascentral.hispanicbusiness.com' 'oascentral.hitfix.com' 'oascentral.hollywood.com' 'oascentral.houstonpress.com' 'oascentral.ibtimes.com' 'oascentral.internetretailer.com' 'oascentral.investingmediasolutions.com' 'oascentral.investmentnews.com' 'oascentral.katv.com' 'oascentral.laptopmag.com' 'oascentral.law.com' 'oascentral.laweekly.com' 'oascentral.lifetimetv.com' 'oascentral.lycos.com' 'oascentral.mailtribune.com' 'oas.maktoobblog.com' 'oascentral.mayoclinic.com' 'oascentral.metrotimes.com' 'oascentral.metrowestdailynews.com' 'oascentral.miaminewtimes.com' 'oascentral.minnpost.com' 'oascentral.mochila.com' 'oascentral.modernhealthcare.com' 'oascentral.movietickets.com' 'oascentral.nationalunderwriter.com' 'oascentral.necn.com' 'oascentral.nephrologynews.com' 'oascentral.nerve.com' 'oascentral.netnewscheck.com' 'oascentral.newsmax.com' 'oascentral.news-record.com' 'oascentral.newstimeslive.com' 'oas-fr.video.on.nytimes.com' 'oascentral.ocweekly.com' 'oascentral.onthesnow.com' 'oascentral.onwisconsin.com' 'oascentral.oprah.com' 'oascentral.phoenixnewtimes.com' 'oascentral.planetatv.com' 'oascentral.poconorecord.com' 'oascentral.post-gazette.com' 'oascentral.pressdemocrat.com' 'oascentral.prodivnet.com' 'oascentral.publicradio.org' 'oascentral.rcrnews.com' 'oascentral.recordnet.com' 'oascentral.recordonline.com' 'oascentral.record-eagle.com' 'oascentral.recroom.com' 'oascentral.recyclebank.com' 'oascentral.red7media.com' 'oascentral.redstate.com' 'oascentral.register.com' 'oascentral.registerguard.com' 'oas.repubblica.it' 'oas.rivals.com' 'oascentral.salemweb.net' 'oascentral.samsclub.com' 'oascentral.sfgate.com' 'oascentral.sfweekly.com' 'oascentral.sina.com' 'oascentral.spineuniverse.com' 'oascentral.southjerseylocalnews.com' 'oascentral.sportsfanlive.com' 'oascentral.s-t.com' 'oascentral.stackmag.com' 'oascentral.stansberryresearch.com' 'oascentral.stripes.com' 'oascentral.suntimes.com' 'oascentral.superpages.com' 'oascentral.surfline.com' 'ads.tdbank.com' 'oascentral.timesfreepress.com' 'oascentral.thechronicleherald.ca' 'oascentral.thedailymeal.com' 'oascentral.thepostgame.com' 'oascentral.theweek.com' 'oascentral.tmcnet.com' 'oascentral.tnr.com' 'oascentral.tophosts.com' 'oascentral.tourismvancouver.com' 'oascentral.tradingmarkets.com' 'oascentral.traffic.com' 'oascentral.travelzoo.com' 'oascentral.trentonian.com' 'oascentral.tripit.com' 'oas.trustnet.com' 'oascentral.tvnewscheck.com' 'oascentral.upi.com' 'oascentral.urbanspoon.com' 'oascentral.villagevoice.com' 'oascentral.virtualtourist.com' 'oascentral.walmartwom.com' 'oascentral.warcry.com' 'oascentral.washtimes.com' 'oascentral.wciv.com' 'oascentral.westword.com' 'oascentral.wickedlocal.com' 'oascentral.yakimaherald.com' 'oascentral.yellowpages.com' 'coriolis.accuweather.com' 'sifomedia.thelocal.se' 'panel.research-int.se' 'ads.augusta.com' 'oas.autotrader.co.uk' 'ads.ctvdigital.net' 'oas.guardian.co.uk' 'kantarmedia.guardian.co.uk' 'oas.guardiannews.com' 'oas.ilsecoloxix.it' 'ads.jacksonville.com' 'ads.juneauempire.com' 'deliv.lexpress.fr' 'b3-uk.mookie1.com' 'oas.northernandshell.co.uk' 'oas.offremedia.com' 'ads.onlineathens.com' 'ads.pennnet.com' 'oas.populisengage.com' 'oas.rcsadv.it' 'panel2.research-int.se' 'oascentral.riverfronttimes.com' 'oas.theguardian.com' 'ads.savannahnow.com' 'oas.stv.tv' 'jsn.dt07.net' 'jsc.mgid.com' 'jsn.mgid.com' 'www.adshost1.com' 'track.ad4mmo.com' 'n149adserv.com' 'n44adshostnet.com' 'cdn.trafficstars.com' 'toroadvertisingmedia.com' 'aka-root.com' 'ads.h2porn.com' 'adv.h2porn.com' 'hits.twittweb.com' 'www.xvika.net' 'www.xvika.org' 'adv.freepornvs.com' 'a.mgid.com' 'aa-gb.mgid.com' 'ab-gb.mgid.com' 'aa-nb.mgid.com' 'ab-nb.mgid.com' 'ac-gb.mgid.com' 'counter.mgid.com' 'i3.putags.com' 'http.edge.ru4.com' 'smartad.mercadolibre.com.ar' 'smartad.mercadolivre.com.br' '33universal.adprimemedia.com' 'video1.adprimemedia.com' 'www.balook.com' 'advert.funimation.com' 'webiq005.webiqonline.com' 'advertising.finditt.com' 'https.edge.ru4.com' 's.xp1.ru4.com' 'www.mediahighway.net' 'www.netpoll.nl' 'realtracker.com' 'adserver1.realtracker.com' 'adserver2.realtracker.com' 'business.realtracker.com' 'free.realtracker.com' 'layout1.realtracker.com' 'project2.realtracker.com' 'talkcity.realtracker.com' 'tpl1.realtracker.com' 'tpl2.realtracker.com' 'web1.realtracker.com' 'web2.realtracker.com' 'web4.realtracker.com' 'free1.usa.realtracker.com' 'www.realtracker.com' 'ntkrnlpa.info' 'banners.delivery.addynamo.com' 's01.delivery.addynamo.com' 's01-delivery.addynamo.net' 'static.addynamo.net' 'static-uk.addynamo.net' 'ad.wretch.cc' 'nz.adserver.yahoo.com' 'sg.adserver.yahoo.com' 'br.adserver.yahoo.com' 'cn.adserver.yahoo.com' 'tw.adserver.yahoo.com' 'mi.adinterax.com' 'e.yieldmanager.net' 'l.yieldmanager.net' 'ads.yimg.com' 'my.adtegrity.net' 'my.aim4media.com' 'ym.bannerconnect.net' 'reporting.cpxinteractive.com' 'api.yieldmanager.com' 'my.yieldmanager.com' 'be.adserver.yahoo.com' 'dk.adserver.yahoo.com' 'eu-pn4.adserver.yahoo.com' 'fr.adserver.yahoo.com' 'nl.adserver.yahoo.com' 'se.adserver.yahoo.com' 'uk.adserver.yahoo.com' 'de.adserver.yahoo.com' 'es.adserver.yahoo.com' 'gr.adserver.yahoo.com' 'it.adserver.yahoo.com' 'no.adserver.yahoo.com' 'gambling911.adrevolver.com' 'aps.media.adrevolver.com' 'media.adrevolver.com' 'track.adrevolver.com' 'hostingprod.com' 'geo.yahoo.com' 'nol.yahoo.com' 'advision.webevents.yahoo.com' 'partnerads.ysm.yahoo.com' 'ts.richmedia.yahoo.com' 'visit.webhosting.yahoo.com' 'syndication.streamads.yahoo.com' 'srv1.wa.marketingsolutions.yahoo.com' 'srv2.wa.marketingsolutions.yahoo.com' 'srv3.wa.marketingsolutions.yahoo.com' 'ad.creafi.com' 'ad.foxnetworks.com' 'ad.hi5.com' 'adserver.yahoo.com' 'ae.adserver.yahoo.com' 'ar.adserver.yahoo.com' 'au.adserver.yahoo.com' 'ca.adserver.yahoo.com' 'cn2.adserver.yahoo.com' 'hk.adserver.yahoo.com' 'in.adserver.yahoo.com' 'us.adserver.yahoo.com' 'pn1.adserver.yahoo.com' 'pn2.adserver.yahoo.com' 'tw2.adserver.yahoo.com' 'csc.beap.bc.yahoo.com' 'launch.adserver.yahoo.com' 'mx.adserver.yahoo.com' 'clicks.beap.ad.yieldmanager.net' 'csc.beap.ad.yieldmanager.net' 'open.ad.yieldmanager.net' 's.analytics.yahoo.com' 's201.indexstats.com' 'secure.indexstats.com' 'stats.indexstats.com' 'stats.indextools.com' 'adinterax.com' 'str.adinterax.com' 'tr.adinterax.com' 'www.adinterax.com' 'ads.bluelithium.com' 'np.lexity.com' 'beap.adx.yahoo.com' 'a.analytics.yahoo.com' 'o.analytics.yahoo.com' 'sp.analytics.yahoo.com' 'y.analytics.yahoo.com' 'y3.analytics.yahoo.com' 'z.analytics.yahoo.com' 'analytics.query.yahoo.com' 'gd.ads.vip.gq1.yahoo.com' 'geo.query.yahoo.com' 'ci.beap.ad.yieldmanager.net' 'ac.ybinst0.ec.yimg.com' 'ac.ybinst1.ec.yimg.com' 'ac.ybinst2.ec.yimg.com' 'ac.ybinst3.ec.yimg.com' 'ac.ybinst4.ec.yimg.com' 'ac.ybinst5.ec.yimg.com' 'ac.ybinst6.ec.yimg.com' 'ac.ybinst7.ec.yimg.com' 'ac.ybinst8.ec.yimg.com' 'ac.ybinst9.ec.yimg.com' 'ybinst0.ec.yimg.com' 'ybinst1.ec.yimg.com' 'ybinst2.ec.yimg.com' 'ybinst3.ec.yimg.com' 'ybinst4.ec.yimg.com' 'ybinst5.ec.yimg.com' 'ybinst6.ec.yimg.com' 'ybinst7.ec.yimg.com' 'ybinst8.ec.yimg.com' 'ybinst9.ec.yimg.com' 'advertising.yandex.ru' 'bs.yandex.ru' 'bs-meta.yandex.ru' 'grade.market.yandex.ru' 'yandexadexchange.net' 'serw.myroitracking.com' 'tr1.myroitracking.com' 'track.visitorpath.com' 'banner.adsrevenue.net' 'popunder.adsrevenue.net' 'clicksor.com' 'ads.clicksor.com' 'main.clicksor.com' 'mci12.clicksor.com' 'search.clicksor.com' 'serw.clicksor.com' 'track.clicksor.com' 'www.clicksor.com' 'mp.clicksor.net' 'myad.clicksor.net' 'pub.clicksor.net' 'www.infinityads.com' 'multipops.com' 'service.multi-pops.com' 'www1.multipops.com' 'www2.multipops.com' 'www.multipops.com' 'www.xxxwebtraffic.com' 'ads.adonion.com' 'serving.adsrevenue.clicksor.net' 'www.myroitracking.com' 'yourstats.net' 'www.yourstats.net' 'l7.zedo.com' 'click.zxxds.net' 'zedo.com' 'ads.zedo.com' 'c1.zedo.com' 'c2.zedo.com' 'c3.zedo.com' 'c4.zedo.com' 'c5.zedo.com' 'c6.zedo.com' 'c7.zedo.com' 'c8.zedo.com' 'd2.zedo.com' 'd3.zedo.com' 'd7.zedo.com' 'd8.zedo.com' 'g.zedo.com' 'gw.zedo.com' 'h.zedo.com' 'l1.zedo.com' 'l2.zedo.com' 'l3.zedo.com' 'l4.zedo.com' 'l5.zedo.com' 'l6.zedo.com' 'l8.zedo.com' 'r1.zedo.com' 'simg.zedo.com' 'ss1.zedo.com' 'ss2.zedo.com' 'ss7.zedo.com' 'xads.zedo.com' 'yads.zedo.com' 'www.zedo.com' 'c1.zxxds.net' 'c7.zxxds.net' 'ads.namiflow.com' 'adunit.namiflow.com' 'rt.udmserve.net' 'www.stickylogic.com' 'www.winadiscount.com' 'www.winaproduct.com' 'goatse.cx' 'www.goatse.cx' 'oralse.cx' 'www.oralse.cx' 'goatse.ca' 'www.goatse.ca' 'oralse.ca' 'www.oralse.ca' 'goat.cx' 'www.goat.cx' '1girl1pitcher.com' '1girl1pitcher.org' '1guy1cock.com' '1man1jar.org' '1man2needles.com' '1priest1nun.com' '1priest1nun.net' '2girls1cup.cc' '2girls1cup.com' '2girls1cup-free.com' '2girls1cup.nl' '2girls1cup.ws' '2girls1finger.com' '2girls1finger.org' '2guys1stump.org' '3guys1hammer.ws' '4girlsfingerpaint.com' '4girlsfingerpaint.org' 'bagslap.com' 'ballsack.org' 'bestshockers.com' 'bluewaffle.biz' 'bottleguy.com' 'bowlgirl.com' 'cadaver.org' 'clownsong.com' 'copyright-reform.info' 'cshacks.partycat.us' 'cyberscat.com' 'dadparty.com' 'detroithardcore.com' 'donotwatch.org' 'dontwatch.us' 'eelsoup.net' 'fruitlauncher.com' 'fuck.org' 'funnelchair.com' 'goatse.bz' 'goatsegirl.org' 'goatse.ru' 'hai2u.com' 'homewares.org' 'howtotroll.org' 'japscat.org' 'jarsquatter.com' 'jiztini.com' 'junecleeland.com' 'kids-in-sandbox.com' 'kidsinsandbox.info' 'lemonparty.biz' 'lemonparty.org' 'lolhello.com' 'lolshock.com' 'loltrain.com' 'meatspin.biz' 'meatspin.com' 'merryholidays.org' 'milkfountain.com' 'mudfall.com' 'mudmonster.org' 'nimp.org' 'nobrain.dk' 'nutabuse.com' 'octopusgirl.com' 'on.nimp.org' 'painolympics.info' 'painolympics.org' 'phonejapan.com' 'pressurespot.com' 'prolapseman.com' 'scrollbelow.com' 'selfpwn.org' 'sexitnow.com' 'sourmath.com' 'strawpoii.me' 'suckdude.com' 'thatsjustgay.com' 'thatsphucked.com' 'thehomo.org' 'themacuser.org' 'thepounder.com' 'tubgirl.me' 'tubgirl.org' 'turdgasm.com' 'vomitgirl.org' 'walkthedinosaur.com' 'whipcrack.org' 'wormgush.com' 'www.1girl1pitcher.org' 'www.1guy1cock.com' 'www.1man1jar.org' 'www.1man2needles.com' 'www.1priest1nun.com' 'www.1priest1nun.net' 'www.2girls1cup.cc' 'www.2girls1cup-free.com' 'www.2girls1cup.nl' 'www.2girls1cup.ws' 'www.2girls1finger.org' 'www.2guys1stump.org' 'www.3guys1hammer.ws' 'www.4girlsfingerpaint.org' 'www.bagslap.com' 'www.ballsack.org' 'www.bestshockers.com' 'www.bluewaffle.biz' 'www.bottleguy.com' 'www.bowlgirl.com' 'www.cadaver.org' 'www.clownsong.com' 'www.copyright-reform.info' 'www.cshacks.partycat.us' 'www.cyberscat.com' 'www.dadparty.com' 'www.detroithardcore.com' 'www.donotwatch.org' 'www.dontwatch.us' 'www.eelsoup.net' 'www.fruitlauncher.com' 'www.fuck.org' 'www.funnelchair.com' 'www.goatse.bz' 'www.goatsegirl.org' 'www.goatse.ru' 'www.hai2u.com' 'www.homewares.org' 'www.howtotroll.org' 'www.japscat.org' 'www.jiztini.com' 'www.junecleeland.com' 'www.kids-in-sandbox.com' 'www.kidsinsandbox.info' 'www.lemonparty.biz' 'www.lemonparty.org' 'www.lolhello.com' 'www.lolshock.com' 'www.loltrain.com' 'www.meatspin.biz' 'www.meatspin.com' 'www.merryholidays.org' 'www.milkfountain.com' 'www.mudfall.com' 'www.mudmonster.org' 'www.nimp.org' 'www.nobrain.dk' 'www.nutabuse.com' 'www.octopusgirl.com' 'www.on.nimp.org' 'www.painolympics.info' 'www.painolympics.org' 'www.phonejapan.com' 'www.pressurespot.com' 'www.prolapseman.com' 'www.punishtube.com' 'www.scrollbelow.com' 'www.selfpwn.org' 'www.sourmath.com' 'www.strawpoii.me' 'www.suckdude.com' 'www.thatsjustgay.com' 'www.thatsphucked.com' 'www.theexgirlfriends.com' 'www.thehomo.org' 'www.themacuser.org' 'www.thepounder.com' 'www.tubgirl.me' 'www.tubgirl.org' 'www.turdgasm.com' 'www.vomitgirl.org' 'www.walkthedinosaur.com' 'www.whipcrack.org' 'www.wormgush.com' 'www.xvideoslive.com' 'www.y8.com' 'www.youaresogay.com' 'www.ypmate.com' 'www.zentastic.com' 'youaresogay.com' 'zentastic.com' 'ads234.com' 'ads345.com' 'www.ads234.com' 'www.ads345.com' 'media.fastclick.net' '006.freecounters.co.uk' '06272002-dbase.hitcountz.net' '0stats.com' '123counter.mycomputer.com' '123counter.superstats.com' '2001-007.com' '20585485p.rfihub.com' '3bc3fd26-91cf-46b2-8ec6-b1559ada0079.statcamp.net' '3ps.go.com' '4-counter.com' 'a796faee-7163-4757-a34f-e5b48cada4cb.statcamp.net' 'abscbn.spinbox.net' 'adapi.ragapa.com' 'adclient.rottentomatoes.com' 'adcodes.aim4media.com' 'adcounter.globeandmail.com' 'adelogs.adobe.com' 'ademails.com' 'adlog.com.com' 'ad-logics.com' 'admanmail.com' 'ads.tiscali.com' 'ads.tiscali.it' 'adult.foxcounter.com' 'affiliate.ab1trk.com' 'affiliate.irotracker.com' 'ai062.insightexpress.com' 'ai078.insightexpressai.com' 'ai087.insightexpress.com' 'ai113.insightexpressai.com' 'ai125.insightexpressai.com' 'alert.mac-notification.com' 'alpha.easy-hit-counters.com' 'amateur.xxxcounter.com' 'amer.hops.glbdns.microsoft.com' 'amer.rel.msn.com' 'analytics.prx.org' 'ant.conversive.nl' 'antivirus-message.com' 'apac.rel.msn.com' 'api.gameanalytics.com' 'api.infinario.com' 'api.tumra.com' 'apprep.smartscreen.microsoft.com' 'app.yesware.com' 'au052.insightexpress.com' 'auspice.augur.io' 'au.track.decideinteractive.com' 'banners.webcounter.com' 'beacons.hottraffic.nl' 'best-search.cc' 'beta.easy-hit-counter.com' 'beta.easy-hit-counters.com' 'bilbo.counted.com' 'bin.clearspring.com' 'birta.stats.is' 'bkrtx.com' 'bluekai.com' 'bluestreak.com' 'bookproplus.com' 'brightroll.com' 'broadcastpc.tv' 'report.broadcastpc.tv' 'www.broadcastpc.tv' 'browser-message.com' 'bserver.blick.com' 'bstats.adbrite.com' 'b.stats.paypal.com' 'c1.thecounter.com' 'c1.thecounter.de' 'c2.thecounter.com' 'c2.thecounter.de' 'c3.thecounter.com' 'c4.myway.com' 'c9.statcounter.com' 'ca.cqcounter.com' 'cashcounter.com' 'cb1.counterbot.com' 'cdn.oggifinogi.com' 'cdxbin.vulnerap.com' 'cf.addthis.com' 'cgicounter.onlinehome.de' 'cgi.hotstat.nl' 'ci-mpsnare.iovation.com' 'citrix.tradedoubler.com' 'cjt1.net' 'click.fivemtn.com' 'click.investopedia.com' 'click.jve.net' 'clickmeter.com' 'click.payserve.com' 'clicks.emarketmakers.com' 'clicks.m4n.nl' 'clicks.natwest.com' 'clickspring.net' 'clicks.rbs.co.uk' 'clicktrack.onlineemailmarketing.com' 'clicktracks.webmetro.com' 'clk.aboxdeal.com' 'cnn.entertainment.printthis.clickability.com' 'cnt.xcounter.com' 'connectionlead.com' 'convertro.com' 'counter10.sextracker.be' 'counter11.sextracker.be' 'counter.123counts.com' 'counter12.sextracker.be' 'counter13.sextracker.be' 'counter14.sextracker.be' 'counter15.sextracker.be' 'counter16.sextracker.be' 'counter1.sextracker.be' 'counter.1stblaze.com' 'counter2.freeware.de' 'counter2.sextracker.be' 'counter3.sextracker.be' 'counter4all.dk' 'counter4.sextracker.be' 'counter4u.de' 'counter5.sextracker.be' 'counter6.sextracker.be' 'counter7.sextracker.be' 'counter8.sextracker.be' 'counter9.sextracker.be' 'counter.aaddzz.com' 'counterad.de' 'counter.adultcheck.com' 'counter.adultrevenueservice.com' 'counter.advancewebhosting.com' 'counteraport.spylog.com' 'counter.asexhound.com' 'counter.avp2000.com' 'counter.bloke.com' 'counterbot.com' 'counter.clubnet.ro' 'countercrazy.com' 'counter.credo.ru' 'counter.cz' 'counter.digits.com' 'counter.e-audit.it' 'counter.execpc.com' 'counter.gamespy.com' 'counter.hitslinks.com' 'counter.htmlvalidator.com' 'counter.impressur.com' 'counter.inetusa.com' 'counter.inti.fr' 'counter.kaspersky.com' 'counter.letssingit.com' 'counter.mycomputer.com' 'counter.netmore.net' 'counter.nowlinux.com' 'counter.pcgames.de' 'counters.auctionhelper.com' 'counters.auctionwatch.com' 'counters.auctiva.com' 'counter.sexhound.nl' 'counters.gigya.com' 'counter.surfcounters.com' 'counters.xaraonline.com' 'counter.times.lv' 'counter.topping.com.ua' 'counter.tripod.com' 'counter.uq.edu.au' 'counter.webcom.com' 'counter.webmedia.pl' 'counter.webtrends.com' 'counter.webtrends.net' 'counter.xxxcool.com' 'count.paycounter.com' 'c.thecounter.de' 'cw.nu' 'cyseal.cyveillance.com' 'da.ce.bd.a9.top.list.ru' 'data2.perf.overture.com' 'dclk.themarketer.com' 'delivery.loopingclick.com' 'detectorcarecenter.in' 'dgit.com' 'digistats.westjet.com' 'dimeprice.com' 'dkb01.webtrekk.net' 'dotcomsecrets.com' 'dpbolvw.net' 'ds.247realmedia.com' 'ds.amateurmatch.com' 'dwclick.com' 'e-2dj6wfk4ehd5afq.stats.esomniture.com' 'e-2dj6wfk4ggdzkbo.stats.esomniture.com' 'e-2dj6wfk4gkcpiep.stats.esomniture.com' 'e-2dj6wfk4skdpogo.stats.esomniture.com' 'e-2dj6wfkiakdjgcp.stats.esomniture.com' 'e-2dj6wfkiepczoeo.stats.esomniture.com' 'e-2dj6wfkikjd5glq.stats.esomniture.com' 'e-2dj6wfkiokc5odp.stats.esomniture.com' 'e-2dj6wfkiqjcpifp.stats.esomniture.com' 'e-2dj6wfkocjczedo.stats.esomniture.com' 'e-2dj6wfkokjajseq.stats.esomniture.com' 'e-2dj6wfkowkdjokp.stats.esomniture.com' 'e-2dj6wfkykpazskq.stats.esomniture.com' 'e-2dj6wflicocjklo.stats.esomniture.com' 'e-2dj6wfligpd5iap.stats.esomniture.com' 'e-2dj6wflikgdpodo.stats.esomniture.com' 'e-2dj6wflikiajslo.stats.esomniture.com' 'e-2dj6wflioldzoco.stats.esomniture.com' 'e-2dj6wfliwpczolp.stats.esomniture.com' 'e-2dj6wfloenczmkq.stats.esomniture.com' 'e-2dj6wflokmajedo.stats.esomniture.com' 'e-2dj6wfloqgc5mho.stats.esomniture.com' 'e-2dj6wfmysgdzobo.stats.esomniture.com' 'e-2dj6wgkigpcjedo.stats.esomniture.com' 'e-2dj6wgkisnd5abo.stats.esomniture.com' 'e-2dj6wgkoandzieq.stats.esomniture.com' 'e-2dj6wgkycpcpsgq.stats.esomniture.com' 'e-2dj6wgkyepajmeo.stats.esomniture.com' 'e-2dj6wgkyknd5sko.stats.esomniture.com' 'e-2dj6wgkyomdpalp.stats.esomniture.com' 'e-2dj6whkiandzkko.stats.esomniture.com' 'e-2dj6whkiepd5iho.stats.esomniture.com' 'e-2dj6whkiwjdjwhq.stats.esomniture.com' 'e-2dj6wjk4amd5mfp.stats.esomniture.com' 'e-2dj6wjk4kkcjalp.stats.esomniture.com' 'e-2dj6wjk4ukazebo.stats.esomniture.com' 'e-2dj6wjkosodpmaq.stats.esomniture.com' 'e-2dj6wjkouhd5eao.stats.esomniture.com' 'e-2dj6wjkowhd5ggo.stats.esomniture.com' 'e-2dj6wjkowjajcbo.stats.esomniture.com' 'e-2dj6wjkyandpogq.stats.esomniture.com' 'e-2dj6wjkycpdzckp.stats.esomniture.com' 'e-2dj6wjkyqmdzcgo.stats.esomniture.com' 'e-2dj6wjkysndzigp.stats.esomniture.com' 'e-2dj6wjl4qhd5kdo.stats.esomniture.com' 'e-2dj6wjlichdjoep.stats.esomniture.com' 'e-2dj6wjliehcjglp.stats.esomniture.com' 'e-2dj6wjlignajgaq.stats.esomniture.com' 'e-2dj6wjloagc5oco.stats.esomniture.com' 'e-2dj6wjlougazmao.stats.esomniture.com' 'e-2dj6wjlyamdpogo.stats.esomniture.com' 'e-2dj6wjlyckcpelq.stats.esomniture.com' 'e-2dj6wjlyeodjkcq.stats.esomniture.com' 'e-2dj6wjlygkd5ecq.stats.esomniture.com' 'e-2dj6wjmiekc5olo.stats.esomniture.com' 'e-2dj6wjmyehd5mfo.stats.esomniture.com' 'e-2dj6wjmyooczoeo.stats.esomniture.com' 'e-2dj6wjny-1idzkh.stats.esomniture.com' 'e-2dj6wjnyagcpkko.stats.esomniture.com' 'e-2dj6wjnyeocpcdo.stats.esomniture.com' 'e-2dj6wjnygidjskq.stats.esomniture.com' 'e-2dj6wjnyqkajabp.stats.esomniture.com' 'easy-web-stats.com' 'economisttestcollect.insightfirst.com' 'ehg.fedex.com' 'eitbglobal.ojdinteractiva.com' 'email.positionly.com' 'emea.rel.msn.com' 'engine.cmmeglobal.com' 'entry-stats.huffingtonpost.com' 'environmentalgraffiti.uk.intellitxt.com' 'e-n.y-1shz2prbmdj6wvny-1sez2pra2dj6wjmyepdzadpwudj6x9ny-1seq-2-2.stats.esomniture.com' 'e-ny.a-1shz2prbmdj6wvny-1sez2pra2dj6wjny-1jcpgbowsdj6x9ny-1seq-2-2.stats.esomniture.com' 'extremereach.com' 'fastcounter.bcentral.com' 'fastcounter.com' 'fastcounter.linkexchange.com' 'fastcounter.linkexchange.net' 'fastcounter.linkexchange.nl' 'fastcounter.onlinehoster.net' 'fcstats.bcentral.com' 'fdbdo.com' 'flycast.com' 'forbescollect.247realmedia.com' 'formalyzer.com' 'foxcounter.com' 'freeinvisiblecounters.com' 'freewebcounter.com' 'fs10.fusestats.com' 'ft2.autonomycloud.com' 'gator.com' 'gcounter.hosting4u.net' 'gd.mlb.com' 'geocounter.net' 'gkkzngresullts.com' 'go-in-search.net' 'goldstats.com' 'googfle.com' 'googletagservices.com' 'g-wizzads.net' 'highscanprotect.com' 'hit37.chark.dk' 'hit37.chart.dk' 'hit39.chart.dk' 'hit.clickaider.com' 'hit-counter.udub.com' 'hits.gureport.co.uk' 'http300.edge.ru4.com' 'iccee.com' 'ieplugin.com' 'iesnare.com' 'ig.insightgrit.com' 'ih.constantcontacts.com' 'image.masterstats.com' 'images1.paycounter.com' 'images.dailydiscounts.com' 'images.itchydawg.com' 'impacts.alliancehub.com' 'impit.tradedouble.com' 'in.paycounter.com' 'insightfirst.com' 'insightxe.looksmart.com' 'in.webcounter.cc' 'iprocollect.realmedia.com' 'izitracking.izimailing.com' 'jgoyk.cjt1.net' 'jkearns.freestats.com' 'journalism.uk.smarttargetting.com' 'jsonlinecollect.247realmedia.com' 'kissmetrics.com' 'kqzyfj.com' 'kt4.kliptracker.com' 'leadpub.com' 'liapentruromania.ro' 'lin31.metriweb.be' 'linkcounter.com' 'linkcounter.pornosite.com' 'link.masterstats.com' 'livestats.atlanta-airport.com' 'log1.countomat.com' 'log4.quintelligence.com' 'log999.goo.ne.jp' 'log.btopenworld.com' 'logc146.xiti.com' 'logc25.xiti.com' 'log.clickstream.co.za' 'logs.comics.com' 'logs.eresmas.com' 'logs.eresmas.net' 'log.statistici.ro' 'logv.xiti.com' 'lpcloudsvr302.com' 'luycos.com' 'lycoscollect.247realmedia.com' 'lycoscollect.realmedia.com' 'm1.nedstatbasic.net' 'mailcheckisp.biz' 'mailtrack.me' 'mama128.valuehost.ru' 'marketscore.com' 'mature.xxxcounter.com' 'media101.sitebrand.com' 'media.superstats.com' 'mediatrack.revenue.net' 'members2.hookup.com' 'metric.10best.com' 'metric.infoworld.com' 'metric.nationalgeographic.com' 'metric.nwsource.com' 'metric.olivegarden.com' 'metrics2.pricegrabber.com' 'metrics.al.com' 'metrics.att.com' 'metrics.elle.com' 'metrics.experts-exchange.com' 'metrics.fandome.com' 'metrics.gap.com' 'metrics.health.com' 'metrics.ioffer.com' 'metrics.ireport.com' 'metrics.kgw.com' 'metrics.ksl.com' 'metrics.ktvb.com' 'metrics.landolakes.com' 'metrics.maxim.com' 'metrics.mms.mavenapps.net' 'metrics.mpora.com' 'metrics.nextgov.com' 'metrics.npr.org' 'metrics.oclc.org' 'metrics.olivegarden.com' 'metrics.parallels.com' 'metrics.performancing.com' 'metrics.post-gazette.com' 'metrics.premiere.com' 'metrics.rottentomatoes.com' 'metrics.sephora.com' 'metrics.soundandvision.com' 'metrics.soundandvisionmag.com' 'metric.starz.com' 'metrics.technologyreview.com' 'metrics.theatlantic.com' 'metrics.thedailybeast.com' 'metrics.thefa.com' 'metrics.thefrisky.com' 'metrics.thenation.com' 'metrics.theweathernetwork.com' 'metrics.tmz.com' 'metrics.washingtonpost.com' 'metrics.whitepages.com' 'metrics.womansday.com' 'metrics.yellowpages.com' 'metrics.yousendit.com' 'metric.thenation.com' 'mktg.actonsoftware.com' 'mng1.clickalyzer.com' 'mpsnare.iesnare.com' 'msn1.com' 'msnm.com' 'mt122.mtree.com' 'mtcount.channeladvisor.com' 'mtrcs.popcap.com' 'mtv.247realmedia.com' 'multi1.rmuk.co.uk' 'mvs.mediavantage.de' 'mystats.com' 'nedstat.s0.nl' 'nethit-free.nl' 'net-radar.com' 'network.leadpub.com' 'nextgenstats.com' 'nl.nedstatbasic.net' 'o.addthis.com' 'okcounter.com' 'omniture.theglobeandmail.com' 'omtrdc.net' 'one.123counters.com' 'oss-crules.marketscore.com' 'oss-survey.marketscore.com' 'ostats.mozilla.com' 'other.xxxcounter.com' 'ourtoolbar.com' 'out.true-counter.com' 'partner.alerts.aol.com' 'partners.pantheranetwork.com' 'passpport.com' 'paxito.sitetracker.com' 'paycounter.com' 'pings.blip.tv' 'pix02.revsci.net' 'pixel-geo.prfct.co' 'pmg.ad-logics.com' 'pointclicktrack.com' 'postclick.adcentriconline.com' 'postgazettecollect.247realmedia.com' 'precisioncounter.com' 'p.reuters.com' 'printmail.biz' 'proxycfg.marketscore.com' 'proxy.ia2.marketscore.com' 'proxy.ia3.marketscore.com' 'proxy.ia4.marketscore.com' 'proxy.or3.marketscore.com' 'proxy.or4.marketscore.com' 'proxy.sj3.marketscore.com' 'proxy.sj4.marketscore.com' 'p.twitter.com' 'quareclk.com' 'raw.oggifinogi.com' 'remotrk.com' 'rightmedia.net' 'rightstats.com' 'roskatrack.roskadirect.com' 'rr2.xxxcounter.com' 'rr3.xxxcounter.com' 'rr4.xxxcounter.com' 'rr5.xxxcounter.com' 'rr7.xxxcounter.com' 's1.thecounter.com' 's2.youtube.com' 'sa.jumptap.com' 'scorecardresearch.com' 'scribe.twitter.com' 'scrooge.channelcincinnati.com' 'scrooge.channeloklahoma.com' 'scrooge.click10.com' 'scrooge.clickondetroit.com' 'scrooge.nbc11.com' 'scrooge.nbc4columbus.com' 'scrooge.nbc4.com' 'scrooge.nbcsandiego.com' 'scrooge.newsnet5.com' 'scrooge.thebostonchannel.com' 'scrooge.thedenverchannel.com' 'scrooge.theindychannel.com' 'scrooge.thekansascitychannel.com' 'scrooge.themilwaukeechannel.com' 'scrooge.theomahachannel.com' 'scrooge.wesh.com' 'scrooge.wftv.com' 'scrooge.wnbc.com' 'scrooge.wsoctv.com' 'scrooge.wtov9.com' 'sdogiu.bestamazontips.com' 'searchadv.com' 'sekel.ch' 'servedby.valuead.com' 'server11.opentracker.net' 'server12.opentracker.net' 'server13.opentracker.net' 'server14.opentracker.net' 'server15.opentracker.net' 'server16.opentracker.net' 'server17.opentracker.net' 'server18.opentracker.net' 'server2.opentracker.net' 'server3.opentracker.net' 'server4.opentracker.net' 'server5.opentracker.net' 'server6.opentracker.net' 'server7.opentracker.net' 'server8.opentracker.net' 'server9.opentracker.net' 'service.bfast.com' 'sexcounter.com' 'showcount.honest.com' 'smartstats.com' 'smetrics.att.com' 'socialize.eu1.gigya.com' 'softcore.xxxcounter.com' 'softonic.com' 'softonic.it' 'sostats.mozilla.com' 'sovereign.sitetracker.com' 'spinbox.maccentral.com' 'spklds.com' 's.statistici.ro' 'ss.tiscali.com' 'ss.tiscali.it' 'stast2.gq.com' 'stat1.z-stat.com' 'stat3.cybermonitor.com' 'stat.alibaba.com' 'statcounter.com' 'stat-counter.tass-online.ru' 'stat.discogs.com' 'static.kibboko.com' 'static.smni.com' 'statik.topica.com' 'statique.secureguards.eu' 'statistics.dynamicsitestats.com' 'statistics.elsevier.nl' 'statistics.reedbusiness.nl' 'statistics.theonion.com' 'stat.netmonitor.fi' 'stats1.corusradio.com' 'stats1.in' 'stats.24ways.org' 'stats2.gourmet.com' 'stats2.newyorker.com' 'stats2.rte.ie' 'stats2.unrulymedia.com' 'stats4all.com' 'stats5.lightningcast.com' 'stats6.lightningcast.net' 'stats.absol.co.za' 'stats.adbrite.com' 'stats.adotube.com' 'stats.airfarewatchdog.com' 'stats.allliquid.com' 'stats.becu.org' 'stats.big-boards.com' 'stats.blogoscoop.net' 'stats.bonzaii.no' 'stats.brides.com' 'stats.cts-bv.nl' 'stats.darkbluesea.com' 'stats.datahjaelp.net' 'stats.dziennik.pl' 'stats.fairmont.com' 'stats.fastcompany.com' 'stats.foxcounter.com' 'stats.free-rein.net' 'stats.f-secure.com' 'stats.gamestop.com' 'stats.globesports.com' 'stats.groupninetyfour.com' 'stats.idsoft.com' 'stats.independent.co.uk' 'stats.iwebtrack.com' 'stats.jippii.com' 'stats.klsoft.com' 'stats.ladotstats.nl' 'stats.macworld.com' 'stats.millanusa.com' 'stats.nowpublic.com' 'stats.paycounter.com' 'stats.platinumbucks.com' 'stats.popscreen.com' 'stats.reinvigorate.net' 'stats.resellerratings.com' 'stats.revenue.net' 'stats.searchles.com' 'stats.space-es.com' 'stats.sponsorafuture.org.uk' 'stats.srvasnet.info' 'stats.ssa.gov' 'stats.street-jeni.us' 'stats.styletechnology.me' 'stats.telegraph.co.uk' 'stats.ultimate-webservices.com' 'stats.unionleader.com' 'stats.video.search.yahoo.com' 'stats.www.ibm.com' 'stats.yourminis.com' 'stat.www.fi' 'stat.yellowtracker.com' 'stat.youku.com' 'stl.p.a1.traceworks.com' 'straighttangerine.cz.cc' 'st.sageanalyst.net' 'sugoicounter.com' 'superstats.com' 'systweak.com' 'tagging.outrider.com' 'targetnet.com' 'tates.freestats.com' 'tcookie.usatoday.com' 'tgpcounter.freethumbnailgalleries.com' 'thecounter.com' 'the-counter.net' 'themecounter.com' 'tipsurf.com' 'toolbarpartner.com' 'top.mail.ru' 'topstats.com' 'topstats.net' 'torstarcollect.247realmedia.com' 'tour.sweetdiscreet.com' 'tour.xxxblackbook.com' 'track2.mybloglog.com' 'track.adform.com' 'track.directleads.com' 'track.domainsponsor.com' 'tracker.bonnint.net' 'tracker.clicktrade.com' 'tracker.idg.co.uk' 'tracker.mattel.com' 'track.exclusivecpa.com' 'tracking.10e20.com' 'tracking.allposters.com' 'tracking.iol.co.za' 'tracking.msadcenter.msn.com' 'tracking.oggifinogi.com' 'tracking.rangeonlinemedia.com' 'tracking.summitmedia.co.uk' 'tracking.trutv.com' 'tracking.vindicosuite.com' 'track.lfstmedia.com' 'track.mybloglog.com' 'track.omg2.com' 'track.roiservice.com' 'track.searchignite.com' 'tracksurf.daooda.com' 'tradedoubler.com' 'tradedoubler.sonvideopro.com' 'traffic-stats.streamsolutions.co.uk' 'trax.gamespot.com' 'trc.taboolasyndication.com' 'trk.tidaltv.com' 'true-counter.com' 't.senaldos.com' 't.senaluno.com' 't.signaletre.com' 't.signauxdeux.com' 'tu.connect.wunderloop.net' 't.yesware.com' 'tynt.com' 'u1817.16.spylog.com' 'u3102.47.spylog.com' 'u3305.71.spylog.com' 'u3608.20.spylog.com' 'u4056.56.spylog.com' 'u432.77.spylog.com' 'u4396.79.spylog.com' 'u4443.84.spylog.com' 'u4556.11.spylog.com' 'u5234.87.spylog.com' 'u5234.98.spylog.com' 'u5687.48.spylog.com' 'u574.07.spylog.com' 'u604.41.spylog.com' 'u6762.46.spylog.com' 'u6905.71.spylog.com' 'u7748.16.spylog.com' 'u810.15.spylog.com' 'u920.31.spylog.com' 'u977.40.spylog.com' 'uip.semasio.net' 'uk.cqcounter.com' 'ultimatecounter.com' 'v1.nedstatbasic.net' 'v7.stats.load.com' 'valueclick.com' 'valueclick.net' 'virtualbartendertrack.beer.com' 'vsii.spindox.net' 'w1.tcr112.tynt.com' 'warlog.info' 'warning-message.com' 'wau.tynt.com' 'web3.realtracker.com' 'webanalytics.globalthoughtz.com' 'webbug.seatreport.com' 'webcounter.together.net' 'webhit.afterposten.no' 'webmasterkai.sitetracker.com' 'webpdp.gator.com' 'webtrends.telenet.be' 'webtrends.thisis.co.uk' 'webtrends.townhall.com' 'windows-tech-help.com' 'wtnj.worldnow.com' 'www.0stats.com' 'www101.coolsavings.com' 'www.123counter.superstats.com' 'www1.counter.bloke.com' 'www.1quickclickrx.com' 'www1.tynt.com' 'www.2001-007.com' 'www2.counter.bloke.com' 'www2.pagecount.com' 'www3.counter.bloke.com' 'www4.counter.bloke.com' 'www5.counter.bloke.com' 'www60.valueclick.com' 'www6.click-fr.com' 'www6.counter.bloke.com' 'www7.counter.bloke.com' 'www8.counter.bloke.com' 'www9.counter.bloke.com' 'www.addfreecounter.com' 'www.addtoany.com' 'www.ademails.com' 'www.affiliatesuccess.net' 'www.bar.ry2002.02-ry014.snpr.hotmx.hair.zaam.net' 'www.betcounter.com' 'www.bigbadted.com' 'www.bluestreak.com' 'www.c1.thecounter.de' 'www.c2.thecounter.de' 'www.clickclick.com' 'www.clickspring.net' 'www.connectionlead.com' 'www.counter10.sextracker.be' 'www.counter11.sextracker.be' 'www.counter12.sextracker.be' 'www.counter13.sextracker.be' 'www.counter14.sextracker.be' 'www.counter15.sextracker.be' 'www.counter16.sextracker.be' 'www.counter1.sextracker.be' 'www.counter2.sextracker.be' 'www.counter3.sextracker.be' 'www.counter4all.com' 'www.counter4.sextracker.be' 'www.counter5.sextracker.be' 'www.counter6.sextracker.be' 'www.counter7.sextracker.be' 'www.counter8.sextracker.be' 'www.counter9.sextracker.be' 'www.counter.bloke.com' 'www.counterguide.com' 'www.counter.sexhound.nl' 'www.counter.superstats.com' 'www.c.thecounter.de' 'www.cw.nu' 'www.directgrowthhormone.com' 'www.dwclick.com' 'www.emaildeals.biz' 'www.estats4all.com' 'www.fastcounter.linkexchange.nl' 'www.formalyzer.com' 'www.foxcounter.com' 'www.freestats.com' 'www.fxcounters.com' 'www.gator.com' 'www.googkle.com' 'www.iccee.com' 'www.iesnare.com' 'www.jellycounter.com' 'www.leadpub.com' 'www.marketscore.com' 'www.megacounter.de' 'www.metareward.com' 'www.naturalgrowthstore.biz' 'www.nextgenstats.com' 'www.ntsearch.com' 'www.originalicons.com' 'www.paycounter.com' 'www.pointclicktrack.com' 'www.popuptrafic.com' 'www.precisioncounter.com' 'www.premiumsmail.net' 'www.printmail.biz' 'www.quantserve.com' 'www.quareclk.com' 'www.remotrk.com' 'www.rightmedia.net' 'www.rightstats.com' 'www.searchadv.com' 'www.sekel.ch' 'www.shockcounter.com' 'www.simplecounter.net' 'www.specificclick.com' 'www.spklds.com' 'www.statcount.com' 'www.statsession.com' 'www.stattrax.com' 'www.stiffnetwork.com' 'www.testracking.com' 'www.thecounter.com' 'www.the-counter.net' 'www.toolbarcounter.com' 'www.tradedoubler.com' 'www.tradedoubler.com.ar' 'www.trafficmagnet.net' 'www.true-counter.com' 'www.tynt.com' 'www.ultimatecounter.com' 'www.v61.com' 'www.webstat.com' 'www.whereugetxxx.com' 'www.xxxcounter.com' 'x.cb.kount.com' 'xcnn.com' 'xxxcounter.com' '05tz2e9.com' '09killspyware.com' '11398.onceedge.ru' '2006mindfreaklike.blogspot.com' '20-yrs-1.info' '59-106-20-39.r-bl100.sakura.ne.jp' '662bd114b7c9.onceedge.ru' 'a15172379.alturo-server.de' 'aaukqiooaseseuke.org' 'abetterinternet.com' 'abruzzoinitaly.co.uk' 'acglgoa.com' 'acim.moqhixoz.cn' 'adshufffle.com' 'adwitty.com' 'adwords.google.lloymlincs.com' 'afantispy.com' 'afdbande.cn' 'a.kaytri.com' 'alegratka.eu' 'ale-gratka.pl' 'allhqpics.com' 'alltereg0.ru' 'alphabirdnetwork.com' 'ams1.ib.adnxs.com' 'antispywareexpert.com' 'antivirus-online-scan5.com' 'antivirus-scanner8.com' 'antivirus-scanner.com' 'a.oix.com' 'a.oix.net' 'a.openinternetexchange.com' 'a.phormlabs.com' 'apple.com-safetyalert.com' 'apple-protection.info' 'applestore.com-mobile.gift' 'armsart.com' 'articlefuns.cn' 'articleidea.cn' 'asianread.com' 'autohipnose.com' 'a.webwise.com' 'a.webwise.net' 'a.webwise.org' 'beloysoff.ru' 'binsservicesonline.info' 'blackhat.be' 'blenz-me.net' 'bluescreenalert.com' 'bluescreenerrors.net' 'bnvxcfhdgf.blogspot.com.es' 'b.oix.com' 'b.oix.net' 'bonuscashh.com' 'br.phorm.com' 'brunga.at' 'bt.phorm.com' 'bt.webwise.com' 'bt.webwise.net' 'bt.webwise.org' 'b.webwise.com' 'b.webwise.net' 'b.webwise.org' 'callawaypos.com' 'callbling.com' 'cambonanza.com' 'ccudl.com' 'changduk26.com' 'chelick.net' 'cioco-froll.com' 'cira.login.cqr.ssl.igotmyloverback.com' 'cleanchain.net' 'click.get-answers-fast.com' 'clien.net' 'cnbc.com-article906773.us' 'co8vd.cn' 'c.oix.com' 'c.oix.net' 'conduit.com' 'cra-arc.gc.ca.bioder.com.tr' 'cra-arc-gc-ca.noads.biz' 'custom3hurricanedigitalmedia.com' 'c.webwise.com' 'c.webwise.net' 'c.webwise.org' 'dbios.org' 'dhauzja511.co.cc' 'dietpharmacyrx.net' 'documents-signature.com' 'd.oix.com' 'download.abetterinternet.com' 'd.phormlabs.com' 'drc-group.net' 'dubstep.onedumb.com' 'east.05tz2e9.com' 'e-kasa.w8w.pl' 'en.likefever.org' 'enteryouremail.net' 'err1.9939118.info' 'err2.9939118.info' 'err3.9939118.info' 'eviboli576.o-f.com' 'facebook-repto1040s2.ahlamountada.com' 'faceboook-replyei0ki.montadalitihad.com' 'facemail.com' 'faggotry.com' 'familyupport1.com' 'feaecebook.com' 'fengyixin.com' 'filosvybfimpsv.ru.gg' 'fr.apple.com-services-assistance-recuperations-des-comptes.com' 'freedailydownload.com' 'froling.bee.pl' 'fromru.su' 'ftdownload.com' 'fu.golikeus.net' 'gamelights.ru' 'gasasthe.freehostia.com' 'get-answers-fast.com' 'gglcash4u.info' 'girlownedbypolicelike.blogspot.com' 'goggle.com' 'greatarcadehits.com' 'gyros.es' 'h1317070.stratoserver.net' 'hackerz.ir' 'hakerzy.net' 'hatrecord.ru' 'hellwert.biz' 'hieruu.apicultoresweb.com' 'hotchix.servepics.com' 'hsb-canada.com' 'hsbconline.ca' 'icecars.com' 'idea21.org' 'iframecash.biz' 'ig.fp.oix.net' 'infopaypal.com' 'installmac.com' 'invite.gezinti.com' 'ipadzu.net' 'ircleaner.com' 'istartsurf.com' 'itwititer.com' 'ity.elusmedic.ru' 'jajajaj-thats-you-really.com' 'janezk.50webs.co' 'jujitsu-ostrava.info' 'jump.ewoss.net' 'juste.ru' 'kaytri.com' 'kczambians.com' 'kentsucks.youcanoptout.com' 'keybinary.com' 'kirgo.at' 'klowns4phun.com' 'konflow.com' 'kplusd.far.ru' 'kpremium.com' 'kr.phorm.com' 'lank.ru' 'lighthouse2k.com' 'like.likewut.net' 'likeportal.com' 'likespike.com' 'likethislist.biz' 'likethis.mbosoft.com' 'loseweight.asdjiiw.com' 'lucibad.home.ro' 'luxcart.ro' 'm01.oix.com' 'm01.oix.net' 'm01.webwise.com' 'm01.webwise.net' 'm01.webwise.org' 'm02.oix.com' 'm02.oix.net' 'm02.webwise.com' 'm02.webwise.net' 'm02.webwise.org' 'mac-protection.info' 'mail.cyberh.fr' 'mail.youcanoptout.com' 'mail.youcanoptout.net' 'mail.youcanoptout.org' 'malware-live-pro-scanv1.com' 'maxi4.firstvds.ru' 'megasurfin.com' 'miercuri.gq' 'monitor.phorm.com' 'monkeyball.osa.pl' 'movies.701pages.com' 'mplayerdownloader.com' 'mshelp247.weebly.com' 'murcia-ban.es' 'mx01.openinternetexchange.com' 'mx01.openinternetexchange.net' 'mx01.webwise.com' 'mx03.phorm.com' 'mylike.co.uk' 'myprivateemails.com' 'my-uq.com' 'nactx.com' 'natashyabaydesign.com' 'navegador.oi.com.br' 'navegador.telefonica.com.br' 'new-dating-2012.info' 'new-vid-zone-1.blogspot.com.au' 'newwayscanner.info' 'nextbestgame.org' 'novemberrainx.com' 'ns1.oix.com' 'ns1.oix.net' 'ns1.openinternetexchange.com' 'ns1.phorm.com' 'ns1.webwise.com' 'ns1.webwise.net' 'ns1.webwise.org' 'ns2.oix.com' 'ns2.oix.net' 'ns2.openinternetexchange.com' 'ns2.phorm.com' 'ns2.webwise.com' 'ns2.webwise.net' 'ns2.webwise.org' 'ns2.youcanoptout.com' 'ns3.openinternetexchange.com' 'nufindings.info' 'oferty-online.com' 'office.officenet.co.kr' 'oi.webnavegador.com.br' 'oix.com' 'oixcrv-lab.net' 'oixcrv.net' 'oixcrv-stage.net' 'oix.net' 'oix.phorm.com' 'oixpre.net' 'oixpre-stage.net' 'oixssp-lab.net' 'oixssp.net' 'oix-stage.net' 'oj.likewut.net' 'online-antispym4.com' 'onlinewebfind.com' 'oo-na-na-pics.com' 'openinternetexchange.com' 'openinternetexchange.net' 'ordersildenafil.com' 'otsserver.com' 'outerinfo.com' 'outlets-online.pl' 'paincake.yoll.net' 'pchealthcheckup.net' 'pc-scanner16.com' 'personalantispy.com' 'phatthalung.go.th' 'phorm.biz.tr' 'phorm.ch' 'phormchina.com' 'phorm.cl' 'phorm.co.in' 'phorm.com' 'phorm.com.br' 'phorm.com.es' 'phorm.com.mx' 'phorm.com.tr' 'phorm.co.uk' 'phormdev.com' 'phormdiscover.com' 'phorm.dk' 'phorm.es' 'phorm.hk' 'phorm.in' 'phorm.info.tr' 'phorm.jp' 'phormkorea.com' 'phorm.kr' 'phormlabs.com' 'phorm.nom.es' 'phorm.org.es' 'phormprivacy.com' 'phorm.ro' 'phormservice.com' 'phormsolution.com' 'phorm.tv.tr' 'phorm.web.tr' 'picture-uploads.com' 'pilltabletsrxbargain.net' 'powabcyfqe.com' 'premium-live-scan.com' 'premiumvideoupdates.com' 'prm-ext.phorm.com' 'products-gold.net' 'proflashdata.com' 'protectionupdatecenter.com' 'puush.in' 'pv.wantsfly.com' 'qip.ru' 'qy.corrmedic.ru' 'rd.alphabirdnetwork.com' 'rickrolling.com' 'roifmd.info' 'romdiscover.com' 'rtc.romdiscover.com' 'russian-sex.com' 's4d.in' 'safedownloadsrus166.com' 'scan.antispyware-free-scanner.com' 'scanner.best-click-av1.info' 'scanner.best-protect.info' 'scottishstuff-online.com' 'sc-spyware.com' 'search.buzzdock.com' 'search.conduit.com' 'search.privitize.com' 'securedliveuploads.com' 'securitas232maximus.xyz' 'securitas25maximus.xyz' 'securitas493maximus.xyz' 'securitas611maximus.xyz' 'securityandroidupdate.dinamikaprinting.com' 'securityscan.us' 'sexymarissa.net' 'shell.xhhow4.com' 'shoppstop.comood.opsource.net' 'shop.skin-safety.com' 'signin-ebay-com-ws-ebayisapi-dll-signin-webscr.ocom.pl' 'simplyfwd.com' 'sinera.org' 'sjguild.com' 'smarturl.it' 'smile-angel.com' 'software-updates.co' 'software-wenc.co.cc' 'someonewhocares.com' 'sousay.info' 'speedtestbeta.com' 'standardsandpraiserepurpose.com' 'start.qip.ru' 'stats.oix.com' 'stopphoulplay.com' 'stopphoulplay.net' 'suddenplot.com' 'superegler.net' 'supernaturalart.com' 'superprotection10.com' 'sverd.net' 'sweet55ium55.com' 'system-kernel-disk-errorx001dsxx-microsoft-windows.55errors5353.net' 'tahoesup.com' 'tanieaukcje.com' 'taniezakupy.pl' 'tattooshaha.info' 'tech9638514.ru' 'technicalconsumerreports.com' 'technology-revealed.com' 'telefonica.webnavegador.com.br' 'terra.fp.oix.net' 'test.ishvara-yoga.com' 'thebizmeet.com' 'thedatesafe.com' 'themoneyclippodcast.com' 'themusicnetwork.co.uk' 'thinstall.abetterinternet.com' 'tivvitter.com' 'tomorrownewstoday.com' 'toolbarbest.biz' 'toolbarbucks.biz' 'toolbarcool.biz' 'toolbardollars.biz' 'toolbarmoney.biz' 'toolbarnew.biz' 'toolbarsale.biz' 'toolbarweb.biz' 'traffic.adwitty.com' 'trialreg.com' 'trovi.com' 'tvshowslist.com' 'twitter.login.kevanshome.org' 'twitter.secure.bzpharma.net' 'uawj.moqhixoz.cn' 'ughmvqf.spitt.ru' 'ui.oix.net' 'uqz.com' 'users16.jabry.com' 'utenti.lycos.it' 'vcipo.info' 'videos.dskjkiuw.com' 'videos.twitter.secure-logins01.com' 'virus-notice.com' 'vxiframe.biz' 'waldenfarms.com' 'weblover.info' 'webnavegador.com.br' 'webpaypal.com' 'webwise.com' 'webwise.net' 'webwise.org' 'west.05tz2e9.com' 'wewillrocknow.com' 'willysy.com' 'wm.maxysearch.info' 'w.oix.net' 'womo.corrmedic.ru' 'www1.bmo.com.hotfrio.com.br' 'www1.firesavez5.com' 'www1.firesavez6.com' 'www1.realsoft34.com' 'www4.gy7k.net' 'www.abetterinternet.com' 'www.adshufffle.com' 'www.adwords.google.lloymlincs.com' 'www.afantispy.com' 'www.akoneplatit.sk' 'www.allhqpics.com' 'www.alrpost69.com' 'www.anatol.com' 'www.articlefuns.cn' 'www.articleidea.cn' 'www.asianread.com' 'www.backsim.ru' 'www.bankofamerica.com.ok.am' 'www.be4life.ru' 'www.blenz-me.net' 'www.bumerang.cc' 'www.cambonanza.com' 'www.chelick.net' 'www.didata.bw' 'www.dietsecret.ru' 'www.eroyear.ru' 'www.exbays.com' 'www.faggotry.com' 'www.feaecebook.com' 'www.fictioncinema.com' 'www.fischereszter.hu' 'www.freedailydownload.com' 'www.froling.bee.pl' 'www.gezinti.com' 'www.gns-consola.com' 'www.goggle.com' 'www.gozatar.com' 'www.grouphappy.com' 'www.hakerzy.net' 'www.haoyunlaid.com' 'www.icecars.com' 'www.indesignstudioinfo.com' 'www.infopaypal.com' 'www.keybinary.com' 'www.kinomarathon.ru' 'www.kpremium.com' 'www.likeportal.com' 'www.likespike.com' 'www.likethislist.biz' 'www.likethis.mbosoft.com' 'www.lomalindasda.org' 'www.lovecouple.ru' 'www.lovetrust.ru' 'www.mikras.nl' 'www.monkeyball.osa.pl' 'www.monsonis.net' 'www.movie-port.ru' 'www.mplayerdownloader.com' 'www.mshelp247.weebly.com' 'www.mylike.co.uk' 'www.mylovecards.com' 'www.nine2rack.in' 'www.novemberrainx.com' 'www.nu26.com' 'www.oix.com' 'www.oix.net' 'www.onlyfreeoffersonline.com' 'www.openinternetexchange.com' 'www.oreidofitilho.com.br' 'www.otsserver.com' 'www.pay-pal.com-cgibin-canada.4mcmeta4v.cn' 'www.phormlabs.com' 'www.picture-uploads.com' 'www.portaldimensional.com' 'www.poxudeli.ru' 'www.proflashdata.com' 'www.puush.in' 'www.rickrolling.com' 'www.russian-sex.com' 'www.scotiaonline.scotiabank.salferreras.com' 'www.sdlpgift.com' 'www.securityscan.us' 'www.servertasarimbu.com' 'www.sexytiger.ru' 'www.shinilchurch.net' 'www.sinera.org' 'www.someonewhocares.com' 'www.speedtestbeta.com' 'www.stopphoulplay.com' 'www.tanger.com.br' 'www.tattooshaha.info' 'www.te81.net' 'www.thedatesafe.com' 'www.trucktirehotline.com' 'www.tvshowslist.com' 'www.upi6.pillsstore-c.com' 'www.uqz.com' 'www.venturead.com' 'www.via99.org' 'www.videolove.clanteam.com' 'www.videostan.ru' 'www.vippotexa.ru' 'www.wantsfly.com' 'www.webpaypal.com' 'www.webwise.com' 'www.webwise.net' 'www.webwise.org' 'www.wewillrocknow.com' 'www.willysy.com' 'www.youcanoptout.com' 'www.youcanoptout.net' 'www.youcanoptout.org' 'www.youfiletor.com' 'xfotosx01.fromru.su' 'xponlinescanner.com' 'xvrxyzba253.hotmail.ru' 'xxyyzz.youcanoptout.com' 'ymail-activate1.bugs3.com' 'youcanoptout.com' 'youcanoptout.net' 'youcanoptout.org' 'yrwap.cn' 'zarozinski.info' 'zb1.zeroredirect1.com' 'zenigameblinger.org' 'zettapetta.com' 'zfotos.fromru.su' 'zip.er.cz' 'ztrf.net' 'zviframe.biz' '3ad.doubleclick.net' 'ad.3au.doubleclick.net' 'ad.ve.doubleclick.net' 'ad-yt-bfp.doubleclick.net' 'amn.doubleclick.net' 'doubleclick.de' 'ebaycn.doubleclick.net' 'ebaytw.doubleclick.net' 'exnjadgda1.doubleclick.net' 'exnjadgda2.doubleclick.net' 'exnjadgds1.doubleclick.net' 'exnjmdgda1.doubleclick.net' 'exnjmdgds1.doubleclick.net' 'gd10.doubleclick.net' 'gd11.doubleclick.net' 'gd12.doubleclick.net' 'gd13.doubleclick.net' 'gd14.doubleclick.net' 'gd15.doubleclick.net' 'gd16.doubleclick.net' 'gd17.doubleclick.net' 'gd18.doubleclick.net' 'gd19.doubleclick.net' 'gd1.doubleclick.net' 'gd20.doubleclick.net' 'gd21.doubleclick.net' 'gd22.doubleclick.net' 'gd23.doubleclick.net' 'gd24.doubleclick.net' 'gd25.doubleclick.net' 'gd26.doubleclick.net' 'gd27.doubleclick.net' 'gd28.doubleclick.net' 'gd29.doubleclick.net' 'gd2.doubleclick.net' 'gd30.doubleclick.net' 'gd31.doubleclick.net' 'gd3.doubleclick.net' 'gd4.doubleclick.net' 'gd5.doubleclick.net' 'gd7.doubleclick.net' 'gd8.doubleclick.net' 'gd9.doubleclick.net' 'ln.doubleclick.net' 'm1.ae.2mdn.net' 'm1.au.2mdn.net' 'm1.be.2mdn.net' 'm1.br.2mdn.net' 'm1.ca.2mdn.net' 'm1.cn.2mdn.net' 'm1.de.2mdn.net' 'm1.dk.2mdn.net' 'm1.doubleclick.net' 'm1.es.2mdn.net' 'm1.fi.2mdn.net' 'm1.fr.2mdn.net' 'm1.it.2mdn.net' 'm1.jp.2mdn.net' 'm1.nl.2mdn.net' 'm1.no.2mdn.net' 'm1.nz.2mdn.net' 'm1.pl.2mdn.net' 'm1.se.2mdn.net' 'm1.sg.2mdn.net' 'm1.uk.2mdn.net' 'm1.ve.2mdn.net' 'm1.za.2mdn.net' 'm2.ae.2mdn.net' 'm2.au.2mdn.net' 'm2.be.2mdn.net' 'm2.br.2mdn.net' 'm2.ca.2mdn.net' 'm2.cn.2mdn.net' 'm2.cn.doubleclick.net' 'm2.de.2mdn.net' 'm2.dk.2mdn.net' 'm2.doubleclick.net' 'm2.es.2mdn.net' 'm2.fi.2mdn.net' 'm2.fr.2mdn.net' 'm2.it.2mdn.net' 'm2.jp.2mdn.net' 'm.2mdn.net' 'm2.nl.2mdn.net' 'm2.no.2mdn.net' 'm2.nz.2mdn.net' 'm2.pl.2mdn.net' 'm2.se.2mdn.net' 'm2.sg.2mdn.net' 'm2.uk.2mdn.net' 'm2.ve.2mdn.net' 'm2.za.2mdn.net' 'm3.ae.2mdn.net' 'm3.au.2mdn.net' 'm3.be.2mdn.net' 'm3.br.2mdn.net' 'm3.ca.2mdn.net' 'm3.cn.2mdn.net' 'm3.de.2mdn.net' 'm3.dk.2mdn.net' 'm3.doubleclick.net' 'm3.es.2mdn.net' 'm3.fi.2mdn.net' 'm3.fr.2mdn.net' 'm3.it.2mdn.net' 'm3.jp.2mdn.net' 'm3.nl.2mdn.net' 'm3.no.2mdn.net' 'm3.nz.2mdn.net' 'm3.pl.2mdn.net' 'm3.se.2mdn.net' 'm3.sg.2mdn.net' 'm3.uk.2mdn.net' 'm3.ve.2mdn.net' 'm3.za.2mdn.net' 'm4.ae.2mdn.net' 'm4.au.2mdn.net' 'm4.be.2mdn.net' 'm4.br.2mdn.net' 'm4.ca.2mdn.net' 'm4.cn.2mdn.net' 'm4.de.2mdn.net' 'm4.dk.2mdn.net' 'm4.doubleclick.net' 'm4.es.2mdn.net' 'm4.fi.2mdn.net' 'm4.fr.2mdn.net' 'm4.it.2mdn.net' 'm4.jp.2mdn.net' 'm4.nl.2mdn.net' 'm4.no.2mdn.net' 'm4.nz.2mdn.net' 'm4.pl.2mdn.net' 'm4.se.2mdn.net' 'm4.sg.2mdn.net' 'm4.uk.2mdn.net' 'm4.ve.2mdn.net' 'm4.za.2mdn.net' 'm5.ae.2mdn.net' 'm5.au.2mdn.net' 'm5.be.2mdn.net' 'm5.br.2mdn.net' 'm5.ca.2mdn.net' 'm5.cn.2mdn.net' 'm5.de.2mdn.net' 'm5.dk.2mdn.net' 'm5.doubleclick.net' 'm5.es.2mdn.net' 'm5.fi.2mdn.net' 'm5.fr.2mdn.net' 'm5.it.2mdn.net' 'm5.jp.2mdn.net' 'm5.nl.2mdn.net' 'm5.no.2mdn.net' 'm5.nz.2mdn.net' 'm5.pl.2mdn.net' 'm5.se.2mdn.net' 'm5.sg.2mdn.net' 'm5.uk.2mdn.net' 'm5.ve.2mdn.net' 'm5.za.2mdn.net' 'm6.ae.2mdn.net' 'm6.au.2mdn.net' 'm6.be.2mdn.net' 'm6.br.2mdn.net' 'm6.ca.2mdn.net' 'm6.cn.2mdn.net' 'm6.de.2mdn.net' 'm6.dk.2mdn.net' 'm6.doubleclick.net' 'm6.es.2mdn.net' 'm6.fi.2mdn.net' 'm6.fr.2mdn.net' 'm6.it.2mdn.net' 'm6.jp.2mdn.net' 'm6.nl.2mdn.net' 'm6.no.2mdn.net' 'm6.nz.2mdn.net' 'm6.pl.2mdn.net' 'm6.se.2mdn.net' 'm6.sg.2mdn.net' 'm6.uk.2mdn.net' 'm6.ve.2mdn.net' 'm6.za.2mdn.net' 'm7.ae.2mdn.net' 'm7.au.2mdn.net' 'm7.be.2mdn.net' 'm7.br.2mdn.net' 'm7.ca.2mdn.net' 'm7.cn.2mdn.net' 'm7.de.2mdn.net' 'm7.dk.2mdn.net' 'm7.doubleclick.net' 'm7.es.2mdn.net' 'm7.fi.2mdn.net' 'm7.fr.2mdn.net' 'm7.it.2mdn.net' 'm7.jp.2mdn.net' 'm7.nl.2mdn.net' 'm7.no.2mdn.net' 'm7.nz.2mdn.net' 'm7.pl.2mdn.net' 'm7.se.2mdn.net' 'm7.sg.2mdn.net' 'm7.uk.2mdn.net' 'm7.ve.2mdn.net' 'm7.za.2mdn.net' 'm8.ae.2mdn.net' 'm8.au.2mdn.net' 'm8.be.2mdn.net' 'm8.br.2mdn.net' 'm8.ca.2mdn.net' 'm8.cn.2mdn.net' 'm8.de.2mdn.net' 'm8.dk.2mdn.net' 'm8.doubleclick.net' 'm8.es.2mdn.net' 'm8.fi.2mdn.net' 'm8.fr.2mdn.net' 'm8.it.2mdn.net' 'm8.jp.2mdn.net' 'm8.nl.2mdn.net' 'm8.no.2mdn.net' 'm8.nz.2mdn.net' 'm8.pl.2mdn.net' 'm8.se.2mdn.net' 'm8.sg.2mdn.net' 'm8.uk.2mdn.net' 'm8.ve.2mdn.net' 'm8.za.2mdn.net' 'm9.ae.2mdn.net' 'm9.au.2mdn.net' 'm9.be.2mdn.net' 'm9.br.2mdn.net' 'm9.ca.2mdn.net' 'm9.cn.2mdn.net' 'm9.de.2mdn.net' 'm9.dk.2mdn.net' 'm9.doubleclick.net' 'm9.es.2mdn.net' 'm9.fi.2mdn.net' 'm9.fr.2mdn.net' 'm9.it.2mdn.net' 'm9.jp.2mdn.net' 'm9.nl.2mdn.net' 'm9.no.2mdn.net' 'm9.nz.2mdn.net' 'm9.pl.2mdn.net' 'm9.se.2mdn.net' 'm9.sg.2mdn.net' 'm9.uk.2mdn.net' 'm9.ve.2mdn.net' 'm9.za.2mdn.net' 'm.de.2mdn.net' 'n3302ad.doubleclick.net' 'n3349ad.doubleclick.net' 'n4061ad.doubleclick.net' 'optimize.doubleclick.net' 'pagead.l.doubleclick.net' 'rd.intl.doubleclick.net' 'twx.2mdn.net' 'twx.doubleclick.net' 'ukrpts.net' 'uunyadgda1.doubleclick.net' 'uunyadgds1.doubleclick.net' 'www.ukrpts.net' '5starhiphop.us.intellitxt.com' 'bargainpda.us.intellitxt.com' 'businesspundit.us.intellitxt.com' 'canadafreepress.us.intellitxt.com' 'designtechnica.us.intellitxt.com' 'devshed.us.intellitxt.com' 'drizzydrake.us.intellitxt.com' 'entertainment.msnbc.us.intellitxt.com' 'filmschoolrejects.us.intellitxt.com' 'filmwad.us.intellitxt.com' 'firstshowing.us.intellitxt.com' 'gadgets.fosfor.se.intellitxt.com' 'gorillanation.us.intellitxt.com' 'hotonlinenews.us.intellitxt.com' 'johnchow.us.intellitxt.com' 'linuxforums.us.intellitxt.com' 'maccity.it.intellitxt.com' 'macuser.uk.intellitxt.com' 'macworld.uk.intellitxt.com' 'metro.uk.intellitxt.com' 'moviesonline.ca.intellitxt.com' 'mustangevolution.us.intellitxt.com' 'newcarnet.uk.intellitxt.com' 'nexys404.us.intellitxt.com' 'ohgizmo.us.intellitxt.com' 'pcgameshardware.de.intellitxt.com' 'physorg.us.intellitxt.com' 'postchronicle.us.intellitxt.com' 'projectorreviews.us.intellitxt.com' 'psp3d.us.intellitxt.com' 'pspcave.uk.intellitxt.com' 'qj.us.intellitxt.com' 'rasmussenreports.us.intellitxt.com' 'rawstory.us.intellitxt.com' 'savemanny.us.intellitxt.com' 'sc.intellitxt.com' 'slashphone.us.intellitxt.com' 'somethingawful.us.intellitxt.com' 'splashnews.uk.intellitxt.com' 'spymac.us.intellitxt.com' 'technewsworld.us.intellitxt.com' 'technologyreview.us.intellitxt.com' 'the-gadgeteer.us.intellitxt.com' 'thelastboss.us.intellitxt.com' 'tmcnet.us.intellitxt.com' 'universetoday.us.intellitxt.com' 'warp2search.us.intellitxt.com' 'devfw.imrworldwide.com' 'fe1-au.imrworldwide.com' 'fe1-fi.imrworldwide.com' 'fe1-it.imrworldwide.com' 'fe2-au.imrworldwide.com' 'fe3-au.imrworldwide.com' 'fe3-gc.imrworldwide.com' 'fe3-uk.imrworldwide.com' 'fe4-uk.imrworldwide.com' 'fe-au.imrworldwide.com' 'imrworldwide.com' 'rc-au.imrworldwide.com' 'redsheriff.com' 'server-ca.imrworldwide.com' 'server-fr.imrworldwide.com' 'server-hk.imrworldwide.com' 'server-ru.imrworldwide.com' 'server-ua.imrworldwide.com' 'server-za.imrworldwide.com' 'survey1-au.imrworldwide.com' 'www.imrworldwide.com' 'www.imrworldwide.com.au' 'www.redsheriff.com' 'cydoor.com' 'j.2004cms.com' 'jbaventures.cjt1.net' 'jbeet.cjt1.net' 'jbit.cjt1.net' 'jcollegehumor.cjt1.net' 'jcontent.bns1.net' 'jdownloadacc.cjt1.net' 'jgen10.cjt1.net' 'jgen11.cjt1.net' 'jgen12.cjt1.net' 'jgen13.cjt1.net' 'jgen14.cjt1.net' 'jgen15.cjt1.net' 'jgen16.cjt1.net' 'jgen17.cjt1.net' 'jgen18.cjt1.net' 'jgen19.cjt1.net' 'jgen1.cjt1.net' 'jgen20.cjt1.net' 'jgen21.cjt1.net' 'jgen22.cjt1.net' 'jgen23.cjt1.net' 'jgen24.cjt1.net' 'jgen25.cjt1.net' 'jgen26.cjt1.net' 'jgen27.cjt1.net' 'jgen28.cjt1.net' 'jgen29.cjt1.net' 'jgen2.cjt1.net' 'jgen30.cjt1.net' 'jgen31.cjt1.net' 'jgen32.cjt1.net' 'jgen33.cjt1.net' 'jgen34.cjt1.net' 'jgen35.cjt1.net' 'jgen36.cjt1.net' 'jgen37.cjt1.net' 'jgen38.cjt1.net' 'jgen39.cjt1.net' 'jgen3.cjt1.net' 'jgen40.cjt1.net' 'jgen41.cjt1.net' 'jgen42.cjt1.net' 'jgen43.cjt1.net' 'jgen44.cjt1.net' 'jgen45.cjt1.net' 'jgen46.cjt1.net' 'jgen47.cjt1.net' 'jgen48.cjt1.net' 'jgen49.cjt1.net' 'jgen4.cjt1.net' 'jgen5.cjt1.net' 'jgen6.cjt1.net' 'jgen7.cjt1.net' 'jgen8.cjt1.net' 'jgen9.cjt1.net' 'jhumour.cjt1.net' 'jmbi58.cjt1.net' 'jnova.cjt1.net' 'jpirate.cjt1.net' 'jsandboxer.cjt1.net' 'jumcna.cjt1.net' 'jwebbsense.cjt1.net' 'www.cydoor.com' '112.2o7.net' '122.2o7.net' 'actforvictory.112.2o7.net' 'adbrite.112.2o7.net' 'americanbaby.112.2o7.net' 'ancestrymsn.112.2o7.net' 'ancestryuki.112.2o7.net' 'angtr.112.2o7.net' 'angts.112.2o7.net' 'angvac.112.2o7.net' 'anm.112.2o7.net' 'aolcareers.122.2o7.net' 'aolnsnews.122.2o7.net' 'aolpolls.112.2o7.net' 'aolturnercnnmoney.112.2o7.net' 'aolukglobal.122.2o7.net' 'aolwpaim.112.2o7.net' 'aolwpicq.122.2o7.net' 'aolwpmq.112.2o7.net' 'aolwpmqnoban.112.2o7.net' 'atlassian.122.2o7.net' 'bbcnewscouk.112.2o7.net' 'bellca.112.2o7.net' 'bellglovemediapublishing.122.2o7.net' 'bellserviceeng.112.2o7.net' 'bhgmarketing.112.2o7.net' 'bidentonrccom.122.2o7.net' 'biwwltvcom.112.2o7.net' 'biwwltvcom.122.2o7.net' 'blackpress.122.2o7.net' 'bntbcstglobal.112.2o7.net' 'bosecom.112.2o7.net' 'bulldog.122.2o7.net' 'bzresults.122.2o7.net' 'cablevision.112.2o7.net' 'canwestcom.112.2o7.net' 'capcityadvcom.122.2o7.net' 'careers.112.2o7.net' 'cbaol.112.2o7.net' 'cbcca.112.2o7.net' 'cbcca.122.2o7.net' 'cbcincinnatienquirer.112.2o7.net' 'cbsncaasports.112.2o7.net' 'ccrbudgetca.112.2o7.net' 'cfrfa.112.2o7.net' 'classifiedscanada.112.2o7.net' 'cnhimcalesternews.122.2o7.net' 'cnhipicayuneitemv.112.2o7.net' 'cnhitribunestar.122.2o7.net' 'cnhitribunestara.122.2o7.net' 'cnhregisterherald.122.2o7.net' 'coxpalmbeachpost.112.2o7.net' 'denverpost.112.2o7.net' 'diginet.112.2o7.net' 'digitalhomediscountptyltd.122.2o7.net' 'disccglobal.112.2o7.net' 'disccstats.112.2o7.net' 'dischannel.112.2o7.net' 'dixonslnkcouk.112.2o7.net' 'dogpile.112.2o7.net' 'donval.112.2o7.net' 'dowjones.122.2o7.net' 'dreammates.112.2o7.net' 'ebay1.112.2o7.net' 'ebaynonreg.112.2o7.net' 'ebayreg.112.2o7.net' 'ebayus.112.2o7.net' 'ebcom.112.2o7.net' 'ectestlampsplus1.112.2o7.net' 'edmundsinsideline.112.2o7.net' 'edsa.112.2o7.net' 'ehg-moma.hitbox.com.112.2o7.net' 'employ22.112.2o7.net' 'employ26.112.2o7.net' 'employment.112.2o7.net' 'enterprisenewsmedia.122.2o7.net' 'epost.122.2o7.net' 'ewstcpalm.112.2o7.net' 'execulink.112.2o7.net' 'expedia4.112.2o7.net' 'expedia.ca.112.2o7.net' 'f2ncracker.112.2o7.net' 'faceoff.112.2o7.net' 'fbkmnr.112.2o7.net' 'forbesattache.112.2o7.net' 'forbesauto.112.2o7.net' 'forbesautos.112.2o7.net' 'forbescom.112.2o7.net' 'foxsimpsons.112.2o7.net' 'georgewbush.112.2o7.net' 'georgewbushcom.112.2o7.net' 'gettyimages.122.2o7.net' 'gmchevyapprentice.112.2o7.net' 'gmhummer.112.2o7.net' 'gpaper104.112.2o7.net' 'gpaper105.112.2o7.net' 'gpaper107.112.2o7.net' 'gpaper108.112.2o7.net' 'gpaper109.112.2o7.net' 'gpaper110.112.2o7.net' 'gpaper111.112.2o7.net' 'gpaper112.112.2o7.net' 'gpaper113.112.2o7.net' 'gpaper114.112.2o7.net' 'gpaper115.112.2o7.net' 'gpaper116.112.2o7.net' 'gpaper117.112.2o7.net' 'gpaper118.112.2o7.net' 'gpaper119.112.2o7.net' 'gpaper120.112.2o7.net' 'gpaper121.112.2o7.net' 'gpaper122.112.2o7.net' 'gpaper123.112.2o7.net' 'gpaper124.112.2o7.net' 'gpaper125.112.2o7.net' 'gpaper126.112.2o7.net' 'gpaper127.112.2o7.net' 'gpaper128.112.2o7.net' 'gpaper129.112.2o7.net' 'gpaper131.112.2o7.net' 'gpaper132.112.2o7.net' 'gpaper133.112.2o7.net' 'gpaper138.112.2o7.net' 'gpaper139.112.2o7.net' 'gpaper140.112.2o7.net' 'gpaper141.112.2o7.net' 'gpaper142.112.2o7.net' 'gpaper144.112.2o7.net' 'gpaper145.112.2o7.net' 'gpaper147.112.2o7.net' 'gpaper149.112.2o7.net' 'gpaper151.112.2o7.net' 'gpaper154.112.2o7.net' 'gpaper156.112.2o7.net' 'gpaper157.112.2o7.net' 'gpaper158.112.2o7.net' 'gpaper162.112.2o7.net' 'gpaper164.112.2o7.net' 'gpaper166.112.2o7.net' 'gpaper167.112.2o7.net' 'gpaper169.112.2o7.net' 'gpaper170.112.2o7.net' 'gpaper171.112.2o7.net' 'gpaper172.112.2o7.net' 'gpaper173.112.2o7.net' 'gpaper174.112.2o7.net' 'gpaper176.112.2o7.net' 'gpaper177.112.2o7.net' 'gpaper180.112.2o7.net' 'gpaper183.112.2o7.net' 'gpaper184.112.2o7.net' 'gpaper191.112.2o7.net' 'gpaper192.112.2o7.net' 'gpaper193.112.2o7.net' 'gpaper194.112.2o7.net' 'gpaper195.112.2o7.net' 'gpaper196.112.2o7.net' 'gpaper197.112.2o7.net' 'gpaper198.112.2o7.net' 'gpaper202.112.2o7.net' 'gpaper204.112.2o7.net' 'gpaper205.112.2o7.net' 'gpaper212.112.2o7.net' 'gpaper214.112.2o7.net' 'gpaper219.112.2o7.net' 'gpaper223.112.2o7.net' 'heavycom.112.2o7.net' 'homesclick.112.2o7.net' 'hostdomainpeople.112.2o7.net' 'hostdomainpeopleca.112.2o7.net' 'hostpowermedium.112.2o7.net' 'hpglobal.112.2o7.net' 'hphqsearch.112.2o7.net' 'infomart.ca.112.2o7.net' 'infospace.com.112.2o7.net' 'intelcorpcim.112.2o7.net' 'intelglobal.112.2o7.net' 'jitmj4.122.2o7.net' 'kddi.122.2o7.net' 'krafteurope.112.2o7.net' 'ktva.112.2o7.net' 'ladieshj.112.2o7.net' 'lenovo.112.2o7.net' 'logoworksdev.112.2o7.net' 'losu.112.2o7.net' 'mailtribune.112.2o7.net' 'maxvr.112.2o7.net' 'mdamarillo.112.2o7.net' 'mdtopeka.112.2o7.net' 'mdwardmore.112.2o7.net' 'medbroadcast.112.2o7.net' 'meetupcom.112.2o7.net' 'mgwspa.112.2o7.net' 'microsoftconsumermarketing.112.2o7.net' 'mlbastros.112.2o7.net' 'mlbcolorado.112.2o7.net' 'mlbhouston.112.2o7.net' 'mlbstlouis.112.2o7.net' 'mlbtoronto.112.2o7.net' 'mmsshopcom.112.2o7.net' 'mnfidnahub.112.2o7.net' 'mngiyrkdr.112.2o7.net' 'mseuppremain.112.2o7.net' 'mtvu.112.2o7.net' 'natgeoeditco.112.2o7.net' 'nationalpost.112.2o7.net' 'nba.112.2o7.net' 'netrp.112.2o7.net' 'netsdartboards.122.2o7.net' 'nike.112.2o7.net' 'nikeplus.112.2o7.net' 'nmbrampton.112.2o7.net' 'nmcommancomedia.112.2o7.net' 'nmkawartha.112.2o7.net' 'nmmississauga.112.2o7.net' 'nmnandomedia.112.2o7.net' 'nmtoronto.112.2o7.net' 'nmtricity.112.2o7.net' 'nmyork.112.2o7.net' 'nytglobe.112.2o7.net' 'nythglobe.112.2o7.net' 'nytimesglobal.112.2o7.net' 'nytimesnonsampled.112.2o7.net' 'nytimesnoonsampled.112.2o7.net' 'nytmembercenter.112.2o7.net' 'nytrgadsden.112.2o7.net' 'nytrgainseville.112.2o7.net' 'nytrhouma.112.2o7.net' 'omnitureglobal.112.2o7.net' 'onlineindigoca.112.2o7.net' 'oracle.112.2o7.net' 'overstock.com.112.2o7.net' 'projectorpeople.112.2o7.net' 'publicationsunbound.112.2o7.net' 'pulharktheherald.112.2o7.net' 'pulpantagraph.112.2o7.net' 'rckymtnnws.112.2o7.net' 'rey3935.112.2o7.net' 'rezrezwhistler.112.2o7.net' 'rncgopcom.122.2o7.net' 'roxio.112.2o7.net' 'salesforce.122.2o7.net' 'santacruzsentinel.112.2o7.net' 'sciamglobal.112.2o7.net' 'scrippsbathvert.112.2o7.net' 'scrippswfts.112.2o7.net' 'scrippswxyz.112.2o7.net' 'sonycorporate.122.2o7.net' 'sonyglobal.112.2o7.net' 'southcoasttoday.112.2o7.net' 'spiketv.112.2o7.net' 'suncom.112.2o7.net' 'sunonesearch.112.2o7.net' 'survey.112.2o7.net' 'sympmsnsports.112.2o7.net' 'timebus2.112.2o7.net' 'timehealth.112.2o7.net' 'timeofficepirates.122.2o7.net' 'timepopsci.122.2o7.net' 'timerealsimple.112.2o7.net' 'timewarner.122.2o7.net' 'tmsscion.112.2o7.net' 'travidiathebrick.112.2o7.net' 'usun.112.2o7.net' 'vanns.112.2o7.net' 'verisonwildcard.112.2o7.net' 'vh1com.112.2o7.net' 'viaatomvideo.112.2o7.net' 'viasyndimedia.112.2o7.net' 'viralvideo.112.2o7.net' 'walmartcom.112.2o7.net' 'westjet.112.2o7.net' 'wileydumcom.112.2o7.net' 'wmg.112.2o7.net' 'wmgmulti.112.2o7.net' 'workopolis.122.2o7.net' 'xhealthmobiletools.112.2o7.net' 'youtube.112.2o7.net' 'yrkeve.112.2o7.net' 'afinder.oewabox.at' 'alphalux.oewabox.at' 'apodir.oewabox.at' 'arboe.oewabox.at' 'aschreib.oewabox.at' 'ascout24.oewabox.at' 'audi4e.oewabox.at' 'austria.oewabox.at' 'automobi.oewabox.at' 'automoto.oewabox.at' 'babyf.oewabox.at' 'bazar.oewabox.at' 'bdb.oewabox.at' 'bliga.oewabox.at' 'buschen.oewabox.at' 'car4you.oewabox.at' 'cinplex.oewabox.at' 'derstand.oewabox.at' 'dispatcher.oewabox.at' 'docfind.oewabox.at' 'doodle.oewabox.at' 'drei.oewabox.at' 'dropkick.oewabox.at' 'enerweb.oewabox.at' 'falstaff.oewabox.at' 'fanrep.oewabox.at' 'fflotte.oewabox.at' 'fitges.oewabox.at' 'fondprof.oewabox.at' 'fratz.oewabox.at' 'fscout24.oewabox.at' 'gamesw.oewabox.at' 'geizhals.oewabox.at' 'gillout.oewabox.at' 'gkueche.oewabox.at' 'gmx.oewabox.at' 'gofem.oewabox.at' 'heute.oewabox.at' 'immobili.oewabox.at' 'immosuch.oewabox.at' 'indumag.oewabox.at' 'induweb.oewabox.at' 'issges.oewabox.at' 'jobwohn.oewabox.at' 'karriere.oewabox.at' 'kinder.oewabox.at' 'kinowelt.oewabox.at' 'kronehit.oewabox.at' 'krone.oewabox.at' 'landwirt.oewabox.at' 'liportal.oewabox.at' 'mamilade.oewabox.at' 'manntv.oewabox.at' 'medpop.oewabox.at' 'megaplex.oewabox.at' 'metropol.oewabox.at' 'mmarkt.oewabox.at' 'monitor.oewabox.at' 'motorl.oewabox.at' 'msn.oewabox.at' 'nickde.oewabox.at' 'noen.oewabox.at' 'notori.oewabox.at' 'oeamtc.oewabox.at' 'oewa.oewabox.at' 'parent.oewabox.at' 'radioat.oewabox.at' 'rtl.oewabox.at' 'schlager.oewabox.at' 'seibli.oewabox.at' 'servustv.oewabox.at' 'skip.oewabox.at' 'skysport.oewabox.at' 'smedizin.oewabox.at' 'sms.oewabox.at' 'solidbau.oewabox.at' 'speising.oewabox.at' 'ssl-compass.oewabox.at' 'ssl-geizhals.oewabox.at' 'ssl-helpgvat.oewabox.at' 'ssl-karriere.oewabox.at' 'ssl-msn.oewabox.at' 'ssl-top.oewabox.at' 'ssl-uspgvat.oewabox.at' 'ssl-willhab.oewabox.at' 'ssl-wko.oewabox.at' 'starchat.oewabox.at' 'sunny.oewabox.at' 'supermed.oewabox.at' 'super.oewabox.at' 'svpro7.oewabox.at' 'szene1.oewabox.at' 'tagpress.oewabox.at' 'tele.oewabox.at' 'tennis.oewabox.at' 'tips.oewabox.at' 'tramarkt.oewabox.at' 'tripwolf.oewabox.at' 'uncut.oewabox.at' 'unimed.oewabox.at' 'uwz.oewabox.at' 'vcm.oewabox.at' 'viacom.oewabox.at' 'via.oewabox.at' 'warda.oewabox.at' 'webprog.oewabox.at' 'wfussb.oewabox.at' 'wienerz.oewabox.at' 'wiengvat.oewabox.at' 'wirtvlg.oewabox.at' 'woche.oewabox.at' 'wohnnet.oewabox.at' 'zfm.oewabox.at' '0101011.com' '0d79ed.r.axf8.net' '0pn.ru' '0qizz.super-promo.hoxo.info' '104231.dtiblog.com' '10fbb07a4b0.se' '10.im.cz' '121media.com' '123specialgifts.com' '1.adbrite.com' '1.allyes.com.cn' '1.forgetstore.com' '1.httpads.com' '1.primaryads.com' '207-87-18-203.wsmg.digex.net' '247adbiz.net' '247support.adtech.fr' '247support.adtech.us' '24ratownik.hit.gemius.pl' '24trk.com' '25184.hittail.com' '2754.btrll.com' '2.adbrite.com' '2-art-coliseum.com' '2leep.com' '2.marketbanker.com' '312.1d27c9b8fb.com' '321cba.com' '32red.it' '360ads.com' '3.adbrite.com' '3fns.com' '4.adbrite.com' '4c28d6.r.axf8.net' '59nmk4u.tech' '6159.genieessp.com' '7500.com' '76.a.boom.ro' '7adpower.com' '7bpeople.com' '7bpeople.data.7bpeople.com' '7cnbcnews.com' '829331534d183e7d1f6a-8d91cc88b27b979d0ea53a10ce8855ec.r96.cf5.rackcdn.com' '85103.hittail.com' '8574dnj3yzjace8c8io6zr9u3n.hop.clickbank.net' '86file.megajoy.com' '86get.joy.cn' '86log.joy.cn' '888casino.com' '961.com' 'a01.gestionpub.com' 'a.0day.kiev.ua' 'a1.greenadworks.net' 'a1.interclick.com' 'a200.yieldoptimizer.com' 'a2.websponsors.com' 'a3.websponsors.com' 'a4.websponsors.com' 'a5.websponsors.com' 'a.ad.playstation.net' 'a-ads.com' 'a.adstome.com' 'aads.treehugger.com' 'aams1.aim4media.com' 'aan.amazon.com' 'aa-nb.marketgid.com' 'aa.newsblock.marketgid.com' 'a.as-eu.falkag.net' 'a.as-us.falkag.net' 'aax-us-pdx.amazon-adsystem.com' 'a.baidu.com' 'abcnews.footprint.net' 'a.boom.ro' 'abrogatesdv.info' 'abseckw.adtlgc.com' 'ac.atpanel.com' 'a.cctv.com' 'achetezfacile.com' 'a.cntv.cn' 'ac.rnm.ca' 'acs.56.com' 'acs.agent.56.com' 'acs.agent.v-56.com' 'actiondesk.com' 'actionflash.com' 'action.ientry.net' 'actionsplash.com' 'ac.tynt.com' 'acvs.mediaonenetwork.net' 'acvsrv.mediaonenetwork.net' 'ad001.ru' 'ad01.focalink.com' 'ad01.mediacorpsingapore.com' 'ad02.focalink.com' 'ad03.focalink.com' 'ad04.focalink.com' 'ad05.focalink.com' 'ad06.focalink.com' 'ad07.focalink.com' 'ad08.focalink.com' 'ad09.focalink.com' 'ad101com.adbureau.net' 'ad.103092804.com' 'ad10.bannerbank.ru' 'ad10.checkm8.com' 'ad10digital.checkm8.com' 'ad10.focalink.com' 'ad11.bannerbank.ru' 'ad11.checkm8.com' 'ad11digital.checkm8.com' 'ad11.focalink.com' 'ad12.bannerbank.ru' 'ad12.checkm8.com' 'ad12digital.checkm8.com' 'ad12.focalink.com' 'ad13.checkm8.com' 'ad13digital.checkm8.com' 'ad13.focalink.com' 'ad14.checkm8.com' 'ad14digital.checkm8.com' 'ad14.focalink.com' 'ad15.checkm8.com' 'ad15digital.checkm8.com' 'ad15.focalink.com' 'ad16.checkm8.com' 'ad16digital.checkm8.com' 'ad16.focalink.com' 'ad17.checkm8.com' 'ad17digital.checkm8.com' 'ad17.focalink.com' 'ad18.checkm8.com' 'ad18digital.checkm8.com' 'ad18.focalink.com' 'ad19.checkm8.com' 'ad19digital.checkm8.com' 'ad19.focalink.com' 'ad1.bannerbank.ru' 'ad1.checkm8.com' 'ad1.clickhype.com' 'ad1digital.checkm8.com' 'ad1.gamezone.com' 'ad1.hotel.com' 'ad1.lbn.ru' 'ad1.peel.com' 'ad1.popcap.com' 'ad1.yomiuri.co.jp' 'ad20.checkm8.com' 'ad20digital.checkm8.com' 'ad20.net' 'ad21.checkm8.com' 'ad21digital.checkm8.com' 'ad22.checkm8.com' 'ad22digital.checkm8.com' 'ad234.prbn.ru' 'ad.23blogs.com' 'ad23.checkm8.com' 'ad23digital.checkm8.com' 'ad24.checkm8.com' 'ad24digital.checkm8.com' 'ad25.checkm8.com' 'ad25digital.checkm8.com' 'ad26.checkm8.com' 'ad26digital.checkm8.com' 'ad27.checkm8.com' 'ad27digital.checkm8.com' 'ad28.checkm8.com' 'ad28digital.checkm8.com' 'ad29.checkm8.com' 'ad29digital.checkm8.com' 'ad2.adecn.com' 'ad2.bannerbank.ru' 'ad2.bbmedia.cz' 'ad2.checkm8.com' 'ad2digital.checkm8.com' 'ad2.hotel.com' 'ad2.lbn.ru' 'ad2.nationalreview.com' 'ad2.pamedia.com' 'ad2.parom.hu' 'ad2.peel.com' 'ad2.pl' 'ad2.sbisec.co.jp' 'ad2.smni.com' 'ad2.tr.mediainter.net' 'ad2.zapmedya.com' 'ad2.zophar.net' 'ad30.checkm8.com' 'ad30digital.checkm8.com' 'ad31.checkm8.com' 'ad31digital.checkm8.com' 'ad32.checkm8.com' 'ad32digital.checkm8.com' 'ad33.checkm8.com' 'ad33digital.checkm8.com' 'ad34.checkm8.com' 'ad34digital.checkm8.com' 'ad35.checkm8.com' 'ad35digital.checkm8.com' 'ad36.checkm8.com' 'ad36digital.checkm8.com' 'ad37.checkm8.com' 'ad37digital.checkm8.com' 'ad38.checkm8.com' 'ad38digital.checkm8.com' 'ad39.checkm8.com' 'ad39digital.checkm8.com' 'ad3.bannerbank.ru' 'ad3.bb.ru' 'ad3.checkm8.com' 'ad3digital.checkm8.com' 'ad.3dnews.ru' 'ad3.eu' 'ad3.l3go.com' 'ad3.lbn.ru' 'ad3.nationalreview.com' 'ad40.checkm8.com' 'ad40digital.checkm8.com' 'ad-411.com' 'ad41.atlas.cz' 'ad41.checkm8.com' 'ad41digital.checkm8.com' 'ad42.checkm8.com' 'ad42digital.checkm8.com' 'ad43.checkm8.com' 'ad43digital.checkm8.com' 'ad44.checkm8.com' 'ad44digital.checkm8.com' 'ad45.checkm8.com' 'ad45digital.checkm8.com' 'ad46.checkm8.com' 'ad46digital.checkm8.com' 'ad47.checkm8.com' 'ad47digital.checkm8.com' 'ad48.checkm8.com' 'ad48digital.checkm8.com' 'ad49.checkm8.com' 'ad49digital.checkm8.com' 'ad4.bannerbank.ru' 'ad4.checkm8.com' 'ad4digital.checkm8.com' 'ad4game.com' 'ad4.lbn.ru' 'ad4partners.com' 'ad50.checkm8.com' 'ad50digital.checkm8.com' 'ad5.bannerbank.ru' 'ad5.checkm8.com' 'ad5digital.checkm8.com' 'ad5.lbn.ru' 'ad6.bannerbank.ru' 'ad6.checkm8.com' 'ad6digital.checkm8.com' 'ad6.horvitznewspapers.net' 'ad6.liverail.com' 'ad6media.fr' 'ad7.bannerbank.ru' 'ad7.checkm8.com' 'ad7digital.checkm8.com' 'ad8.adfarm1.adition.com' 'ad8.bannerbank.ru' 'ad8.checkm8.com' 'ad8digital.checkm8.com' 'ad9.bannerbank.ru' 'ad9.checkm8.com' 'ad9digital.checkm8.com' 'ad.abcnews.com' 'ad.accessmediaproductions.com' 'ad.adfunky.com' 'ad.adition.de' 'ad.adlantis.jp' 'ad.admarketplace.net' 'ad.adnetwork.com.br' 'ad.adnetwork.net' 'ad.adorika.com' 'ad.adperium.com' 'ad.adserve.com' 'ad.adserverplus.com' 'ad.adsmart.net' 'ad.adtegrity.net' 'ad.aftenposten.no' 'ad.aftonbladet.se' 'ad.agilemedia.jp' 'adagiobanner.s3.amazonaws.com' 'ad.agkn.com' 'ad.airad.com' 'ad.ajanshaber.com' 'ad.allyes.cn' 'adaos-ads.net' 'adapd.com' 'adap.tv' 'ad.asv.de' 'ad-audit.tubemogul.com' 'ad.axyzconductor.jp' 'ad-balancer.net' 'ad.bannerbank.ru' 'ad.bannerconnect.net' 'adbit.co' 'adblade.com' 'adblockanalytics.com' 'adbnr.ru' 'adbot.theonion.com' 'ad.brainer.jp' 'adbrite.com' 'adc2.adcentriconline.com' 'adcanadian.com' 'adcash.com' 'ad.cctv.com' 'adcentriconline.com' 'adcentric.randomseed.com' 'ad.cibleclick.com' 'ad.clickdistrict.com' 'ad.clickotmedia.com' 'ad-clicks.com' 'adcode.adengage.com' 'adcontent.reedbusiness.com' 'adcontent.videoegg.com' 'adcontroller.unicast.com' 'adcontrol.tudou.com' 'adcount.ohmynews.com' 'adcreative.tribuneinteractive.com' 'adcycle.footymad.net' 'adcycle.icpeurope.net' 'ad-delivery.net' 'ad.designtaxi.com' 'ad.deviantart.com' 'add.f5haber.com' 'ad.dic.nicovideo.jp' 'ad.directmirror.com' 'ad.doganburda.com' 'ad.download.net' 'addserver.mtv.com.tr' 'addthiscdn.com' 'addthis.com' 'ad.duga.jp' 'adecn.com' 'ad.egloos.com' 'ad.ekonomikticaret.com' 'adengine.rt.ru' 'ad.eporner.com' 'ad.espn.starwave.com' 'ade.wooboo.com.cn' 'adexpansion.com' 'adexprt.com' 'adexprt.me' 'adexprts.com' 'adextensioncontrol.tudou.com' 'adext.inkclub.com' 'adfactor.nl' 'adfarm.mserve.ca' 'ad.favod.net' 'ad-feeds.com' 'adfiles.pitchforkmedia.com' 'ad.filmweb.pl' 'ad.firstadsolution.com' 'ad.floq.jp' 'ad-flow.com' 'ad.fnnews.com' 'ad.fo.net' 'adforce.ads.imgis.com' 'adforce.adtech.de' 'adforce.adtech.fr' 'adforce.adtech.us' 'adforce.imgis.com' 'adform.com' 'ad.fout.jp' 'adfu.blockstackers.com' 'ad.funpic.de' 'adfusion.com' 'ad.garantiarkadas.com' 'adgardener.com' 'ad-gb.mgid.com' 'ad-gbn.com' 'ad.ghfusion.com' 'ad.goo.ne.jp' 'adgraphics.theonion.com' 'ad.gra.pl' 'ad.greenmarquee.com' 'adgroup.naver.com' 'ad.groupon.be' 'ad.groupon.com' 'ad.groupon.co.uk' 'ad.groupon.de' 'ad.groupon.fr' 'ad.groupon.net' 'ad.groupon.nl' 'ad.groupon.pl' 'adguanggao.eee114.com' 'ad.harrenmedianetwork.com' 'adhearus.com' 'adhese.be' 'adhese.com' 'adhese.nieuwsblad.be' 'ad.horvitznewspapers.net' 'ad.host.bannerflow.com' 'ad.howstuffworks.com' 'adhref.pl' 'ad.icasthq.com' 'ad.iconadserver.com' 'adidm.supermedia.pl' 'ad.imad.co.kr' 'adimage.asia1.com.sg' 'adimage.asiaone.com' 'adimage.asiaone.com.sg' 'adimage.blm.net' 'adimages.earthweb.com' 'adimages.mp3.com' 'adimages.omroepzeeland.nl' 'adimages.watchmygf.net' 'adi.mainichi.co.jp' 'adimg.activeadv.net' 'adimg.com.com' 'ad.impressbm.co.jp' 'adincl.gopher.com' 'ad-indicator.com' 'ad.indomp3z.us' 'ad.investopedia.com' 'adipics.com' 'ad.ir.ru' 'ad.isohunt.com' 'adition.com' 'ad.iwin.com' 'adj10.thruport.com' 'adj11.thruport.com' 'adj12.thruport.com' 'adj13.thruport.com' 'adj14.thruport.com' 'adj15.thruport.com' 'adj16r1.thruport.com' 'adj16.thruport.com' 'adj17.thruport.com' 'adj18.thruport.com' 'adj19.thruport.com' 'adj1.thruport.com' 'adj22.thruport.com' 'adj23.thruport.com' 'adj24.thruport.com' 'adj25.thruport.com' 'adj26.thruport.com' 'adj27.thruport.com' 'adj28.thruport.com' 'adj29.thruport.com' 'adj2.thruport.com' 'adj30.thruport.com' 'adj31.thruport.com' 'adj32.thruport.com' 'adj33.thruport.com' 'adj34.thruport.com' 'adj35.thruport.com' 'adj36.thruport.com' 'adj37.thruport.com' 'adj38.thruport.com' 'adj39.thruport.com' 'adj3.thruport.com' 'adj40.thruport.com' 'adj41.thruport.com' 'adj43.thruport.com' 'adj44.thruport.com' 'adj45.thruport.com' 'adj46.thruport.com' 'adj47.thruport.com' 'adj48.thruport.com' 'adj49.thruport.com' 'adj4.thruport.com' 'adj50.thruport.com' 'adj51.thruport.com' 'adj52.thruport.com' 'adj53.thruport.com' 'adj54.thruport.com' 'adj55.thruport.com' 'adj56.thruport.com' 'adj5.thruport.com' 'adj6.thruport.com' 'adj7.thruport.com' 'adj8.thruport.com' 'adj9.thruport.com' 'ad.jamba.net' 'ad.jamster.ca' 'adjmps.com' 'ad.jokeroo.com' 'ad.jp.ap.valu.com' 'adjuggler.net' 'adjuggler.yourdictionary.com' 'ad.kataweb.it' 'ad.kat.ph' 'ad.kau.li' 'adkontekst.pl' 'ad.krutilka.ru' 'ad.land.to' 'ad.leadcrunch.com' 'ad.lgappstv.com' 'ad.lijit.com' 'ad.linkexchange.com' 'ad.linksynergy.com' 'ad.livere.co.kr' 'ad.lyricswire.com' 'adm.265g.com' 'ad.mainichi.jp' 'ad.maist.jp' 'admanager1.collegepublisher.com' 'admanager2.broadbandpublisher.com' 'admanager3.collegepublisher.com' 'admanager.adam4adam.com' 'admanager.beweb.com' 'admanager.btopenworld.com' 'admanager.collegepublisher.com' 'adman.freeze.com' 'ad.mangareader.net' 'adman.gr' 'adman.se' 'admarkt.marktplaats.nl' 'ad.mastermedia.ru' 'admatcher.videostrip.com' 'admatch-syndication.mochila.com' 'admax.quisma.com' 'adm.baidu.com' 'admd.yam.com' 'admedia.com' 'ad.media-servers.net' 'admedias.net' 'admedia.xoom.com' 'admeld.com' 'admerize.be' 'admeta.vo.llnwd.net' 'adm.funshion.com' 'adm.fwmrm.net' 'admin.digitalacre.com' 'admin.hotkeys.com' 'admin.inq.com' 'ad.moscowtimes.ru' 'adm.shacknews.com' 'adm.shinobi.jp' 'adm.xmfish.com' 'ad.my.doubleclick.net' 'ad.mygamesol.com' 'ad.nate.com' 'adn.ebay.com' 'ad.ne.com' 'ad.net' 'adnet.biz' 'adnet.chicago.tribune.com' 'adnet.com' 'adnet.de' 'ad.network60.com' 'adnetwork.nextgen.net' 'adnetwork.rovicorp.com' 'adnetxchange.com' 'adng.ascii24.com' 'ad.nicovideo.jp' 'adn.kinkydollars.com' 'ad-noise.net' 'adnxs.com' 'adnxs.revsci.net' 'adobee.com' 'adobe.tt.omtrdc.net' 'adobur.com' 'adoburcrv.com' 'adobur.net' 'adocean.pl' 'ad.ohmynews.com' 'adopt.euroclick.com' 'adopt.precisead.com' 'ad.oret.jp' 'adotube.com' 'ad.ourgame.com' 'ad.pandora.tv' 'ad.parom.hu' 'ad.partis.si' 'adpepper.dk' 'ad.pgwticketshop.nl' 'ad.ph-prt.tbn.ru' 'ad.pickple.net' 'adpick.switchboard.com' 'adplay.tudou.com' 'ad-plus.cn' 'ad.pravda.ru' 'ad.preferences.com' 'ad.premiumonlinemedia.com' 'ad.pro-advertising.com' 'ad.proxy.sh' 'adpulse.ads.targetnet.com' 'adpush.dreamscape.com' 'ad.qq.com' 'ad.qwapi.com' 'ad.qyer.com' 'ad.realmcdn.net' 'ad.reduxmediia.com' 'adremote.pathfinder.com' 'adremote.timeinc.aol.com' 'adremote.timeinc.net' 'ad.repubblica.it' 'ad.response.jp' 'adriver.ru' 'ads01.com' 'ads01.focalink.com' 'ads01.hyperbanner.net' 'ads02.focalink.com' 'ads02.hyperbanner.net' 'ads03.focalink.com' 'ads03.hyperbanner.net' 'ads04.focalink.com' 'ads04.hyperbanner.net' 'ads05.focalink.com' 'ads05.hyperbanner.net' 'ads06.focalink.com' 'ads06.hyperbanner.net' 'ads07.focalink.com' 'ads07.hyperbanner.net' 'ads08.focalink.com' 'ads08.hyperbanner.net' 'ads09.focalink.com' 'ads09.hyperbanner.net' 'ads0.okcupid.com' 'ads10.focalink.com' 'ads10.hyperbanner.net' 'ads10.udc.advance.net' 'ads11.focalink.com' 'ads11.hyperbanner.net' 'ads11.udc.advance.net' 'ads12.focalink.com' 'ads12.hyperbanner.net' 'ads12.udc.advance.net' 'ads13.focalink.com' 'ads13.hyperbanner.net' 'ads13.udc.advance.net' 'ads14.bpath.com' 'ads14.focalink.com' 'ads14.hyperbanner.net' 'ads14.udc.advance.net' 'ads15.bpath.com' 'ads15.focalink.com' 'ads15.hyperbanner.net' 'ads15.udc.advance.net' 'ads16.advance.net' 'ads16.focalink.com' 'ads16.hyperbanner.net' 'ads16.udc.advance.net' 'ads17.focalink.com' 'ads17.hyperbanner.net' 'ads18.focalink.com' 'ads18.hyperbanner.net' 'ads19.focalink.com' 'ads1.activeagent.at' 'ads1.ad-flow.com' 'ads1.admedia.ro' 'ads1.advance.net' 'ads1.advertwizard.com' 'ads1.canoe.ca' 'ads1.destructoid.com' 'ads1.empiretheatres.com' 'ads1.erotism.com' 'ads1.eudora.com' 'ads1.globeandmail.com' 'ads1.itadnetwork.co.uk' 'ads1.jev.co.za' 'ads1.perfadbrite.com.akadns.net' 'ads1.performancingads.com' 'ads1.realcities.com' 'ads1.revenue.net' 'ads1.sptimes.com' 'ads1.ucomics.com' 'ads1.udc.advance.net' 'ads1.updated.com' 'ads1.virtumundo.com' 'ads1.zdnet.com' 'ads20.focalink.com' 'ads21.focalink.com' 'ads22.focalink.com' 'ads23.focalink.com' 'ads24.focalink.com' 'ads25.focalink.com' 'ads2.adbrite.com' 'ads2.ad-flow.com' 'ads2ads.net' 'ads2.advance.net' 'ads2.advertwizard.com' 'ads2.canoe.ca' 'ads2.clearchannel.com' 'ads2.clickad.com' 'ads2.collegclub.com' 'ads2.collegeclub.com' 'ads2.drivelinemedia.com' 'ads2.emeraldcoast.com' 'ads2.exhedra.com' 'ads2.firingsquad.com' 'ads2.gamecity.net' 'ads2.haber3.com' 'ads2.ihaberadserver.com' 'ads2.ljworld.com' 'ads2.newtimes.com' 'ads2.osdn.com' 'ads2.pittsburghlive.com' 'ads2.realcities.com' 'ads2.revenue.net' 'ads2.rp.pl' 'ads2srv.com' 'ads2.theglobeandmail.com' 'ads2.udc.advance.net' 'ads2.virtumundo.com' 'ads2.zdnet.com' 'ads2.zeusclicks.com' 'ads360.com' 'ads36.hyperbanner.net' 'ads3.ad-flow.com' 'ads3.advance.net' 'ads3.advertwizard.com' 'ads3.canoe.ca' 'ads3.freebannertrade.com' 'ads3.gamecity.net' 'ads3.haber3.com' 'ads3.ihaberadserver.com' 'ads3.jubii.dk' 'ads3.realcities.com' 'ads3.udc.advance.net' 'ads3.virtumundo.com' 'ads3.zdnet.com' 'ads4.ad-flow.com' 'ads4.advance.net' 'ads4.advertwizard.com' 'ads4.canoe.ca' 'ads4cheap.com' 'ads4.gamecity.net' 'ads4homes.com' 'ads4.realcities.com' 'ads4.udc.advance.net' 'ads4.virtumundo.com' 'ads5.ad-flow.com' 'ads5.advance.net' 'ads5.advertwizard.com' 'ads.5ci.lt' 'ads5.mconetwork.com' 'ads5.sabah.com.tr' 'ads5.udc.advance.net' 'ads5.virtumundo.com' 'ads6.ad-flow.com' 'ads6.advance.net' 'ads6.advertwizard.com' 'ads6.gamecity.net' 'ads6.udc.advance.net' 'ads7.ad-flow.com' 'ads7.advance.net' 'ads7.advertwizard.com' 'ads.7days.ae' 'ads7.gamecity.net' 'ads7.udc.advance.net' 'ads80.com' 'ads.8833.com' 'ads8.ad-flow.com' 'ads8.advertwizard.com' 'ads8.com' 'ads8.udc.advance.net' 'ads9.ad-flow.com' 'ads9.advertwizard.com' 'ads9.udc.advance.net' 'ads.abs-cbn.com' 'ads.accelerator-media.com' 'ads.aceweb.net' 'ads.activeagent.at' 'ads.active.com' 'ads.adbrite.com' 'ads.adcorps.com' 'ads.addesktop.com' 'ads.addynamix.com' 'ads.adengage.com' 'ads.ad-flow.com' 'ads.adhearus.com' 'ads.admaximize.com' 'adsadmin.aspentimes.com' 'adsadmin.corusradionetwork.com' 'adsadmin.vaildaily.com' 'ads.admonitor.net' 'ads.adn.com' 'ads.adroar.com' 'ads.adsag.com' 'ads.adshareware.net' 'ads.adsinimages.com' 'ads.adsrvmedia.com' 'ads.adsrvmedia.net' 'ads.adsrvr.org' 'ads.adtegrity.net' 'ads.adultswim.com' 'ads.adverline.com' 'ads.advolume.com' 'ads.adworldnetwork.com' 'ads.adx.nu' 'ads.adxpose.com' 'ads.adxpose.mpire.akadns.net' 'ads.ahds.ac.uk' 'ads.ah-ha.com' 'ads.aintitcool.com' 'ads.airamericaradio.com' 'ads.ak.facebook.com' 'ads.allsites.com' 'ads.allvertical.com' 'ads.amarillo.com' 'ads.amazingmedia.com' 'ads.amgdgt.com' 'ads.ami-admin.com' 'ads.anm.co.uk' 'ads.anvato.com' 'ads.aol.com' 'ads.apartmenttherapy.com' 'ads.apn.co.nz' 'ads.apn.co.za' 'ads.appleinsider.com' 'ads.araba.com' 'ads.arcadechain.com' 'ads.arkitera.net' 'ads.aroundtherings.com' 'ads.as4x.tmcs.ticketmaster.ca' 'ads.asia1.com' 'ads.aspentimes.com' 'ads.asp.net' 'ads.associatedcontent.com' 'ads.astalavista.us' 'ads.atlantamotorspeedway.com' 'ads.auctions.yahoo.com' 'ads.avazu.net' 'ads.aversion2.com' 'ads.aws.sitepoint.com' 'ads.azjmp.com' 'ads.b10f.jp' 'ads.baazee.com' 'ads.banner.t-online.de' 'ads.barnonedrinks.com' 'ads.battle.net' 'ads.bauerpublishing.com' 'ads.baventures.com' 'ads.bbcworld.com' 'ads.beeb.com' 'ads.beliefnet.com' 'ads.beta.itravel2000.com' 'ads.bfast.com' 'ads.bfm.valueclick.net' 'ads.bianca.com' 'ads.bigcitytools.com' 'ads.biggerboat.com' 'ads.bitsonthewire.com' 'ads.bizhut.com' 'adsbizsimple.com' 'ads.bizx.info' 'ads.blixem.nl' 'ads.blp.calueclick.net' 'ads.blp.valueclick.net' 'ads.bluemountain.com' 'ads.bonnint.net' 'ads.box.sk' 'ads.brabys.com' 'ads.britishexpats.com' 'ads.buscape.com.br' 'ads.calgarysun.com' 'ads.callofdutyblackopsforum.net' 'ads.camrecord.com' 'ads.canoe.ca' 'ads.cardea.se' 'ads.cardplayer.com' 'ads.carltononline.com' 'ads.carocean.co.uk' 'ads.catholic.org' 'ads.cavello.com' 'ads.cbc.ca' 'ads.cdfreaks.com' 'ads.cdnow.com' 'ads.centraliprom.com' 'ads.cgchannel.com' 'ads.chalomumbai.com' 'ads.champs-elysees.com' 'ads.checkm8.co.za' 'ads.chipcenter.com' 'adscholar.com' 'ads.chumcity.com' 'ads.cineville.nl' 'ads.cjonline.com' 'ads.clamav.net' 'ads.clara.net' 'ads.clearchannel.com' 'ads.clickability.com' 'ads.clickad.com.pl' 'ads.clickagents.com' 'ads.clickhouse.com' 'adsclick.qq.com' 'ads.clickthru.net' 'ads.clubzone.com' 'ads.cluster01.oasis.zmh.zope.net' 'ads.cmediaworld.com' 'ads.cmg.valueclick.net' 'ads.cnn.com' 'ads.cnngo.com' 'ads.cobrad.com' 'ads.collegclub.com' 'ads.collegehumor.com' 'ads.collegemix.com' 'ads.com.com' 'ads.comediagroup.hu' 'ads.comicbookresources.com' 'ads.coopson.com' 'ads.corusradionetwork.com' 'ads.courierpostonline.com' 'ads.cpsgsoftware.com' 'ads.crapville.com' 'ads.crosscut.com' 'ads.currantbun.com' 'ads.cvut.cz' 'ads.cyberfight.ru' 'ads.cybersales.cz' 'ads.cybertrader.com' 'ads.danworld.net' 'adsdaq.com' 'ads.darkhardware.com' 'ads.dbforums.com' 'ads.ddj.com' 'ads.democratandchronicle.com' 'ads.desmoinesregister.com' 'ads-de.spray.net' 'ads.detelefoongids.nl' 'ads.developershed.com' 'ads-dev.youporn.com' 'ads.digitalacre.com' 'ads.digital-digest.com' 'ads.digitalhealthcare.com' 'ads.dimcab.com' 'ads.directionsmag.com' 'ads-direct.prodigy.net' 'ads.discovery.com' 'ads.dk' 'ads.doclix.com' 'ads.domeus.com' 'ads.dontpanicmedia.com' 'ads.dothads.com' 'ads.doubleviking.com' 'ads.drf.com' 'ads.drivelinemedia.com' 'ads.dumpalink.com' 'ad.search.ch' 'ad.searchina.ne.jp' 'adsearch.pl' 'ads.ecircles.com' 'ads.economist.com' 'ads.ecosalon.com' 'ads.edirectme.com' 'ads.einmedia.com' 'ads.eircom.net' 'ads.emeraldcoast.com' 'ads.enliven.com' 'ads.enrd.co' 'ad.sensismediasmart.com' 'adsentnetwork.com' 'adserer.ihigh.com' 'ads.erotism.com' 'adserv001.adtech.de' 'adserv001.adtech.fr' 'adserv001.adtech.us' 'adserv002.adtech.de' 'adserv002.adtech.fr' 'adserv002.adtech.us' 'adserv003.adtech.de' 'adserv003.adtech.fr' 'adserv003.adtech.us' 'adserv004.adtech.de' 'adserv004.adtech.fr' 'adserv004.adtech.us' 'adserv005.adtech.de' 'adserv005.adtech.fr' 'adserv005.adtech.us' 'adserv006.adtech.de' 'adserv006.adtech.fr' 'adserv006.adtech.us' 'adserv007.adtech.de' 'adserv007.adtech.fr' 'adserv007.adtech.us' 'adserv008.adtech.de' 'adserv008.adtech.fr' 'adserv008.adtech.us' 'adserv2.bravenet.com' 'adserv.aip.org' 'adservant.guj.de' 'adserve.adtoll.com' 'adserve.city-ad.com' 'adserve.ehpub.com' 'adserve.gossipgirls.com' 'adserve.mizzenmedia.com' 'adserv.entriq.net' 'adserve.profit-smart.com' 'adserver01.ancestry.com' 'adserver.100free.com' 'adserver.163.com' 'adserver1.adserver.com.pl' 'adserver1.adtech.com.tr' 'adserver1.economist.com' 'adserver1.eudora.com' 'adserver1.harvestadsdepot.com' 'adserver1.hookyouup.com' 'adserver1.isohunt.com' 'adserver1.lokitorrent.com' 'adserver1.mediainsight.de' 'adserver1.ogilvy-interactive.de' 'adserver1.sonymusiceurope.com' 'adserver1.teracent.net' 'adserver1.wmads.com' 'adserver.2618.com' 'adserver2.adserver.com.pl' 'adserver2.atman.pl' 'adserver2.christianitytoday.com' 'adserver2.condenast.co.uk' 'adserver2.creative.com' 'adserver2.eudora.com' 'adserver-2.ig.com.br' 'adserver2.mediainsight.de' 'adserver2.news-journalonline.com' 'adserver2.popdata.de' 'adserver2.teracent.net' 'adserver.3digit.de' 'adserver3.eudora.com' 'adserver-3.ig.com.br' 'adserver4.eudora.com' 'adserver-4.ig.com.br' 'adserver-5.ig.com.br' 'adserver9.contextad.com' 'adserver.ad-it.dk' 'adserver.adremedy.com' 'adserver.ads360.com' 'adserver.adserver.com.pl' 'adserver.adsimsar.net' 'adserver.adsincontext.com' 'adserver.adtech.fr' 'adserver.adtech.us' 'adserver.advertist.com' 'adserver.affiliatemg.com' 'adserver.affiliation.com' 'adserver.aim4media.com' 'adserver.a.in.monster.com' 'adserver.airmiles.ca' 'adserver.akqa.net' 'adserver.allheadlinenews.com' 'adserver.amnews.com' 'adserver.ancestry.com' 'adserver.anemo.com' 'adserver.anm.co.uk' 'adserver.archant.co.uk' 'adserver.artempireindustries.com' 'adserver.arttoday.com' 'adserver.atari.net' 'adserverb.conjelco.com' 'adserver.betandwin.de' 'adserver.billiger-surfen.de' 'adserver.billiger-telefonieren.de' 'adserver.bizland-inc.net' 'adserver.bluereactor.com' 'adserver.bluereactor.net' 'adserver.buttonware.com' 'adserver.buttonware.net' 'adserver.cantv.net' 'adserver.cebu-online.com' 'adserver.cheatplanet.com' 'adserver.chickclick.com' 'adserver.click4cash.de' 'adserver.clubic.com' 'adserver.clundressed.com' 'adserver.co.il' 'adserver.colleges.com' 'adserver.com' 'adserver.comparatel.fr' 'adserver.com-solutions.com' 'adserver.conjelco.com' 'adserver.corusradionetwork.com' 'ad-server.co.za' 'adserver.creative-asia.com' 'adserver.creativeinspire.com' 'adserver.dayrates.com' 'adserver.dbusiness.com' 'adserver.developersnetwork.com' 'adserver.devx.com' 'adserver.digitalpartners.com' 'adserver.digitoday.com' 'adserver.directforce.com' 'adserver.directforce.net' 'adserver.dnps.com' 'adserver.dotcommedia.de' 'adserver.dotmusic.com' 'adserver.eham.net' 'adserver.emapadserver.com' 'adserver.emporis.com' 'adserver.emulation64.com' 'adserver-espnet.sportszone.net' 'adserver.eudora.com' 'adserver.eva2000.com' 'adserver.expatica.nxs.nl' 'adserver.ezzhosting.com' 'adserver.filefront.com' 'adserver.fmpub.net' 'adserver.fr.adtech.de' 'adserver.freecity.de' 'adserver.gameparty.net' 'adserver.gamesquad.net' 'adserver.garden.com' 'adserver.gecce.com' 'adserver.gorillanation.com' 'adserver.gr' 'adserver.harktheherald.com' 'adserver.harvestadsdepot.com' 'adserver.hellasnet.gr' 'adserver.hg-computer.de' 'adserver.hi-m.de' 'adserver.hispavista.com' 'adserver.hk.outblaze.com' 'adserver.home.pl' 'adserver.hostinteractive.com' 'adserver.humanux.com' 'adserver.hwupgrade.it' 'adserver.ifmagazine.com' 'adserver.ig.com.br' 'adserver.ign.com' 'adserver-images.adikteev.com' 'adserver.infinit.net' 'adserver.infotiger.com' 'adserver.interfree.it' 'adserver.inwind.it' 'adserver.ision.de' 'adserver.isonews.com' 'adserver.ixm.co.uk' 'adserver.jacotei.com.br' 'adserver.janes.com' 'adserver.janes.net' 'adserver.janes.org' 'adserver.jolt.co.uk' 'adserver.journalinteractive.com' 'adserver.kcilink.com' 'adserver.killeraces.com' 'adserver.kimia.es' 'adserver.kylemedia.com' 'adserver.lanacion.com.ar' 'adserver.lanepress.com' 'adserver.latimes.com' 'adserver.legacy-network.com' 'adserver.linktrader.co.uk' 'adserver.livejournal.com' 'adserver.lostreality.com' 'adserver.lunarpages.com' 'adserver.lycos.co.jp' 'adserver.m2kcore.com' 'adserver.merc.com' 'adserver.mindshare.de' 'adserver.mobsmith.com' 'adserver.monster.com' 'adserver.monstersandcritics.com' 'adserver.motonews.pl' 'adserver.myownemail.com' 'adserver.netcreators.nl' 'adserver.netshelter.net' 'adserver.newdigitalgroup.com' 'adserver.newmassmedia.net' 'adserver.news.com' 'adserver.news-journalonline.com' 'adserver.newtimes.com' 'adserver.ngz-network.de' 'adserver.nzoom.com' 'adserver.omroepzeeland.nl' 'adserver.onwisconsin.com' 'ad-serverparc.nl' 'adserver.phatmax.net' 'adserver.phillyburbs.com' 'adserver.pl' 'adserver.planet-multiplayer.de' 'adserver.plhb.com' 'adserver.pollstar.com' 'adserver.portalofevil.com' 'adserver.portal.pl' 'adserver.portugalmail.pt' 'adserver.prodigy.net' 'adserver.proteinos.com' 'adserver.radio-canada.ca' 'adserver.ratestar.net' 'adserver.revver.com' 'adserver.ro' 'adserver.sabc.co.za' 'adserver.sabcnews.co.za' 'adserver.sandbox.cxad.cxense.com' 'adserver.sanomawsoy.fi' 'adserver.scmp.com' 'adserver.securityfocus.com' 'adserver.singnet.com' 'adserver.sl.kharkov.ua' 'adserver.smashtv.com' 'adserver.softonic.com' 'adserver.soloserver.com' 'adserversolutions.com' 'adserver.swiatobrazu.pl' 'adserver.synergetic.de' 'adserver.telalink.net' 'adserver.te.pt' 'adserver.teracent.net' 'adserver.terra.com.br' 'adserver.terra.es' 'adserver.theknot.com' 'adserver.theonering.net' 'adserver.thirty4.com' 'adserver.thisislondon.co.uk' 'adserver.tilted.net' 'adserver.tqs.ca' 'adserver.track-star.com' 'adserver.trader.ca' 'adserver.trafficsyndicate.com' 'adserver.trb.com' 'adserver.tribuneinteractive.com' 'adserver.tsgadv.com' 'adserver.tulsaworld.com' 'adserver.tweakers.net' 'adserver.ugo.com' 'adserver.ugo.nl' 'adserver.ukplus.co.uk' 'adserver.uproxx.com' 'adserver.usermagnet.com' 'adserver.van.net' 'adserver.virtualminds.nl' 'adserver.virtuous.co.uk' 'adserver.voir.ca' 'adserver.wemnet.nl' 'adserver.wietforum.nl' 'adserver.x3.hu' 'adserver.ya.com' 'adserver.zaz.com.br' 'adserver.zeads.com' 'adserve.splicetoday.com' 'adserve.viaarena.com' 'adserv.free6.com' 'adserv.geocomm.com' 'adserv.iafrica.com' 'adservices.google.com' 'adservicestats.com' 'ad-servicestats.net' 'adservingcentral.com' 'adserving.cpxinteractive.com' 'adserv.internetfuel.com' 'adserv.jupiter.com' 'adserv.lwmn.net' 'adserv.maineguide.com' 'adserv.muchosucko.com' 'adserv.pitchforkmedia.com' 'adserv.qconline.com' 'adserv.usps.com' 'adserwer.o2.pl' 'ads.espn.adsonar.com' 'ads.eudora.com' 'ads.euniverseads.com' 'ads.examiner.net' 'ads.exhedra.com' 'ads.fark.com' 'ads.fayettevillenc.com' 'ads.filecloud.com' 'ads.fileindexer.com' 'adsfile.qq.com' 'ads.filmup.com' 'ads.first-response.be' 'ads.flabber.nl' 'ads.flashgames247.com' 'ads.fling.com' 'ads.floridatoday.com' 'ads.fool.com' 'ads.forbes.net' 'ads.fortunecity.com' 'ads.fox.com' 'ads.fredericksburg.com' 'ads.freebannertrade.com' 'ads.freeskreen.com' 'ads.freshmeat.net' 'ads.fresnobee.com' 'ads.gamblinghit.com' 'ads.gamecity.net' 'ads.gamecopyworld.no' 'ads.gameinformer.com' 'ads.gamelink.com' 'ads.game.net' 'ads.gamershell.com' 'ads.gamespy.com' 'ads.gateway.com' 'ads.gawker.com' 'ads.gettools.com' 'ads.gigaom.com.php5-12.websitetestlink.com' 'ads.gmg.valueclick.net' 'ads.gmodules.com' 'ads.god.co.uk' 'ads.golfweek.com' 'ads.gorillanation.com' 'ads.gplusmedia.com' 'ads.granadamedia.com' 'ads.greenbaypressgazette.com' 'ads.greenvilleonline.com' 'adsgroup.qq.com' 'ads.guardianunlimited.co.uk' 'ads.gunaxin.com' 'ads.haber3.com' 'ads.haber7.net' 'ads.haberler.com' 'ads.halogennetwork.com' 'ads.hamptonroads.com' 'ads.hamtonroads.com' 'ads.hardwarezone.com' 'ads.hbv.de' 'ads.heartlight.org' 'ads.herald-mail.com' 'ads.heraldonline.com' 'ads.heraldsun.com' 'ads.heroldonline.com' 'ads.he.valueclick.net' 'ads.hitcents.com' 'ads-hl.noktamedya.com.tr' 'ads.hlwd.valueclick.net' 'adshmct.qq.com' 'adshmmsg.qq.com' 'ads.hollandsentinel.com' 'ads.hollywood.com' 'ads.hooqy.com' 'ads.hosting.vcmedia.vn' 'ads.hothardware.com' 'ad.showbizz.net' 'ads.hulu.com.edgesuite.net' 'ads.humorbua.no' 'ads.i12.de' 'ads.i33.com' 'ads.iboost.com' 'ads.icq.com' 'ads.id-t.com' 'ads.iforex.com' 'ads.ihaberadserver.com' 'ads.illuminatednation.com' 'ads.imdb.com' 'ads.imposibil.ro' 'adsim.sabah.com.tr' 'ads.indeed.com' 'ads.indya.com' 'ads.indystar.com' 'ads.inedomedia.com' 'ads.inetdirectories.com' 'ads.inetinteractive.com' 'ads.infi.net' 'ads.infospace.com' 'adsinimages.com' 'ads.injersey.com' 'ads.insidehighered.com' 'ads.intellicast.com' 'ads.internic.co.il' 'ads.inthesidebar.com' 'adsintl.starwave.com' 'ads.iol.co.il' 'ads.ireport.com' 'ads.isat-tech.com' 'ads.isum.de' 'ads.itv.com' 'ads.jeneauempire.com' 'ads.jetphotos.net' 'ads.jimworld.com' 'ads.jlisting.jp' 'ads.joetec.net' 'ads.jokaroo.com' 'ads.jornadavirtual.com.mx' 'ads.jossip.com' 'ads.jubii.dk' 'ads.jwtt3.com' 'ads.kazaa.com' 'ads.keywordblocks.com' 'ads.kixer.com' 'ads.kleinman.com' 'ads.kmpads.com' 'ads.kokteyl.com' 'ads.koreanfriendfinder.com' 'ads.ksl.com' 'ads.kure.tv' 'ads.leo.org' 'ads.lilengine.com' 'ads.link4ads.com' 'ads.linksponsor.com' 'ads.linktracking.net' 'ads.linuxsecurity.com' 'ads.list-universe.com' 'ads.live365.com' 'ads.ljworld.com' 'ads.lmmob.com' 'ads.lnkworld.com' 'ads.localnow.com' 'ads-local.sixapart.com' 'ads.lubbockonline.com' 'ads.lucidmedia.com.gslb.com' 'adslvfile.qq.com' 'adslvseed.qq.com' 'ads.lycos.com' 'ads.lycos-europe.com' 'ads.macnews.de' 'ads.macupdate.com' 'ads.madisonavenue.com' 'ads.madison.com' 'ads.magnetic.is' 'ads.mail.com' 'ads.maksimum.net' 'ads.mambocommunities.com' 'ads.mariuana.it' 'ad.smartclip.net' 'adsmart.com' 'adsmart.co.uk' 'adsmart.net' 'ads.mdchoice.com' 'ads.mediamayhemcorp.com' 'ads.mediaturf.net' 'ads.mefeedia.com' 'ads.megaproxy.com' 'ads.meropar.jp' 'ads.metblogs.com' 'ads.metropolis.co.jp' 'ads.mindsetnetwork.com' 'ads.miniclip.com' 'ads.mininova.org' 'ads.mircx.com' 'ads.mixi.jp' 'ads.mixtraffic.com' 'ads.mndaily.com' 'ad.smni.com' 'ads.mobiledia.com' 'ads.mobygames.com' 'ads.modbee.com' 'ads.monster.com' 'ads.morningstar.com' 'ads.mouseplanet.com' 'ads.mp3searchy.com' 'adsm.soush.com' 'ads.mt.valueclick.net' 'ads.multimania.lycos.fr' 'ads.musiccity.com' 'ads.mustangworks.com' 'ads.mycricket.com' 'ads.mysimon.com' 'ads.mytelus.com' 'ads.nandomedia.com' 'ads.nationalreview.com' 'ads.nativeinstruments.de' 'ads.neoseeker.com' 'ads.neowin.net' 'ads.nerve.com' 'ads.netbul.com' 'ads.nethaber.com' 'ads.netmechanic.com' 'ads.networkwcs.net' 'ads.networldmedia.net' 'ads.newcity.com' 'ads.newcitynet.com' 'adsnew.internethaber.com' 'ads.newsbtc.com' 'ads.newsminerextra.com' 'ads.newsobserver.com' 'ads.newsquest.co.uk' 'ads.newtimes.com' 'adsnew.userfriendly.org' 'ads.ngenuity.com' 'ads.nicovideo.jp' 'adsniper.ru' 'ads.novem.pl' 'ads.nowrunning.com' 'ads.npr.valueclick.net' 'ads.ntadvice.com' 'ads.nudecards.com' 'ads.nwsource.com.edgesuite.net' 'ads.nyjournalnews.com' 'ads.nyootv.com' 'ads.nypost.com' 'adsoftware.com' 'adsoldier.com' 'ads.ole.com' 'ads.omaha.com' 'adsomenoise.cdn01.rambla.be' 'adsonar.com' 'ads.onvertise.com' 'ads.open.pl' 'ads.orsm.net' 'ads.osdn.com' 'ad-souk.com' 'adspace.zaman.com.tr' 'ads.pandora.tv.net' 'ads.panoramtech.net' 'ads.paper.li' 'ads.parrysound.com' 'ads.partner2profit.com' 'ads.pastemagazine.com' 'ads.paxnet.co.kr' 'adsp.ciner.com.tr' 'ads.pcper.com' 'ads.pdxguide.com' 'ads.peel.com' 'ads.peninsulaclarion.com' 'ads.penny-arcade.com' 'ads.pennyweb.com' 'ads.people.com.cn' 'ads.persgroep.net' 'ads.peteava.ro' 'ads.pg.valueclick.net' 'adsp.haberturk.com' 'ads.phillyburbs.com' 'ads.phpclasses.org' 'ad.spielothek.so' 'ads.pilotonline.com' 'adspirit.net' 'adspiro.pl' 'ads.pitchforkmedia.com' 'ads.pittsburghlive.com' 'ads.pixiq.com' 'ads.place1.com' 'ads.planet-f1.com' 'ads.plantyours.com' 'ads.pni.com' 'ads.pno.net' 'ads.poconorecord.com' 'ads.pof.com' 'ad-sponsor.com' 'ad.sponsoreo.com' 'ads.portlandmercury.com' 'ads.premiumnetwork.com' 'ads.premiumnetwork.net' 'ads.pressdemo.com' 'adspr.haber7.net' 'ads.pricescan.com' 'ads.primaryclick.com' 'ads.primeinteractive.net' 'ads.profootballtalk.com' 'ads.pro-market.net.edgesuite.net' 'ads.pruc.org' 'adsqqclick.qq.com' 'ads.quicken.com' 'adsr3pg.com.br' 'ads.rackshack.net' 'ads.rasmussenreports.com' 'ads.ratemyprofessors.com' 'adsrc.bankrate.com' 'ads.rdstore.com' 'ads.realcastmedia.com' 'ads.realcities.com' 'ads.realmedia.de' 'ads.realtechnetwork.net' 'ads.reason.com' 'ads.redorbit.com' 'ads.reklamatik.com' 'ads.reklamlar.net' 'adsremote.scripps.com' 'adsremote.scrippsnetwork.com' 'ads.revenews.com' 'ads.revenue.net' 'adsrevenue.net' 'ads.rim.co.uk' 'ads-rm.looksmart.com' 'ads.roanoke.com' 'ads.rockstargames.com' 'ads.rodale.com' 'ads.roiserver.com' 'ads-rolandgarros.com' 'ads.rondomondo.com' 'ads.rootzoo.com' 'ads.rottentomatoes.com' 'ads-rouge.haber7.com' 'ads-roularta.adhese.com' 'ads.rp-online.de' 'adsrv2.wilmingtonstar.com' 'adsrv.bankrate.com' 'adsrv.emporis.com' 'adsrv.heraldtribune.com' 'adsrv.hpg.com.br' 'adsrv.lua.pl' 'ad-srv.net' 'adsrv.news.com.au' 'adsrvr.com' 'adsrvr.org' 'adsrv.tuscaloosanews.com' 'adsrv.wilmingtonstar.com' 'ads.sacbee.com' 'ads.satyamonline.com' 'ads.scabee.com' 'ads.schwabtrader.com' 'ads.scifi.com' 'ads.scott-sports.com' 'ads.scottusa.com' 'ads.seriouswheels.com' 'ads.sfusion.com' 'ads.shiftdelete.net' 'ads.shizmoo.com' 'ads.shoppingads.com' 'ads.shoutfile.com' 'ads.shovtvnet.com' 'ads.showtvnet.com' 'ads.sify.com' 'ads.simpli.fi' 'ads.simtel.com' 'ads.simtel.net' 'ads.sixapart.com' 'adssl01.adtech.de' 'adssl01.adtech.fr' 'adssl01.adtech.us' 'adssl02.adtech.de' 'adssl02.adtech.fr' 'adssl02.adtech.us' 'ads.sl.interpals.net' 'ads.smartclick.com' 'ads.smartclicks.com' 'ads.smartclicks.net' 'ads.snowball.com' 'ads.socialmedia.com' 'ads.socialtheater.com' 'ads.sohh.com' 'ads.somethingawful.com' 'ads.songs.pk' 'adsspace.net' 'ads.specificclick.com' 'ads.specificmedia.com' 'ads.specificpop.com' 'ads.spilgames.com' 'ads.spintrade.com' 'ads.sptimes.com' 'ads.spymac.net' 'ads.starbanner.com' 'ads-stats.com' 'ads.stileproject.com' 'ads.stoiximan.gr' 'ads.stupid.com' 'ads.sumotorrent.com' 'ads.sunjournal.com' 'ads.superonline.com' 'ads.switchboard.com' 'ads.tbs.com' 'ads.teamyehey.com' 'ads.technoratimedia.com' 'ads.techtv.com' 'ads.techvibes.com' 'ads.telegraaf.nl' 'adstextview.qq.com' 'ads.the15thinternet.com' 'ads.theawl.com' 'ads.thebugs.ws' 'ads.thecoolhunter.net' 'ads.thefrisky.com' 'ads.theglobeandmail.com' 'ads.theindependent.com' 'ads.theolympian.com' 'ads.thesmokinggun.com' 'ads.thestranger.com' 'ads.thewebfreaks.com' 'ads.tiscali.fr' 'ads.tmcs.net' 'ads.tnt.tv' 'adstogo.com' 'adstome.com' 'ads.top500.org' 'ads.top-banners.com' 'ads.toronto.com' 'ads.tracfonewireless.com' 'ads.trackitdown.net' 'ads.track.net' 'ads.traffikings.com' 'adstream.cardboardfish.com' 'adstreams.org' 'ads.treehugger.com' 'ads.tricityherald.com' 'ads.trinitymirror.co.uk' 'ads.tripod.lycos.co.uk' 'ads.tripod.lycos.de' 'ads.tripod.lycos.es' 'ads.tromaville.com' 'ads-t.ru' 'ads.trutv.com' 'ads.tucows.com' 'ads.turkticaret.net' 'ads.ucomics.com' 'ads.uigc.net' 'ads.ukclimbing.com' 'ads.unixathome.org' 'ads.update.com' 'ad.suprnova.org' 'ads.uproar.com' 'ads.urbandictionary.com' 'ads.us.e-planning.ne' 'ads.userfriendly.org' 'ads.v3.com' 'ads.v3exchange.com' 'ads.vaildaily.com' 'ads.veloxia.com' 'ads.veoh.com' 'ads.verkata.com' 'ads.vesperexchange.com' 'ads.vg.basefarm.net' 'ads.viddler.com' 'ads.videoadvertising.com' 'ads.viewlondon.co.uk' 'ads.virginislandsdailynews.com' 'ads.virtualcountries.com' 'ads.vnuemedia.com' 'ads.vs.co' 'ads.vs.com' 'ads.waframedia1.com' 'ads.wanadooregie.com' 'ads.waps.cn' 'ads.wapx.cn' 'ads.warcry.com' 'ads.watershed-publishing.com' 'ads.weather.com' 'ads.web21.com' 'ads.web.alwayson-network.com' 'ads.webattack.com' 'ads.web.compuserve.com' 'ads.webcoretech.com' 'ads.web.cs.com' 'ads.web.de' 'ads.webfeat.com' 'ads.webheat.com' 'ads.webindia123.com' 'ads.webisleri.com' 'ads-web.mail.com' 'ads.webmd.com' 'ads.webnet.advance.net' 'ads.websponsors.com' 'adsweb.tiscali.cz' 'ads.weissinc.com' 'ads.whi.co.nz' 'ads.winsite.com' 'ads.x10.com' 'ads.x10.net' 'ads.x17online.com' 'ads.xboxic.com' 'ads.xbox-scene.com' 'ads.xposed.com' 'ads.xtra.ca' 'ads.xtramsn.co.nz' 'ads.yahoo.com' 'ads.yieldmedia.net' 'ads.yimg.com.edgesuite.net' 'adsyndication.yelldirect.com' 'adsynergy.com' 'ads.youporn.com' 'ads.youtube.com' 'ads.zamunda.se' 'ads.zap2it.com' 'ads.zynga.com' 'adtag.msn.ca' 'adtaily.com' 'adtaily.pl' 'adtcp.ru' 'adtech.com' 'ad.technoramedia.com' 'adtech.panthercustomer.com' 'adtech.sabitreklam.com' 'adtechus.com' 'adtext.pl' 'ad.tgdaily.com' 'ad.thetyee.ca' 'ad.thisav.com' 'adthru.com' 'adtigerpl.adspirit.net' 'ad.tiscali.com' 'adtlgc.com' 'adtology3.com' 'ad.tomshardware.com' 'adtotal.pl' 'adtracking.vinden.nl' 'adtrader.com' 'ad.trafficmp.com' 'ad.traffmonster.info' 'adtrak.net' 'ad.twitchguru.com' 'ad.ubnm.co.kr' 'ad-u.com' 'ad.uk.tangozebra.com' 'ad-uk.tiscali.com' 'adultadworld.com' 'ad.userporn.com' 'adv0005.247realmedia.com' 'adv0035.247realmedia.com' 'adv.440net.com' 'adv.adgates.com' 'adv.adview.pl' 'ad.valuecalling.com' 'advancing-technology.com' 'adv.bannercity.ru' 'adv.bbanner.it' 'adv.bookclubservices.ca' 'adveng.hiasys.com' 'adveraction.pl' 'adver.pengyou.com' 'advert.bayarea.com' 'adverterenbijnh.nl' 'adverterenbijsbs.nl' 'adverteren.vakmedianet.nl' 'advertere.zamunda.net' 'advert.gittigidiyor.com' 'advertise.com' 'advertisers.federatedmedia.net' 'advertising.aol.com' 'advertisingbay.com' 'advertising.bbcworldwide.com' 'advertising.gfxartist.com' 'advertising.hiasys.com' 'advertising.online-media24.de' 'advertising.paltalk.com' 'advertising.wellpack.fr' 'advertising.zenit.org' 'advert.istanbul.net' 'advertlets.com' 'advertpro.investorvillage.com' 'adverts.digitalspy.co.uk' 'adverts.ecn.co.uk' 'adverts.freeloader.com' 'adverts.im4ges.com' 'advertstream.com' 'advert.uzmantv.com' 'adv.federalpost.ru' 'advice-ads-cdn.vice.com' 'ad-vice.biz' 'advicepl.adocean.pl' 'ad.vidaroo.com' 'adview.pl' 'ad.vippers.jp' 'adviva.net' 'adv.lampsplus.com' 'advmaker.ru' 'adv.merlin.co.il' 'adv.netshelter.net' 'ad-void.com' 'adv-op2.joygames.me' 'advplace.com' 'advplace.nuggad.net' 'adv.publy.net' 'advstat.xunlei.com' 'adv.strategy.it' 'adv.surinter.net' 'advt.webindia123.com' 'ad.vurts.com' 'adv.virgilio.it' 'adv.zapal.ru' 'advzilla.com' 'adware.kogaryu.com' 'ad.watch.impress.co.jp' 'ad.webisleri.com' 'ad.webprovider.com' 'ad.wiredvision.jp' 'adw.sapo.pt' 'adx.adrenalinesk.sk' 'adx.gainesvillesun.com' 'adx.gainesvillsun.com' 'adx.groupstate.com' 'adx.heraldtribune.com' 'adxpose.com' 'ad.xtendmedia.com' 'ad.yemeksepeti.com' 'ad.yieldmanager.com' 'adz.afterdawn.net' 'ad.zaman.com' 'ad.zaman.com.tr' 'adzerk.net' 'ad.zodera.hu' 'adzone.ro' 'adzservice.theday.com' 'ae-gb.mgid.com' 'ae.goodsblock.marketgid.com' 'aff1.gittigidiyor.com' 'aff2.gittigidiyor.com' 'aff3.gittigidiyor.com' 'aff4.gittigidiyor.com' 'aff.foxtab.com' 'aff.gittigidiyor.com' 'affiliate.a4dtracker.com' 'affiliate.baazee.com' 'affiliate.cfdebt.com' 'affiliate.exabytes.com.my' 'affiliate-fr.com' 'affiliate.fr.espotting.com' 'affiliate.googleusercontent.com' 'affiliate.hbytracker.com' 'affiliate.kitapyurdu.com' 'affiliate.mlntracker.com' 'affiliates.arvixe.com' 'affiliates.eblastengine.com' 'affiliates.genealogybank.com' 'affiliates.globat.com' 'affiliation-france.com' 'affimg.pop6.com' 'afform.co.uk' 'affpartners.com' 'aff.promodeals.nl' 'afftracking.justanswer.com' 'afi.adocean.pl' 'afilo.pl' 'afkarehroshan.com' 'afp.qiyi.com' 'afunnygames.com' 'agkn.com' 'aimg.haber3.com' 'ajcclassifieds.com' 'akaads-espn.starwave.com' 'akamai.invitemedia.com' 'a.karmatrail.club' 'ak.buyservices.com' 'a.kerg.net' 'ak.maxserving.com' 'ako.cc' 'ak.p.openx.net' 'aksdk-images.adikteev.com' 'aktif.haberx.com' 'al1.sharethis.com' 'alert.police-patrol-agent.com' 'a.ligatus.de' 'alliance.adbureau.net' 'altfarm.mediaplex.com' 'amazinggreentechshop.com' 'americansingles.click-url.com' 'a.mktw.net' 'amplifypixel.outbrain.com' 'amscdn.btrll.com' 'analysis.fc2.com' 'analytics.ku6.com' 'analytics.kwebsoft.com' 'analytics.onesearch.id' 'analytics.percentmobile.com' 'analytics.services.kirra.nl' 'analytics.spotta.nl' 'analytics.verizonenterprise.com' 'analyzer51.fc2.com' 'andpolice.com' 'ankieta-online.pl' 'annuaire-autosurf.com' 'anonymousstats.keefox.org' 'anrtx.tacoda.net' 'aos.gw.youmi.net' 'api.adcalls.nl' 'api.addthis.com' 'api.admob.com' 'api.affinesystems.com' 'api.linkgist.com' 'api.linkz.net' 'api.optnmnstr.com' 'api-public.addthis.com' 'api.sagent.io' 'api.shoppingminds.net' 'apopt.hbmediapro.com' 'apparelncs.com' 'apparel-offer.com' 'app.datafastguru.info' 'appdev.addthis.com' 'appnexus.com' 'apps5.oingo.com' 'appsrv1.madserving.cn' 'a.prisacom.com' 'apx.moatads.com' 'arabtechmessenger.net' 'a.rad.live.com' 'arbomedia.pl' 'arbopl.bbelements.com' 'arm2pie.com' 'art-music-rewardpath.com' 'art-offer.com' 'art-offer.net' 'art-photo-music-premiumblvd.com' 'art-photo-music-rewardempire.com' 'art-photo-music-savingblvd.com' 'as1.falkag.de' 'as1image1.adshuffle.com' 'as1image2.adshuffle.com' 'as1.inoventiv.com' 'as2.falkag.de' 'as3.falkag.de' 'as4.falkag.de' 'as.5to1.com' 'asa.tynt.com' 'asb.tynt.com' 'asg01.casalemedia.com' 'asg02.casalemedia.com' 'asg03.casalemedia.com' 'asg04.casalemedia.com' 'asg05.casalemedia.com' 'asg06.casalemedia.com' 'asg07.casalemedia.com' 'asg08.casalemedia.com' 'asg09.casalemedia.com' 'asg10.casalemedia.com' 'asg11.casalemedia.com' 'asg12.casalemedia.com' 'asg13.casalemedia.com' 'ashow.pcpop.com' 'ask-gps.ru' 'asklots.com' 'askmen.thruport.com' 'asm2.z1.adserver.com' 'asm3.z1.adserver.com' 'asn.advolution.de' 'asn.cunda.advolution.biz' 'a.ss34.on9mail.com' 'assets.igapi.com' 'assets.percentmobile.com' 'as.vs4entertainment.com' 'a.tadd.react2media.com' 'at-adserver.alltop.com' 'at.campaigns.f2.com.au' 'at.ceofreehost.com' 'atdmt.com' 'athena-ads.wikia.com' 'at-img1.tdimg.com' 'at-img2.tdimg.com' 'at-img3.tdimg.com' 'at.m1.nedstatbasic.net' 'atm.youku.com' 'a.total-media.net' 'a.twiago.com' 'au.ads.link4ads.com' 'aud.pubmatic.com' 'aureate.com' 'auslieferung.commindo-media-ressourcen.de' 'auspolice.com' 'aussiemethod.com' 'aussieroadtosuccess.com' 'automotive-offer.com' 'automotive-rewardpath.com' 'avcounter10.com' 'avidnewssource.com' 'avpa.dzone.com' 'avpa.javalobby.org' 'awesomevipoffers.com' 'awrz.net' 'axbetb2.com' 'aynachatsrv.com' 'azcentra.app.ur.gcion.com' 'azoogleads.com' 'b1.adbrite.com' 'b1.azjmp.com' 'b2b.filecloud.me' 'babycenter.tt.omtrdc.net' 'b.admob.com' 'b.ads2.msn.com' 'badservant.guj.de' 'badults.se' 'baidutv.baidu.com' 'b.am15.net' 'bananacashback.com' 'banery.acr.pl' 'banery.netart.pl' 'banery.onet.pl' 'banki.onet.pl' 'bankofamerica.tt.omtrdc.net' 'banlv.baidu.com' 'banman.nepsecure.co.uk' 'banner.1and1.co.uk' 'banner2.inet-traffic.com' 'banner2.isobarturkiye.net' 'bannerads.anytimenews.com' 'bannerads.de' 'bannerads.zwire.com' 'banner.affactive.com' 'banner.betroyalaffiliates.com' 'banner.betwwts.com' 'bannerconnect.net' 'banner.diamondclubcasino.com' 'bannerdriven.ru' 'banner.easyspace.com' 'banner.free6.com' 'bannerhost.egamingonline.com' 'banner.joylandcasino.com' 'banner.media-system.de' 'banner.monacogoldcasino.com' 'banner.newyorkcasino.com' 'banner.northsky.com' 'banner.orb.net' 'banner.piratos.de' 'banner.playgatecasino.com' 'bannerpower.com' 'banner.prestigecasino.com' 'banner.publisher.to' 'banner.rbc.ru' 'banners1.linkbuddies.com' 'banners2.castles.org' 'banners3.spacash.com' 'banners.blogads.com' 'banners.bol.se' 'banners.broadwayworld.com' 'banners.celebritybling.com' 'banners.crisscross.com' 'banners.dnastudio.com' 'banners.easysolutions.be' 'banners.ebay.com' 'banners.expressindia.com' 'banners.flair.be' 'banners.free6.com' 'banners.fuifbeest.be' 'banners.globovision.com' 'banners.img.uol.com.br' 'banners.ims.nl' 'banners.iop.org' 'banners.ipotd.com' 'banners.japantoday.com' 'banners.kfmb.com' 'banners.ksl.com' 'banners.looksmart.com' 'banners.nbcupromotes.com' 'banners.netcraft.com' 'banners.newsru.com' 'banners.nextcard.com' 'banners.pennyweb.com' 'banners.primaryclick.com' 'banners.rspworldwide.com' 'banners.spiceworks.com' 'banners.thegridwebmaster.com' 'banners.thestranger.com' 'banners.thgimages.co.uk' 'banners.tribute.ca' 'banners.tucson.com' 'banners.unibet.com' 'bannersurvey.biz' 'banners.wunderground.com' 'banner.tattomedia.com' 'bannert.ru' 'bannerus1.axelsfun.com' 'bannerus3.axelsfun.com' 'banner.usacasino.com' 'banniere.reussissonsensemble.fr' 'banstex.com' 'bansys.onzin.com' 'bar.baidu.com' 'bargainbeautybuys.com' 'barnesandnoble.bfast.com' 'b.as-us.falkag.net' 'bayoubuzz.advertserve.com' 'bazandegan.com' 'bbcdn.delivery.reklamz.com' 'bbcdn.go.adlt.bbelements.com' 'bbcdn.go.adnet.bbelements.com' 'bbcdn.go.arbo.bbelements.com' 'bbcdn.go.eu.bbelements.com' 'bbcdn.go.ihned.bbelements.com' 'bbelements.com' 'bbnaut.bbelements.com' 'bc685d37-266c-488e-824e-dd95d1c0e98b.statcamp.net' 'bdnad1.bangornews.com' 'beacons.helium.com' 'beacon-us-west.rubiconproject.com' 'be.ads.justpremium.com' 'bell.adcentriconline.com' 'benimreklam.com' 'beseenad.looksmart.com' 'bestgift4you.cn' 'bestorican.com' 'bestshopperrewards.com' 'beta.hotkeys.com' 'bet-at-home.com' 'betterperformance.goldenopps.info' 'bfast.com' 'bhclicks.com' 'bidsystem.com' 'bidtraffic.com' 'bidvertiser.com' 'bigads.guj.de' 'bigbrandpromotions.com' 'bigbrandrewards.com' 'biggestgiftrewards.com' 'bill.agent.56.com' 'bill.agent.v-56.com' 'billing.speedboink.com' 'bitburg.adtech.de' 'bitburg.adtech.fr' 'bitburg.adtech.us' 'bitcast-d.bitgravity.com' 'biz5.sandai.net' 'biz-offer.com' 'bizographics.com' 'bizopprewards.com' 'blabla4u.adserver.co.il' 'blasphemysfhs.info' 'blatant8jh.info' 'b.liquidustv.com' 'blog.addthis.com' 'blogads.com' 'blogads.ebanner.nl' 'blogvertising.pl' 'bluediamondoffers.com' 'bl.wavecdn.de' 'bm.alimama.cn' 'bmvip.alimama.cn' 'b.myspace.com' 'bn.bfast.com' 'bnmgr.adinjector.net' 'bnrs.ilm.ee' 'boksy.dir.onet.pl' 'boksy.onet.pl' 'bookclub-offer.com' 'books-media-edu-premiumblvd.com' 'books-media-edu-rewardempire.com' 'books-media-rewardpath.com' 'bostonsubwayoffer.com' 'b.rad.live.com' 'brandrewardcentral.com' 'brandsurveypanel.com' 'brapolice.com' 'bravo.israelinfo.ru' 'bravospots.com' 'brittlefilet.com' 'broadcast.piximedia.fr' 'broadent.vo.llnwd.net' 'brokertraffic.com' 'bsads.looksmart.com' 'bs.israelinfo.ru' 'bt.linkpulse.com' 'bumerangshowsites.hurriyet.com.tr' 'burns.adtech.de' 'burns.adtech.fr' 'burns.adtech.us' 'businessdealsblog.com' 'businessdirectnessource.com' 'businessedgeadvance.com' 'business-made-fun.com' 'business-rewardpath.com' 'bus-offer.com' 'buttcandy.com' 'buttons.googlesyndication.com' 'buzzbox.buzzfeed.com' 'bwp.lastfm.com.com' 'bwp.news.com' 'c1.teaser-goods.ru' 'c2.l.qq.com' 'c4.maxserving.com' 'cache.addthiscdn.com' 'cache.addthis.com' 'cache.adm.cnzz.net' 'cache-dev.addthis.com' 'cacheserve.eurogrand.com' 'cacheserve.prestigecasino.com' 'cache.unicast.com' 'c.actiondesk.com' 'c.adroll.com' 'califia.imaginemedia.com' 'c.am10.ru' 'camgeil.com' 'campaign.iitech.dk' 'campaign.indieclick.com' 'campaigns.interclick.com' 'canadaalltax.com' 'canuckmethod.com' 'capath.com' 'cardgamespidersolitaire.com' 'cards.virtuagirlhd.com' 'careers.canwestad.net' 'careers-rewardpath.com' 'c.ar.msn.com' 'carrier.bz' 'car-truck-boat-bonuspath.com' 'car-truck-boat-premiumblvd.com' 'cashback.co.uk' 'cashbackwow.co.uk' 'cashflowmarketing.com' 'casino770.com' 'caslemedia.com' 'casting.openv.com' 'c.as-us.falkag.net' 'catalinkcashback.com' 'catchvid.info' 'c.at.msn.com' 'c.baidu.com' 'cb.alimama.cn' 'cb.baidu.com' 'c.be.msn.com' 'c.blogads.com' 'c.br.msn.com' 'c.ca.msn.com' 'ccas.clearchannel.com' 'cc-dt.com' 'c.cl.msn.com' 'cctv.adsunion.com' 'c.de.msn.com' 'c.dk.msn.com' 'cdn1.adexprt.com' 'cdn1.ads.contentabc.com' 'cdn1.ads.mofos.com' 'cdn1.rmgserving.com' 'cdn1.xlightmedia.com' 'cdn2.amateurmatch.com' 'cdn2.emediate.eu' 'cdn3.adexprts.com' 'cdn3.telemetryverification.net' 'cdn454.telemetryverification.net' 'cdn.8digits.com' 'cdn.adigniter.org' 'cdn.adikteev.com' 'cdn.adservingsolutionsinc.com' 'cdn.amateurmatch.com' 'cdn.assets.craveonline.com' 'cdn.augur.io' 'cdn.crowdignite.com' 'cdn.eyewonder.com' 'cdn.freefaits.com' 'cdn.go.arbo.bbelements.com' 'cdn.go.arbopl.bbelements.com' 'cdn.go.cz.bbelements.com' 'cdn.go.idmnet.bbelements.com' 'cdn.go.pol.bbelements.com' 'cdn.hadj7.adjuggler.net' 'cdn.innovid.com' 'cdn.mediative.ca' 'cdn.merchenta.com' 'cdn.mobicow.com' 'cdn.onescreen.net' 'cdn.sagent.io' 'cdn.shoppingminds.net' 'cdns.mydirtyhobby.com' 'cdns.privatamateure.com' 'cdn.stat.easydate.biz' 'cdn.stickyadstv.com' 'cdn.syn.verticalacuity.com' 'cdn.tabnak.ir' 'cdnt.yottos.com' 'cdn.usabilitytracker.com' 'cdn.wg.uproxx.com' 'cdnw.ringtonepartner.com' 'cdn.yieldmedia.net' 'cdn.yottos.com' 'cds.adecn.com' 'c.eblastengine.com' 'ced.sascdn.com' 'cell-phone-giveaways.com' 'cellphoneincentives.com' 'cent.adbureau.net' 'c.es.msn.com' 'cfg.adsmogo.com' 'cfg.datafastguru.info' 'c.fi.msn.com' 'cf.kampyle.com' 'c.fr.msn.com' 'cgirm.greatfallstribune.com' 'cgm.adbureau.ne' 'cgm.adbureau.net' 'c.gr.msn.com' 'chainsawoffer.com' 'charging-technology.com' 'charmedno1.com' 'chartbeat.com' 'checkintocash.data.7bpeople.com' 'cherryhi.app.ur.gcion.com' 'chip.popmarker.com' 'c.hk.msn.com' 'chkpt.zdnet.com' 'choicedealz.com' 'choicesurveypanel.com' 'christianbusinessadvertising.com' 'c.id.msn.com' 'c.ie.msn.com' 'cigape.net' 'c.il.msn.com' 'c.imedia.cz' 'c.in.msn.com' 'cithingy.info' 'c.it.msn.com' 'citrix.market2lead.com' 'cityads.telus.net' 'citycash2.blogspot.com' 'cjhq.baidu.com' 'c.jp.msn.com' 'cl21.v4.adaction.se' 'cl320.v4.adaction.se' 'claimfreerewards.com' 'clashmediausa.com' 'classicjack.com' 'c.latam.msn.com' 'click1.mainadv.com' 'click1.rbc.magna.ru' 'click2.rbc.magna.ru' 'click3.rbc.magna.ru' 'click4.rbc.magna.ru' 'clickad.eo.pl' 'click.am1.adm.cnzz.net' 'clickarrows.com' 'click.avenuea.com' 'clickbangpop.com' 'click-find-save.com' 'click.go2net.com' 'click.israelinfo.ru' 'clickit.go2net.com' 'clickmedia.ro' 'click.pulse360.com' 'clicks2.virtuagirl.com' 'clicks.adultplex.com' 'clicks.deskbabes.com' 'click-see-save.com' 'clicks.hurriyet.com.tr' 'clicksotrk.com' 'clicks.roularta.adhese.com' 'clicks.totemcash.com' 'clicks.toteme.com' 'clicks.virtuagirl.com' 'clicks.virtuagirlhd.com' 'clicks.virtuaguyhd.com' 'clicks.walla.co.il' 'clickthrunet.net' 'clickthruserver.com' 'clickthrutraffic.com' 'clicktorrent.info' 'clien.info' 'clipserv.adclip.com' 'clk.addmt.com' 'clk.atdmt.com' 'clk.cloudyisland.com' 'c.lomadee.com' 'closeoutproductsreview.com' 'cloudcrown.com' 'c.l.qq.com' 'cm1359.com' 'cmads.us.publicus.com' 'cmap.am.ace.advertising.com' 'cmap.an.ace.advertising.com' 'cmap.at.ace.advertising.com' 'cmap.dc.ace.advertising.com' 'cmap.ox.ace.advertising.com' 'cmap.pub.ace.advertising.com' 'cmap.rm.ace.advertising.com' 'cmap.rub.ace.advertising.com' 'c.mgid.com' 'cmhtml.overture.com' 'cmn1lsm2.beliefnet.com' 'cm.npc-hearst.overture.com' 'cmps.mt50ad.com' 'cmrpolice.com' 'cm.the-n.overture.com' 'cmweb.ilike.alibaba.com' 'c.my.msn.com' 'cnad1.economicoutlook.net' 'cnad2.economicoutlook.net' 'cnad3.economicoutlook.net' 'cnad4.economicoutlook.net' 'cnad5.economicoutlook.net' 'cnad6.economicoutlook.net' 'cnad7.economicoutlook.net' 'cnad8.economicoutlook.net' 'cnad9.economicoutlook.net' 'cn.ad.adon.vpon.com' 'cnad.economicoutlook.net' 'cnf.adshuffle.com' 'cn.img.adon.vpon.com' 'c.nl.msn.com' 'c.novostimira.biz' 'cnt1.xhamster.com' 'cnt.trafficstars.com' 'coffeehausblog.com' 'coinurl.com' 'comadverts.bcmpweb.co.nz' 'com.cool-premiums-now.com' 'come-see-it-all.com' 'com.htmlwww.youfck.com' 'commerce-offer.com' 'commerce-rewardpath.com' 'commerce.www.ibm.com' 'common.ziffdavisinternet.com' 'companion.adap.tv' 'compolice.com' 'compolice.net' 'computer-offer.com' 'computer-offer.net' 'computers-electronics-rewardpath.com' 'computersncs.com' 'computertechanalysis.com' 'com.shc-rebates.com' 'config.getmyip.com' 'config.sensic.net' 'connect.247media.ads.link4ads.com' 'consumergiftcenter.com' 'consumerincentivenetwork.com' 'consumerinfo.tt.omtrdc.net' 'consumer-org.com' 'contaxe.com' 'content.ad-flow.com' 'content.clipster.ws' 'content.codelnet.com' 'content.promoisland.net' 'contentsearch.de.espotting.com' 'context3.kanoodle.com' 'context5.kanoodle.com' 'contextad.pl' 'context.adshadow.net' 'contextweb.com' 'conv.adengage.com' 'conversantmedia.com' 'cookiecontainer.blox.pl' 'cookie.pebblemedia.be' 'cookingtiprewards.com' 'cookonsea.com' 'cool-premiums.com' 'cool-premiums-now.com' 'coolpremiumsnow.com' 'coolsavings.com' 'corba.adtech.de' 'corba.adtech.fr' 'corba.adtech.us' 'core0.node12.top.mail.ru' 'core2.adtlgc.com' 'core.adprotected.com' 'coreg.flashtrack.net' 'coreglead.co.uk' 'cornflakes.pathfinder.com' 'corusads.dserv.ca' 'cosmeticscentre.uk.com' 'count6.51yes.com' 'count.casino-trade.com' 'cover.m2y.siemens.ch' 'c.ph.msn.com' 'cpm2.admob.com' 'cpm.admob.com' 'cpmadvisors.com' 'cp.promoisland.net' 'cpro.baidu.com' 'c.prodigy.msn.com' 'c.pt.msn.com' 'cpu.firingsquad.com' 'creatiby1.unicast.com' 'creative.ad121m.com' 'creative.ad131m.com' 'creative.adshuffle.com' 'creatives.rgadvert.com' 'creatrixads.com' 'crediblegfj.info' 'creditsoffer.blogspot.com' 'creview.adbureau.net' 'cribdare2no.com' 'crisptic01.net' 'crosspixel.demdex.net' 'crowdgravity.com' 'crowdignite.com' 'c.ru.msn.com' 'crux.songline.com' 'crwdcntrl.net' 'c.se.msn.com' 'cserver.mii.instacontent.net' 'c.sg.msn.com' 'cs.prd.msys.playstation.net' 'csr.onet.pl' 'ctbdev.net' 'c.th.msn.com' 'ctnsnet.com' 'c.tr.msn.com' 'c.tw.msn.com' 'ctxtad.tribalfusion.com' 'c.uk.msn.com' 'customerscreensavers.com' 'cxoadfarm.dyndns.info' 'cxtad.specificmedia.com' 'cyber-incentives.com' 'cyppolice.com' 'c.za.msn.com' 'cz.bbelements.com' 'd.101m3.com' 'd10.zedo.com' 'd11.zedo.com' 'd12.zedo.com' 'd14.zedo.com' 'd1.openx.org' 'd1qqddufal4d58.cloudfront.net' 'd1ros97qkrwjf5.cloudfront.net' 'd1.zedo.com' 'd4.zedo.com' 'd5phz18u4wuww.cloudfront.net' 'd5.zedo.com' 'd6.c5.b0.a2.top.mail.ru' 'd6.zedo.com' 'd9.zedo.com' 'da.2000888.com' 'd.admob.com' 'd.adnetxchange.com' 'd.adserve.com' 'dads.new.digg.com' 'd.ads.readwriteweb.com' 'daily-saver.com' 'damamaty.tk' 'damavandkuh.com' 'darakht.com' 'darmowe-liczniki.info' 'dashboard.adcalls.nl' 'dashboardnew.adcalls.nl' 'data0.bell.ca' 'datingadvertising.com' 'dawnnationaladvertiser.com' 'dbbsrv.com' 'dcads.sina.com.cn' 'd.cntv.cn' 'dc.sabela.com.pl' 'dctracking.com' 'dead-pixel.tweakblogs.net' 'de.ads.justpremium.com' 'del1.phillyburbs.com' 'delb.mspaceads.com' 'delivery.adyea.com' 'delivery.reklamz.com' 'demr.mspaceads.com' 'demr.opt.fimserve.com' 'depo.realist.gen.tr' 'derkeiler.com' 'desb.mspaceads.com' 'descargas2.tuvideogratis.com' 'designbloxlive.com' 'desk.mspaceads.com' 'desk.opt.fimserve.com' 'dev.adforum.com' 'devart.adbureau.net' 'devlp1.linkpulse.com' 'dev.sfbg.com' 'dgm2.com' 'dgmaustralia.com' 'dietoftoday.ca.pn' 'diff1.smartadserver.com' 'diff5.smartadserver.com' 'dinoadserver1.roka.net' 'dinoadserver2.roka.net' 'directpowerrewards.com' 'directrev.cloudapp.net' 'dirtyrhino.com' 'discount-savings-more.com' 'discoverdemo.com' 'discoverecommerce.tt.omtrdc.net' 'display.gestionpub.com' 'dist.belnk.com' 'divx.adbureau.net' 'djbanners.deadjournal.com' 'djugoogs.com' 'dl.ncbuy.com' 'dl-plugin.com' 'dlvr.readserver.net' 'dnps.com' 'dnse.linkpulse.com' 'dock.inmobi.com' 'dosugcz.biz' 'dowelsobject.com' 'downloadcdn.com' 'do-wn-lo-ad.com' 'downloadmpplayer.com' 'downloads.larivieracasino.com' 'downloads.mytvandmovies.com' 'download.yesmessenger.com' 'dqs001.adtech.de' 'dqs001.adtech.fr' 'dqs001.adtech.us' 'dra.amazon-adsystem.com' 'drmcmm.baidu.com' 'drowle.com' 'dr.soso.com' 'd.serve-sys.com' 'ds.onet.pl' 'd.sspcash.adxcore.com' 'dt.linkpulse.com' 'dtm.advertising.com' 'dub.mobileads.msn.com' 'd.wiyun.com' 'dy.admerize.be' 'dzl.baidu.com' 'e1.addthis.com' 'e2.cdn.qnsr.com' 'e.admob.com' 'eads-adserving.com' 'ead.sharethis.com' 'earnmygift.com' 'earnpointsandgifts.com' 'e.as-eu.falkag.net' 'easyadvertonline.com' 'easyweb.tdcanadatrust.secureserver.host1.customer-identification-process.b88600d8.com' 'eatps.web.aol.com' 'eb.adbureau.net' 'e.baidu.com' 'ebayadvertising.com' 'ebayadvertising.triadretail.net' 'ebiads.ebiuniverse.com' 'eblastengine.upickem.net' 'ecomadserver.com' 'ecs1.engageya.com' 'eddamedia.linkpulse.com' 'edge.bnmla.com' 'edirect.hotkeys.com' 'education-rewardpath.com' 'edu-offer.com' 'egypolice.com' 'egypolice.net' 'eiv.baidu.com' 'electronics-bonuspath.com' 'electronics-offer.net' 'electronicspresent.com' 'electronics-rewardpath.com' 'e-ltvp.inmobi.com' 'emailadvantagegroup.com' 'emailproductreview.com' 'emapadserver.com' 'emea-bidder.mathtag.com' 'emisja.adsearch.pl' 'engage.everyone.net' 'engager.tmg.nl' 'engage.speedera.net' 'engine.adland.ru' 'engine.espace.netavenir.com' 'engine.influads.com' 'engine.rorer.ru' 'enirocode.adtlgc.com' 'enirodk.adtlgc.com' 'enn.advertserve.com' 'enquete-annuelle.info' 'entertainment-rewardpath.com' 'entertainment-specials.com' 'erie.smartage.com' 'ero-advertising.com' 'escape.insites.eu' 'espn.footprint.net' 'etad.telegraph.co.uk' 'etahub.com' 'eternal.reklamlab.com' 'ethpolice.com' 'etrk.asus.com' 'etype.adbureau.net' 'euniverseads.com' 'europe.adserver.yahoo.com' 'eu.xtms.net' 'eventtracker.videostrip.com' 'exclusivegiftcards.com' 'exits1.webquest.net' 'exits2.webquest.net' 'exity.info' 'exponential.com' 'eyewonder.com' 'ezboard.bigbangmedia.com' 'f1.p0y.com' 'f2.p0y.com' 'f3.p0y.com' 'f4.p0y.com' 'f.admob.com' 'falkag.net' 'family-offer.com' 'f.as-eu.falkag.net' 'fatcatrewards.com' 'fbcdn-creative-a.akamaihd.net' 'fbfreegifts.com' 'fbi.gov.id402037057-8235504608.d9680.com' 'fcg.casino770.com' 'fdimages.fairfax.com.au' 'feedads.googleadservices.com' 'fei.pro-market.net' 'fe.lea.lycos.es' 'fengfengtie.com.cn' 'fengfengtiecrv.com.cn' 'fengfengtiessp.com.cn' 'fhm.valueclick.net' 'fif49.info' 'file.ipinyou.com.cn' 'files.adbrite.com' 'fin.adbureau.net' 'finance-offer.com' 'finanzmeldungen.com' 'finder.cox.net' 'fixbonus.com' 'fliteilex.com' 'float.2693.bm-impbus.prod.ams1.adnexus.net' 'floatingads.madisonavenue.com' 'floridat.app.ur.gcion.com' 'flower.bg' 'flowers-offer.com' 'fls-na.amazon.com' 'flu23.com' 'fmads.osdn.com' 'fnlpic.com' 'focusbaiduafp.allyes.com' 'focusin.ads.targetnet.com' 'fodder.qq.com' 'fodder.tc.qq.com' 'following-technology.com' 'folloyu.com' 'food-drink-bonuspath.com' 'food-drink-rewardpath.com' 'foodmixeroffer.com' 'food-offer.com' 'foreignpolicy.advertserve.com' 'forgotten-deals.com' 'foroushi.net' 'fp.uclo.net' 'fp.valueclick.com' 'f.qstatic.com' 'freebiegb.co.uk' 'freecameraonus.com' 'freecameraprovider.com' 'freecamerasource.com' 'freecamerauk.co.uk' 'freecamsexposed.com' 'freecoolgift.com' 'freedesignerhandbagreviews.com' 'freedinnersource.com' 'freedvddept.com' 'freeelectronicscenter.com' 'freeelectronicsdepot.com' 'freeelectronicsonus.com' 'freeelectronicssource.com' 'freeentertainmentsource.com' 'freefoodprovider.com' 'freefoodsource.com' 'freefuelcard.com' 'freefuelcoupon.com' 'freegasonus.com' 'freegasprovider.com' 'free-gift-cards-now.com' 'freegiftcardsource.com' 'freegiftreward.com' 'free-gifts-comp.com' 'free.hotsocialz.com' 'freeipodnanouk.co.uk' 'freeipoduk.com' 'freeipoduk.co.uk' 'freelaptopgift.com' 'freelaptopnation.com' 'free-laptop-reward.com' 'freelaptopreward.com' 'freelaptopwebsites.com' 'freenation.com' 'freeoffers-toys.com' 'freepayasyougotopupuk.co.uk' 'freeplasmanation.com' 'freerestaurantprovider.com' 'freerestaurantsource.com' 'free-rewards.com-s.tv' 'freeshoppingprovider.com' 'freeshoppingsource.com' 'freevideodownloadforpc.com' 'frontend-loadbalancer.meteorsolutions.com' 'functional-business.com' 'fvid.atm.youku.com' 'fwdservice.com' 'fw.qq.com' 'g1.idg.pl' 'g3t4d5.madison.com' 'g4p.grt02.com' 'gadgeteer.pdamart.com' 'g.admob.com' 'g.adnxs.com' 'gameconsolerewards.com' 'games-toys-bonuspath.com' 'games-toys-free.com' 'games-toys-rewardpath.com' 'gar-tech.com' 'gate.hyperpaysys.com' 'gavzad.keenspot.com' 'gazetteextra.advertserve.com' 'gbp.ebayadvertising.triadretail.net' 'gcads.osdn.com' 'gcdn.2mdn.net' 'gc.gcl.ru' 'gcir.gannett-tv.com' 'gcirm2.indystar.com' 'gcirm.argusleader.com' 'gcirm.argusleader.gcion.com' 'gcirm.battlecreekenquirer.com' 'gcirm.burlingtonfreepress.com' 'gcirm.centralohio.com' 'gcirm.centralohio.gcion.com' 'gcirm.cincinnati.com' 'gcirm.citizen-times.com' 'gcirm.clarionledger.com' 'gcirm.coloradoan.com' 'gcirm.courier-journal.com' 'gcirm.courierpostonline.com' 'gcirm.customcoupon.com' 'gcirm.dailyrecord.com' 'gcirm.delawareonline.com' 'gcirm.democratandchronicle.com' 'gcirm.desmoinesregister.com' 'gcirm.detnews.com' 'gcirm.dmp.gcion.com' 'gcirm.dmregister.com' 'gcirm.dnj.com' 'gcirm.flatoday.com' 'gcirm.gannettnetwork.com' 'gcirm.gannett-tv.com' 'gcirm.greatfallstribune.com' 'gcirm.greenvilleonline.com' 'gcirm.greenvilleonline.gcion.com' 'gcirm.honoluluadvertiser.gcion.com' 'gcirm.idahostatesman.com' 'gcirm.idehostatesman.com' 'gcirm.indystar.com' 'gcirm.injersey.com' 'gcirm.jacksonsun.com' 'gcirm.laregionalonline.com' 'gcirm.lsj.com' 'gcirm.montgomeryadvertiser.com' 'gcirm.muskogeephoenix.com' 'gcirm.newsleader.com' 'gcirm.news-press.com' 'gcirm.ozarksnow.com' 'gcirm.pensacolanewsjournal.com' 'gcirm.press-citizen.com' 'gcirm.pressconnects.com' 'gcirm.rgj.com' 'gcirm.sctimes.com' 'gcirm.stargazette.com' 'gcirm.statesmanjournal.com' 'gcirm.tallahassee.com' 'gcirm.tennessean.com' 'gcirm.thedailyjournal.com' 'gcirm.thedesertsun.com' 'gcirm.theithacajournal.com' 'gcirm.thejournalnews.com' 'gcirm.theolympian.com' 'gcirm.thespectrum.com' 'gcirm.tucson.com' 'gcirm.wisinfo.com' 'gde.adocean.pl' 'gdeee.hit.gemius.pl' 'gdelt.hit.gemius.pl' 'gdyn.cnngo.com' 'gdyn.trutv.com' 'ge-0-0-1-edge1.sc9.admob.com' 'ge-0-0-43-crs1.sc9.admob.com' 'gemius.pl' 'gem.pl' 'geoads.osdn.com' 'geoloc11.geovisite.com' 'geopolice.com' 'geo.precisionclick.com' 'geoweb.e-kolay.net' 'getacool100.com' 'getacool500.com' 'getacoollaptop.com' 'getacooltv.com' 'getafreeiphone.org' 'getagiftonline.com' 'getmyfreebabystuff.com' 'getmyfreegear.com' 'getmyfreegiftcard.com' 'getmyfreelaptop.com' 'getmyfreelaptophere.com' 'getmyfreeplasma.com' 'getmylaptopfree.com' 'getmynumber.net' 'getmyplasmatv.com' 'getspecialgifts.com' 'getyour5kcredits0.blogspot.com' 'getyourfreecomputer.com' 'getyourfreetv.com' 'getyourgiftnow2.blogspot.com' 'getyourgiftnow3.blogspot.com' 'gezinti.com' 'gg.adocean.pl' 'ghalibaft.com' 'ghmtr.hit.gemius.pl' 'giftcardchallenge.com' 'giftcardsurveys.us.com' 'giftrewardzone.com' 'gifts-flowers-rewardpath.com' 'gimg.baidu.com' 'gimmethatreward.com' 'gingert.net' 'global.msmtrakk03a.com' 'globalnetworkanalys.com' 'global-promotions.internationalredirects.com' 'globalwebads.com' 'gm.preferences.com' 'go2.hit.gemius.pl' 'go.adee.bbelements.com' 'go.adlv.bbelements.com' 'go.adnet.bbelements.com' 'go.arbo.bbelements.com' 'go.arboru.bbelements.com' 'goautofinance.com' 'go.bb007.bbelements.com' 'go-free-gifts.com' 'gofreegifts.com' 'go.ihned.bbelements.com' 'go.intact.bbelements.com' 'goldadpremium.com' 'go.lfstmedia.com' 'go.lotech.bbelements.com' 'goodbizez.com' 'goodbookbook.com' 'goodsblock.marketgid.com' 'goody-garage.com' 'go.pl.bbelements.com' 'go.spaceshipads.com' 'got2goshop.com' 'goto.trafficmultiplier.com' 'gozatar.com' 'grabbit-rabbit.com' 'graphics.adultfriendfinder.com' 'gratkapl.adocean.pl' 'gravitron.chron.com' 'greasypalm.com' 'grfx.mp3.com' 'groupm.com' 'groupon.pl' 'grz67.com' 'gs1.idsales.co.uk' 'gserv.cneteu.net' 'guanjia.baidu.com' 'gug.ku6cdn.com' 'guiaconsumidor.com' 'guide2poker.com' 'gumpolice.com' 'guptamedianetwork.com' 'guru.sitescout.netdna-cdn.com' 'gwallet.com' 'gx-in-f109.1e100.net' 'hadik.info' 'h.admob.com' 'h-afnetwww.adshuffle.com' 'halfords.ukrpts.net' 'haouzy.info' 'happydiscountspecials.com' 'harvest176.adgardener.com' 'harvest284.adgardener.com' 'harvest285.adgardener.com' 'harvest.adgardener.com' 'hathor.eztonez.com' 'havakhosh.com' 'haynet.adbureau.net' 'hbads.eboz.com' 'hbadz.eboz.com' 'hc.baidu.com' 'healthbeautyncs.com' 'health-beauty-rewardpath.com' 'health-beauty-savingblvd.com' 'healthclicks.co.uk' 'hebdotop.com' 'help.adtech.de' 'help.adtech.fr' 'help.adtech.us' 'helpint.mywebsearch.com' 'hermes.airad.com' 'hightrafficads.com' 'himediads.com' 'histats.com' 'hit.8digits.com' 'hlcc.ca' 'hm.baidu.com' 'hm.l.qq.com' 'holiday-gift-offers.com' 'holidayproductpromo.com' 'holidayshoppingrewards.com' 'home4bizstart.ru' 'homeelectronicproducts.com' 'home-garden-premiumblvd.com' 'home-garden-rewardempire.com' 'home-garden-rewardpath.com' 'homeimprovementonus.com' 'honarkhabar.com' 'honarkhaneh.net' 'honolulu.app.ur.gcion.com' 'hooqy.com' 'host207.ewtn.com' 'hostedaje14.thruport.com' 'hotbar.dgndesign.com' 'hot-daily-deal.com' 'hotgiftzone.com' 'hot-product-hangout.com' 'housedman.com' 'hpad.www.infoseek.co.jp' 'htmlads.ru' 'html.atm.youku.com' 'html.centralmediaserver.com' 'htmlwww.youfck.com' 'httpads.com' 'httpring.qq.com' 'httpwwwadserver.com' 'huis.istats.nl' 'huiwiw.hit.gemius.pl' 'huntingtonbank.tt.omtrdc.net' 'huomdgde.adocean.pl' 'hyperion.adtech.de' 'hyperion.adtech.fr' 'hyperion.adtech.us' 'i1.teaser-goods.ru' 'iacas.adbureau.net' 'iad.anm.co.uk' 'iadc.qwapi.com' 'i.admob.com' 'ialaddin.genieesspv.jp' 'ibis.lgappstv.com' 'icanoptout.com' 'icon.clickthru.net' 'id11938.luxup.ru' 'id5576.al21.luxup.ru' 'idearc.tt.omtrdc.net' 'iebar.baidu.com' 'ieee.adbureau.net' 'if.bbanner.it' 'iftarvakitleri.net' 'ih2.gamecopyworld.com' 'i.hotkeys.com' 'i.interia.pl' 'ikcode.baidu.com' 'i.laih.com' 'ilovemobi.com' 'imageads.canoe.ca' 'image.click.livedoor.com' 'image.linkexchange.com' 'images2.laih.com' 'images3.linkwithin.com' 'images.blogads.com' 'images.bluetime.com' 'images-cdn.azoogleads.com' 'images.clickfinders.com' 'images.conduit-banners.com' 'images.emapadserver.com' 'imageserv.adtech.fr' 'imageserv.adtech.us' 'imageserver1.thruport.com' 'images.jambocast.com' 'images.linkwithin.com' 'images.mbuyu.nl' 'images.netcomvad.com' 'images.newsx.cc' 'images.people2people.com' 'images.persgroepadvertising.be' 'images.sohu.com' 'images.steamray.com' 'images.trafficmp.com' 'imarker.com' 'imarker.ru' 'imc.l.qq.com' 'i.media.cz' 'img0.ru.redtram.com' 'img1.ru.redtram.com' 'img4.cdn.adjuggler.com' 'img-a2.ak.imagevz.net' 'img-cdn.mediaplex.com' 'imgg.dt00.net' 'imgg.mgid.com' 'img.layer-ads.de' 'img.marketgid.com' 'imgn.dt07.com' 'img.sn00.net' 'img.soulmate.com' 'img.xnxx.com' 'im.of.pl' 'impact.cossette-webpact.com' 'imp.adsmogo.com' 'imp.partner2profit.com' 'impressionaffiliate.com' 'impressionaffiliate.mobi' 'impressionlead.com' 'impressionperformance.biz' 'imrkcrv.net' 'imrk.net' 'imserv001.adtech.de' 'imserv001.adtech.fr' 'imserv001.adtech.us' 'imserv002.adtech.de' 'imserv002.adtech.fr' 'imserv002.adtech.us' 'imserv003.adtech.de' 'imserv003.adtech.fr' 'imserv003.adtech.us' 'imserv004.adtech.de' 'imserv004.adtech.fr' 'imserv004.adtech.us' 'imserv005.adtech.de' 'imserv005.adtech.fr' 'imserv005.adtech.us' 'imserv006.adtech.de' 'imserv006.adtech.fr' 'imserv006.adtech.us' 'imserv00x.adtech.de' 'imserv00x.adtech.fr' 'imserv00x.adtech.us' 'imssl01.adtech.de' 'imssl01.adtech.fr' 'imssl01.adtech.us' 'im.xo.pl' 'incentivegateway.com' 'incentiverewardcenter.com' 'incentive-scene.com' 'indpolice.com' 'industry-deals.com' 'infinite-ads.com' 'infos-bourses.com' 'inklineglobal.com' 'inl.adbureau.net' 'inpagevideo.nl' 'input.insights.gravity.com' 'insightexpressai.com' 'insightxe.pittsburghlive.com' 'insightxe.vtsgonline.com' 'ins-offer.com' 'installer.zutrack.com' 'insurance-rewardpath.com' 'intela.com' 'intelliads.com' 'intensedigital.adk2x.com' 'interia.adsearch.adkontekst.pl' 'internet.billboard.cz' 'intnet-offer.com' 'intrack.pl' 'invitefashion.com' 'inv-nets.admixer.net' 'ipacc1.adtech.de' 'ipacc1.adtech.fr' 'ipacc1.adtech.us' 'ipad2free4u.com' 'i.pcp001.com' 'ipdata.adtech.de' 'ipdata.adtech.fr' 'ipdata.adtech.us' 'iq001.adtech.de' 'iq001.adtech.fr' 'iq001.adtech.us' 'i.qitrck.com' 'i.radzolo.com' 'is.casalemedia.com' 'i.securecontactinfo.com' 'isg01.casalemedia.com' 'isg02.casalemedia.com' 'isg03.casalemedia.com' 'isg04.casalemedia.com' 'isg05.casalemedia.com' 'isg06.casalemedia.com' 'isg07.casalemedia.com' 'isg08.casalemedia.com' 'isg09.casalemedia.com' 'islamicmarketing.net' 'i.static.zaplata.bg' 'istockbargains.com' 'itemagic.net' 'itrackerpro.com' 'itsfree123.com' 'iwantmyfreecash.com' 'iwantmy-freelaptop.com' 'iwantmyfree-laptop.com' 'iwantmyfreelaptop.com' 'iwantmygiftcard.com' 'iwstat.tudou.com' 'j.admob.com' 'jambocast.com' 'jb9clfifs6.s.ad6media.fr' 'jcarter.spinbox.net' 'jcrew.tt.omtrdc.net' 'jersey-offer.com' 'jgedads.cjt.net' 'jingjia.qq.com' 'jivox.com' 'jl29jd25sm24mc29.com' 'jmn.jangonetwork.com' 'jobs.nuwerk.monsterboard.nl' 'journal-des-bourses.com' 'js1.bloggerads.net' 'js77.neodatagroup.com' 'js.admngr.com' 'js.betburdaaffiliates.com' 'js.goods.redtram.com' 'js.hotkeys.com' 'js.selectornews.com' 'js.softreklam.com' 'js.zevents.com' 'juggler.inetinteractive.com' 'justwebads.com' 'jxliu.com' 'jzclick.soso.com' 'k5ads.osdn.com' 'kaartenhuis.nl.site-id.nl' 'k.admob.com' 'kansas.valueclick.com' 'katu.adbureau.net' 'kazaa.adserver.co.il' 'kermit.macnn.com' 'kestrel.ospreymedialp.com' 'keys.dmtracker.com' 'keywordblocks.com' 'keywords.adtlgc.com' 'khalto.info' 'kitaramarketplace.com' 'kitaramedia.com' 'kitaratrk.com' 'kithrup.matchlogic.com' 'kixer.com' 'klikk.linkpulse.com' 'klikmoney.net' 'kliks.affiliate4you.nl' 'kliksaya.com' 'klipads.dvlabs.com' 'klipmart.dvlabs.com' 'kmdl101.com' 'knc.lv' 'knight.economist.com' 'kona2.kontera.com' 'kona3.kontera.com' 'kona4.kontera.com' 'kona5.kontera.com' 'kona6.kontera.com' 'kona7.kontera.com' 'kona8.kontera.com' 'kontera.com' 'kos.interseek.si' 'kreaffiliation.com' 'ku6afp.allyes.com' 'ku6.allyes.com' 'kuhdi.com' 'l2.l.qq.com' 'l.5min.com' 'l.admob.com' 'ladyclicks.ru' 'land.purifier.cc' 'lanzar.publicidadweb.com' 'laptopreportcard.com' 'laptoprewards.com' 'laptoprewardsgroup.com' 'laptoprewardszone.com' 'larivieracasino.com' 'lasthr.info' 'lastmeasure.zoy.org' 'latestsearch.website' 'latribune.electronicpromotions2015.com' 'layer-ads.de' 'lb-adserver.ig.com.br' 'ld1.criteo.com' 'ldglob01.adtech.de' 'ldglob01.adtech.fr' 'ldglob01.adtech.us' 'ldglob02.adtech.de' 'ldglob02.adtech.fr' 'ldglob02.adtech.us' 'ldimage01.adtech.de' 'ldimage01.adtech.fr' 'ldimage01.adtech.us' 'ldimage02.adtech.de' 'ldimage02.adtech.fr' 'ldimage02.adtech.us' 'ldserv01.adtech.de' 'ldserv01.adtech.fr' 'ldserv01.adtech.us' 'ldserv02.adtech.de' 'ldserv02.adtech.fr' 'ldserv02.adtech.us' 'le1er.net' 'lead-analytics.nl' 'leader.linkexchange.com' 'leadsynaptic.go2jump.org' 'learning-offer.com' 'legal-rewardpath.com' 'leisure-offer.com' 'letsfinder.com' 'letssearch.com' 'lg.brandreachsys.com' 'liberty.gedads.com' 'ligtv.kokteyl.com' 'link2me.ru' 'link4ads.com' 'linktracker.angelfire.com' 'linuxpark.adtech.de' 'linuxpark.adtech.fr' 'linuxpark.adtech.us' 'liones.nl' 'liquidad.narrowcastmedia.com' 'listennewsnetwork.com' 'livingnet.adtech.de' 'lnads.osdn.com' 'load.focalex.com' 'loading321.com' 'local.promoisland.net' 'logc252.xiti.com' 'logger.virgul.com' 'login.linkpulse.com' 'logs.spilgames.com' 'looksmartcollect.247realmedia.com' 'louisvil.app.ur.gcion.com' 'louisvil.ur.gcion.com' 'lp1.linkpulse.com' 'lp4.linkpulse.com' 'lpcloudsvr405.com' 'lp.empire.goodgamestudios.com' 'lp.jeux-lk.com' 'l.qq.com' 'lsassoc.com' 'l-sspcash.adxcore.com' 'lstat.youku.com' 'lt.andomedia.com' 'lt.angelfire.com' 'lucky-day-uk.com' 'luxpolice.com' 'luxpolice.net' 'lw1.gamecopyworld.com' 'lw2.gamecopyworld.com' 'lycos.247realmedia.com' 'm1.emea.2mdn.net' 'm1.emea.2mdn.net.edgesuite.net' 'm2.media-box.co' 'm2.sexgarantie.nl' 'm3.2mdn.net' 'm4.afs.googleadservices.com' 'm4ymh0220.tech' 'ma.baidu.com' 'macaddictads.snv.futurenet.com' 'macads.net' 'mackeeperapp1.zeobit.com' 'mackeeperapp2.mackeeper.com' 'mackeeperapp3.mackeeper.com' 'mackeeperapp.mackeeper.com' 'mac.system-alert1.com' 'madadsmedia.com' 'm.adbridge.de' 'm.admob.com' 'mads.aol.com' 'mail.radar.imgsmail.ru' 'main.vodonet.net' 'manage001.adtech.de' 'manage001.adtech.fr' 'manage001.adtech.us' 'manager.rovion.com' 'mangler10.generals.ea.com' 'mangler1.generals.ea.com' 'mangler2.generals.ea.com' 'mangler3.generals.ea.com' 'mangler4.generals.ea.com' 'mangler5.generals.ea.com' 'mangler6.generals.ea.com' 'mangler7.generals.ea.com' 'mangler8.generals.ea.com' 'mangler9.generals.ea.com' 'manuel.theonion.com' 'marketing.hearstmagazines.nl' 'marketing-rewardpath.com' 'marketwatch.com.edgesuite.net' 'marriottinternationa.tt.omtrdc.net' 'mashinkhabar.com' 'mastertracks.be' 'matrix.mediavantage.de' 'maxadserver.corusradionetwork.com' 'maxbounty.com' 'maximumpcads.imaginemedia.com' 'maxmedia.sgaonline.com' 'maxserving.com' 'mb01.com' 'mbox2.offermatica.com' 'mcfg.sandai.net' 'mcopolice.com' 'mds.centrport.net' 'media10.popmarker.com' 'media1.popmarker.com' 'media2021.videostrip.com' 'media2.adshuffle.com' 'media2.legacy.com' 'media2.popmarker.com' 'media3.popmarker.com' 'media4021.videostrip.com' 'media4.popmarker.com' 'media5021.videostrip.com' 'media5.popmarker.com' 'media6021.videostrip.com' 'media6.popmarker.com' 'media6.sitebrand.com' 'media7.popmarker.com' 'media.888.com' 'media8.popmarker.com' 'media9.popmarker.com' 'media.adcentriconline.com' 'media.adrcdn.com' 'media.adrime.com' 'media.adshadow.net' 'media.betburdaaffiliates.com' 'media.bonnint.net' 'media.boomads.com' 'mediacharger.com' 'media.charter.com' 'media.elb-kind.de' 'media.espace-plus.net' 'media.fairlink.ru' 'media-fire.org' 'mediafr.247realmedia.com' 'media.funpic.de' 'medialand.relax.ru' 'media.naked.com' 'media.nk-net.pl' 'media.ontarionorth.com' 'media.popmarker.com' 'media.popuptraffic.com' 'mediapst.adbureau.net' 'mediapst-images.adbureau.net' 'mediative.ca' 'mediative.com' 'mediauk.247realmedia.com' 'mediaupdate41.com' 'media.viwii.net' 'media.xxxnavy.com' 'medical-offer.com' 'medical-rewardpath.com' 'medusa.reklamlab.com' 'medya.e-kolay.net' 'meevehdar.com' 'megapanel.gem.pl' 'melding-technology.com' 'mercury.bravenet.com' 'messagent.duvalguillaume.com' 'messagent.sanomadigital.nl' 'messagia.adcentric.proximi-t.com' 'metaapi.bulletproofserving.com' 'metrics.ikea.com' 'metrics.natmags.co.uk' 'metrics.sfr.fr' 'metrics.target.com' 'mexico-mmm.net' 'm.fr.2mdn.net' 'mgid.com' 'mhlnk.com' 'micraamber.net' 'microsof.wemfbox.ch' 'mightymagoo.com' 'mii-image.adjuggler.com' 'milyondolar.com' 'mimageads1.googleadservices.com' 'mimageads2.googleadservices.com' 'mimageads3.googleadservices.com' 'mimageads4.googleadservices.com' 'mimageads5.googleadservices.com' 'mimageads6.googleadservices.com' 'mimageads7.googleadservices.com' 'mimageads8.googleadservices.com' 'mimageads9.googleadservices.com' 'mimageads.googleadservices.com' 'mimicrice.com' 'mini.videostrip.com' 'mirror.pointroll.com' 'mjxads.internet.com' 'mklik.gazeta.pl' 'mktg-offer.com' 'mlntracker.com' 'mm1.vip.sc1.admob.com' 'mm.admob.com' 'mmv.admob.com' 'mobileanalytics.us-east-1.amazonaws.com' 'mobileanalytics.us-east-2.amazonaws.com' 'mobileanalytics.us-west-1.amazonaws.com' 'mobileanalytics.us-west-2.amazonaws.com' 'mobscan.info' 'mobularity.com' 'mochibot.com' 'mojofarm.mediaplex.com' 'moneybot.net' 'moneyraid.com' 'monster-ads.net' 'monstersandcritics.advertserve.com' 'moodoo.com.cn' 'moodoocrv.com.cn' 'm.openv.tv' 'morefreecamsecrets.com' 'morevisits.info' 'movieads.imgs.sapo.pt' 'mp3playersource.com' 'mpartner.googleadservices.com' 'm.pl.pornzone.tv' 'mp.tscapeplay.com' 'mpv.sandai.net' 'mr4evmd0r1.s.ad6media.fr' 'msn.allyes.com' 'msnbe-hp.metriweb.be' 'msn-cdn.effectivemeasure.net' 'msnsearch.srv.girafa.com' 'msn.tns-cs.net' 'msn.uvwbox.de' 'msn.wrating.com' 'ms.yandex.ru' 'mu-in-f167.1e100.net' 'm.uk.2mdn.net' 'multi.xnxx.com' 'mvonline.com' 'my2.hizliizlefilm.net' 'my2.teknoter.com' 'myasiantv.gsspcln.jp' 'mycashback.co.uk' 'my-cash-bot.co' 'mycelloffer.com' 'mychoicerewards.com' 'myclicknet.ro' 'myclicknet.romtelecom.ro' 'myexclusiverewards.com' 'myfreedinner.com' 'myfreegifts.co.uk' 'myfreemp3player.com' 'mygiftcardcenter.com' 'mygiftresource.com' 'mygreatrewards.com' 'myhousetechnews.com' 'myoffertracking.com' 'my-reward-channel.com' 'my-rewardsvault.com' 'myseostats.com' 'my.trgino.com' 'myusersonline.com' 'myyearbookdigital.checkm8.com' 'n01d05.cumulus-cloud.com' 'n4g.us.intellitxt.com' 'n.admob.com' 'nanocluster.reklamz.com' 'nationalissuepanel.com' 'nationalpost.adperfect.com' 'nationalsurveypanel.com' 'nbads.com' 'nbc.adbureau.net' 'nb.netbreak.com.au' 'nc.ru.redtram.com' 'nctracking.com' 'nd1.gamecopyworld.com' 'nearbyad.com' 'needadvertising.com' 'neirong.baidu.com' 'netads.hotwired.com' 'netadsrv.iworld.com' 'netads.sohu.com' 'netpalnow.com' 'netshelter.adtrix.com' 'netsponsors.com' 'networkads.net' 'network-ca.247realmedia.com' 'network.realmedia.com' 'network.realtechnetwork.net' 'newads.cmpnet.com' 'new-ads.eurogamer.net' 'newbs.hutz.co.il' 'newclk.com' 'newip427.changeip.net' 'newjunk4u.com' 'news6health.com' 'newsblock.marketgid.com' 'news-finances.com' 'new.smartcontext.pl' 'newssourceoftoday.com' 'newsterminalvelocity.com' 'newt1.adultworld.com' 'ngads.smartage.com' 'ng.virgul.com' 'nickleplatedads.com' 'nitrous.exitfuel.com' 'nitrous.internetfuel.com' 'nivendas.net' 'nkcache.brandreachsys.com' 'nospartenaires.com' 'nothing-but-value.com' 'noticiasftpsrv.com' 'novafinanza.com' 'novem.onet.pl' 'nowruzbakher.com' 'nrads.1host.co.il' 'nrkno.linkpulse.com' 'ns1.lalibco.com' 'ns1.primeinteractive.net' 'ns2.hitbox.com' 'ns2.lalibco.com' 'ns2.primeinteractive.net' 'nsads4.us.publicus.com' 'nsads.hotwired.com' 'nsads.us.publicus.com' 'nsclick.baidu.com' 'nspmotion.com' 'nstat.tudou.com' 'ns-vip1.hitbox.com' 'ns-vip2.hitbox.com' 'ns-vip3.hitbox.com' 'ntbanner.digitalriver.com' 'nuwerk.monsterboard.nl' 'nx-adv0005.247realmedia.com' 'nxs.kidcolez.cn' 'nxtscrn.adbureau.net' 'nysubwayoffer.com' 'nytadvertising.nytimes.com' 'o0.winfuture.de' 'o1.qnsr.com' 'o.admob.com' 'oads.cracked.com' 'oamsrhads.us.publicus.com' 'oas-1.rmuk.co.uk' 'oasads.whitepages.com' 'oasc02.247realmedia.com' 'oasc03.247realmedia.com' 'oasc04.247.realmedia.com' 'oasc05050.247realmedia.com' 'oasc16.247realmedia.com' 'oascenral.phoenixnewtimes.com' 'oascentral.videodome.com' 'oas.dn.se' 'oas-eu.247realmedia.com' 'oas.heise.de' 'oasis2.advfn.com' 'oasis.nysun.com' 'oasis.promon.cz' 'oasis.zmh.zope.com' 'oasis.zmh.zope.net' 'oasn03.247realmedia.com' 'oassis.zmh.zope.com' 'objects.abcvisiteurs.com' 'objects.designbloxlive.com' 'obozua.adocean.pl' 'observer.advertserve.com' 'obs.nnm2.ru' 'ocdn.adsterra.com' 'ocslab.com' 'offer.alibaba.com' 'offerfactory.click' 'offers.bycontext.com' 'offers.impower.com' 'offertrakking.info' 'offertunity.click' 'offerx.co.uk' 'oidiscover.com' 'oimsgad.qq.com' 'oinadserve.com' 'oix0.net' 'oix1.net' 'oix2.net' 'oix3.net' 'oix4.net' 'oix5.net' 'oix6.net' 'oix7.net' 'oix8.net' 'oix9.net' 'oixchina.com' 'oixcrv-rubyem.net' 'oixcrv-rubytest.net' 'oix-rubyem.net' 'oix-rubytest.net' 'oixssp-rubyem.net' 'old-darkroast.adknowledge.com' 'ometrics.warnerbros.com' 'online1.webcams.com' 'onlineads.magicvalley.com' 'onlinebestoffers.net' 'onocollect.247realmedia.com' 'open.4info.net' 'openad.infobel.com' 'openads.dimcab.com' 'openads.nightlifemagazine.ca' 'openads.smithmag.net' 'openads.zeads.com' 'openad.travelnow.com' 'opencandy.com' 'openload.info' 'opentable.tt.omtrdc.net' 'openx2.fotoflexer.com' 'openx.adfactor.nl' 'openx.coolconcepts.nl' 'openx.shinyads.com' 'openx.xenium.pl' 'openxxx.viragemedia.com' 'optimizedby.openx.com' 'optimzedby.rmxads.com' 'orange.fr-enqueteannuelle.xyz' 'orange.fr-enqueteofficielle2015.xyz' 'orange.fr-enqueteofficielle.online' 'orange.fr-felicitations.xyz' 'orange.fr-votre-opinion.xyz' 'orange.fr-votreopinion.xyz' 'orange.weborama.fr' 'ordie.adbureau.net' 'orientaltrading.com' 'origin.chron.com' 'ortaklik.mynet.com' 'outils.yesmessenger.com' 'overflow.adsoftware.com' 'overstock.tt.omtrdc.net' 'ox-d.hbr.org' 'ox-d.hulkshare.com' 'ox-d.zenoviagroup.com' 'ox-i.zenoviagroup.com' 'ozonemedia.adbureau.net' 'oz.valueclick.com' 'oz.valueclick.ne.jp' 'p0rnuha.com' 'p1.adhitzads.com' 'p2.l.qq.com' 'p3p.alibaba.com' 'p3p.mmstat.com' 'p4psearch.china.alibaba.com' 'pagead3.googlesyndication.com' 'pagesense.com' 'pages.etology.com' 'pagespeed.report.qq.com' 'paid.outbrain.com' 'paix1.sc1.admob.com' 'pakpolice.com' 'panel.adtify.pl' 'paperg.com' 'parskabab.com' 'partner01.oingo.com' 'partner02.oingo.com' 'partner03.oingo.com' 'partner.ah-ha.com' 'partner.ceneo.pl' 'partner.join.com.ua' 'partner.magna.ru' 'partner.pobieraczek.pl' 'partnerprogramma.bol.com' 'partners1.stacksocial.com' 'partners2.stacksocial.com' 'partners3.stacksocial.com' 'partners4.stacksocial.com' 'partners5.stacksocial.com' 'partners.salesforce.com' 'partners.sprintrade.com' 'partner-ts.groupon.be' 'partner-ts.groupon.com' 'partner-ts.groupon.co.uk' 'partner-ts.groupon.de' 'partner-ts.groupon.fr' 'partner-ts.groupon.net' 'partner-ts.groupon.nl' 'partner-ts.groupon.pl' 'partner.wapacz.pl' 'partner.wapster.pl' 'partnerwebsites.mistermedia.nl' 'pathforpoints.com' 'pb.tynt.com' 'pcads.ru' 'pc-gizmos-ssl.com' 'people-choice-sites.com' 'persgroepadvertising.nl' 'personalcare-offer.com' 'personalcashbailout.com' 'pg2.solution.weborama.fr' 'ph-ad01.focalink.com' 'ph-ad02.focalink.com' 'ph-ad03.focalink.com' 'ph-ad04.focalink.com' 'ph-ad05.focalink.com' 'ph-ad06.focalink.com' 'ph-ad07.focalink.com' 'ph-ad08.focalink.com' 'ph-ad09.focalink.com' 'ph-ad10.focalink.com' 'ph-ad11.focalink.com' 'ph-ad12.focalink.com' 'ph-ad13.focalink.com' 'ph-ad14.focalink.com' 'ph-ad15.focalink.com' 'ph-ad16.focalink.com' 'ph-ad17.focalink.com' 'ph-ad18.focalink.com' 'ph-ad19.focalink.com' 'ph-ad20.focalink.com' 'ph-ad21.focalink.com' 'phlpolice.com' 'phoenixads.co.in' 'phoneysoap.com' 'phormstandards.com' 'photos0.pop6.com' 'photos1.pop6.com' 'photos2.pop6.com' 'photos3.pop6.com' 'photos4.pop6.com' 'photos5.pop6.com' 'photos6.pop6.com' 'photos7.pop6.com' 'photos8.pop6.com' 'photos.daily-deals.analoganalytics.com' 'photos.pop6.com' 'phpads.astalavista.us' 'phpads.cnpapers.com' 'phpads.flipcorp.com' 'phpads.foundrymusic.com' 'phpads.i-merge.net' 'phpads.macbidouille.com' 'phpadsnew.gamefolk.de' 'php.fark.com' 'pic.casee.cn' 'pick-savings.com' 'p.ic.tynt.com' 'pingfore.qq.com' 'pingfore.soso.com' 'pink.habralab.ru' 'pix521.adtech.de' 'pix521.adtech.fr' 'pix521.adtech.us' 'pix522.adtech.de' 'pix522.adtech.fr' 'pix522.adtech.us' 'pix.revsci.net' 'pl.ads.justpremium.com' 'plasmatv4free.com' 'plasmatvreward.com' 'platads.com' 'playinvaders.com' 'playlink.pl' 'playtime.tubemogul.com' 'play.traffpartners.com' 'pl.bbelements.com' 'p.l.qq.com' 'pl.spanel.gem.pl' 'pmelon.com' 'pmstrk.mercadolivre.com.br' 'pm.w55c.net' 'pntm.adbureau.net' 'pntm-images.adbureau.net' 'pol.bbelements.com' 'pole.6rooms.com' 'politicalopinionsurvey.com' 'pool.admedo.com' 'pool-roularta.adhese.com' 'popclick.net' 'popunder.loading-delivery1.com' 'popunder.paypopup.com' 'popupclick.ru' 'popupdomination.com' 'popup.matchmaker.com' 'popups.ad-logics.com' 'popups.infostart.com' 'popup.softreklam.com' 'popup.taboola.com' 'pos.baidu.com' 'posed2shade.com' 'poster-op2joygames.me' 'postmasterdirect.com' 'post.rmbn.ru' 'pp2.pptv.com' 'pp.free.fr' 'p.profistats.net' 'p.publico.es' 'pq.stat.ku6.com' 'premium.ascensionweb.com' 'premiumholidayoffers.com' 'premiumproductsonline.com' 'premium-reward-club.com' 'prexyone.appspot.com' 'primetime.ad.primetime.net' 'privitize.com' 'prizes.co.uk' 'productopinionpanel.com' 'productresearchpanel.com' 'producttestpanel.com' 'profile.uproxx.com' 'pro.letv.com' 'promo.easy-dating.org' 'promo.mes-meilleurs-films.fr' 'promo.mobile.de' 'promo.streaming-illimite.net' 'promote-bz.net' 'promotion.partnercash.com' 'protection.alpolice.com' 'protection.aspolice.com' 'protection.aupolice.com' 'protection.azpolice.com' 'protection.bspolice.com' 'protection.btpolice.com' 'protection.bypolice.com' 'protection.capolice.com' 'protection.ccpolice.com' 'protection.dkpolice.com' 'protection.espolice.com' 'protection.frpolice.com' 'protection.fxpolice.com' 'protection.gapolice.com' 'protection.grpolice.com' 'protection.hkpolice.com' 'protection.hnpolice.com' 'protection.idpolice.com' 'protection.ilpolice.com' 'protection.iqpolice.com' 'protection.itpolice.com' 'protection.itpolice.net' 'protection.jmpolice.com' 'protection.kppolice.com' 'protection.kypolice.com' 'protection.lapolice.com' 'protection.lapolice.net' 'protection.lbpolice.com' 'protection.lcpolice.com' 'protection.lipolice.com' 'protection.lrpolice.com' 'protection.lspolice.com' 'protection.lvpolice.com' 'protection.mapolice.com' 'protection.mcpolice.com' 'protection.mdpolice.com' 'protection.mepolice.com' 'protection.mnpolice.com' 'protection.mopolice.com' 'protection.mspolice.net' 'protection.napolice.com' 'protection.napolice.net' 'protection.ncpolice.com' 'protection.nzpolice.com' 'protection.papolice.com' 'protection.pfpolice.com' 'protection.pgpolice.com' 'protection.phpolice.com' 'protection.pkpolice.com' 'protection.prpolice.com' 'protection.ptpolice.com' 'protection.sbpolice.com' 'protection.scpolice.com' 'protection.sdpolice.com' 'protection.sipolice.com' 'protection.skpolice.com' 'protection.stpolice.com' 'protection.tkpolice.com' 'protection.tnpolice.com' 'protection.topolice.com' 'protection.vapolice.com' 'protection.vipolice.com' 'proximityads.flipcorp.com' 'proxy.blogads.com' 'pr.ydp.yahoo.com' 'pstatic.datafastguru.info' 'pt21na.com' 'ptrads.mp3.com' 'ptreklam.com' 'ptreklam.com.tr' 'ptreklamcrv.com' 'ptreklamcrv.com.tr' 'ptreklamcrv.net' 'ptreklam.net' 'ptreklamssp.com' 'ptreklamssp.com.tr' 'ptreklamssp.net' 'pt.trafficjunky.net' 'pubdirecte.com' 'pubimgs.sapo.pt' 'publiads.com' 'publicidades.redtotalonline.com' 'publicis.adcentriconline.com' 'publish.bonzaii.no' 'publishers.adscholar.com' 'publishers.bidtraffic.com' 'publishers.brokertraffic.com' 'publishing.kalooga.com' 'pubshop.img.uol.com.br' 'pub.web.sapo.io' 'purgecolon.net' 'purryowl.com' 'px10.net' 'q.admob.com' 'q.b.h.cltomedia.info' 'qip.magna.ru' 'qqlogo.qq.com' 'qring-tms.qq.com' 'qss-client.qq.com' 'quickbrowsersearch.com' 'quickupdateserv.com' 'quik-serv.com' 'r1-ads.ace.advertising.com' 'r2.adwo.com' 'r.ace.advertising.com' 'radaronline.advertserve.com' 'rad.live.com' 'r.admob.com' 'rad.msn.com' 'rads.stackoverflow.com' 'rampagegramar.com' 'randevumads.com' 'rapidlyserv.com' 'ravel-rewardpath.com' 'rb.burstway.com' 'rb.newsru.com' 'rbqip.pochta.ru' 'rc.asci.freenet.de' 'rccl.bridgetrack.com' 'rcdna.gwallet.com' 'r.chitika.net' 'rc.hotkeys.com' 'rcm-it.amazon.it' 'rc.wl.webads.nl' 'r.domob.cn' 'rdsa2012.com' 'realads.realmedia.com' 'realgfsbucks.com' 'realmedia-a800.d4p.net' 'realmedia.advance.net' 'record.commissionlounge.com' 'recreation-leisure-rewardpath.com' 'red01.as-eu.falkag.net' 'red01.as-us.falkag.net' 'red02.as-eu.falkag.net' 'red02.as-us.falkag.net' 'red03.as-eu.falkag.net' 'red03.as-us.falkag.net' 'red04.as-eu.falkag.net' 'red04.as-us.falkag.net' 'red.as-eu.falkag.net' 'red.as-us.falkag.net' 'redherring.ngadcenter.net' 'redirect.click2net.com' 'redirect.hotkeys.com' 're.directrev.com' 'redirect.xmlheads.com' 'reg.coolsavings.com' 'regflow.com' 'regie.espace-plus.net' 'register.cinematrix.net' 'rehabretie.com' 'rek2.tascatlasa.com' 'reklam-1.com' 'reklam.arabul.com' 'reklam.ebiuniverse.com' 'reklam.memurlar.net' 'reklam.milliyet.com.tr' 'reklam.misli.com' 'reklam.mynet.com' 'reklam-one.com' 'reklam.softreklam.com' 'reklam.star.com.tr' 'reklam.vogel.com.tr' 'reklam.yonlendir.com' 'reklamy.sfd.pl' 're.kontera.com' 'report02.adtech.de' 'report02.adtech.fr' 'report02.adtech.us' 'reporter001.adtech.de' 'reporter001.adtech.fr' 'reporter001.adtech.us' 'reporter.adtech.de' 'reporter.adtech.fr' 'reporter.adtech.us' 'reportimage.adtech.de' 'reportimage.adtech.fr' 'reportimage.adtech.us' 'req.adsmogo.com' 'resolvingserver.com' 'restaurantcom.tt.omtrdc.net' 'reverso.refr.adgtw.orangeads.fr' 'revsci.net' 'rewardblvd.com' 'rewardhotspot.com' 'rewardsflow.com' 'rh.qq.com' 'rich.qq.com' 'ridepush.com' 'ringtonepartner.com' 'r.ligatus.com' 'rmbn.ru' 'rmm1u.checkm8.com' 'rms.admeta.com' 'ro.bbelements.com' 'romepartners.com' 'roosevelt.gjbig.com' 'rosettastone.tt.omtrdc.net' 'roshanavar.com' 'rotate.infowars.com' 'rotator.juggler.inetinteractive.com' 'rotobanner468.utro.ru' 'rovion.com' 'row-advil.waze.com' 'rpc.trafficfactory.biz' 'r.reklama.biz' 'rs1.qq.com' 'rs2.qq.com' 'rscounter10.com' 'rsense-ad.realclick.co.kr' 'rss.buysellads.com' 'rt2.infolinks.com' 'rtb10.adscience.nl' 'rtb11.adscience.nl' 'rtb12.adscience.nl' 'rtb13.adscience.nl' 'rtb14.adscience.nl' 'rtb15.adscience.nl' 'rtb16.adscience.nl' 'rtb17.adscience.nl' 'rtb18.adscience.nl' 'rtb19.adscience.nl' 'rtb1.adscience.nl' 'rtb20.adscience.nl' 'rtb21.adscience.nl' 'rtb22.adscience.nl' 'rtb23.adscience.nl' 'rtb24.adscience.nl' 'rtb25.adscience.nl' 'rtb26.adscience.nl' 'rtb27.adscience.nl' 'rtb28.adscience.nl' 'rtb29.adscience.nl' 'rtb2.adscience.nl' 'rtb30.adscience.nl' 'rtb3.adscience.nl' 'rtb4.adscience.nl' 'rtb5.adscience.nl' 'rtb6.adscience.nl' 'rtb7.adscience.nl' 'rtb8.adscience.nl' 'rtb9.adscience.nl' 'rtb-lb-event-sjc.tubemogul.com' 'rtb.pclick.yahoo.com' 'rts.sparkstudios.com' 'rt.visilabs.com' 'ru4.com' 'ru.bbelements.com' 'rubi4edit.com' 'rubiccrum.com' 'rubriccrumb.com' 'rubyfortune.com' 'rubylan.net' 'rubytag.net' 'ru.redtram.com' 'ruspolice.com' 'ruspolice.net' 'russ-shalavy.ru' 'rv.adcpx.v1.de.eusem.adaos-ads.net' 'rya.rockyou.com' 's0b.bluestreak.com' 's1.2mdn.net' 's1.buysellads.com' 's1.gratkapl.adocean.pl' 's1.symcb.com' 's2.buysellads.com' 's2.symcb.com' 's3.symcb.com' 's4.symcb.com' 's5.addthis.com' 's5.symcb.com' 's7.orientaltrading.com' 's.ad121m.com' 's.ad131m.com' 's.admob.com' 's-adserver.sandbox.cxad.cxense.com' 'sad.sharethis.com' 'safari-critical-alert.com' 'safe.hyperpaysys.com' 'safenyplanet.in' 'sagent.io' 'salesforcecom.tt.omtrdc.net' 'samsung3.solution.weborama.fr' 'sanalreklam.com' 'sas.decisionnews.com' 's.as-us.falkag.net' 'sat-city-ads.com' 'saturn.tiser.com.au' 'save-plan.com' 'savings-specials.com' 'savings-time.com' 'sayac.hurriyet.com.tr' 'sayfabulunamadi.com' 's.baidu.com' 'sb.freeskreen.com' 's.boom.ro' 'sc1.admob.com' 'sc9.admob.com' 'scdown.qq.com' 'schumacher.adtech.de' 'schumacher.adtech.fr' 'schumacher.adtech.us' 'schwab.tt.omtrdc.net' 'scoremygift.com' 'screen-mates.com' 'script.banstex.com' 'scripts.linkz.net' 'scripts.verticalacuity.com' 'scr.kliksaya.com' 's.di.com.pl' 's.domob.cn' 'search.addthis.com' 'search.freeonline.com' 'search.netseer.com' 'searchportal.information.com' 'searchstats.usa.gov' 'searchwe.com' 'seasonalsamplerspecials.com' 'sebar.thand.info' 'sec.hit.gemius.pl' 'secimage.adtech.de' 'secimage.adtech.fr' 'secimage.adtech.us' 'secserv.adtech.fr' 'secserv.adtech.us' 'secure.addthis.com' 'secureads.ft.com' 'secure.bidvertiser.com' 'secure.bidvertiserr.com' 'securecontactinfo.com' 'securerunner.com' 'seduction-zone.com' 'seks-partner.com' 'sel.as-eu.falkag.net' 'sel.as-us.falkag.net' 'select001.adtech.de' 'select001.adtech.fr' 'select001.adtech.us' 'select002.adtech.de' 'select002.adtech.fr' 'select002.adtech.us' 'select003.adtech.de' 'select003.adtech.fr' 'select003.adtech.us' 'select004.adtech.de' 'select004.adtech.fr' 'select004.adtech.us' 'selective-business.com' 'sergarius.popunder.ru' 'serv2.ad-rotator.com' 'serv.ad-rotator.com' 'servads.aip.org' 'serve.adplxmd.com' 'servedby.dm3adserver.com' 'servedby.netshelter.net' 'servedby.precisionclick.com' 'serve.freegaypix.com' 'serve.mediayan.com' 'serve.prestigecasino.com' 'server01.popupmoney.com' 'server1.adpolestar.net' 'server2.mediajmp.com' 'server3.yieldmanaged.com' 'server821.com' 'server.popads.net' 'server-ssl.yieldmanaged.com' 'server.zoiets.be' 'service001.adtech.de' 'service001.adtech.fr' 'service001.adtech.us' 'service002.adtech.de' 'service002.adtech.fr' 'service002.adtech.us' 'service003.adtech.de' 'service003.adtech.fr' 'service003.adtech.us' 'service004.adtech.fr' 'service004.adtech.us' 'service00x.adtech.de' 'service00x.adtech.fr' 'service00x.adtech.us' 'service.adtech.de' 'service.adtech.fr' 'service.adtech.us' 'services1.adtech.de' 'services1.adtech.fr' 'services1.adtech.us' 'services.adtech.de' 'services.adtech.fr' 'services.adtech.us' 'serving.plexop.net' 'serving-sys.com' 'serv-load.com' 'servserv.generals.ea.com' 'serv.tooplay.com' 'sexpartnerx.com' 'sexsponsors.com' 'sexzavod.com' 'sfads.osdn.com' 's.flite.com' 'sgs001.adtech.de' 'sgs001.adtech.fr' 'sgs001.adtech.us' 'sh4sure-images.adbureau.net' 'shareasale.com' 'sharebar.addthiscdn.com' 'share-server.com' 'shc-rebates.com' 'sherkatkonandeh.com' 'sherkhundi.com' 'shinystat.shiny.it' 'shopperpromotions.com' 'shoppingbox.partner.leguide.com' 'shoppingminds.net' 'shopping-offer.com' 'shoppingsiterewards.com' 'shops-malls-rewardpath.com' 'shoptosaveenergy.com' 'showads1000.pubmatic.com' 'showadsak.pubmatic.com' 'show-msgch.qq.com' 'shrek.6.cn' 'sifomedia.citypaketet.se' 'signup.advance.net' 'simba.6.cn' 'simpleads.net' 'simpli.fi' 'site.adform.com' 'siteimproveanalytics.com' 'sixapart.adbureau.net' 'sizzle-savings.com' 'skgde.adocean.pl' 'skill.skilljam.com' 'slayinglance.com' 'slimspots.com' 'smartadserver' 'smartadserver.com' 'smart.besonders.ru' 'smartclip.com' 'smartclip.net' 'smartcontext.pl' 'smart-scripts.com' 'smartshare.lgtvsdp.com' 's.media-imdb.com' 's.megaclick.com' 'smile.modchipstore.com' 'smm.sitescout.com' 'smokersopinionpoll.com' 'smsmovies.net' 'snaps.vidiemi.com' 'sn.baventures.com' 'snip.answers.com' 'snipjs.answcdn.com' 'sobar.baidu.com' 'sobartop.baidu.com' 'sochr.com' 'social.bidsystem.com' 'softlinkers.popunder.ru' 'sokrates.adtech.de' 'sokrates.adtech.fr' 'sokrates.adtech.us' 'sol.adbureau.net' 'sol-images.adbureau.net' 'solitairetime.com' 'solution.weborama.fr' 'somethingawful.crwdcntrl.net' 'sonycomputerentertai.tt.omtrdc.net' 'soongu.info' 's.oroll.com' 'spaces.slimspots.com' 'spanel.gem.pl' 'spanids.dictionary.com' 'spanids.thesaurus.com' 'spc.cekfmeoejdbfcfichgbfcgjf.vast2as3.glammedia-pubnet.northamerica.telemetryverification.net' 'spcode.baidu.com' 'specialgiftrewards.com' 'specialoffers.aol.com' 'specialonlinegifts.com' 'specials-rewardpath.com' 'speedboink.com' 'speed.lstat.youku.com' 'speedynewsclips.com' 'spinbox.com' 'spinbox.consumerreview.com' 'spinbox.freedom.com' 'spinbox.macworld.com' 'spinbox.techtracker.com' 'sponsor1.com' 'sponsors.behance.com' 'sponsors.ezgreen.com' 'sponsorships.net' 'sports-bonuspath.com' 'sports-fitness-rewardpath.com' 'sports-offer.com' 'sports-offer.net' 'sports-premiumblvd.com' 'spotxchange.com' 'sq2trk2.com' 's.rev2pub.com' 'ssads.osdn.com' 'ssl-nl.persgroep.edgekey.neto' 'sso.canada.com' 'ssp.adplus.co.id' 'sspcash.adxcore.com' 'staging.snip.answers.com' 'stampen.adtlgc.com' 'stampen.linkpulse.com' 'stampscom.tt.omtrdc.net' 'stanzapub.advertserve.com' 'star-advertising.com' 'start.badults.se' 'stat0.888.ku6.com' 'stat1.888.ku6.com' 'stat2.888.ku6.com' 'stat2.corp.56.com' 'stat3.888.ku6.com' 'stat.56.com' 'stat.dealtime.com' 'stat.detelefoongids.nl' 'stat.ebuzzing.com' 'stat.gw.youmi.net' 'static1.influads.com' 'static.2mdn.net' 'static.admaximize.com' 'staticads.btopenworld.com' 'static.adsonar.com' 'static.adwo.com' 'static.affiliation-france.com' 'static.aff-landing-tmp.foxtab.com' 'staticb.mydirtyhobby.com' 'static.carbonads.com' 'static.chartbeat.com' 'static.clicktorrent.info' 'staticd.cdn.adblade.com' 'static.everyone.net' 'static.exoclick.com' 'static.fastpic.ru' 'static.firehunt.com' 'static.fmpub.net' 'static.freenet.de' 'static.freeskreen.com' 'static.groupy.co.nz' 'static.hitfarm.com' 'static.ku6.com' 'static.l3.cdn.adbucks.com' 'static.l3.cdn.adsucks.com' 'static.linkz.net' 'static.lstat.youku.com' 'static.mediav.com' 'static.nrelate.com' 'static.oroll.com' 'static.plista.com' 'static.plugrush.com' 'static.pulse360.com' 'static.regiojobs.be' 'static.trackuity.com' 'static.trafficstars.com' 'static.virgul.com' 'static.way2traffic.com' 'static.wooboo.com.cn' 'static.youmi.net' 'statistik-gallup.dk' 'stat.rolledwil.biz' 'stats2.dooyoo.com' 'stats.askmoses.com' 'stats.buzzparadise.com' 'stats.defense.gov' 'stats.fd.nl' 'statsie.com' 'stats.ipinyou.com' 'stats.shopify.com' 'stats.tubemogul.com' 'stats.tudou.com' 'stats.x14.eu' 'stat.tudou.com' 'status.addthis.com' 's.tcimg.com' 'st.marketgid.com' 'stocker.bonnint.net' 'storage.bulletproofserving.com' 'storage.softure.com' 'stts.rbc.ru' 'st.valueclick.com' 'st.vq.ku6.cn' 'su.addthis.com' 'subad-server.com' 'subtracts.userplane.com' 'successful-marketing-now.com' 'sudokuwhiz.com' 'sunmaker.com' 'superbrewards.com' 'support.sweepstakes.com' 'supremeadsonline.com' 'suresafe1.adsovo.com' 'surplus-suppliers.com' 'surveycentral.directinsure.info' 'survey.china.alibaba.com' 'surveymonkeycom.tt.omtrdc.net' 'surveypass.com' 'susi.adtech.fr' 'susi.adtech.us' 'svd2.adtlgc.com' 'svd.adtlgc.com' 'sview.avenuea.com' 's.visilabs.com' 's.visilabs.net' 'sweetsforfree.com' 'symbiosting.com' 'synad2.nuffnang.com.cn' 'synad.nuffnang.com.sg' 'syncaccess.net' 'syndicated.mondominishows.com' 'syn.verticalacuity.com' 'sysadmin.map24.com' 'sysip.net' 't1.adserver.com' 't8t7frium3.s.ad6media.fr' 't.admob.com' 'tag1.webabacus.com' 'tag.admeld.com' 'tag.regieci.com' 'tags.toroadvertising.com' 'tag.webcompteur.com' 'taking-technology.com' 'taloussanomat.linkpulse.com' 't.atpanel.com' 'tbtrack.zutrack.com' 'tcadops.ca' 'tcimg.com' 't.cpmadvisors.com' 'tcss.qq.com' 'tdameritrade.tt.omtrdc.net' 'tdc.advertorials.dk' 'tdkads.ads.dk' 'team4heat.net' 'teatac4bath.com' 'techasiamusicsvr.com' 'technicads.com' 'technicaldigitalreporting.com' 'technicserv.com' 'technicupdate.com' 'techreview.adbureau.net' 'techreview-images.adbureau.net' 'techsupportpwr.com' 'tech.weeklytribune.net' 'teeser.ru' 'tel.geenstijl.nl' 'testapp.adhood.com' 'testpc24.profitableads.online' 'textads.madisonavenue.com' 'textad.traficdublu.ro' 'text-link-ads.com' 'text-link-ads-inventory.com' 'textsrv.com' 'tf.nexac.com' 'tgpmanager.com' 'the-binary-trader.biz' 'themaplemethod.com' 'the-path-gateway.com' 'thepiratetrader.com' 'the-smart-stop.com' 'thesuperdeliciousnews.com' 'theuploadbusiness.com' 'theuseful.com' 'theuseful.net' 'thinknyc.eu-adcenter.net' 'thinktarget.com' 'thinlaptoprewards.com' 'thirtydaychange.com' 'this.content.served.by.addshuffle.com' 'this.content.served.by.adshuffle.com' 'thoughtfully-free.com' 'thruport.com' 'timelywebsitehostesses.com' 'tk.baidu.com' 'tkweb.baidu.com' 'tmp3.nexac.com' 'tmsads.tribune.com' 'tmx.technoratimedia.com' 'tn.adserve.com' 'toads.osdn.com' 'tommysbookmarks.com' 'tommysbookmarks.net' 'tongji.baidu.com' 'tons-to-see.com' 'toofanshadid.com' 'toolbar.adperium.com' 'toolbar.baidu.com' 'toolbar.soso.com' 'top1site.3host.com' 'top5.mail.ru' 'topbrandrewards.com' 'topconsumergifts.com' 'topdemaroc.com' 'topica.advertserve.com' 'toplist.throughput.de' 'topmarketcenter.com' 'topsurvey-offers.com' 'touche.adcentric.proximi-t.com' 'tower.adexpedia.com' 'toy-offer.com' 'toy-offer.net' 'tpads.ovguide.com' 'tps30.doubleverify.com' 'tps31.doubleverify.com' 'trace.qq.com' 'track.adjal.com' 'trackadvertising.net' 'track-apmebf.cj.akadns.net' 'track.bigbrandpromotions.com' 'track.e7r.com.br' 'tracker.baidu.com' 'trackers.1st-affiliation.fr' 'tracker.twenga.nl' 'tracking.edvisors.com' 'tracking.eurowebaffiliates.com' 'tracking.internetstores.de' 'tracking.joker.com' 'tracking.keywordmax.com' 'tracking.veoxa.com' 'track.omgpl.com' 'track.roularta.adhese.com' 'track.the-members-section.com' 'track.tooplay.com' 'track.vscash.com' 'tradem.com' 'trafficbee.com' 'trafficrevenue.net' 'traffictraders.com' 'traffprofit.com' 'trafmag.com' 'trafsearchonline.com' 'travel-leisure-bonuspath.com' 'travel-leisure-premiumblvd.com' 'traveller-offer.com' 'traveller-offer.net' 'travelncs.com' 'tr.bigpoint.com' 'trekmedia.net' 'trendnews.com' 'trgde.adocean.pl' 'triangle.dealsaver.com' 'trk.alskeip.com' 'trk.etrigue.com' 'trk.yadomedia.com' 'tropiccritics.com' 'tr.tu.connect.wunderloop.net' 'trustsitesite.com' 'trvlnet.adbureau.net' 'trvlnet-images.adbureau.net' 'tr.wl.webads.nl' 'tsms-ad.tsms.com' 'tste.ivillage.com' 'tste.mcclatchyinteractive.com' 'tste.startribune.com' 'ttarget.adbureau.net' 'ttnet.yandex.com.tr' 'ttuk.offers4u.mobi' 'turn.com' 'turnerapac.d1.sc.omtrdc.net' 'tv2no.linkpulse.com' 'tvshowsnow.tvmax.hop.clickbank.net' 'twnads.weather.ca' 'ua2.admixer.net' 'u.admob.com' 'uav.tidaltv.com' 'ubmcmm.baidustatic.com' 'uc.csc.adserver.yahoo.com' 'ucstat.baidu.com' 'uedata.amazon.com' 'uelbdc74fn.s.ad6media.fr' 'uf2.svrni.ca' 'ugo.eu-adcenter.net' 'ui.ppjol.com' 'uleadstrk.com' 'ulic.baidu.com' 'ultimatefashiongifts.com' 'ultrabestportal.com' 'ultrasponsor.com' 'um.simpli.fi' 'uniclick.openv.com' 'union.56.com' 'union.6.cn' 'union.baidu.com' 'unite3tubes.com' 'unstat.baidu.com' 'unwashedsound.com' 'uole.ad.uol.com.br' 'upload.adtech.de' 'upload.adtech.fr' 'upload.adtech.us' 'uproar.com' 'uproar.fortunecity.com' 'upsellit.com' 'usads.vibrantmedia.com' 'usapolice.com' 'usatoday.app.ur.gcion.com' 'usatravel-specials.com' 'usatravel-specials.net' 'us-choicevalue.com' 'usemax.de' 'usr.marketgid.com' 'us-topsites.com' 'ut.addthis.com' 'utarget.ru' 'utility.baidu.com' 'utils.mediageneral.com' 'utk.baidu.com' 'uvimage.56.com' 'v0.stat.ku6.com' 'v16.56.com' 'v1.stat.ku6.com' 'v2.stat.ku6.com' 'v3.stat.ku6.com' 'v3.toolbar.soso.com' 'vad.adbasket.net' 'v.admob.com' 'vads.adbrite.com' 'valb.atm.youku.com' 'valc.atm.youku.com' 'valf.atm.youku.com' 'valo.atm.youku.com' 'valp.atm.youku.com' 'van.ads.link4ads.com' 'vast.bp3845260.btrll.com' 'vast.bp3846806.btrll.com' 'vast.bp3846885.btrll.com' 'vast.tubemogul.com' 'vclick.adbrite.com' 'venus.goclick.com' 've.tscapeplay.com' 'viamichelin.cdn11.contentabc.com' 'viamichelin.media.trafficjunky.net' 'vice-ads-cdn.vice.com' 'vid.atm.youku.com' 'videobox.com' 'videocop.com' 'videoegg.adbureau.net' 'video-game-rewards-central.com' 'videogamerewardscentral.com' 'videomediagroep.nl' 'videos.fleshlight.com' 'videoslots.888.com' 'videos.video-loader.com' 'view.atdmt.com' 'view.avenuea.com' 'view.iballs.a1.avenuea.com' 'view.jamba.de' 'view.netrams.com' 'views.m4n.nl' 'viglink.com' 'viglink.pgpartner.com' 'villagevoicecollect.247realmedia.com' 'vip1.tw.adserver.yahoo.com' 'vipfastmoney.com' 'vk.18sexporn.ru' 'vmcsatellite.com' 'vmix.adbureau.net' 'vms.boldchat.com' 'vnu.eu-adcenter.net' 'vnumedia02.webtrekk.net' 'vnumedia03.webtrekk.net' 'vnumedia04.webtrekk.net' 'vocal-mess.com' 'vodafoneit.solution.weborama.fr' 'voordeel.ad.nl' 'vp.tscapeplay.com' 'v.vomedia.tv' 'vzarabotke.ru' 'w100.am15.net' 'w101.am15.net' 'w102.am15.net' 'w103.am15.net' 'w104.am15.net' 'w105.am15.net' 'w106.am15.net' 'w107.am15.net' 'w108.am15.net' 'w109.am15.net' 'w10.am15.net' 'w110.am15.net' 'w111.am15.net' 'w112.am15.net' 'w113.am15.net' 'w114.am15.net' 'w115.am15.net' 'w116.am15.net' 'w117.am15.net' 'w118.am15.net' 'w119.am15.net' 'w11.am15.net' 'w11.centralmediaserver.com' 'w12.am15.net' 'w13.am15.net' 'w14.am15.net' 'w15.am15.net' 'w16.am15.net' 'w17.am15.net' 'w18.am15.net' 'w19.am15.net' 'w1.am15.net' 'w1.iyi.net' 'w1.webcompteur.com' 'w20.am15.net' 'w21.am15.net' 'w22.am15.net' 'w23.am15.net' 'w24.am15.net' 'w25.am15.net' 'w26.am15.net' 'w27.am15.net' 'w28.am15.net' 'w29.am15.net' 'w2.am15.net' 'w30.am15.net' 'w31.am15.net' 'w32.am15.net' 'w33.am15.net' 'w34.am15.net' 'w35.am15.net' 'w36.am15.net' 'w37.am15.net' 'w38.am15.net' 'w39.am15.net' 'w3.am15.net' 'w40.am15.net' 'w41.am15.net' 'w42.am15.net' 'w43.am15.net' 'w44.am15.net' 'w45.am15.net' 'w46.am15.net' 'w47.am15.net' 'w48.am15.net' 'w49.am15.net' 'w4.am15.net' 'w50.am15.net' 'w51.am15.net' 'w52.am15.net' 'w53.am15.net' 'w54.am15.net' 'w55.am15.net' 'w56.am15.net' 'w57.am15.net' 'w58.am15.net' 'w59.am15.net' 'w5.am15.net' 'w60.am15.net' 'w61.am15.net' 'w62.am15.net' 'w63.am15.net' 'w64.am15.net' 'w65.am15.net' 'w66.am15.net' 'w67.am15.net' 'w68.am15.net' 'w69.am15.net' 'w6.am15.net' 'w70.am15.net' 'w71.am15.net' 'w72.am15.net' 'w73.am15.net' 'w74.am15.net' 'w75.am15.net' 'w76.am15.net' 'w77.am15.net' 'w78.am15.net' 'w79.am15.net' 'w7.am15.net' 'w80.am15.net' 'w81.am15.net' 'w82.am15.net' 'w83.am15.net' 'w84.am15.net' 'w85.am15.net' 'w86.am15.net' 'w87.am15.net' 'w88.am15.net' 'w89.am15.net' 'w8.am15.net' 'w90.am15.net' 'w91.am15.net' 'w92.am15.net' 'w93.am15.net' 'w94.am15.net' 'w95.am15.net' 'w96.am15.net' 'w97.am15.net' 'w98.am15.net' 'w99.am15.net' 'w9.am15.net' 'w.admob.com' 'wafmedia3.com' 'wahoha.com' 'walp.atm.youku.com' 'wangluoruanjian.com' 'wangmeng.baidu.com' 'wap.casee.cn' 'warp.crystalad.com' 'wdm29.com' 'web1b.netreflector.com' 'webads.bizservers.com' 'webads.nl' 'webbizwild.com' 'webcamsex.nl' 'webcompteur.com' 'webhosting-ads.home.pl' 'weblogger.visilabs.com' 'webmdcom.tt.omtrdc.net' 'webnavegador.com' 'web.nyc.ads.juno.co' 'webservices-rewardpath.com' 'websurvey.spa-mr.com' 'webtrekk.net' 'webuysupplystore.mooo.com' 'webwise.bt.com' 'wegetpaid.net' 'werkenbijliones.nl' 'w.ic.tynt.com' 'widespace.com' 'widget3.linkwithin.com' 'widget5.linkwithin.com' 'widget.achetezfacile.com' 'widgets.tcimg.com' 'wigetmedia.com' 'wikiforosh.ir' 'williamhill.es' 'wineeniphone6.com-gen.online' 'w.l.qq.com' 'wm.baidu.com' 'wmedia.rotator.hadj7.adjuggler.net' 'worden.samenresultaat.nl' 'wordplaywhiz.com' 'work-offer.com' 'worry-free-savings.com' 'wppluginspro.com' 'w.prize44.com' 'ws.addthis.com' 'wtp101.com' 'wwbtads.com' 'www10.ad.tomshardware.com' 'www10.glam.com' 'www10.indiads.com' 'www10.paypopup.com' 'www11.ad.tomshardware.com' 'www123.glam.com' 'www.123specialgifts.com' 'www12.ad.tomshardware.com' 'www12.glam.com' 'www13.ad.tomshardware.com' 'www13.glam.com' 'www14.ad.tomshardware.com' 'www15.ad.tomshardware.com' 'www17.glam.com' 'www18.glam.com' 'www1.adireland.com' 'www1.ad.tomshardware.com' 'www1.bannerspace.com' 'www1.belboon.de' 'www1.clicktorrent.info' 'www1.popinads.com' 'www1.safenyplanet.in' 'www1.vip.sc9.admob.com' 'www1.xmediaserve.com' 'www1.zapadserver1.com' 'www.2015rewardopportunities.com' 'www210.paypopup.com' 'www211.paypopup.com' 'www212.paypopup.com' 'www213.paypopup.com' 'www.247realmedia.com' 'www24a.glam.com' 'www24.glam.com' 'www25a.glam.com' 'www25.glam.com' 'www2.adireland.com' 'www2.ad.tomshardware.com' 'www.2-art-coliseum.com' 'www2.bannerspace.com' 'www2.glam.com' 'www2.kampanyatakip.net' 'www2.pubdirecte.com' 'www2.zapadserver1.com' 'www30a1-orig.glam.com' 'www30a2-orig.glam.com' 'www30a3.glam.com' 'www30a3-orig.glam.com' 'www30a7.glam.com' 'www30.glam.com' 'www30l2.glam.com' 'www30t1-orig.glam.com' 'www.321cba.com' 'www35f.glam.com' 'www35jm.glam.com' 'www35t.glam.com' 'www.360ads.com' 'www3.addthis.com' 'www3.ad.tomshardware.com' 'www3.bannerspace.com' 'www3.haberturk.com' 'www3.ihaberadserver.com' 'www3.kampanyatakip.net' 'www3.oyunstar.com' 'www.3qqq.net' 'www.3turtles.com' 'www3.zapadserver.com' 'www.404errorpage.com' 'www4.ad.tomshardware.com' 'www4.bannerspace.com' 'www4.glam.com' 'www4.kampanyatakip.net' 'www5.ad.tomshardware.com' 'www5.bannerspace.com' 'www5.kampanyatakip.net' 'www5.mackolik1.com' 'www.5thavenue.com' 'www6.ad.tomshardware.com' 'www6.bannerspace.com' 'www6.kampanyatakip.net' 'www74.valueclick.com' 'www.7500.com' 'www7.ad.tomshardware.com' 'www7.bannerspace.com' 'www.7bpeople.com' 'www.7cnbcnews.com' 'www7.kampanyatakip.net' 'www.805m.com' 'www81.valueclick.com' 'www.888casino.com' 'www.888poker.com' 'www8.ad.tomshardware.com' 'www8.bannerspace.com' 'www.961.com' 'www9.ad.tomshardware.com' 'www9.paypopup.com' 'www.abrogatesdv.info' 'www.actiondesk.com' 'www.action.ientry.net' 'www.ad6media.fr' 'www.adbanner.gr' 'www.adblockanalytics.com' 'www.adbrite.com' 'www.adcanadian.com' 'www.addthiscdn.com' 'www.addthis.com' 'www.adfactor.nl' 'www.adfunkyserver.com' 'www.adimages.beeb.com' 'www.adipics.com' 'www.adjmps.com' 'www.adjug.com' 'www.adlogix.com' 'www.admex.com' 'www.adnet.biz' 'www.adnet.com' 'www.adnet.de' 'www.adnxs.com' 'www.adobee.com' 'www.adobur.com' 'www.adocean.pl' 'www.adpepper.dk' 'www.adpowerzone.com' 'www.adquest3d.com' 'www.adreporting.com' 'www.ads2srv.com' 'www.adscience.nl' 'www.adsentnetwork.com' 'www.adserver.co.il' 'www.adserver.com' 'www.adserver.com.my' 'www.adserver.com.pl' 'www.adserver-espnet.sportszone.net' 'www.adserver.janes.net' 'www.adserver.janes.org' 'www.adserver.jolt.co.uk' 'www.adserver.net' 'www.adserver.ugo.nl' 'www.adservtech.com' 'www.adsinimages.com' 'www.ads.joetec.net' 'www.adsoftware.com' 'www.adspics.com' 'www.ads.revenue.net' 'www.adsrvr.org' 'www.adstogo.com' 'www.adstreams.org' 'www.adsupplyads.com' 'www.adtaily.pl' 'www.adtechus.com' 'www.ad.tgdaily.com' 'www.adtlgc.com' 'www.ad.tomshardware.com' 'www.adtrix.com' 'www.ad-up.com' 'www.advaliant.com' 'www.adverterenbijrtl.nl' 'www.adverterenbijsbs.nl' 'www.adverterenzeeland.nl' 'www.advertising-department.com' 'www.advertpro.com' 'www.adverts.dcthomson.co.uk' 'www.advertyz.com' 'www.adview.cn' 'www.ad-words.ru' 'www.adzerk.net' 'www.affiliateclick.com' 'www.affiliate-fr.com' 'www.affiliation-france.com' 'www.afform.co.uk' 'www.affpartners.com' 'www.afterdownload.com' 'www.agkn.com' 'www.alexxe.com' 'www.algocashmaster.com' 'www.allosponsor.com' 'www.amazing-opportunities.info' 'www.annuaire-autosurf.com' 'www.apparelncs.com' 'www.apparel-offer.com' 'www.applelounge.com' 'www.applicationwiki.com' 'www.appliedsemantics.com' 'www.appnexus.com' 'www.art-music-rewardpath.com' 'www.art-offer.com' 'www.art-offer.net' 'www.art-photo-music-premiumblvd.com' 'www.art-photo-music-rewardempire.com' 'www.art-photo-music-savingblvd.com' 'www.atpanel.com' 'www.auctionshare.net' 'www.aureate.com' 'www.autohipnose.com' 'www.automotive-offer.com' 'www.automotive-rewardpath.com' 'www.avcounter10.com' 'www.avsads.com' 'www.a.websponsors.com' 'www.awesomevipoffers.com' 'www.bananacashback.com' 'www.banner4all.dk' 'www.bannerads.de' 'www.bannerbackup.com' 'www.bannerconnect.net' 'www.banners.paramountzone.com' 'www.bannersurvey.biz' 'www.banstex.com' 'www.bargainbeautybuys.com' 'www.bbelements.com' 'www.best-iphone6s.com' 'www.bestshopperrewards.com' 'www.bet365.com' 'www.bhclicks.com' 'www.bidtraffic.com' 'www.bigbangempire.com' 'www.bigbrandpromotions.com' 'www.bigbrandrewards.com' 'www.biggestgiftrewards.com' 'www.binarysystem4u.com' 'www.biz-offer.com' 'www.bizopprewards.com' 'www.blasphemysfhs.info' 'www.blatant8jh.info' 'www.bluediamondoffers.com' 'www.bnnr.nl' 'www.bonzi.com' 'www.bookclub-offer.com' 'www.books-media-edu-premiumblvd.com' 'www.books-media-edu-rewardempire.com' 'www.books-media-rewardpath.com' 'www.boonsolutions.com' 'www.bostonsubwayoffer.com' 'www.brandrewardcentral.com' 'www.brandsurveypanel.com' 'www.brightonclick.com' 'www.brokertraffic.com' 'www.budsinc.com' 'www.bugsbanner.it' 'www.bulkclicks.com' 'www.bulletads.com' 'www.business-rewardpath.com' 'www.bus-offer.com' 'www.buttcandy.com' 'www.buwobarun.cn' 'www.buyhitscheap.com' 'www.capath.com' 'www.careers-rewardpath.com' 'www.car-truck-boat-bonuspath.com' 'www.car-truck-boat-premiumblvd.com' 'www.cashback.co.uk' 'www.cashbackwow.co.uk' 'www.casino770.com' 'www.catalinkcashback.com' 'www.cell-phone-giveaways.com' 'www.cellphoneincentives.com' 'www.chainsawoffer.com' 'www.chartbeat.com' 'www.choicedealz.com' 'www.choicesurveypanel.com' 'www.christianbusinessadvertising.com' 'www.ciqugasox.cn' 'www.claimfreerewards.com' 'www.clashmediausa.com' 'www.click10.com' 'www.click4click.com' 'www.clickbank.com' 'www.clickdensity.com' 'www.click-find-save.com' 'www.click-see-save.com' 'www.clicksotrk.com' 'www.clicktale.com' 'www.clicktale.net' 'www.clickthrutraffic.com' 'www.clicktilluwin.com' 'www.clicktorrent.info' 'www.clickxchange.com' 'www.closeoutproductsreview.com' 'www.cm1359.com' 'www.come-see-it-all.com' 'www.commerce-offer.com' 'www.commerce-rewardpath.com' 'www.computer-offer.com' 'www.computer-offer.net' 'www.computers-electronics-rewardpath.com' 'www.computersncs.com' 'www.consumergiftcenter.com' 'www.consumerincentivenetwork.com' 'www.consumer-org.com' 'www.contextweb.com' 'www.conversantmedia.com' 'www.cookingtiprewards.com' 'www.coolconcepts.nl' 'www.cool-premiums.com' 'www.cool-premiums-now.com' 'www.coolpremiumsnow.com' 'www.coolsavings.com' 'www.coreglead.co.uk' 'www.cosmeticscentre.uk.com' 'www.cpabank.com' 'www.cpmadvisors.com' 'www.crazypopups.com' 'www.crazywinnings.com' 'www.crediblegfj.info' 'www.crispads.com' 'www.crowdgravity.com' 'www.crowdignite.com' 'www.ctbdev.net' 'www.cyber-incentives.com' 'www.d03x2011.com' 'www.daily-saver.com' 'www.datatech.es' 'www.datingadvertising.com' 'www.dctracking.com' 'www.depravedwhores.com' 'www.designbloxlive.com' 'www.destinationurl.com' 'www.dgmaustralia.com' 'www.dietoftoday.ca.pn' 'www.digimedia.com' 'www.directpowerrewards.com' 'www.dirtyrhino.com' 'www.discount-savings-more.com' 'www.djugoogs.com' 'www.dl-plugin.com' 'www.drowle.com' 'www.dt1blog.com' 'www.dutchsales.org' 'www.earnmygift.com' 'www.earnpointsandgifts.com' 'www.easyadservice.com' 'www.e-bannerx.com' 'www.ebayadvertising.com' 'www.ebaybanner.com' 'www.education-rewardpath.com' 'www.edu-offer.com' 'www.electronics-bonuspath.com' 'www.electronics-offer.net' 'www.electronicspresent.com' 'www.electronics-rewardpath.com' 'www.emailadvantagegroup.com' 'www.emailproductreview.com' 'www.emarketmakers.com' 'www.entertainment-rewardpath.com' 'www.entertainment-specials.com' 'www.eshopads2.com' 'www.exasharetab.com' 'www.exclusivegiftcards.com' 'www.eyeblaster-bs.com' 'www.eyewonder.com' 'www.falkag.de' 'www.family-offer.com' 'www.fast-adv.it' 'www.fastcash-ad.biz' 'www.fatcatrewards.com' 'www.feedjit.com' 'www.feedstermedia.com' 'www.fif49.info' 'www.finance-offer.com' 'www.finder.cox.net' 'www.fineclicks.com' 'www.flagcounter.com' 'www.flowers-offer.com' 'www.flu23.com' 'www.focalex.com' 'www.folloyu.com' 'www.food-drink-bonuspath.com' 'www.food-drink-rewardpath.com' 'www.foodmixeroffer.com' 'www.food-offer.com' 'www.forboringbusinesses.com' 'www.freeadguru.com' 'www.freebiegb.co.uk' 'www.freecameraonus.com' 'www.freecameraprovider.com' 'www.freecamerasource.com' 'www.freecamerauk.co.uk' 'www.freecamsecrets.com' 'www.freecamsexposed.com' 'www.freecoolgift.com' 'www.freedesignerhandbagreviews.com' 'www.freedinnersource.com' 'www.freedvddept.com' 'www.freeelectronicscenter.com' 'www.freeelectronicsdepot.com' 'www.freeelectronicsonus.com' 'www.freeelectronicssource.com' 'www.freeentertainmentsource.com' 'www.freefoodprovider.com' 'www.freefoodsource.com' 'www.freefuelcard.com' 'www.freefuelcoupon.com' 'www.freegasonus.com' 'www.freegasprovider.com' 'www.free-gift-cards-now.com' 'www.freegiftcardsource.com' 'www.freegiftreward.com' 'www.free-gifts-comp.com' 'www.freeipodnanouk.co.uk' 'www.freeipoduk.com' 'www.freeipoduk.co.uk' 'www.freelaptopgift.com' 'www.freelaptopnation.com' 'www.free-laptop-reward.com' 'www.freelaptopreward.com' 'www.freelaptopwebsites.com' 'www.freenation.com' 'www.freeoffers-toys.com' 'www.freepayasyougotopupuk.co.uk' 'www.freeplasmanation.com' 'www.freerestaurantprovider.com' 'www.freerestaurantsource.com' 'www.freeshoppingprovider.com' 'www.freeshoppingsource.com' 'www.freo-stats.nl' 'www.fusionbanners.com' 'www.gameconsolerewards.com' 'www.games-toys-bonuspath.com' 'www.games-toys-free.com' 'www.games-toys-rewardpath.com' 'www.gatoradvertisinginformationnetwork.com' 'www.getacool100.com' 'www.getacool500.com' 'www.getacoollaptop.com' 'www.getacooltv.com' 'www.getagiftonline.com' 'www.getloan.com' 'www.getmyfreebabystuff.com' 'www.getmyfreegear.com' 'www.getmyfreegiftcard.com' 'www.getmyfreelaptop.com' 'www.getmyfreelaptophere.com' 'www.getmyfreeplasma.com' 'www.getmylaptopfree.com' 'www.getmyplasmatv.com' 'www.getspecialgifts.com' 'www.getyourfreecomputer.com' 'www.getyourfreetv.com' 'www.giftcardchallenge.com' 'www.giftcardsurveys.us.com' 'www.giftrewardzone.com' 'www.gifts-flowers-rewardpath.com' 'www.gimmethatreward.com' 'www.gmads.net' 'www.go-free-gifts.com' 'www.gofreegifts.com' 'www.goody-garage.com' 'www.gopopup.com' 'www.grabbit-rabbit.com' 'www.greasypalm.com' 'www.groupm.com' 'www.grz67.com' 'www.guesstheview.com' 'www.guptamedianetwork.com' 'www.happydiscountspecials.com' 'www.healthbeautyncs.com' 'www.health-beauty-rewardpath.com' 'www.health-beauty-savingblvd.com' 'www.healthclicks.co.uk' 'www.hebdotop.com' 'www.heusmarketing.nl' 'www.hightrafficads.com' 'www.histats.com' 'www.holiday-gift-offers.com' 'www.holidayproductpromo.com' 'www.holidayshoppingrewards.com' 'www.home4bizstart.ru' 'www.homeelectronicproducts.com' 'www.home-garden-premiumblvd.com' 'www.home-garden-rewardempire.com' 'www.home-garden-rewardpath.com' 'www.hooqy.com' 'www.hotchatdate.com' 'www.hot-daily-deal.com' 'www.hotgiftzone.com' 'www.hotkeys.com' 'www.hot-product-hangout.com' 'www.idealcasino.net' 'www.idirect.com' 'www.ihaberadserver.com' 'www.iicdn.com' 'www.ijacko.net' 'www.ilovemobi.com' 'www.impressionaffiliate.com' 'www.impressionaffiliate.mobi' 'www.impressionlead.com' 'www.impressionperformance.biz' 'www.incentivegateway.com' 'www.incentiverewardcenter.com' 'www.incentive-scene.com' 'www.inckamedia.com' 'www.infinite-ads.com' 'www.inpagevideo.nl' 'www.ins-offer.com' 'www.insurance-rewardpath.com' 'www.intela.com' 'www.interstitialzone.com' 'www.intnet-offer.com' 'www.invitefashion.com' 'www.istats.nl' 'www.itrackerpro.com' 'www.itsfree123.com' 'www.iwantmyfreecash.com' 'www.iwantmy-freelaptop.com' 'www.iwantmyfree-laptop.com' 'www.iwantmyfreelaptop.com' 'www.iwantmygiftcard.com' 'www.jersey-offer.com' 'www.jetseeker.com' 'www.jivox.com' 'www.jl29jd25sm24mc29.com' 'www.joinfree.ro' 'www.jxliu.com' 'www.kampanyatakip.net' 'www.keywordblocks.com' 'www.kitaramarketplace.com' 'www.kitaramedia.com' 'www.kitaratrk.com' 'www.kixer.com' 'www.kliksaya.com' 'www.kmdl101.com' 'www.konversation.com' 'www.kreaffiliation.com' 'www.kuhdi.com' 'www.ladyclicks.ru' 'www.laptopreportcard.com' 'www.laptoprewards.com' 'www.laptoprewardsgroup.com' 'www.laptoprewardszone.com' 'www.larivieracasino.com' 'www.lasthr.info' 'www.le1er.net' 'www.leadgreed.com' 'www.learning-offer.com' 'www.legal-rewardpath.com' 'www.leisure-offer.com' 'www.linkhut.com' 'www.linkpulse.com' 'www.linkwithin.com' 'www.liones.nl' 'www.liveinternet.ru' 'www.lldiettracker.com' 'www.lottoforever.com' 'www.lpcloudsvr302.com' 'www.lpmxp2014.com' 'www.lpmxp2015.com' 'www.lpmxp2016.com' 'www.lpmxp2017.com' 'www.lpmxp2018.com' 'www.lpmxp2019.com' 'www.lpmxp2020.com' 'www.lpmxp2021.com' 'www.lpmxp2022.com' 'www.lpmxp2023.com' 'www.lpmxp2024.com' 'www.lpmxp2025.com' 'www.lpmxp2026.com' 'www.lpmxp2027.com' 'www.lucky-day-uk.com' 'www.mac.com-w.net' 'www.macombdisplayads.com' 'www.market-buster.com' 'www.marketing-rewardpath.com' 'www.marketwatch.com.edgesuite.net' 'www.mastertracks.be' 'www.media2.travelzoo.com' 'www.media-motor.com' 'www.medical-offer.com' 'www.medical-rewardpath.com' 'www.merchantapp.com' 'www.merlin.co.il' 'www.methodcasino2015.com' 'www.mgid.com' 'www.mightymagoo.com' 'www.mijnbladopdemat.nl' 'www.mktg-offer.com' 'www.mlntracker.com' 'www.mochibot.com' 'www.morefreecamsecrets.com' 'www.morevisits.info' 'www.mp3playersource.com' 'www.mpression.net' 'www.myadsl.co.za' 'www.myairbridge.com' 'www.mycashback.co.uk' 'www.mycelloffer.com' 'www.mychoicerewards.com' 'www.myexclusiverewards.com' 'www.myfreedinner.com' 'www.myfreegifts.co.uk' 'www.myfreemp3player.com' 'www.mygiftcardcenter.com' 'www.mygreatrewards.com' 'www.myoffertracking.com' 'www.my-reward-channel.com' 'www.my-rewardsvault.com' 'www.myseostats.com' 'www.my-stats.com' 'www.myuitm.com' 'www.myusersonline.com' 'www.na47.com' 'www.nakhit.com' 'www.nationalissuepanel.com' 'www.nationalsurveypanel.com' 'www.nctracking.com' 'www.nearbyad.com' 'www.needadvertising.com' 'www.neptuneads.com' 'www.netpalnow.com' 'www.netpaloffers.net' 'www.news6health.com' 'www.newssourceoftoday.com' 'www.nospartenaires.com' 'www.nothing-but-value.com' 'www.nubijlage.nl' 'www.nysubwayoffer.com' 'www.offerx.co.uk' 'www.oinadserve.com' 'www.onclicktop.com' 'www.onlinebestoffers.net' 'www.ontheweb.com' 'www.opendownload.de' 'www.openload.de' 'www.optiad.net' 'www.paperg.com' 'www.parsads.com' 'www.partner.googleadservices.com' 'www.partycasino.com' 'www.pathforpoints.com' 'www.paypopup.com' 'www.peachy18.com' 'www.people-choice-sites.com' 'www.persgroepadvertising.nl' 'www.personalcare-offer.com' 'www.personalcashbailout.com' 'www.phoenixads.co.in' 'www.phorm.com' 'www.pick-savings.com' 'www.plasmatv4free.com' 'www.plasmatvreward.com' 'www.politicalopinionsurvey.com' 'www.poponclick.com' 'www.popupad.net' 'www.popupdomination.com' 'www.popuptraffic.com' 'www.postmasterbannernet.com' 'www.postmasterdirect.com' 'www.postnewsads.com' 'www.predictivadnetwork.com' 'www.premiumholidayoffers.com' 'www.premiumproductsonline.com' 'www.premium-reward-club.com' 'www.prizes.co.uk' 'www.probabilidades.net' 'www.productopinionpanel.com' 'www.productresearchpanel.com' 'www.producttestpanel.com' 'www.pro-partners.nl' 'www.psclicks.com' 'www.qitrck.com' 'www.quickbrowsersearch.com' 'www.quickcash-system.com' 'www.radiate.com' 'www.rankyou.com' 'www.ravel-rewardpath.com' 'www.recreation-leisure-rewardpath.com' 'www.redactiepartners.nl' 'www.regflow.com' 'www.registrarads.com' 'www.reklam3.net' 'www.reklamzadserver.com' 'www.resolvingserver.com' 'www.rewardblvd.com' 'www.rewardhotspot.com' 'www.rewardsflow.com' 'www.ringtonepartner.com' 'www.romepartners.com' 'www.roulettebotplus.com' 'www.rovion.com' 'www.rscounter10.com' 'www.rtcode.com' 'www.rubyfortune.com' 'www.rwpads.net' 'www.sa44.net' 'www.safesoftware182.com' 'www.sagent.io' 'www.salesonline.ie' 'www.sanoma-adverteren.nl' 'www.save-plan.com' 'www.savings-specials.com' 'www.savings-time.com' 'www.sayfabulunamadi.com' 'www.scoremygift.com' 'www.screen-mates.com' 'www.searchwe.com' 'www.seasonalsamplerspecials.com' 'www.securecontactinfo.com' 'www.securerunner.com' 'www.servedby.advertising.com' 'www.sexadvertentiesite.nl' 'www.sexpartnerx.com' 'www.sexsponsors.com' 'www.share-server.com' 'www.shc-rebates.com' 'www.shopperpromotions.com' 'www.shoppingjobshere.com' 'www.shoppingminds.net' 'www.shopping-offer.com' 'www.shoppingsiterewards.com' 'www.shops-malls-rewardpath.com' 'www.shoptosaveenergy.com' 'www.simpli.fi' 'www.sizzle-savings.com' 'www.smart-scripts.com' 'www.smarttargetting.com' 'www.smokersopinionpoll.com' 'www.smspop.com' 'www.sochr.com' 'www.sociallypublish.com' 'www.soongu.info' 'www.specialgiftrewards.com' 'www.specialonlinegifts.com' 'www.specials-rewardpath.com' 'www.speedboink.com' 'www.speedyclick.com' 'www.spinbox.com' 'www.sponsoradulto.com' 'www.sports-bonuspath.com' 'www.sports-fitness-rewardpath.com' 'www.sports-offer.com' 'www.sports-offer.net' 'www.sports-premiumblvd.com' 'www.star-advertising.com' 'www.startnewtab.com' 'www.subsitesadserver.co.uk' 'www.sudokuwhiz.com' 'www.superbrewards.com' 'www.supremeadsonline.com' 'www.surplus-suppliers.com' 'www.sweetsforfree.com' 'www.symbiosting.com' 'www.syncaccess.net' 'www.system-live-media.cz' 'www.tao123.com' 'www.tcimg.com' 'www.textbanners.net' 'www.textsrv.com' 'www.tgpmanager.com' 'www.thatrendsystem.com' 'www.the-binary-options-guide.com' 'www.the-binary-theorem.com' 'www.the-path-gateway.com' 'www.the-smart-stop.com' 'www.thetraderinpajamas.com' 'www.theuseful.com' 'www.theuseful.net' 'www.thinktarget.com' 'www.thinlaptoprewards.com' 'www.thoughtfully-free.com' 'www.thruport.com' 'www.tons-to-see.com' 'www.top20free.com' 'www.topbrandrewards.com' 'www.topconsumergifts.com' 'www.topdemaroc.com' 'www.toy-offer.com' 'www.toy-offer.net' 'www.trackadvertising.net' 'www.tracklead.net' 'www.tradem.com' 'www.trafficrevenue.net' 'www.traffictrader.net' 'www.traffictraders.com' 'www.trafsearchonline.com' 'www.traktum.com' 'www.travel-leisure-bonuspath.com' 'www.travel-leisure-premiumblvd.com' 'www.traveller-offer.com' 'www.traveller-offer.net' 'www.travelncs.com' 'www.treeloot.com' 'www.trendnews.com' 'www.trendsonline.biz' 'www.trendsonline.me' 'www.trendsonline.mobi' 'www.trkfl.com' 'www.trndsys.mobi' 'www.ttnet.yandex.com.tr' 'www.turn.com' 'www.tutop.com' 'www.tuttosessogratis.org' 'www.uleadstrk.com' 'www.ultimatefashiongifts.com' 'www.uproar.com' 'www.usatravel-specials.com' 'www.usatravel-specials.net' 'www.us-choicevalue.com' 'www.usemax.de' 'www.us-topsites.com' 'www.valueclick.com' 'www.via22.net' 'www.video-game-rewards-central.com' 'www.videogamerewardscentral.com' 'www.videohube.eu' 'www.videomediagroep.nl' 'www.view4cash.de' 'www.virtumundo.com' 'www.vmcsatellite.com' 'www.wdm29.com' 'www.webcashvideos.com' 'www.webcompteur.com' 'www.webservices-rewardpath.com' 'www.websitepromoten.be' 'www.webtrekk.net' 'www.wegetpaid.net' 'www.werkenbijliones.nl' 'www.westreclameadvies.nl' 'www.whatuwhatuwhatuwant.com' 'www.widespace.com' 'www.widgetbucks.com' 'www.wigetmedia.com' 'www.williamhill.es' 'www.windaily.com' 'www.winnerschoiceservices.com' 'www.w.nolimit-video.com' 'www.wordplaywhiz.com' 'www.work-offer.com' 'www.worry-free-savings.com' 'www.wppluginspro.com' 'www.xaxis.com' 'www.xbn.ru' 'www.yceml.net' 'www.yibaruxet.cn' 'www.yieldmanager.net' 'www.yieldpartners.com' 'www.youf1le.com' 'www.youfck.com' 'www.yourdvdplayer.com' 'www.yourfreegascard.com' 'www.yourgascards.com' 'www.yourgiftrewards.com' 'www.your-gift-zone.com' 'www.yourgiftzone.com' 'www.yourhandytips.com' 'www.yourhotgiftzone.com' 'www.youripad4free.com' 'www.yourrewardzone.com' 'www.yoursmartrewards.com' 'www.zbippirad.info' 'www.zemgo.com' 'www.zevents.com' 'x86adserve006.adtech.de' 'x.admob.com' 'xaxis.com' 'x.azjmp.com' 'xch.smrtgs.com' 'x.iasrv.com' 'x.interia.pl' 'xlivehost.com' 'xlonhcld.xlontech.net' 'xml.adtech.de' 'xml.adtech.fr' 'xml.adtech.us' 'xml.click9.com' 'xmlheads.com' 'x.mochiads.com' 'xpantivirus.com' 'xpcs.ads.yahoo.com' 'xstatic.nk-net.pl' 'y.admob.com' 'yadro.ru' 'yieldmanagement.adbooth.net' 'yieldmanager.net' 'yodleeinc.tt.omtrdc.net' 'youcanoptin.com' 'youcanoptin.net' 'youcanoptin.org' 'youfck.com' 'your.dailytopdealz.com' 'yourdvdplayer.com' 'yourfreegascard.com' 'your-free-iphone.com' 'yourgascards.com' 'yourgiftrewards.com' 'your-gift-zone.com' 'yourgiftzone.com' 'yourhandytips.com' 'yourhotgiftzone.com' 'youripad4free.com' 'yourrewardzone.com' 'yoursmartrewards.com' 'ypn-js.overture.com' 'ysiu.freenation.com' 'ytaahg.vo.llnwd.net' 'yumenetworks.com' 'yx-in-f108.1e100.net' 'z1.adserver.com' 'z.admob.com' 'zads.zedo.com' 'zapadserver1.com' 'z.ceotrk.com' 'zdads.e-media.com' 'zeevex-online.com' 'zemgo.com' 'zevents.com' 'zhalehziba.com' 'zlothonline.info' 'zuzzer5.com' 'cya2.net' 'i.ligatus.com' 'images.revtrax.com' 'shorte.st' 'src.kitcode.net' 'ar.hao123.com' 'irs01.net' 'kiks.yandex.ru' 'simg.sinajs.cn' 'tv.sohu.com' 'y3.ifengimg.com' 'eur.a1.yimg.com' 'in.yimg.com' 'sg.yimg.com' 'uk.i1.yimg.com' 'us.a1.yimg.com' 'us.b1.yimg.com' 'us.c1.yimg.com' 'us.d1.yimg.com' 'us.e1.yimg.com' 'us.f1.yimg.com' 'us.g1.yimg.com' 'us.h1.yimg.com' 'us.j1.yimg.com' 'us.k1.yimg.com' 'us.l1.yimg.com' 'us.m1.yimg.com' 'us.n1.yimg.com' 'us.o1.yimg.com' 'us.p1.yimg.com' 'us.q1.yimg.com' 'us.r1.yimg.com' 'us.s1.yimg.com' 'us.t1.yimg.com' 'us.u1.yimg.com' 'us.v1.yimg.com' 'us.w1.yimg.com' 'us.x1.yimg.com' 'us.y1.yimg.com' 'us.z1.yimg.com' '1cgi.hitbox.com' '2cgi.hitbox.com' 'adminec1.hitbox.com' 'ads.hitbox.com' 'ag1.hitbox.com' 'ahbn1.hitbox.com' 'ahbn2.hitbox.com' 'ahbn3.hitbox.com' 'ahbn4.hitbox.com' 'aibg.hitbox.com' 'aibl.hitbox.com' 'aics.hitbox.com' 'ai.hitbox.com' 'aiui.hitbox.com' 'bigip1.hitbox.com' 'bigip2.hitbox.com' 'blowfish.hitbox.com' 'cdb.hitbox.com' 'cgi.hitbox.com' 'counter2.hitbox.com' 'counter.hitbox.com' 'dev101.hitbox.com' 'dev102.hitbox.com' 'dev103.hitbox.com' 'dev.hitbox.com' 'download.hitbox.com' 'ec1.hitbox.com' 'ehg-247internet.hitbox.com' 'ehg-accuweather.hitbox.com' 'ehg-acdsystems.hitbox.com' 'ehg-adeptscience.hitbox.com' 'ehg-affinitynet.hitbox.com' 'ehg-aha.hitbox.com' 'ehg-amerix.hitbox.com' 'ehg-apcc.hitbox.com' 'ehg-associatenewmedia.hitbox.com' 'ehg-ati.hitbox.com' 'ehg-attenza.hitbox.com' 'ehg-autodesk.hitbox.com' 'ehg-baa.hitbox.com' 'ehg-backweb.hitbox.com' 'ehg-bestbuy.hitbox.com' 'ehg-bizjournals.hitbox.com' 'ehg-bmwna.hitbox.com' 'ehg-boschsiemens.hitbox.com' 'ehg-bskyb.hitbox.com' 'ehg-cafepress.hitbox.com' 'ehg-careerbuilder.hitbox.com' 'ehg-cbc.hitbox.com' 'ehg-cbs.hitbox.com' 'ehg-cbsradio.hitbox.com' 'ehg-cedarpoint.hitbox.com' 'ehg-clearchannel.hitbox.com' 'ehg-closetmaid.hitbox.com' 'ehg-commjun.hitbox.com' 'ehg.commjun.hitbox.com' 'ehg-communityconnect.hitbox.com' 'ehg-communityconnet.hitbox.com' 'ehg-comscore.hitbox.com' 'ehg-corusentertainment.hitbox.com' 'ehg-coverityinc.hitbox.com' 'ehg-crain.hitbox.com' 'ehg-ctv.hitbox.com' 'ehg-cygnusbm.hitbox.com' 'ehg-datamonitor.hitbox.com' 'ehg-digg.hitbox.com' 'ehg-dig.hitbox.com' 'ehg-eckounlimited.hitbox.com' 'ehg-esa.hitbox.com' 'ehg-espn.hitbox.com' 'ehg-fifa.hitbox.com' 'ehg-findlaw.hitbox.com' 'ehg-foundation.hitbox.com' 'ehg-foxsports.hitbox.com' 'ehg-futurepub.hitbox.com' 'ehg-gamedaily.hitbox.com' 'ehg-gamespot.hitbox.com' 'ehg-gatehousemedia.hitbox.com' 'ehg-gatehoussmedia.hitbox.com' 'ehg-glam.hitbox.com' 'ehg-groceryworks.hitbox.com' 'ehg-groupernetworks.hitbox.com' 'ehg-guardian.hitbox.com' 'ehg-hasbro.hitbox.com' 'ehg-hellodirect.hitbox.com' 'ehg-himedia.hitbox.com' 'ehg.hitbox.com' 'ehg-hitent.hitbox.com' 'ehg-hollywood.hitbox.com' 'ehg-idgentertainment.hitbox.com' 'ehg-idg.hitbox.com' 'ehg-ifilm.hitbox.com' 'ehg-ignitemedia.hitbox.com' 'ehg-intel.hitbox.com' 'ehg-ittoolbox.hitbox.com' 'ehg-itworldcanada.hitbox.com' 'ehg-kingstontechnology.hitbox.com' 'ehg-knightridder.hitbox.com' 'ehg-learningco.hitbox.com' 'ehg-legonewyorkinc.hitbox.com' 'ehg-liveperson.hitbox.com' 'ehg-macpublishingllc.hitbox.com' 'ehg-macromedia.hitbox.com' 'ehg-magicalia.hitbox.com' 'ehg-maplesoft.hitbox.com' 'ehg-mgnlimited.hitbox.com' 'ehg-mindshare.hitbox.com' 'ehg.mindshare.hitbox.com' 'ehg-mtv.hitbox.com' 'ehg-mybc.hitbox.com' 'ehg-newarkinone.hitbox.com.hitbox.com' 'ehg-newegg.hitbox.com' 'ehg-newscientist.hitbox.com' 'ehg-newsinternational.hitbox.com' 'ehg-nokiafin.hitbox.com' 'ehg-novell.hitbox.com' 'ehg-nvidia.hitbox.com' 'ehg-oreilley.hitbox.com' 'ehg-oreilly.hitbox.com' 'ehg-pacifictheatres.hitbox.com' 'ehg-pennwell.hitbox.com' 'ehg-peoplesoft.hitbox.com' 'ehg-philipsvheusen.hitbox.com' 'ehg-pizzahut.hitbox.com' 'ehg-playboy.hitbox.com' 'ehg-presentigsolutions.hitbox.com' 'ehg-qualcomm.hitbox.com' 'ehg-quantumcorp.hitbox.com' 'ehg-randomhouse.hitbox.com' 'ehg-redherring.hitbox.com' 'ehg-register.hitbox.com' 'ehg-researchinmotion.hitbox.com' 'ehg-rfa.hitbox.com' 'ehg-rodale.hitbox.com' 'ehg-salesforce.hitbox.com' 'ehg-salonmedia.hitbox.com' 'ehg-samsungusa.hitbox.com' 'ehg-seca.hitbox.com' 'ehg-shoppersdrugmart.hitbox.com' 'ehg-sonybssc.hitbox.com' 'ehg-sonycomputer.hitbox.com' 'ehg-sonyelec.hitbox.com' 'ehg-sonymusic.hitbox.com' 'ehg-sonyny.hitbox.com' 'ehg-space.hitbox.com' 'ehg-sportsline.hitbox.com' 'ehg-streamload.hitbox.com' 'ehg-superpages.hitbox.com' 'ehg-techtarget.hitbox.com' 'ehg-tfl.hitbox.com' 'ehg-thefirstchurchchrist.hitbox.com' 'ehg-tigerdirect2.hitbox.com' 'ehg-tigerdirect.hitbox.com' 'ehg-topps.hitbox.com' 'ehg-tribute.hitbox.com' 'ehg-tumbleweed.hitbox.com' 'ehg-ubisoft.hitbox.com' 'ehg-uniontrib.hitbox.com' 'ehg-usnewsworldreport.hitbox.com' 'ehg-verizoncommunications.hitbox.com' 'ehg-viacom.hitbox.com' 'ehg-vmware.hitbox.com' 'ehg-vonage.hitbox.com' 'ehg-wachovia.hitbox.com' 'ehg-wacomtechnology.hitbox.com' 'ehg-warner-brothers.hitbox.com' 'ehg-wizardsofthecoast.hitbox.com.hitbox.com' 'ehg-womanswallstreet.hitbox.com' 'ehg-wss.hitbox.com' 'ehg-xxolympicwintergames.hitbox.com' 'ehg-yellowpages.hitbox.com' 'ehg-youtube.hitbox.com' 'ejs.hitbox.com' 'enterprise-admin.hitbox.com' 'enterprise.hitbox.com' 'esg.hitbox.com' 'evwr.hitbox.com' 'get.hitbox.com' 'hg10.hitbox.com' 'hg11.hitbox.com' 'hg12.hitbox.com' 'hg13.hitbox.com' 'hg14.hitbox.com' 'hg15.hitbox.com' 'hg16.hitbox.com' 'hg17.hitbox.com' 'hg1.hitbox.com' 'hg2.hitbox.com' 'hg3.hitbox.com' 'hg4.hitbox.com' 'hg5.hitbox.com' 'hg6a.hitbox.com' 'hg6.hitbox.com' 'hg7.hitbox.com' 'hg8.hitbox.com' 'hg9.hitbox.com' 'hitboxbenchmarker.com' 'hitboxcentral.com' 'hitbox.com' 'hitboxenterprise.com' 'hitboxwireless.com' 'host6.hitbox.com' 'ias2.hitbox.com' 'ias.hitbox.com' 'ibg.hitbox.com' 'ics.hitbox.com' 'idb.hitbox.com' 'js1.hitbox.com' 'lb.hitbox.com' 'lesbian-erotica.hitbox.com' 'lookup2.hitbox.com' 'lookup.hitbox.com' 'mrtg.hitbox.com' 'myhitbox.com' 'na.hitbox.com' 'narwhal.hitbox.com' 'nei.hitbox.com' 'nocboard.hitbox.com' 'noc.hitbox.com' 'noc-request.hitbox.com' 'ns1.hitbox.com' 'oas.hitbox.com' 'phg.hitbox.com' 'pure.hitbox.com' 'rainbowclub.hitbox.com' 'rd1.hitbox.com' 'reseller.hitbox.com' 'resources.hitbox.com' 'sitesearch.hitbox.com' 'specialtyclub.hitbox.com' 'ss.hitbox.com' 'stage101.hitbox.com' 'stage102.hitbox.com' 'stage103.hitbox.com' 'stage104.hitbox.com' 'stage105.hitbox.com' 'stage.hitbox.com' 'stats2.hitbox.com' 'stats3.hitbox.com' 'stats.hitbox.com' 'switch10.hitbox.com' 'switch11.hitbox.com' 'switch1.hitbox.com' 'switch5.hitbox.com' 'switch6.hitbox.com' 'switch8.hitbox.com' 'switch9.hitbox.com' 'switch.hitbox.com' 'tetra.hitbox.com' 'tools2.hitbox.com' 'toolsa.hitbox.com' 'tools.hitbox.com' 'ts1.hitbox.com' 'ts2.hitbox.com' 'vwr1.hitbox.com' 'vwr2.hitbox.com' 'vwr3.hitbox.com' 'w100.hitbox.com' 'w101.hitbox.com' 'w102.hitbox.com' 'w103.hitbox.com' 'w104.hitbox.com' 'w105.hitbox.com' 'w106.hitbox.com' 'w107.hitbox.com' 'w108.hitbox.com' 'w109.hitbox.com' 'w10.hitbox.com' 'w110.hitbox.com' 'w111.hitbox.com' 'w112.hitbox.com' 'w113.hitbox.com' 'w114.hitbox.com' 'w115.hitbox.com' 'w116.hitbox.com' 'w117.hitbox.com' 'w118.hitbox.com' 'w119.hitbox.com' 'w11.hitbox.com' 'w120.hitbox.com' 'w121.hitbox.com' 'w122.hitbox.com' 'w123.hitbox.com' 'w124.hitbox.com' 'w126.hitbox.com' 'w128.hitbox.com' 'w129.hitbox.com' 'w12.hitbox.com' 'w130.hitbox.com' 'w131.hitbox.com' 'w132.hitbox.com' 'w133.hitbox.com' 'w135.hitbox.com' 'w136.hitbox.com' 'w137.hitbox.com' 'w138.hitbox.com' 'w139.hitbox.com' 'w13.hitbox.com' 'w140.hitbox.com' 'w141.hitbox.com' 'w144.hitbox.com' 'w147.hitbox.com' 'w14.hitbox.com' 'w153.hitbox.com' 'w154.hitbox.com' 'w155.hitbox.com' 'w157.hitbox.com' 'w159.hitbox.com' 'w15.hitbox.com' 'w161.hitbox.com' 'w162.hitbox.com' 'w167.hitbox.com' 'w168.hitbox.com' 'w16.hitbox.com' 'w170.hitbox.com' 'w175.hitbox.com' 'w177.hitbox.com' 'w179.hitbox.com' 'w17.hitbox.com' 'w18.hitbox.com' 'w19.hitbox.com' 'w1.hitbox.com' 'w20.hitbox.com' 'w21.hitbox.com' 'w22.hitbox.com' 'w23.hitbox.com' 'w24.hitbox.com' 'w25.hitbox.com' 'w26.hitbox.com' 'w27.hitbox.com' 'w28.hitbox.com' 'w29.hitbox.com' 'w2.hitbox.com' 'w30.hitbox.com' 'w31.hitbox.com' 'w32.hitbox.com' 'w33.hitbox.com' 'w34.hitbox.com' 'w35.hitbox.com' 'w36.hitbox.com' 'w3.hitbox.com' 'w4.hitbox.com' 'w5.hitbox.com' 'w6.hitbox.com' 'w7.hitbox.com' 'w8.hitbox.com' 'w9.hitbox.com' 'webload101.hitbox.com' 'wss-gw-1.hitbox.com' 'wss-gw-3.hitbox.com' 'wvwr1.hitbox.com' 'ww1.hitbox.com' 'ww2.hitbox.com' 'ww3.hitbox.com' 'wwa.hitbox.com' 'wwb.hitbox.com' 'wwc.hitbox.com' 'wwd.hitbox.com' 'www.ehg-rr.hitbox.com' 'www.hitbox.com' 'www.hitboxwireless.com' 'y2k.hitbox.com' 'yang.hitbox.com' 'ying.hitbox.com' 'w2.extreme-dm.com' 'w3.extreme-dm.com' 'w4.extreme-dm.com' 'w5.extreme-dm.com' 'w6.extreme-dm.com' 'w7.extreme-dm.com' 'w8.extreme-dm.com' 'w9.extreme-dm.com' 'www.extreme-dm.com' 'oacentral.cepro.com' 'oas.adservingml.com' 'oas.adx.nu' 'oas.aurasports.com' 'oascentral.adageglobal.com' 'oascentral.aircanada.com' 'oascentral.alanicnewsnet.ca' 'oascentral.alanticnewsnet.ca' 'oascentral.americanheritage.com' 'oascentral.artistirect.com' 'oascentral.askmen.com' 'oascentral.aviationnow.com' 'oascentral.blackenterprises.com' 'oascentral.bostonherald.com' 'oascentral.bostonphoenix.com' 'oascentral.businessinsider.com' 'oascentral.businessweeks.com' 'oascentral.canadaeast.com' 'oascentral.canadianliving.com' 'oascentral.clearchannel.com' 'oascentral.construction.com' 'oascentral.covers.com' 'oascentral.cybereps.com' 'oascentral.dilbert.com' 'oascentral.drphil.com' 'oascentral.eastbayexpress.com' 'oas-central.east.realmedia.com' 'oascentral.encyclopedia.com' 'oascentral.fashionmagazine.com' 'oascentral.fayettevillenc.com' 'oascentral.forsythnews.com' 'oascentral.fortunecity.com' 'oascentral.foxnews.com' 'oascentral.g4techtv.com' 'oascentral.ggl.com' 'oascentral.gigex.com' 'oascentral.globalpost.com' 'oascentral.hamptoroads.com' 'oascentral.hamtoroads.com' 'oascentral.herenb.com' 'oascentral.inq7.net' 'oascentral.investors.com' 'oascentral.investorwords.com' 'oascentral.itbusiness.ca' 'oascentral.killsometime.com' 'oascentral.looksmart.com' 'oascentral.medbroadcast.com' 'oascentral.metro.us' 'oascentral.motherjones.com' 'oascentral.nowtoronto.com' 'oascentralnx.comcast.net' 'oascentral.phoenixvillenews.com' 'oascentral.pitch.com' 'oascentral.politico.com' 'oascentral.pottsmerc.com' 'oascentral.princetonreview.com' 'oascentral.radaronline.com' 'oas-central.realmedia.com' 'oascentral.redherring.com' 'oascentral.redorbit.com' 'oascentral.reference.com' 'oascentral.regalinterative.com' 'oascentral.registguard.com' 'oascentral.salon.com' 'oascentral.santacruzsentinel.com' 'oascentral.sciam.com' 'oascentral.scientificamerican.com' 'oascentral.seacoastonline.com' 'oascentral.seattleweekly.com' 'oascentral.sina.com.hk' 'oascentral.sparknotes.com' 'oascentral.sptimes.com' 'oascentral.starbulletin.com' 'oascentral.thehockeynews.com' 'oascentral.thenation.com' 'oascentral.theonionavclub.com' 'oascentral.theonion.com' 'oascentral.thephoenix.com' 'oascentral.thesmokinggun.com' 'oascentral.thespark.com' 'oascentral.townhall.com' 'oascentral.tribe.net' 'oascentral.trutv.com' 'oascentral.where.ca' 'oascentral.wjla.com' 'oascentral.wkrn.com' 'oascentral.wwe.com' 'oascentral.ywlloewpages.ca' 'oascentral.zwire.com' 'oascentreal.adcritic.com' 'oascetral.laweekly.com' 'oas.dispatch.com' 'oas.foxnews.com' 'oas.greensboro.com' 'oas.ibnlive.com' 'oas.lee.net' 'oas.nrjlink.fr' 'oas.nzz.ch' 'oas.portland.com' 'oas.publicitas.ch' 'oasroanoke.PI:EMAIL:<EMAIL>END_PI' 'oas.sciencemag.org' 'oas.signonsandiego.com' 'oas.startribune.com' 'oas.toronto.com' 'oas.uniontrib.com' 'oas.vtsgonline.com' 'media1.fastclick.net' 'media2.fastclick.net' 'media3.fastclick.net' 'media4.fastclick.net' 'media5.fastclick.net' 'media6.fastclick.net' 'media7.fastclick.net' 'media8.fastclick.net' 'media9.fastclick.net' 'media10.fastclick.net' 'media11.fastclick.net' 'media12.fastclick.net' 'media13.fastclick.net' 'media14.fastclick.net' 'media15.fastclick.net' 'media16.fastclick.net' 'media17.fastclick.net' 'media18.fastclick.net' 'media19.fastclick.net' 'media20.fastclick.net' 'media21.fastclick.net' 'media22.fastclick.net' 'media23.fastclick.net' 'media24.fastclick.net' 'media25.fastclick.net' 'media26.fastclick.net' 'media27.fastclick.net' 'media28.fastclick.net' 'media29.fastclick.net' 'media30.fastclick.net' 'media31.fastclick.net' 'media32.fastclick.net' 'media33.fastclick.net' 'media34.fastclick.net' 'media35.fastclick.net' 'media36.fastclick.net' 'media37.fastclick.net' 'media38.fastclick.net' 'media39.fastclick.net' 'media40.fastclick.net' 'media41.fastclick.net' 'media42.fastclick.net' 'media43.fastclick.net' 'media44.fastclick.net' 'media45.fastclick.net' 'media46.fastclick.net' 'media47.fastclick.net' 'media48.fastclick.net' 'media49.fastclick.net' 'media50.fastclick.net' 'media51.fastclick.net' 'media52.fastclick.net' 'media53.fastclick.net' 'media54.fastclick.net' 'media55.fastclick.net' 'media56.fastclick.net' 'media57.fastclick.net' 'media58.fastclick.net' 'media59.fastclick.net' 'media60.fastclick.net' 'media61.fastclick.net' 'media62.fastclick.net' 'media63.fastclick.net' 'media64.fastclick.net' 'media65.fastclick.net' 'media66.fastclick.net' 'media67.fastclick.net' 'media68.fastclick.net' 'media69.fastclick.net' 'media70.fastclick.net' 'media71.fastclick.net' 'media72.fastclick.net' 'media73.fastclick.net' 'media74.fastclick.net' 'media75.fastclick.net' 'media76.fastclick.net' 'media77.fastclick.net' 'media78.fastclick.net' 'media79.fastclick.net' 'media80.fastclick.net' 'media81.fastclick.net' 'media82.fastclick.net' 'media83.fastclick.net' 'media84.fastclick.net' 'media85.fastclick.net' 'media86.fastclick.net' 'media87.fastclick.net' 'media88.fastclick.net' 'media89.fastclick.net' 'media90.fastclick.net' 'media91.fastclick.net' 'media92.fastclick.net' 'media93.fastclick.net' 'media94.fastclick.net' 'media95.fastclick.net' 'media96.fastclick.net' 'media97.fastclick.net' 'media98.fastclick.net' 'media99.fastclick.net' 'fastclick.net' 'te.about.com' 'te.advance.net' 'te.ap.org' 'te.astrology.com' 'te.audiencematch.net' 'te.belointeractive.com' 'te.boston.com' 'te.businessweek.com' 'te.chicagotribune.com' 'te.chron.com' 'te.cleveland.net' 'te.ctnow.com' 'te.dailycamera.com' 'te.dailypress.com' 'te.dentonrc.com' 'te.greenwichtime.com' 'te.idg.com' 'te.infoworld.com' 'te.ivillage.com' 'te.journalnow.com' 'te.latimes.com' 'te.mcall.com' 'te.mgnetwork.com' 'te.mysanantonio.com' 'te.newsday.com' 'te.nytdigital.com' 'te.orlandosentinel.com' 'te.scripps.com' 'te.scrippsnetworksprivacy.com' 'te.scrippsnewspapersprivacy.com' 'te.sfgate.com' 'te.signonsandiego.com' 'te.stamfordadvocate.com' 'te.sun-sentinel.com' 'te.sunspot.net' 'te.tbo.com' 'te.thestar.ca' 'te.trb.com' 'te.versiontracker.com' 'te.wsls.com' '24hwebsex.com' 'all-tgp.org' 'fioe.info' 'incestland.com' 'lesview.com' 'searchforit.com' 'www.asiansforu.com' 'www.bangbuddy.com' 'www.datanotary.com' 'www.entercasino.com' 'www.incestdot.com' 'www.incestgold.com' 'www.justhookup.com' 'www.mangayhentai.com' 'www.myluvcrush.ca' 'www.ourfuckbook.com' 'www.realincestvideos.com' 'www.searchforit.com' 'www.searchv.com' 'www.secretosx.com' 'www.seductiveamateurs.com' 'www.smsmovies.net' 'www.wowjs.1www.cn' 'www.xxxnations.com' 'www.xxxnightly.com' 'www.xxxtoolbar.com' 'www.yourfuckbook.com' '123greetings.com' '2000greetings.com' 'celebwelove.com' 'ecard4all.com' 'eforu.com' 'freewebcards.com' 'fukkad.com' 'fun-e-cards.com' 'funnyreign.com' 'funsilly.com' 'myfuncards.com' 'www.cool-downloads.com' 'www.cool-downloads.net' 'www.friend-card.com' 'www.friend-cards.com' 'www.friend-cards.net' 'www.friend-greeting.com' 'www.friend-greetings.com' 'www.friendgreetings.com' 'www.friend-greetings.net' 'www.friendgreetings.net' 'www.laugh-mail.com' 'www.laugh-mail.net' '1und1.ivwbox.de' 'bild.ivwbox.de' 'kicker.ivwbox.de' 'netzmarkt.ivwbox.de' 'onvis.ivwbox.de' 'spiegel.ivwbox.de' '10pg.scl5fyd.info' '21jewelry.com' '24x7.soliday.org' '2site.com' '33b.b33r.net' '48.2mydns.net' '4allfree.com' '55.2myip.com' '6165.rapidforum.com' '6pg.ryf3hgf.info' '7x7.ruwe.net' '7x.cc' '911.x24hr.com' 'ab.5.p2l.info' 'aboutharrypotter.fasthost.tv' 'aciphex.about-tabs.com' 'actonel.about-tabs.com' 'actos.about-tabs.com' 'acyclovir.1.p2l.info' 'adderall.ourtablets.com' 'adderallxr.freespaces.com' 'adipex.1.p2l.info' 'adipex.24sws.ws' 'adipex.3.p2l.info' 'adipex.4.p2l.info' 'adipex.hut1.ru' 'adipex.ourtablets.com' 'adipexp.3xforum.ro' 'adipex.shengen.ru' 'adipex.t-amo.net' 'adsearch.www1.biz' 'adult.shengen.ru' 'aguileranude.1stok.com' 'ahh-teens.com' 'aid-golf-golfdust-training.tabrays.com' 'airline-ticket.gloses.net' 'air-plane-ticket.beesearch.info' 'ak.5.p2l.info' 'al.5.p2l.info' 'alcohol-treatment.gloses.net' 'allegra.1.p2l.info' 'allergy.1.p2l.info' 'all-sex.shengen.ru' 'alprazolamonline.findmenow.info' 'alprazolam.ourtablets.com' 'alyssamilano.1stok.com' 'alyssamilano.ca.tt' 'alyssamilano.home.sapo.pt' 'amateur-mature-sex.adaltabaza.net' 'ambien.1.p2l.info' 'ambien.3.p2l.info' 'ambien.4.p2l.info' 'ambien.ourtablets.com' 'amoxicillin.ourtablets.com' 'angelinajolie.1stok.com' 'angelinajolie.ca.tt' 'anklets.shengen.ru' 'annanicolesannanicolesmith.ca.tt' 'annanicolesmith.1stok.com' 'antidepressants.1.p2l.info' 'anxiety.1.p2l.info' 'aol.spb.su' 'ar.5.p2l.info' 'arcade.ya.com' 'armanix.white.prohosting.com' 'arthritis.atspace.com' 'as.5.p2l.info' 'aspirin.about-tabs.com' 'ativan.ourtablets.com' 'austria-car-rental.findworm.net' 'auto.allewagen.de' 'az.5.p2l.info' 'azz.badazz.org' 'balabass.peerserver.com' 'balab.portx.net' 'bbs.ws' 'bc.5.p2l.info' 'beauty.finaltips.com' 'berkleynude.ca.tt' 'bestlolaray.com' 'bet-online.petrovka.info' 'betting-online.petrovka.info' 'bextra.ourtablets.com' 'bextra-store.shengen.ru' 'bingo-online.petrovka.info' 'birth-control.1.p2l.info' 'bontril.1.p2l.info' 'bontril.ourtablets.com' 'britneyspears.1stok.com' 'britneyspears.ca.tt' 'br.rawcomm.net' 'bupropion-hcl.1.p2l.info' 'buspar.1.p2l.info' 'buspirone.1.p2l.info' 'butalbital-apap.1.p2l.info' 'buy-adipex.aca.ru' 'buy-adipex-cheap-adipex-online.com' 'buy-adipex.hut1.ru' 'buy-adipex.i-jogo.net' 'buy-adipex-online.md-online24.de' 'buy-adipex.petrovka.info' 'buy-carisoprodol.polybuild.ru' 'buy-cheap-phentermine.blogspot.com' 'buy-cheap-xanax.all.at' 'buy-cialis-cheap-cialis-online.info' 'buy-cialis.freewebtools.com' 'buycialisonline.7h.com' 'buycialisonline.bigsitecity.com' 'buy-cialis-online.iscool.nl' 'buy-cialis-online.meperdoe.net' 'buy-cialis.splinder.com' 'buy-diazepam.connect.to' 'buyfioricet.findmenow.info' 'buy-fioricet.hut1.ru' 'buyfioricetonline.7h.com' 'buyfioricetonline.bigsitecity.com' 'buyfioricetonline.freeservers.com' 'buy-flower.petrovka.info' 'buy-hydrocodone.aca.ru' 'buyhydrocodone.all.at' 'buy-hydrocodone-cheap-hydrocodone-online.com' 'buy-hydrocodone.este.ru' 'buyhydrocodoneonline.findmenow.info' 'buy-hydrocodone-online.tche.com' 'buy-hydrocodone.petrovka.info' 'buy-hydrocodone.polybuild.ru' 'buy-hydrocodone.quesaudade.net' 'buy-hydrocodone.scromble.com' 'buylevitra.3xforum.ro' 'buy-levitra-cheap-levitra-online.info' 'buylevitraonline.7h.com' 'buylevitraonline.bigsitecity.com' 'buy-lortab-cheap-lortab-online.com' 'buy-lortab.hut1.ru' 'buylortabonline.7h.com' 'buylortabonline.bigsitecity.com' 'buy-lortab-online.iscool.nl' 'buypaxilonline.7h.com' 'buypaxilonline.bigsitecity.com' 'buy-phentermine-cheap-phentermine-online.com' 'buy-phentermine.hautlynx.com' 'buy-phentermine-online.135.it' 'buyphentermineonline.7h.com' 'buyphentermineonline.bigsitecity.com' 'buy-phentermine-online.i-jogo.net' 'buy-phentermine-online.i-ltda.net' 'buy-phentermine.polybuild.ru' 'buy-phentermine.thepizza.net' 'buy-tamiflu.asian-flu-vaccine.com' 'buy-ultram-online.iscool.nl' 'buy-valium-cheap-valium-online.com' 'buy-valium.este.ru' 'buy-valium.hut1.ru' 'buy-valium.polybuild.ru' 'buyvalium.polybuild.ru' 'buy-viagra.aca.ru' 'buy-viagra.go.to' 'buy-viagra.polybuild.ru' 'buyviagra.polybuild.ru' 'buy-vicodin-cheap-vicodin-online.com' 'buy-vicodin.dd.vu' 'buy-vicodin.hut1.ru' 'buy-vicodin.iscool.nl' 'buy-vicodin-online.i-blog.net' 'buy-vicodin-online.seumala.net' 'buy-vicodin-online.supersite.fr' 'buyvicodinonline.veryweird.com' 'buy-xanax.aztecaonline.net' 'buy-xanax-cheap-xanax-online.com' 'buy-xanax.hut1.ru' 'buy-xanax-online.amovoce.net' 'buy-zyban.all.at' 'bx6.blrf.net' 'ca.5.p2l.info' 'camerondiaznude.1stok.com' 'camerondiaznude.ca.tt' 'car-donation.shengen.ru' 'car-insurance.inshurance-from.com' 'carisoprodol.1.p2l.info' 'carisoprodol.hut1.ru' 'carisoprodol.ourtablets.com' 'carisoprodol.polybuild.ru' 'carisoprodol.shengen.ru' 'car-loan.shengen.ru' 'carmenelectra.1stok.com' 'cash-advance.now-cash.com' 'casino-gambling-online.searchservice.info' 'casino-online.100gal.net' 'cat.onlinepeople.net' 'cc5f.dnyp.com' 'celebrex.1.p2l.info' 'celexa.1.p2l.info' 'celexa.3.p2l.info' 'celexa.4.p2l.info' 'cephalexin.ourtablets.com' 'charlizetheron.1stok.com' 'cheap-adipex.hut1.ru' 'cheap-carisoprodol.polybuild.ru' 'cheap-hydrocodone.go.to' 'cheap-hydrocodone.polybuild.ru' 'cheap-phentermine.polybuild.ru' 'cheap-valium.polybuild.ru' 'cheap-viagra.polybuild.ru' 'cheap-web-hosting-here.blogspot.com' 'cheap-xanax-here.blogspot.com' 'cheapxanax.hut1.ru' 'cialis.1.p2l.info' 'cialis.3.p2l.info' 'cialis.4.p2l.info' 'cialis-finder.com' 'cialis-levitra-viagra.com.cn' 'cialis.ourtablets.com' 'cialis-store.shengen.ru' 'co.5.p2l.info' 'co.dcclan.co.uk' 'codeine.ourtablets.com' 'creampie.afdss.info' 'credit-card-application.now-cash.com' 'credit-cards.shengen.ru' 'ct.5.p2l.info' 'cuiland.info' 'cyclobenzaprine.1.p2l.info' 'cyclobenzaprine.ourtablets.com' 'dal.d.la' 'danger-phentermine.allforyourlife.com' 'darvocet.ourtablets.com' 'dc.5.p2l.info' 'de.5.p2l.info' 'debt.shengen.ru' 'def.5.p2l.info' 'demimoorenude.1stok.com' 'deniserichards.1stok.com' 'detox-kit.com' 'detox.shengen.ru' 'diazepam.ourtablets.com' 'diazepam.razma.net' 'diazepam.shengen.ru' 'didrex.1.p2l.info' 'diet-pills.hut1.ru' 'digital-cable-descrambler.planet-high-heels.com' 'dir.opank.com' 'dos.velek.com' 'drewbarrymore.ca.tt' 'drugdetox.shengen.ru' 'drug-online.petrovka.info' 'drug-testing.shengen.ru' 'eb.dd.bluelinecomputers.be' 'eb.prout.be' 'ed.at.is13.de' 'ed.at.thamaster.de' 'e-dot.hut1.ru' 'efam4.info' 'effexor-xr.1.p2l.info' 'e-hosting.hut1.ru' 'ei.imbucurator-de-prost.com' 'eminemticket.freespaces.com' 'en.dd.blueline.be' 'enpresse.1.p2l.info' 'en.ultrex.ru' 'epson-printer-ink.beesearch.info' 'erectile.byethost33.com' 'esgic.1.p2l.info' 'fahrrad.bikesshop.de' 'famous-pics.com' 'famvir.1.p2l.info' 'farmius.org' 'fee-hydrocodone.bebto.com' 'female-v.1.p2l.info' 'femaleviagra.findmenow.info' 'fg.softguy.com' 'findmenow.info' 'fioricet.1.p2l.info' 'fioricet.3.p2l.info' 'fioricet.4.p2l.info' 'fioricet-online.blogspot.com' 'firstfinda.info' 'fl.5.p2l.info' 'flexeril.1.p2l.info' 'flextra.1.p2l.info' 'flonase.1.p2l.info' 'flonase.3.p2l.info' 'flonase.4.p2l.info' 'florineff.ql.st' 'flower-online.petrovka.info' 'fluoxetine.1.p2l.info' 'fo4n.com' 'forex-broker.hut1.ru' 'forex-chart.hut1.ru' 'forex-market.hut1.ru' 'forex-news.hut1.ru' 'forex-online.hut1.ru' 'forex-signal.hut1.ru' 'forex-trade.hut1.ru' 'forex-trading-benefits.blogspot.com' 'forextrading.hut1.ru' 'freechat.llil.de' 'free.hostdepartment.com' 'free-money.host.sk' 'free-viagra.polybuild.ru' 'free-virus-scan.100gal.net' 'ga.5.p2l.info' 'game-online-video.petrovka.info' 'gaming-online.petrovka.info' 'gastrointestinal.1.p2l.info' 'gen-hydrocodone.polybuild.ru' 'getcarisoprodol.polybuild.ru' 'gocarisoprodol.polybuild.ru' 'gsm-mobile-phone.beesearch.info' 'gu.5.p2l.info' 'guerria-skateboard-tommy.tabrays.com' 'gwynethpaltrow.ca.tt' 'h1.ripway.com' 'hair-dos.resourcesarchive.com' 'halleberrynude.ca.tt' 'heathergraham.ca.tt' 'herpes.1.p2l.info' 'herpes.3.p2l.info' 'herpes.4.p2l.info' 'hf.themafia.info' 'hi.5.p2l.info' 'hi.pacehillel.org' 'holobumo.info' 'homehre.bravehost.com' 'homehre.ifrance.com' 'homehre.tripod.com' 'hoodia.kogaryu.com' 'hotel-las-vegas.gloses.net' 'hydrocodone-buy-online.blogspot.com' 'hydrocodone.irondel.swisshost.by' 'hydrocodone.on.to' 'hydrocodone.shengen.ru' 'hydrocodone.t-amo.net' 'hydrocodone.visa-usa.ru' 'hydro.polybuild.ru' 'ia.5.p2l.info' 'ia.warnet-thunder.net' 'ibm-notebook-battery.wp-club.net' 'id.5.p2l.info' 'il.5.p2l.info' 'imitrex.1.p2l.info' 'imitrex.3.p2l.info' 'imitrex.4.p2l.info' 'in.5.p2l.info' 'ionamin.1.p2l.info' 'ionamin.t35.com' 'irondel.swisshost.by' 'japanese-girl-xxx.com' 'java-games.bestxs.de' 'jg.hack-inter.net' 'job-online.petrovka.info' 'jobs-online.petrovka.info' 'kitchen-island.mensk.us' 'konstantin.freespaces.com' 'ks.5.p2l.info' 'ky.5.p2l.info' 'la.5.p2l.info' 'lamictal.about-tabs.com' 'lamisil.about-tabs.com' 'levitra.1.p2l.info' 'levitra.3.p2l.info' 'levitra.4.p2l.info' 'lexapro.1.p2l.info' 'lexapro.3.p2l.info' 'lexapro.4.p2l.info' 'loan.aol.msk.su' 'loan.maybachexelero.org' 'loestrin.1.p2l.info' 'lo.ljkeefeco.com' 'lol.to' 'lortab-cod.hut1.ru' 'lortab.hut1.ru' 'ma.5.p2l.info' 'mailforfreedom.com' 'make-money.shengen.ru' 'maps-antivert58.eksuziv.net' 'maps-spyware251-300.eksuziv.net' 'marketing.beesearch.info' 'mb.5.p2l.info' 'mba-online.petrovka.info' 'md.5.p2l.info' 'me.5.p2l.info' 'medical.carway.net' 'mens.1.p2l.info' 'meridia.1.p2l.info' 'meridia.3.p2l.info' 'meridia.4.p2l.info' 'meridiameridia.3xforum.ro' 'mesotherapy.jino-net.ru' 'mi.5.p2l.info' 'micardiss.ql.st' 'microsoft-sql-server.wp-club.net' 'mn.5.p2l.info' 'mo.5.p2l.info' 'moc.silk.com' 'mortgage-memphis.hotmail.ru' 'mortgage-rates.now-cash.com' 'mp.5.p2l.info' 'mrjeweller.us' 'ms.5.p2l.info' 'mt.5.p2l.info' 'multimedia-projector.katrina.ru' 'muscle-relaxers.1.p2l.info' 'music102.awardspace.com' 'mydaddy.b0x.com' 'myphentermine.polybuild.ru' 'nasacort.1.p2l.info' 'nasonex.1.p2l.info' 'nb.5.p2l.info' 'nc.5.p2l.info' 'nd.5.p2l.info' 'ne.5.p2l.info' 'nellyticket.beast-space.com' 'nelsongod.ca' 'nexium.1.p2l.info' 'nextel-ringtone.komi.su' 'nextel-ringtone.spb.su' 'nf.5.p2l.info' 'nh.5.p2l.info' 'nj.5.p2l.info' 'nm.5.p2l.info' 'nordette.1.p2l.info' 'nordette.3.p2l.info' 'nordette.4.p2l.info' 'norton-antivirus-trial.searchservice.info' 'notebook-memory.searchservice.info' 'ns.5.p2l.info' 'nv.5.p2l.info' 'ny.5.p2l.info' 'o8.aus.cc' 'ofni.al0ne.info' 'oh.5.p2l.info' 'ok.5.p2l.info' 'on.5.p2l.info' 'online-auto-insurance.petrovka.info' 'online-bingo.petrovka.info' 'online-broker.petrovka.info' 'online-cash.petrovka.info' 'online-casino.shengen.ru' 'online-casino.webpark.pl' 'online-cigarettes.hitslog.net' 'online-college.petrovka.info' 'online-degree.petrovka.info' 'online-florist.petrovka.info' 'online-forex.hut1.ru' 'online-forex-trading-systems.blogspot.com' 'online-gaming.petrovka.info' 'online-job.petrovka.info' 'online-loan.petrovka.info' 'online-mortgage.petrovka.info' 'online-personal.petrovka.info' 'online-personals.petrovka.info' 'online-pharmacy-online.blogspot.com' 'online-pharmacy.petrovka.info' 'online-phentermine.petrovka.info' 'online-poker-gambling.petrovka.info' 'online-poker-game.petrovka.info' 'online-poker.shengen.ru' 'online-prescription.petrovka.info' 'online-school.petrovka.info' 'online-schools.petrovka.info' 'online-single.petrovka.info' 'online-tarot-reading.beesearch.info' 'online-travel.petrovka.info' 'online-university.petrovka.info' 'online-viagra.petrovka.info' 'online-xanax.petrovka.info' 'onlypreteens.com' 'only-valium.go.to' 'only-valium.shengen.ru' 'or.5.p2l.info' 'oranla.info' 'orderadipex.findmenow.info' 'order-hydrocodone.polybuild.ru' 'order-phentermine.polybuild.ru' 'order-valium.polybuild.ru' 'ortho-tri-cyclen.1.p2l.info' 'pa.5.p2l.info' 'pacific-poker.e-online-poker-4u.net' 'pain-relief.1.p2l.info' 'paintball-gun.tripod.com' 'patio-furniture.dreamhoster.com' 'paxil.1.p2l.info' 'pay-day-loans.beesearch.info' 'payday-loans.now-cash.com' 'pctuzing.php5.cz' 'pd1.funnyhost.com' 'pe.5.p2l.info' 'peter-north-cum-shot.blogspot.com' 'pets.finaltips.com' 'pharmacy-canada.forsearch.net' 'pharmacy.hut1.ru' 'pharmacy-news.blogspot.com' 'pharmacy-online.petrovka.info' 'phendimetrazine.1.p2l.info' 'phentermine.1.p2l.info' 'phentermine.3.p2l.info' 'phentermine.4.p2l.info' 'phentermine.aussie7.com' 'phentermine-buy-online.hitslog.net' 'phentermine-buy.petrovka.info' 'phentermine-online.iscool.nl' 'phentermine-online.petrovka.info' 'phentermine.petrovka.info' 'phentermine.polybuild.ru' 'phentermine.shengen.ru' 'phentermine.t-amo.net' 'phentermine.webpark.pl' 'phone-calling-card.exnet.su' 'plavix.shengen.ru' 'play-poker-free.forsearch.net' 'poker-games.e-online-poker-4u.net' 'pop.egi.biz' 'pr.5.p2l.info' 'prescription-drugs.easy-find.net' 'prescription-drugs.shengen.ru' 'preteenland.com' 'preteensite.com' 'prevacid.1.p2l.info' 'prevent-asian-flu.com' 'prilosec.1.p2l.info' 'propecia.1.p2l.info' 'protonix.shengen.ru' 'psorias.atspace.com' 'purchase.hut1.ru' 'qc.5.p2l.info' 'qz.informs.com' 'refinance.shengen.ru' 'relenza.asian-flu-vaccine.com' 'renova.1.p2l.info' 'replacement-windows.gloses.net' 're.rutan.org' 'resanium.com' 'retin-a.1.p2l.info' 'ri.5.p2l.info' 'rise-media.ru' 'root.dns.bz' 'roulette-online.petrovka.info' 'router.googlecom.biz' 's32.bilsay.com' 'samsclub33.pochta.ru' 'sc10.net' 'sc.5.p2l.info' 'sd.5.p2l.info' 'search4you.50webs.com' 'search-phentermine.hpage.net' 'searchpill.boom.ru' 'seasonale.1.p2l.info' 'shop.kauffes.de' 'single-online.petrovka.info' 'sk.5.p2l.info' 'skelaxin.1.p2l.info' 'skelaxin.3.p2l.info' 'skelaxin.4.p2l.info' 'skin-care.1.p2l.info' 'skocz.pl' 'sleep-aids.1.p2l.info' 'sleeper-sofa.dreamhoster.com' 'slf5cyd.info' 'sobolev.net.ru' 'soma.1.p2l.info' 'soma.3xforum.ro' 'soma-store.visa-usa.ru' 'sonata.1.p2l.info' 'sport-betting-online.hitslog.net' 'spyware-removers.shengen.ru' 'spyware-scan.100gal.net' 'spyware.usafreespace.com' 'sq7.co.uk' 'sql-server-driver.beesearch.info' 'starlix.ql.st' 'stop-smoking.1.p2l.info' 'supplements.1.p2l.info' 'sx.nazari.org' 'sx.z0rz.com' 'ta.at.ic5mp.net' 'ta.at.user-mode-linux.net' 'tamiflu-in-canada.asian-flu-vaccine.com' 'tamiflu-no-prescription.asian-flu-vaccine.com' 'tamiflu-purchase.asian-flu-vaccine.com' 'tamiflu-without-prescription.asian-flu-vaccine.com' 'tenuate.1.p2l.info' 'texas-hold-em.e-online-poker-4u.net' 'texas-holdem.shengen.ru' 'ticket20.tripod.com' 'tizanidine.1.p2l.info' 'tn.5.p2l.info' 'topmeds10.com' 'top.pcanywhere.net' 'toyota.cyberealhosting.com' 'tramadol.1.p2l.info' 'tramadol2006.3xforum.ro' 'tramadol.3.p2l.info' 'tramadol.4.p2l.info' 'travel-insurance-quotes.beesearch.info' 'triphasil.1.p2l.info' 'triphasil.3.p2l.info' 'triphasil.4.p2l.info' 'tx.5.p2l.info' 'uf2aasn.111adfueo.us' 'ultracet.1.p2l.info' 'ultram.1.p2l.info' 'united-airline-fare.100pantyhose.com' 'university-online.petrovka.info' 'urlcut.net' 'urshort.net' 'us.kopuz.com' 'ut.5.p2l.info' 'utairway.com' 'va.5.p2l.info' 'vacation.toppick.info' 'valium.este.ru' 'valium.hut1.ru' 'valium.ourtablets.com' 'valium.polybuild.ru' 'valiumvalium.3xforum.ro' 'valtrex.1.p2l.info' 'valtrex.3.p2l.info' 'valtrex.4.p2l.info' 'valtrex.7h.com' 'vaniqa.1.p2l.info' 'vi.5.p2l.info' 'viagra.1.p2l.info' 'viagra.3.p2l.info' 'viagra.4.p2l.info' 'viagra-online.petrovka.info' 'viagra-pill.blogspot.com' 'viagra.polybuild.ru' 'viagra-soft-tabs.1.p2l.info' 'viagra-store.shengen.ru' 'viagraviagra.3xforum.ro' 'vicodin-online.petrovka.info' 'vicodin-store.shengen.ru' 'vicodin.t-amo.net' 'viewtools.com' 'vioxx.1.p2l.info' 'vitalitymax.1.p2l.info' 'vt.5.p2l.info' 'vxv.phre.net' 'w0.drag0n.org' 'wa.5.p2l.info' 'water-bed.8p.org.uk' 'web-hosting.hitslog.net' 'webhosting.hut1.ru' 'weborg.hut1.ru' 'weight-loss.1.p2l.info' 'weight-loss.3.p2l.info' 'weight-loss.4.p2l.info' 'weight-loss.hut1.ru' 'wellbutrin.1.p2l.info' 'wellbutrin.3.p2l.info' 'wellbutrin.4.p2l.info' 'wellnessmonitor.bravehost.com' 'wi.5.p2l.info' 'world-trade-center.hawaiicity.com' 'wp-club.net' 'ws01.do.nu' 'ws02.do.nu' 'ws03.do.nu' 'ws03.home.sapo.pt' 'ws04.do.nu' 'ws04.home.sapo.pt' 'ws05.home.sapo.pt' 'ws06.home.sapo.pt' 'wv.5.p2l.info' 'www.31d.net' 'www3.ddns.ms' 'www4.at.debianbase.de' 'www4.epac.to' 'www5.3-a.net' 'www69.bestdeals.at' 'www69.byinter.net' 'www69.dynu.com' 'www69.findhere.org' 'www69.fw.nu' 'www69.ugly.as' 'www6.ezua.com' 'www6.ns1.name' 'www7.ygto.com' 'www8.ns01.us' 'www99.bounceme.net' 'www99.fdns.net' 'www99.zapto.org' 'www9.compblue.com' 'www9.servequake.com' 'www9.trickip.org' 'www.adspoll.com' 'www.adult-top-list.com' 'www.aektschen.de' 'www.aeqs.com' 'www.alladultdirectories.com' 'www.alladultdirectory.net' 'www.arbeitssuche-web.de' 'www.atlantis-asia.com' 'www.bestrxpills.com' 'www.bigsister.cxa.de' 'www.bigsister-puff.cxa.de' 'www.bitlocker.net' 'www.cheap-laptops-notebook-computers.info' 'www.cheap-online-stamp.cast.cc' 'www.codez-knacken.de' 'www.computerxchange.com' 'www.credit-dreams.com' 'www.edle-stuecke.de' 'www.exe-file.de' 'www.exttrem.de' 'www.fetisch-pornos.cxa.de' 'www.ficken-ficken-ficken.cxa.de' 'www.ficken-xxx.cxa.de' 'www.financial-advice-books.com' 'www.finanzmarkt2004.de' 'www.furnitureulimited.com' 'www.gewinnspiele-slotmachine.de' 'www.hardware4freaks.de' 'www.healthyaltprods.com' 'www.heimlich-gefilmt.cxa.de' 'www.huberts-kochseite.de' 'www.huren-verzeichnis.is4all.de' 'www.kaaza-legal.de' 'www.kajahdfssa.net' 'www.keyofhealth.com' 'www.kitchentablegang.org' 'www.km69.de' 'www.koch-backrezepte.de' 'www.kvr-systems.de' 'www.lesben-pornos.cxa.de' 'www.links-private-krankenversicherung.de' 'www.littledevildoubt.com' 'www.mailforfreedom.com' 'www.masterspace.biz' 'www.medical-research-books.com' 'www.microsoft2010.com' 'www.nelsongod.ca' 'www.nextstudent.com' 'www.ntdesk.de' 'www.nutten-verzeichnis.cxa.de' 'www.obesitycheck.com' 'www.pawnauctions.net' 'www.pills-home.com' 'www.poker4spain.com' 'www.poker-new.com' 'www.poker-unique.com' 'www.porno-lesben.cxa.de' 'www.prevent-asian-flu.com' 'www.randppro-cuts.com' 'www.romanticmaui.net' 'www.salldo.de' 'www.samsclub33.pochta.ru' 'www.schwarz-weisses.de' 'www.schwule-boys-nackt.cxa.de' 'www.shopping-artikel.de' 'www.showcaserealestate.net' 'www.skattabrain.com' 'www.softcha.com' 'www.striemline.de' 'www.talentbroker.net' 'www.the-discount-store.com' 'www.topmeds10.com' 'www.uniqueinternettexasholdempoker.com' 'www.viagra-home.com' 'www.vthought.com' 'www.vtoyshop.com' 'www.vulcannonibird.de' 'www.webabrufe.de' 'www.wilddreams.info' 'www.willcommen.de' 'www.xcr-286.com' 'wy.5.p2l.info' 'x25.2mydns.com' 'x25.plorp.com' 'x4.lov3.net' 'x6x.a.la' 'x888x.myserver.org' 'x8x.dyndns.dk' 'x8x.trickip.net' 'xanax-online.dot.de' 'xanax-online.run.to' 'xanax-online.sms2.us' 'xanax.ourtablets.com' 'xanax-store.shengen.ru' 'xanax.t-amo.net' 'xanaxxanax.3xforum.ro' 'x-box.t35.com' 'xcr-286.com' 'xenical.1.p2l.info' 'xenical.3.p2l.info' 'xenical.4.p2l.info' 'x-hydrocodone.info' 'x-phentermine.info' 'xr.h4ck.la' 'yasmin.1.p2l.info' 'yasmin.3.p2l.info' 'yasmin.4.p2l.info' 'yt.5.p2l.info' 'zanaflex.1.p2l.info' 'zebutal.1.p2l.info' 'zocor.about-tabs.com' 'zoloft.1.p2l.info' 'zoloft.3.p2l.info' 'zoloft.4.p2l.info' 'zoloft.about-tabs.com' 'zyban.1.p2l.info' 'zyban.about-tabs.com' 'zyban-store.shengen.ru' 'zyprexa.about-tabs.com' 'zyrtec.1.p2l.info' 'zyrtec.3.p2l.info' 'zyrtec.4.p2l.info' 'adnexus.net' 'a-msedge.net' 'apps.skype.com' 'az361816.vo.msecnd.net' 'az512334.vo.msecnd.net' 'cdn.atdmt.com' 'cds26.ams9.msecn.net' 'c.msn.com' 'db3aqu.atdmt.com' 'fe2.update.microsoft.com.akadns.net' 'feedback.microsoft-hohm.com' 'g.msn.com' 'h1.msn.com' 'lb1.www.ms.akadns.net' 'live.rads.msn.com' 'm.adnxs.com' 'm.hotmail.com' 'msedge.net' 'msftncsi.com' 'msnbot-65-55-108-23.search.msn.com' 'msntest.serving-sys.com' 'preview.msn.com' 'pricelist.skype.com' 'reports.wes.df.telemetry.microsoft.com' 'schemas.microsoft.akadns.net' 'secure.flashtalking.com' 'settings-win.data.microsoft.com' 's.gateway.messenger.live.com' 'so.2mdn.net' 'statsfe2.ws.microsoft.com' 'telemetry.appex.bing.net ' 'ui.skype.com' 'wes.df.telemetry.microsoft.com' 'www.msftncsi.com' '1493361689.rsc.cdn77.org' '30-day-change.com' 'adsmws.cloudapp.net' 'annualconsumersurvey.com' 'apps.id.net' 'canuck-method.com' 'www.canuck-method.com' 'external.stealthedeal.com' 'mackeeperapp.zeobit.com' 'promotions.yourfirstmillion.biz' 'quickcash-system.com' 'save-your-pc.info' 'embed.sendtonews.com' 'promotion.com-rewards.club' 's.zkcdn.net' 'specialsections.siteseer.ca' 'stealthedeal.com' 'twitter.cm' 'ttwitter.com' 'virtual.thewhig.com' 'ac3.msn.com' 'choice.microsoft.com' 'choice.microsoft.com.nsatc.net' 'compatexchange.cloudapp.net' 'corp.sts.microsoft.com' 'corpext.msitadfs.glbdns2.microsoft.com' 'cs1.wpc.v0cdn.net' 'diagnostics.support.microsoft.com' 'feedback.search.microsoft.com' 'feedback.windows.com' 'i1.services.social.microsoft.com' 'i1.services.social.microsoft.com.nsatc.net' 'oca.telemetry.microsoft.com' 'oca.telemetry.microsoft.com.nsatc.net' 'pre.footprintpredict.com' 'redir.metaservices.microsoft.com' 'services.wes.df.telemetry.microsoft.com' 'settings-sandbox.data.microsoft.com' 'sls.update.microsoft.com.akadns.net' 'sqm.df.telemetry.microsoft.com' 'sqm.telemetry.microsoft.com' 'sqm.telemetry.microsoft.com.nsatc.net' 'ssw.live.com' 'statsfe1.ws.microsoft.com' 'statsfe2.update.microsoft.com.akadns.net' 'survey.watson.microsoft.com' 'telecommand.telemetry.microsoft.com' 'telecommand.telemetry.microsoft.com.nsatc.net' 'telemetry.urs.microsoft.com' 'vortex-bn2.metron.live.com.nsatc.net' 'vortex-cy2.metron.live.com.nsatc.net' 'vortex-sandbox.data.microsoft.com' 'vortex-win.data.microsoft.com' 'vortex.data.microsoft.com' 'watson.live.com' 'watson.microsoft.com' 'watson.ppe.telemetry.microsoft.com' 'watson.telemetry.microsoft.com' 'watson.telemetry.microsoft.com.nsatc.net' '101com.com' '101order.com' '123found.com' '180hits.de' '180searchassistant.com' '1x1rank.com' '207.net' '247media.com' '24log.com' '24log.de' '24pm-affiliation.com' '2mdn.net' '360yield.com' '4d5.net' '50websads.com' '518ad.com' '51yes.com' '600z.com' '777partner.com' '777seo.com' '77tracking.com' '99count.com' 'a-counter.kiev.ua' 'a.aproductmsg.com' 'a.consumer.net' 'a.sakh.com' 'a.ucoz.ru' 'a32.g.a.yimg.com' 'aaddzz.com' 'abacho.net' 'abc-ads.com' 'absoluteclickscom.com' 'abz.com' 'accounts.pkr.com.invalid' 'acsseo.com' 'actualdeals.com' 'acuityads.com' 'ad-balancer.at' 'ad-center.com' 'ad-images.suntimes.com' 'ad-pay.de' 'ad-server.gulasidorna.se' 'ad-space.net' 'ad-tech.com' 'ad-up.com' 'ad.980x.com' 'ad.abctv.com' 'ad.about.com' 'ad.aboutit.de' 'ad.anuntis.com' 'ad.bizo.com' 'ad.bondage.com' 'ad.centrum.cz' 'ad.cgi.cz' 'ad.choiceradio.com' 'ad.clix.pt' 'ad.digitallook.com' 'ad.doctissimo.fr' 'ad.domainfactory.de' 'ad.f1cd.ru' 'ad.flurry.com' 'ad.gate24.ch' 'ad.globe7.com' 'ad.grafika.cz' 'ad.hodomobile.com' 'ad.hyena.cz' 'ad.iinfo.cz' 'ad.ilove.ch' 'ad.jamster.co.uk' 'ad.jetsoftware.com' 'ad.keenspace.com' 'ad.liveinternet.ru' 'ad.lupa.cz' 'ad.mediastorm.hu' 'ad.mgd.de' 'ad.musicmatch.com' 'ad.nachtagenten.de' 'ad.nwt.cz' 'ad.onad.eu' 'ad.playground.ru' 'ad.preferances.com' 'ad.reunion.com' 'ad.scanmedios.com' 'ad.simgames.net' 'ad.technoratimedia.com' 'ad.top50.to' 'ad.virtual-nights.com' 'ad.wavu.hu' 'ad.way.cz' 'ad.weatherbug.com' 'ad1.emule-project.org' 'ad1.kde.cz' 'ad2.iinfo.cz' 'ad2.linxcz.cz' 'ad2.lupa.cz' 'ad2flash.com' 'ad3.iinfo.cz' 'ad3.pamedia.com.au' 'adaction.de' 'adapt.tv' 'adbanner.ro' 'adboost.de.vu' 'adboost.net' 'adbooth.net' 'adbot.com' 'adbroker.de' 'adbunker.com' 'adbutler.com' 'adbutler.de' 'adbuyer.com' 'adbuyer3.lycos.com' 'adcell.de' 'adcenter.mdf.se' 'adcenter.net' 'adcept.net' 'adclick.com' 'adcloud.net' 'adconion.com' 'adcycle.com' 'add.newmedia.cz' 'addealing.com' 'addesktop.com' 'addme.com' 'adengage.com' 'adexpose.com' 'adf.ly' 'adflight.com' 'adforce.com' 'adgoto.com' 'adgridwork.com' 'adimages.been.com' 'adimages.carsoup.com' 'adimages.homestore.com' 'adimages.sanomawsoy.fi' 'adimgs.sapo.pt' 'adimpact.com' 'adinjector.net' 'adisfy.com' 'adition.de' 'adition.net' 'adizio.com' 'adjix.com' 'adjug.com' 'adjuggler.com' 'adjustnetwork.com' 'adk2.com' 'adk2ads.tictacti.com' 'adland.ru' 'adlantic.nl' 'adledge.com' 'adlegend.com' 'adlink.de' 'adloox.com' 'adlooxtracking.com' 'adlure.net' 'admagnet.net' 'admailtiser.com' 'adman.otenet.gr' 'admanagement.ch' 'admanager.carsoup.com' 'admarketplace.net' 'admarvel.com' 'admedia.ro' 'admeta.com' 'admex.com' 'adminder.com' 'adminshop.com' 'admized.com' 'admob.com' 'admonitor.com' 'admotion.com.ar' 'admtpmp123.com' 'admtpmp124.com' 'adnet-media.net' 'adnet.ru' 'adnet.worldreviewer.com' 'adnetinteractive.com' 'adnetwork.net' 'adnetworkperformance.com' 'adnews.maddog2000.de' 'adnotch.com' 'adonspot.com' 'adoperator.com' 'adorigin.com' 'adpepper.nl' 'adpia.vn' 'adplus.co.id' 'adplxmd.com' 'adprofile.net' 'adprojekt.pl' 'adrazzi.com' 'adremedy.com' 'adreporting.com' 'adres.internet.com' 'adrevolver.com' 'adrolays.de' 'adrotate.de' 'ads-click.com' 'ads.activestate.com' 'ads.administrator.de' 'ads.ak.facebook.com.edgesuite.net' 'ads.allvatar.com' 'ads.alwayson-network.com' 'ads.appsgeyser.com' 'ads.batpmturner.com' 'ads.beenetworks.net' 'ads.berlinonline.de' 'ads.betfair.com.au' 'ads.bigchurch.com' 'ads.bigfoot.com' 'ads.billiton.de' 'ads.bing.com' 'ads.bittorrent.com' 'ads.bonniercorp.com' 'ads.boylesports.com' 'ads.brain.pk' 'ads.bumq.com' 'ads.cgnetworks.com' 'ads.channel4.com' 'ads.cimedia.com' 'ads.co.com' 'ads.creativematch.com' 'ads.cricbuzz.com' 'ads.datingyes.com' 'ads.dazoot.ro' 'ads.deltha.hu' 'ads.eagletribune.com' 'ads.easy-forex.com' 'ads.eatinparis.com' 'ads.edbindex.dk' 'ads.egrana.com.br' 'ads.electrocelt.com' 'ads.emirates.net.ae' 'ads.epltalk.com' 'ads.esmas.com' 'ads.expat-blog.biz' 'ads.factorymedia.com' 'ads.faxo.com' 'ads.ferianc.com' 'ads.flooble.com' 'ads.footymad.net' 'ads.forium.de' 'ads.fotosidan.se' 'ads.foxkidseurope.net' 'ads.foxnetworks.com' 'ads.freecity.de' 'ads.futurenet.com' 'ads.gameforgeads.de' 'ads.gamigo.de' 'ads.gaming-universe.de' 'ads.geekswithblogs.net' 'ads.goyk.com' 'ads.gradfinder.com' 'ads.grindinggears.com' 'ads.groundspeak.com' 'ads.gsm-exchange.com' 'ads.gsmexchange.com' 'ads.hardwaresecrets.com' 'ads.hideyourarms.com' 'ads.horsehero.com' 'ads.ibest.com.br' 'ads.ibryte.com' 'ads.img.co.za' 'ads.jobsite.co.uk' 'ads.justhungry.com' 'ads.kelbymediagroup.com' 'ads.kinobox.cz' 'ads.kinxxx.com' 'ads.kompass.com' 'ads.krawall.de' 'ads.massinfra.nl' 'ads.medienhaus.de' 'ads.mmania.com' 'ads.moceanads.com' 'ads.motor-forum.nl' 'ads.motormedia.nl' 'ads.nationalgeographic.com' 'ads.netclusive.de' 'ads.newmedia.cz' 'ads.nyx.cz' 'ads.nzcity.co.nz' 'ads.oddschecker.com' 'ads.okcimg.com' 'ads.olivebrandresponse.com' 'ads.optusnet.com.au' 'ads.pennet.com' 'ads.pickmeup-ltd.com' 'ads.pkr.com' 'ads.planet.nl' 'ads.powweb.com' 'ads.primissima.it' 'ads.printscr.com' 'ads.psd2html.com' 'ads.pushplay.com' 'ads.quoka.de' 'ads.resoom.de' 'ads.returnpath.net' 'ads.rpgdot.com' 'ads.s3.sitepoint.com' 'ads.sift.co.uk' 'ads.silverdisc.co.uk' 'ads.slim.com' 'ads.spoonfeduk.com' 'ads.stationplay.com' 'ads.struq.com' 'ads.supplyframe.com' 'ads.t-online.de' 'ads.themovienation.com' 'ads.timeout.com' 'ads.tjwi.info' 'ads.totallyfreestuff.com' 'ads.tripod.lycos.it' 'ads.tripod.lycos.nl' 'ads.tso.dennisnet.co.uk' 'ads.ultimate-guitar.com' 'ads.uncrate.com' 'ads.verticalresponse.com' 'ads.vgchartz.com' 'ads.virtual-nights.com' 'ads.vnumedia.com' 'ads.webmasterpoint.org' 'ads.websiteservices.com' 'ads.whoishostingthis.com' 'ads.wiezoekje.nl' 'ads.wikia.nocookie.net' 'ads.wwe.biz' 'ads.y-0.net' 'ads.yourfreedvds.com' 'ads03.redtube.com' 'ads1.mediacapital.pt' 'ads1.rne.com' 'ads1.virtual-nights.com' 'ads180.com' 'ads2.oneplace.com' 'ads2.rne.com' 'ads2.virtual-nights.com' 'ads2.xnet.cz' 'ads2004.treiberupdate.de' 'ads3.virtual-nights.com' 'ads4.virtual-nights.com' 'ads5.virtual-nights.com' 'adsatt.abc.starwave.com' 'adsby.bidtheatre.com' 'adscale.de' 'adscience.nl' 'adscpm.com' 'adsdk.com' 'adsend.de' 'adserv.evo-x.de' 'adserv.gamezone.de' 'adserve.ams.rhythmxchange.com' 'adserver.43plc.com' 'adserver.aidameter.com' 'adserver.barrapunto.com' 'adserver.beggarspromo.com' 'adserver.bing.com' 'adserver.break-even.it' 'adserver.clashmusic.com' 'adserver.flossiemediagroup.com' 'adserver.irishwebmasterforum.com' 'adserver.motorpresse.de' 'adserver.oddschecker.com' 'adserver.portugalmail.net' 'adserver.quizdingo.com' 'adserver.sciflicks.com' 'adserver.viagogo.com' 'adserver01.de' 'adserver1.mindshare.de' 'adserver1.mokono.com' 'adserver2.mindshare.de' 'adserverplus.com' 'adservinginternational.com' 'adshost1.com' 'adside.com' 'adsk2.co' 'adsklick.de' 'adsmarket.com' 'adsmogo.com' 'adsnative.com' 'adspace.ro' 'adspeed.net' 'adspirit.de' 'adsponse.de' 'adsrv.deviantart.com' 'adsrv.eacdn.com' 'adsstat.com' 'adstest.weather.com' 'adsupply.com' 'adsupplyads.com' 'adswitcher.com' 'adsymptotic.com' 'adtegrity.net' 'adthis.com' 'adtiger.de' 'adtoll.com' 'adtology.com' 'adtoma.com' 'adtrace.org' 'adtrade.net' 'adtrading.de' 'adtriplex.com' 'adultadvertising.com' 'adv-adserver.com' 'adv.cooperhosting.net' 'adv.freeonline.it' 'adv.hwupgrade.it' 'adv.livedoor.com' 'adv.yo.cz' 'advariant.com' 'adventory.com' 'adverticum.com' 'adverticum.net' 'adverticus.de' 'advertiseireland.com' 'advertisespace.com' 'advertising.guildlaunch.net' 'advertisingbanners.com' 'advertisingbox.com' 'advertmarket.com' 'advertmedia.de' 'adverts.carltononline.com' 'advertserve.com' 'advertwizard.com' 'advideo.uimserv.net' 'advisormedia.cz' 'adviva.com' 'advnt.com' 'adwareremovergold.com' 'adwhirl.com' 'adwitserver.com' 'adworldnetwork.com' 'adworx.at' 'adworx.be' 'adworx.nl' 'adx.allstar.cz' 'adx.atnext.com' 'adxpansion.com' 'adxvalue.com' 'adyea.com' 'adzerk.s3.amazonaws.com' 'adzones.com' 'af-ad.co.uk' 'afbtracking09.com' 'affbuzzads.com' 'affili.net' 'affiliate.1800flowers.com' 'affiliate.7host.com' 'affiliate.doubleyourdating.com' 'affiliate.gamestop.com' 'affiliate.mercola.com' 'affiliate.mogs.com' 'affiliate.offgamers.com' 'affiliate.travelnow.com' 'affiliate.viator.com' 'affiliatefuel.com' 'affiliatefuture.com' 'affiliates.allposters.com' 'affiliates.babylon.com' 'affiliates.devilfishpartners.com' 'affiliates.digitalriver.com' 'affiliates.ige.com' 'affiliates.internationaljock.com' 'affiliates.jlist.com' 'affiliates.thinkhost.net' 'affiliates.ultrahosting.com' 'affiliatetracking.com' 'affiliatetracking.net' 'affiliatewindow.com' 'ah-ha.com' 'ahalogy.com' 'aidu-ads.de' 'aim4media.com' 'aistat.net' 'aktrack.pubmatic.com' 'alclick.com' 'alenty.com' 'all4spy.com' 'alladvantage.com' 'allosponsor.com' 'amazingcounters.com' 'amazon-adsystem.com' 'amung.us' 'anahtars.com' 'analytics.adpost.org' 'analytics.yahoo.com' 'api.intensifier.de' 'apture.com' 'arc1.msn.com' 'arcadebanners.com' 'are-ter.com' 'as1.advfn.com' 'as2.advfn.com' 'as5000.com' 'assets1.exgfnetwork.com' 'assoc-amazon.com' 'atwola.com' 'auctionads.com' 'auctionads.net' 'audience2media.com' 'audit.webinform.hu' 'auto-bannertausch.de' 'autohits.dk' 'avenuea.com' 'avres.net' 'avsads.com' 'awempire.com' 'awin1.com' 'azfront.com' 'b-1st.com' 'b.aol.com' 'b.engadget.com' 'ba.afl.rakuten.co.jp' 'babs.tv2.dk' 'backbeatmedia.com' 'banik.redigy.cz' 'banner-exchange-24.de' 'banner.alphacool.de' 'banner.blogranking.net' 'banner.buempliz-online.ch' 'banner.casino.net' 'banner.cotedazurpalace.com' 'banner.cz' 'banner.elisa.net' 'banner.featuredusers.com' 'banner.getgo.de' 'banner.img.co.za' 'banner.inyourpocket.com' 'banner.jobsahead.com' 'banner.linux.se' 'banner.mindshare.de' 'banner.nixnet.cz' 'banner.noblepoker.com' 'banner.penguin.cz' 'banner.tanto.de' 'banner.titan-dsl.de' 'banner.vadian.net' 'banner.webmersion.com' 'banner.wirenode.com' 'bannerboxes.com' 'bannercommunity.de' 'bannerconnect.com' 'bannerexchange.cjb.net' 'bannerflow.com' 'bannergrabber.internet.gr' 'bannerhost.com' 'bannerimage.com' 'bannerlandia.com.ar' 'bannermall.com' 'bannermarkt.nl' 'banners.apnuk.com' 'banners.babylon-x.com' 'banners.bol.com.br' 'banners.clubseventeen.com' 'banners.czi.cz' 'banners.dine.com' 'banners.iq.pl' 'banners.isoftmarketing.com' 'banners.lifeserv.com' 'banners.thomsonlocal.com' 'bannerserver.com' 'bannersng.yell.com' 'bannerspace.com' 'bannerswap.com' 'bannertesting.com' 'bannery.cz' 'bannieres.acces-contenu.com' 'bans.adserver.co.il' 'begun.ru' 'belstat.com' 'belstat.nl' 'berp.com' 'best-pr.info' 'best-top.ro' 'bestsearch.net' 'bidclix.com' 'bidtrk.com' 'bigbangmedia.com' 'bigclicks.com' 'billboard.cz' 'bitads.net' 'bitmedianetwork.com' 'bizrate.com' 'blast4traffic.com' 'blingbucks.com' 'blogcounter.de' 'blogherads.com' 'blogrush.com' 'blogtoplist.se' 'blogtopsites.com' 'bluelithium.com' 'bluewhaleweb.com' 'bm.annonce.cz' 'boersego-ads.de' 'boldchat.com' 'boom.ro' 'boomads.com' 'boost-my-pr.de' 'bpath.com' 'braincash.com' 'brandreachsys.com' 'bravenet.com.invalid' 'bridgetrack.com' 'brightinfo.com' 'british-banners.com' 'budsinc.com' 'buyhitscheap.com' 'buysellads.com' 'buzzonclick.com' 'bvalphaserver.com' 'bwp.download.com' 'c1.nowlinux.com' 'campaign.bharatmatrimony.com' 'caniamedia.com' 'carbonads.com' 'carbonads.net' 'casalmedia.com' 'cash4members.com' 'cash4popup.de' 'cashcrate.com' 'cashfiesta.com' 'cashlayer.com' 'cashpartner.com' 'casinogames.com' 'casinopays.com' 'casinorewards.com' 'casinotraffic.com' 'casinotreasure.com' 'cben1.net' 'cbmall.com' 'cbx.net' 'cdn.freefacti.com' 'ceskydomov.alias.ngs.modry.cz' 'ch.questionmarket.com' 'channelintelligence.com' 'chart.dk' 'chartbeat.net' 'checkm8.com' 'checkstat.nl' 'chestionar.ro' 'chitika.net' 'cibleclick.com' 'cj.com' 'cjbmanagement.com' 'cjlog.com' 'claria.com' 'class-act-clicks.com' 'click.absoluteagency.com' 'click.fool.com' 'click2freemoney.com' 'click2paid.com' 'clickability.com' 'clickadz.com' 'clickagents.com' 'clickbank.com' 'clickbooth.com' 'clickbrokers.com' 'clickcompare.co.uk' 'clickdensity.com' 'clickhereforcellphones.com' 'clickhouse.com' 'clickhype.com' 'clicklink.jp' 'clicks.mods.de' 'clicktag.de' 'clickthrucash.com' 'clicktrack.ziyu.net' 'clicktrade.com' 'clickxchange.com' 'clickz.com' 'clickzxc.com' 'clicmanager.fr' 'clients.tbo.com' 'clixgalore.com' 'cluster.adultworld.com' 'cmpstar.com' 'cnt.spbland.ru' 'code-server.biz' 'colonize.com' 'comclick.com' 'commindo-media-ressourcen.de' 'commissionmonster.com' 'compactbanner.com' 'comprabanner.it' 'connextra.com' 'contaxe.de' 'content.acc-hd.de' 'content.ad' 'contentabc.com' 'conversionruler.com' 'coremetrics.com' 'count.west263.com' 'count6.rbc.ru' 'counted.com' 'counter.avtoindex.com' 'counter.mojgorod.ru' 'coupling-media.de' 'cpays.com' 'cpmaffiliation.com' 'cpmstar.com' 'cpxadroit.com' 'cpxinteractive.com' 'crakmedia.com' 'craktraffic.com' 'crawlability.com' 'crazypopups.com' 'creafi-online-media.com' 'creative.whi.co.nz' 'creatives.as4x.tmcs.net' 'crispads.com' 'criteo.com' 'ctnetwork.hu' 'cubics.com' 'customad.cnn.com' 'cyberbounty.com' 'cybermonitor.com' 'dakic-ia-300.com' 'danban.com' 'dapper.net' 'datashreddergold.com' 'dc-storm.com' 'dealdotcom.com' 'debtbusterloans.com' 'decknetwork.net' 'deloo.de' 'demandbase.com' 'depilflash.tv' 'di1.shopping.com' 'dialerporn.com' 'direct-xxx-access.com' 'directaclick.com' 'directivepub.com' 'directorym.com' 'discountclick.com' 'displayadsmedia.com' 'displaypagerank.com' 'dmtracker.com' 'dmtracking.alibaba.com' 'domaining.in' 'domainsteam.de' 'drumcash.com' 'e-adimages.scrippsnetworks.com' 'e-bannerx.com' 'e-debtconsolidation.com' 'e-m.fr' 'e-n-t-e-r-n-e-x.com' 'e-planning.net' 'e.kde.cz' 'eadexchange.com' 'easyhits4u.com' 'ebuzzing.com' 'ecircle-ag.com' 'eclick.vn' 'ecoupons.com' 'edgeio.com' 'effectivemeasure.com' 'effectivemeasure.net' 'elitedollars.com' 'elitetoplist.com' 'emarketer.com' 'emediate.dk' 'emediate.eu' 'emonitor.takeit.cz' 'enginenetwork.com' 'enquisite.com' 'entercasino.com' 'entrecard.s3.amazonaws.com' 'epiccash.com' 'eqads.com' 'esellerate.net' 'etargetnet.com' 'ethicalads.net' 'etracker.de' 'eu-adcenter.net' 'eu1.madsone.com' 'eurekster.com' 'euro-linkindex.de' 'euroclick.com' 'european-toplist.de' 'euroranking.de' 'euros4click.de' 'eusta.de' 'evergage.com' 'evidencecleanergold.com' 'ewebcounter.com' 'exchange-it.com' 'exchangead.com' 'exchangeclicksonline.com' 'exit76.com' 'exitexchange.com' 'exitfuel.com' 'exoclick.com' 'exogripper.com' 'experteerads.com' 'express-submit.de' 'extractorandburner.com' 'eyeblaster.com' 'eyereturn.com' 'eyeviewads.com' 'ezula.com' 'f5biz.com' 'fast-adv.it' 'fastclick.com' 'fb-promotions.com' 'feedbackresearch.com' 'ffxcam.fairfax.com.au' 'fimc.net' 'fimserve.com' 'findcommerce.com' 'findyourcasino.com' 'fineclicks.com' 'first.nova.cz' 'firstlightera.com' 'flashtalking.com' 'fleshlightcash.com' 'flexbanner.com' 'flowgo.com' 'fonecta.leiki.com' 'foo.cosmocode.de' 'forex-affiliate.net' 'fpctraffic.com' 'free-banners.com' 'freebanner.com' 'freepay.com' 'freestats.tv' 'funklicks.com' 'funpageexchange.com' 'fusionads.net' 'fusionquest.com' 'fxclix.com' 'fxstyle.net' 'galaxien.com' 'game-advertising-online.com' 'gamehouse.com' 'gamesites100.net' 'gamesites200.com' 'gamesitestop100.com' 'geovisite.com' 'german-linkindex.de' 'globalismedia.com' 'globaltakeoff.net' 'globaltrack.com' 'globe7.com' 'globus-inter.com' 'go-clicks.de' 'go-rank.de' 'goingplatinum.com' 'gold.weborama.fr' 'googleadservices.com' 'gp.dejanews.com' 'gpr.hu' 'grafstat.ro' 'grapeshot.co.PI:EMAIL:<EMAIL>END_PI' 'greystripe.com' 'gtop.ro' 'gtop100.com' 'harrenmedia.com' 'harrenmedianetwork.com' 'havamedia.net' 'heias.com' 'hentaicounter.com' 'herbalaffiliateprogram.com' 'heyos.com' 'hgads.com' 'hidden.gogoceleb.com' 'hit-ranking.de' 'hit.bg' 'hit.ua' 'hit.webcentre.lycos.co.uk' 'hitcents.com' 'hitfarm.com' 'hitiz.com' 'hitlist.ru' 'hitlounge.com' 'hitometer.com' 'hits4me.com' 'hits4pay.com' 'hittail.com' 'hollandbusinessadvertising.nl' 'homepageking.de' 'hotkeys.com' 'hotlog.ru' 'hotrank.com.tw' 'htmlhubing.xyz' 'httpool.com' 'hurricanedigitalmedia.com' 'hydramedia.com' 'hyperbanner.net' 'i-clicks.net' 'i1img.com' 'i1media.no' 'ia.iinfo.cz' 'iadnet.com' 'iasds01.com' 'iconadserver.com' 'icptrack.com' 'idcounter.com' 'identads.com' 'idot.cz' 'idregie.com' 'idtargeting.com' 'ientrymail.com' 'ilbanner.com' 'iliilllio00oo0.321.cn' 'imagecash.net' 'images.v3.com' 'imarketservices.com' 'img.prohardver.hu' 'imgpromo.easyrencontre.com' 'imonitor.nethost.cz' 'imprese.cz' 'impressionmedia.cz' 'impressionz.co.uk' 'inboxdollars.com' 'incentaclick.com' 'indexstats.com' 'indieclick.com' 'industrybrains.com' 'infinityads.com' 'infolinks.com' 'information.com' 'inringtone.com' 'insightexpress.com' 'inspectorclick.com' 'instantmadness.com' 'interactive.forthnet.gr' 'intergi.com' 'internetfuel.com' 'interreklame.de' 'interstat.hu' 'ip.ro' 'ip193.cn' 'iperceptions.com' 'ipro.com' 'ireklama.cz' 'itfarm.com' 'itop.cz' 'its-that-easy.com' 'itsptp.com' 'jcount.com' 'jinkads.de' 'joetec.net' 'jokedollars.com' 'juicyads.com' 'jumptap.com' 'justrelevant.com' 'kanoodle.com' 'keymedia.hu' 'kindads.com' 'kliks.nl' 'komoona.com' 'kompasads.com' 'kt-g.de' 'lakequincy.com' 'layer-ad.de' 'lbn.ru' 'leadaffiliates.com' 'leadboltads.net' 'leadclick.com' 'leadingedgecash.com' 'leadzupc.com' 'leanoisgo.com' 'levelrate.de' 'lfstmedia.com' 'liftdna.com' 'ligatus.com' 'ligatus.de' 'lightningcast.net' 'lightspeedcash.com' 'link-booster.de' 'linkadd.de' 'linkexchange.com' 'linkprice.com' 'linkrain.com' 'linkreferral.com' 'links-ranking.de' 'linkshighway.com' 'linkshighway.net' 'linkstorms.com' 'linkswaper.com' 'liveintent.com' 'liverail.com' 'logua.com' 'lop.com' 'lucidmedia.com' 'lzjl.com' 'm4n.nl' 'madisonavenue.com' 'madvertise.de' 'malware-scan.com' 'marchex.com' 'market-buster.com' 'marketing.nyi.net' 'marketing.osijek031.com' 'marketingsolutions.yahoo.com' 'maroonspider.com' 'mas.sector.sk' 'mastermind.com' 'matchcraft.com' 'mathtag.com' 'max.i12.de' 'maximumcash.com' 'mbs.megaroticlive.com' 'mbuyu.nl' 'mdotm.com' 'measuremap.com' 'media-adrunner.mycomputer.com' 'media-servers.net' 'media6degrees.com' 'mediaarea.eu' 'mediadvertising.ro' 'mediageneral.com' 'mediamath.com' 'mediaplazza.com' 'mediaplex.com' 'mediascale.de' 'mediatext.com' 'mediax.angloinfo.com' 'mediaz.angloinfo.com' 'medyanetads.com' 'megacash.de' 'megastats.com' 'megawerbung.de' 'memorix.sdv.fr' 'metaffiliation.com' 'metanetwork.com' 'methodcash.com' 'miarroba.com' 'microstatic.pl' 'microticker.com' 'midnightclicking.com' 'mintrace.com' 'misstrends.com' 'miva.com' 'mixpanel.com' 'mixtraffic.com' 'mlm.de' 'mmismm.com' 'mmtro.com' 'moatads.com' 'mobclix.com' 'mocean.mobi' 'moneyexpert.com' 'monsterpops.com' 'mopub.com' 'mpstat.us' 'mr-rank.de' 'mrskincash.com' 'musiccounter.ru' 'muwmedia.com' 'myaffiliateprogram.com' 'mybloglog.com' 'mycounter.ua' 'mypagerank.net' 'mypagerank.ru' 'mypowermall.com' 'mystat-in.net' 'mystat.pl' 'mytop-in.net' 'n69.com' 'naiadsystems.com' 'namimedia.com' 'nastydollars.com' 'navigator.io' 'navrcholu.cz' 'nedstat.com' 'nedstatbasic.net' 'nedstatpro.net' 'nend.net' 'neocounter.neoworx-blog-tools.net' 'neoffic.com' 'net-filter.com' 'netaffiliation.com' 'netagent.cz' 'netcommunities.com' 'netdirect.nl' 'netflame.cc' 'netincap.com' 'netpool.netbookia.net' 'netshelter.net' 'network.business.com' 'neudesicmediagroup.com' 'newbie.com' 'newnet.qsrch.com' 'newnudecash.com' 'newtopsites.com' 'ngs.impress.co.jp' 'nitroclicks.com' 'novem.pl' 'nuggad.net' 'numax.nu-1.com' 'nuseek.com' 'oewa.at' 'oewabox.at' 'offerforge.com' 'offermatica.com' 'olivebrandresponse.com' 'omniture.com' 'onclasrv.com' 'oneandonlynetwork.com' 'onenetworkdirect.com' 'onestat.com' 'onestatfree.com' 'onewaylinkexchange.net' 'online-metrix.net' 'onlinecash.com' 'onlinecashmethod.com' 'onlinerewardcenter.com' 'openads.org' 'openclick.com' 'openx.angelsgroup.org.uk' 'openx.blindferret.com' 'opienetwork.com' 'optimost.com' 'optmd.com' 'ordingly.com' 'ota.cartrawler.com' 'otto-images.developershed.com' 'outbrain.com' 'overture.com' 'owebmoney.ru' 'oxado.com' 'pagead.l.google.com' 'pagerank-estate-spb.ru' 'pagerank-ranking.com' 'pagerank-ranking.de' 'pagerank-server7.de' 'pagerank-submitter.com' 'pagerank-submitter.de' 'pagerank-suchmaschine.de' 'pagerank-united.de' 'pagerank4u.eu' 'pagerank4you.com' 'pageranktop.com' 'partage-facile.com' 'partner-ads.com' 'partner.pelikan.cz' 'partner.topcities.com' 'partnerad.l.google.com' 'partnercash.de' 'partners.priceline.com' 'passion-4.net' 'pay-ads.com' 'paypopup.com' 'payserve.com' 'pbnet.ru' 'peep-auktion.de' 'peer39.com' 'pennyweb.com' 'pepperjamnetwork.com' 'percentmobile.com' 'perf.weborama.fr' 'perfectaudience.com' 'perfiliate.com' 'performancerevenue.com' 'performancerevenues.com' 'performancing.com' 'pgmediaserve.com' 'pgpartner.com' 'pheedo.com' 'phoenix-adrunner.mycomputer.com' 'phpmyvisites.net' 'picadmedia.com' 'pillscash.com' 'pimproll.com' 'pixel.jumptap.com' 'planetactive.com' 'play4traffic.com' 'playhaven.com' 'plista.com' 'plugrush.com' 'popads.net' 'popub.com' 'popupnation.com' 'popuptraffic.com' 'porngraph.com' 'porntrack.com' 'postrelease.com' 'potenza.cz' 'pr-star.de' 'pr-ten.de' 'pr5dir.com' 'praddpro.de' 'prchecker.info' 'predictad.com' 'premium-offers.com' 'primaryads.com' 'primetime.net' 'privatecash.com' 'pro-advertising.com' 'pro.i-doctor.co.kr' 'proext.com' 'profero.com' 'projectwonderful.com' 'promo1.webcams.nl' 'promobenef.com' 'promote.pair.com' 'promotion-campaigns.com' 'pronetadvertising.com' 'propellerads.com' 'proranktracker.com' 'proton-tm.com' 'protraffic.com' 'provexia.com' 'prsitecheck.com' 'psstt.com' 'pub.chez.com' 'pub.club-internet.fr' 'pub.hardware.fr' 'pub.realmedia.fr' 'publicidad.elmundo.es' 'pubmatic.com' 'pulse360.com' 'qctop.com' 'qnsr.com' 'quantcast.com' 'quarterserver.de' 'questaffiliates.net' 'quigo.com' 'quisma.com' 'radiate.com' 'rampidads.com' 'rank-master.com' 'rank-master.de' 'rankchamp.de' 'ranking-charts.de' 'ranking-id.de' 'ranking-links.de' 'ranking-liste.de' 'ranking-street.de' 'rankingchart.de' 'rankingscout.com' 'rankyou.com' 'rapidcounter.com' 'rate.ru' 'ratings.lycos.com' 'rb1.design.ru' 're-directme.com' 'reachjunction.com' 'reactx.com' 'readserver.net' 'realcastmedia.com' 'realclix.com' 'realtechnetwork.com' 'realteencash.com' 'reduxmedia.com' 'reduxmediagroup.com' 'reedbusiness.com' 'reefaquarium.biz' 'referralware.com' 'regnow.com' 'reinvigorate.net' 'reklam.rfsl.se' 'reklama.mironet.cz' 'reklama.reflektor.cz' 'reklamcsere.hu' 'reklame.unwired-i.net' 'reklamer.com.ua' 'relevanz10.de' 'relmaxtop.com' 'republika.onet.pl' 'retargeter.com' 'rev2pub.com' 'revenue.net' 'revenuedirect.com' 'revstats.com' 'richmails.com' 'richwebmaster.com' 'rlcdn.com' 'rle.ru' 'roar.com' 'robotreplay.com' 'rok.com.com' 'rose.ixbt.com' 'rotabanner.com' 'roxr.net' 'rtbpop.com' 'rtbpopd.com' 'ru-traffic.com' 'rubiconproject.com' 's2d6.com' 'sageanalyst.net' 'sbx.pagesjaunes.fr' 'scambiobanner.aruba.it' 'scanscout.com' 'scopelight.com' 'scratch2cash.com' 'scripte-monster.de' 'searchfeast.com' 'searchmarketing.com' 'searchramp.com' 'sedotracker.com' 'seeq.com.invalid' 'sensismediasmart.com.au' 'seo4india.com' 'serv0.com' 'servedbyopenx.com' 'servethis.com' 'services.hearstmags.com' 'sexaddpro.de' 'sexadvertentiesite.nl' 'sexinyourcity.com' 'sexlist.com' 'sexystat.com' 'sezwho.com' 'shareadspace.com' 'sharepointads.com' 'sher.index.hu' 'shinystat.com' 'shinystat.it' 'shoppingads.com' 'siccash.com' 'sidebar.angelfire.com' 'sinoa.com' 'sitebrand.geeks.com' 'sitemerkezi.net' 'skylink.vn' 'slickaffiliate.com' 'slopeaota.com' 'smart4ads.com' 'smartbase.cdnservices.com' 'smowtion.com' 'snapads.com' 'snoobi.com' 'softclick.com.br' 'spacash.com' 'sparkstudios.com' 'specificmedia.co.uk' 'spezialreporte.de' 'sponsorads.de' 'sponsorpro.de' 'sponsors.thoughtsmedia.com' 'spot.fitness.com' 'spywarelabs.com' 'spywarenuker.com' 'spywords.com' 'srbijacafe.org' 'srwww1.com' 'starffa.com' 'start.freeze.com' 'stat.cliche.se' 'stat.pl' 'stat.su' 'stat.zenon.net' 'stat24.com' 'static.itrack.it' 'statm.the-adult-company.com' 'stats.blogger.com' 'stats.hyperinzerce.cz' 'stats.mirrorfootball.co.uk' 'stats.olark.com' 'stats.suite101.com' 'stats.unwired-i.net' 'statxpress.com' 'steelhouse.com' 'steelhousemedia.com' 'stickyadstv.com' 'suavalds.com' 'subscribe.hearstmags.com' 'superclix.de' 'supertop.ru' 'supertop100.com' 'suptullog.com' 'surfmusik-adserver.de' 'swissadsolutions.com' 'swordfishdc.com' 'sx.trhnt.com' 't.insigit.com' 't.pusk.ru' 'taboola.com' 'tacoda.net' 'tagular.com' 'tailsweep.co.uk' 'tailsweep.com' 'tailsweep.se' 'takru.com' 'tangerinenet.biz' 'tapad.com' 'targad.de' 'targetingnow.com' 'targetpoint.com' 'tatsumi-sys.jp' 'tcads.net' 'techclicks.net' 'teenrevenue.com' 'teliad.de' 'textads.biz' 'textads.opera.com' 'textlinks.com' 'tfag.de' 'theadhost.com' 'thebugs.ws' 'therapistla.com' 'therichkids.com' 'thrnt.com' 'tinybar.com' 'tizers.net' 'tlvmedia.com' 'tntclix.co.uk' 'top-casting-termine.de' 'top-site-list.com' 'top100.mafia.ru' 'top123.ro' 'top20.com' 'top20free.com' 'top66.ro' 'top90.ro' 'topbarh.box.sk' 'topblogarea.se' 'topbucks.com' 'topforall.com' 'topgamesites.net' 'toplist.pornhost.com' 'toplista.mw.hu' 'toplistcity.com' 'topmmorpgsites.com' 'topping.com.ua' 'toprebates.com' 'topsafelist.net' 'topsearcher.com' 'topsir.com' 'topsite.lv' 'topsites.com.br' 'totemcash.com' 'touchclarity.com' 'touchclarity.natwest.com' 'tpnads.com' 'track.anchorfree.com' 'tracking.crunchiemedia.com' 'tracking.yourfilehost.com' 'tracking101.com' 'trackingsoft.com' 'trackmysales.com' 'tradeadexchange.com' 'traffic-exchange.com' 'traffic.liveuniversenetwork.com' 'trafficadept.com' 'trafficcdn.liveuniversenetwork.com' 'trafficfactory.biz' 'trafficholder.com' 'traffichunt.com' 'trafficjunky.net' 'trafficleader.com' 'trafficsecrets.com' 'trafficspaces.net' 'trafficstrategies.com' 'trafficswarm.com' 'traffictrader.net' 'trafficz.com' 'trafficz.net' 'traffiq.com' 'trafic.ro' 'travis.bosscasinos.com' 'trekblue.com' 'trekdata.com' 'trendcounter.com' 'trhunt.com' 'trix.net' 'truehits.net' 'truehits2.gits.net.th' 'tubedspots.com' 'tubemogul.com' 'tvas-a.pw' 'tvas-c.pw' 'tvmtracker.com' 'twittad.com' 'tyroo.com' 'uarating.com' 'ukbanners.com' 'ultramercial.com' 'ultsearch.com' 'unanimis.co.uk' 'untd.com' 'updated.com' 'urlcash.net' 'usapromotravel.com' 'usmsad.tom.com' 'utarget.co.uk' 'utils.mediageneral.net' 'validclick.com' 'valuead.com' 'valueclickmedia.com' 'valuecommerce.com' 'valuesponsor.com' 'veille-referencement.com' 'ventivmedia.com' 'vericlick.com' 'vertadnet.com' 'veruta.com' 'vervewireless.com' 'videoegg.com' 'view4cash.de' 'viewpoint.com' 'visistat.com' 'visitbox.de' 'visual-pagerank.fr' 'visualrevenue.com' 'voicefive.com' 'vpon.com' 'vrs.cz' 'vs.tucows.com' 'vungle.com' 'wads.webteh.com' 'warlog.ru' 'web.informer.com' 'web2.deja.com' 'webads.co.nz' 'webangel.ru' 'webcash.nl' 'webcounter.cz' 'webgains.com' 'webmaster-partnerprogramme24.de' 'webmasterplan.com' 'webmasterplan.de' 'weborama.fr' 'webpower.com' 'webreseau.com' 'webseoanalytics.com' 'webstat.com' 'webstat.net' 'webstats4u.com' 'webtraxx.de' 'wegcash.com' 'werbung.meteoxpress.com' 'whaleads.com' 'whenu.com' 'whispa.com' 'whoisonline.net' 'wholesaletraffic.info' 'widgetbucks.com' 'window.nixnet.cz' 'wintricksbanner.googlepages.com' 'witch-counter.de' 'wlmarketing.com' 'wmirk.ru' 'wonderlandads.com' 'wondoads.de' 'woopra.com' 'worldwide-cash.net' 'wtlive.com' 'www-banner.chat.ru' 'www-google-analytics.l.google.com' 'www.banner-link.com.br' 'www.kaplanindex.com' 'www.money4exit.de' 'www.photo-ads.co.uk' 'www1.gto-media.com' 'www8.glam.com' 'x-traceur.com' 'x6.yakiuchi.com' 'xchange.ro' 'xclicks.net' 'xertive.com' 'xg4ken.com' 'xplusone.com' 'xponsor.com' 'xq1.net' 'xrea.com' 'xtendmedia.com' 'xtremetop100.com' 'xxxmyself.com' 'y.ibsys.com' 'yab-adimages.s3.amazonaws.com' 'yabuka.com' 'yesads.com' 'yesadvertising.com' 'yieldlab.net' 'yieldmanager.com' 'yieldtraffic.com' 'yoc.mobi' 'yoggrt.com' 'z5x.net' 'zangocash.com' 'zanox.com' 'zantracker.com' 'zencudo.co.uk' 'zenkreka.com' 'zenzuu.com' 'zeus.developershed.com' 'zeusclicks.com' 'zintext.com' 'zmedia.com' # Added manually in webbooost 'cdn.onedmp.com' 'globalteaser.ru' 'lottosend.org' 'skycdnhost.com' 'obhodsb.com' 'smilered.com' 'psma02.com' 'psmardr.com' 'uua.bvyvk.space' 'meofur.ru' 'mg.yadro.ru' 'c.marketgid.com' 'imgg.marketgid.com' }
[ { "context": "vil.io'\n client_id: 'uuid'\n client_secret: 'secret'\n redirect_uri: 'https://app.example.com/callb", "end": 646, "score": 0.7221388220787048, "start": 640, "tag": "KEY", "value": "secret" }, { "context": "e\",\n \"middle_name\",\n \"nickname\",\n \"preferred_username\",\n \"profile\",\n \"picture\",\n \"websit", "end": 2365, "score": 0.999453067779541, "start": 2347, "tag": "USERNAME", "value": "preferred_username" }, { "context": "se\": \"sig\",\n \"alg\": \"RS256\",\n \"n\": \"zRchTwN0Ok6suWzaWYsbfZ81qdGVZM_LCqR6dhtlHaYAPpyVKefY3U5ByhbvDgbCm3BQ9OLu1E4OEJFkJVYvapxsyosrnSyY7qjLxHGKC-16AQNhX8qssTZVQCzdnKk67RUyKraM87zPkWNU6Qlw539-O9-g54YICKZV7ESfvA4nVvHQTJr8mem6S0GrRHxma8gEecogAvQCw5c2Hb500lW8eGqQ8qFjiBPQVScf4PZul4UO01KFB-cKiK575bFpxLSgfFBIGvqbjRgxLGkJnYq6IhtRfPQ0LAcM8rjYIINcFtLv9P647JcjrwNrxjP-yG_C84UddJl9L5kdA4_8JHom1sfaR7izF2B2mBFrGNODYDj8LctmWi4FaXBAIKa8XNW9lGv6Olc6G9AHpjzcQOY_lwAYWmULsotRRWfuV7wr49CyMSnthcd2smoA7ABed7qfd4FDCIft4SpONu7Mfba-pf8-0yYbXUcCdQzgaFr4P7MzMre4tcMhmWa89tMDP-XklptjgBmmK7RNdqk_g_Ol2KSXb233bIVd3tL8VgO1_vxwrvSZr_k9169GlsB3Ud50ulG_b6MOQxbpKZb1WEP_ajaZ8RnQOAFvfBKxBBxxT6y0maNtRGtpunYWmkxBPs-eJKZrYpVGLSX0ZwPOoPpQDInOuPcAuCp2Y3sEXK8\",\n \"e\": \"AQAB\"\n },\n {\n \"k", "end": 3596, "score": 0.9994783997535706, "start": 2913, "tag": "KEY", "value": "zRchTwN0Ok6suWzaWYsbfZ81qdGVZM_LCqR6dhtlHaYAPpyVKefY3U5ByhbvDgbCm3BQ9OLu1E4OEJFkJVYvapxsyosrnSyY7qjLxHGKC-16AQNhX8qssTZVQCzdnKk67RUyKraM87zPkWNU6Qlw539-O9-g54YICKZV7ESfvA4nVvHQTJr8mem6S0GrRHxma8gEecogAvQCw5c2Hb500lW8eGqQ8qFjiBPQVScf4PZul4UO01KFB-cKiK575bFpxLSgfFBIGvqbjRgxLGkJnYq6IhtRfPQ0LAcM8rjYIINcFtLv9P647JcjrwNrxjP-yG_C84UddJl9L5kdA4_8JHom1sfaR7izF2B2mBFrGNODYDj8LctmWi4FaXBAIKa8XNW9lGv6Olc6G9AHpjzcQOY_lwAYWmULsotRRWfuV7wr49CyMSnthcd2smoA7ABed7qfd4FDCIft4SpONu7Mfba-pf8-0yYbXUcCdQzgaFr4P7MzMre4tcMhmWa89tMDP-XklptjgBmmK7RNdqk_g_Ol2KSXb233bIVd3tL8VgO1_vxwrvSZr_k9169GlsB3Ud50ulG_b6MOQxbpKZb1WEP_ajaZ8RnQOAFvfBKxBBxxT6y0maNtRGtpunYWmkxBPs-eJKZrYpVGLSX0ZwPOoPpQDInOuPcAuCp2Y3sEXK8" }, { "context": "use\": \"enc\",\n \"alg\": \"RS256\",\n \"n\":\"xoAIJ40-f5lr07WswyF6XryOtEJSpNYY_RFmMdKWMLoZnZ4dTl9LlBFyXYNunbkKQHXmhTTr_C6FWjUA6JZwCkymtgD5Be8Mz8N8K0RB6nokLzXzUilYrY8m_0G1yLAGAeAv0evGXMJN5GLuHzInB9zPzySr7xsCUB0L5DuEv6WJ4abNw5ylnLKLW9nvGfZDXwJ4YVJOaVre3S8CjvXu1fuTmzBW3VSD9Zttd_NB6uiS0QsvFBifHx-S1PZ_LZNGC52Z3-rs9kMzzneBiBJrhULFsyGF5OQBGBDQD5Ghl_O86DyCXKOGrIDso2l7ZY5vlicL9QD7jeBJnIF9sDnZDugoVneT2yHMBqiDKlFHKjGSE_mKhnD1K-QMolOwbADNytMeu5BDgFYdAkx9hyo1L2f8f4eB7_8XUSCnnQoIR9tb5ie9bSpd4Uel881N97WLVe9hyUVY0YSU3MKHaoNrPYVbGYjRsQrK14-NaZ3bC4Grrwd8eGGFaQeT_a4dIFfBfHtl_wH-DGZIqlTLX9fxfeNu93I4zPky1TlQaTwFiRo-9FXF6I6r2s2WaZKLnFWKdS2c0VrHJQebrkAN0VQNhp9-7jBRQqJmTiNVSg7J5wd7mgCMXIOfktOBHoNiulMRd9rYN21qRxt0xOwFujNZ8mlx2M96gBdhDVq020zJdB0\",\n \"e\": \"AQAB\"\n }\n ]\n\n registrati", "end": 4400, "score": 0.9959602355957031, "start": 3717, "tag": "KEY", "value": "xoAIJ40-f5lr07WswyF6XryOtEJSpNYY_RFmMdKWMLoZnZ4dTl9LlBFyXYNunbkKQHXmhTTr_C6FWjUA6JZwCkymtgD5Be8Mz8N8K0RB6nokLzXzUilYrY8m_0G1yLAGAeAv0evGXMJN5GLuHzInB9zPzySr7xsCUB0L5DuEv6WJ4abNw5ylnLKLW9nvGfZDXwJ4YVJOaVre3S8CjvXu1fuTmzBW3VSD9Zttd_NB6uiS0QsvFBifHx-S1PZ_LZNGC52Z3-rs9kMzzneBiBJrhULFsyGF5OQBGBDQD5Ghl_O86DyCXKOGrIDso2l7ZY5vlicL9QD7jeBJnIF9sDnZDugoVneT2yHMBqiDKlFHKjGSE_mKhnD1K-QMolOwbADNytMeu5BDgFYdAkx9hyo1L2f8f4eB7_8XUSCnnQoIR9tb5ie9bSpd4Uel881N97WLVe9hyUVY0YSU3MKHaoNrPYVbGYjRsQrK14-NaZ3bC4Grrwd8eGGFaQeT_a4dIFfBfHtl_wH-DGZIqlTLX9fxfeNu93I4zPky1TlQaTwFiRo-9FXF6I6r2s2WaZKLnFWKdS2c0VrHJQebrkAN0VQNhp9-7jBRQqJmTiNVSg7J5wd7mgCMXIOfktOBHoNiulMRd9rYN21qRxt0xOwFujNZ8mlx2M96gBdhDVq020zJdB0" }, { "context": " }\n ]\n\n registration =\n client_name: \"TEST CLIENT\"\n redirect_uris: [ \"http://app.example.com/cal", "end": 4484, "score": 0.9440985918045044, "start": 4473, "tag": "USERNAME", "value": "TEST CLIENT" }, { "context": "6171-4d84-ba1a-7db73fd64056\",\n client_secret: \"cd38a23c7a53045cbb64\",\n client_name: registration.client_name\n t", "end": 4666, "score": 0.9997277855873108, "start": 4646, "tag": "KEY", "value": "cd38a23c7a53045cbb64" }, { "context": " 1441564333989\n }\n\n userinfo =\n given_name: 'FAKE'\n family_name: 'USER'\n\n\n describe 'constructo", "end": 4919, "score": 0.9980380535125732, "start": 4915, "tag": "NAME", "value": "FAKE" }, { "context": "erinfo =\n given_name: 'FAKE'\n family_name: 'USER'\n\n\n describe 'constructor', ->\n\n before ->\n ", "end": 4943, "score": 0.9997559785842896, "start": 4939, "tag": "NAME", "value": "USER" }, { "context": "d\n anvil.tokens =\n access_token: 'jwt1'\n id_token: 'jwt2'\n\n nock(anvil.i", "end": 16064, "score": 0.9035300612449646, "start": 16060, "tag": "PASSWORD", "value": "jwt1" }, { "context": " access_token: 'jwt1'\n id_token: 'jwt2'\n\n nock(anvil.issuer)\n .post('/to", "end": 16091, "score": 0.9279758930206299, "start": 16087, "tag": "PASSWORD", "value": "jwt2" }, { "context": "ks.keys[0]\n\n tokens =\n id_token: 'valid.id.token'\n access_token: 'invalid.access.token'\n\n", "end": 18878, "score": 0.9471620321273804, "start": 18864, "tag": "PASSWORD", "value": "valid.id.token" }, { "context": "_token: 'valid.id.token'\n access_token: 'invalid.access.token'\n\n nock(anvil.issuer)\n .post", "end": 18919, "score": 0.5739733576774597, "start": 18905, "tag": "PASSWORD", "value": "invalid.access" }, { "context": "ks.keys[0]\n\n tokens =\n id_token: 'valid.id.token'\n access_token: 'valid.access.token'\n\n ", "end": 20511, "score": 0.7855688333511353, "start": 20497, "tag": "PASSWORD", "value": "valid.id.token" }, { "context": "_token: 'valid.id.token'\n access_token: 'valid.access.token'\n\n nock(anvil.issuer)\n .post('/to", "end": 20556, "score": 0.7755037546157837, "start": 20538, "tag": "PASSWORD", "value": "valid.access.token" }, { "context": " user: config.client_id\n pass: config.client_secret\n })\n .reply(200, tokens)\n\n ", "end": 20843, "score": 0.9956179857254028, "start": 20823, "tag": "PASSWORD", "value": "config.client_secret" }, { "context": "ks.keys[0]\n\n tokens =\n id_token: 'valid.id.token'\n access_token: 'valid.access.toke", "end": 22580, "score": 0.6977584362030029, "start": 22572, "tag": "KEY", "value": "valid.id" }, { "context": "0]\n\n tokens =\n id_token: 'valid.id.token'\n access_token: 'valid.access.token", "end": 22580, "score": 0.6194935441017151, "start": 22580, "tag": "PASSWORD", "value": "" }, { "context": "]\n\n tokens =\n id_token: 'valid.id.token'\n access_token: 'valid.access.token'\n\n ", "end": 22586, "score": 0.7383167147636414, "start": 22581, "tag": "KEY", "value": "token" }, { "context": "_token: 'valid.id.token'\n access_token: 'valid.access.token'\n\n nock(anvil.issuer)\n .post('/to", "end": 22631, "score": 0.6039067506790161, "start": 22613, "tag": "KEY", "value": "valid.access.token" }, { "context": " user: config.client_id\n pass: config.client_secret\n })\n .reply(200, tokens)\n\n ", "end": 22918, "score": 0.9461057782173157, "start": 22898, "tag": "PASSWORD", "value": "config.client_secret" }, { "context": "eys[0]\n\n tokens =\n access_token: 'valid.access.token'\n\n nock(anvil.issuer)\n .post('/to", "end": 24776, "score": 0.9114931225776672, "start": 24758, "tag": "PASSWORD", "value": "valid.access.token" }, { "context": " user: config.client_id\n pass: config.client_secret\n })\n .reply(200, tokens)\n\n ", "end": 25091, "score": 0.9905929565429688, "start": 25071, "tag": "PASSWORD", "value": "config.client_secret" } ]
test/anvilClientSpec.coffee
bauglir/connect-nodejs
0
# Test dependencies #fs = require 'fs' cwd = process.cwd() path = require 'path' chai = require 'chai' sinon = require 'sinon' sinonChai = require 'sinon-chai' expect = chai.expect nock = require 'nock' # Assertions chai.use sinonChai chai.should() AnvilConnect = require path.join(cwd, 'index') AccessToken = require path.join(cwd, 'lib', 'AccessToken') IDToken = require path.join(cwd, 'lib', 'IDToken') describe 'Anvil Connect Client', -> {anvil,promise,success,failure} = {} config = issuer: 'https://connect.anvil.io' client_id: 'uuid' client_secret: 'secret' redirect_uri: 'https://app.example.com/callback' openid = { "issuer": "https://connect.anvil.io", "authorization_endpoint": "https://connect.anvil.io/authorize", "token_endpoint": "https://connect.anvil.io/token", "userinfo_endpoint": "https://connect.anvil.io/userinfo", "jwks_uri": "https://connect.anvil.io/jwks", "registration_endpoint": "https://connect.anvil.io/register", "scopes_supported": [ "realm", "client", "profile", "openid" ], "response_types_supported": [ "code", "token id_token" ], "response_modes_supported": [], "grant_types_supported": [ "authorization_code", "refresh_token" ], "acr_values_supported": [], "subject_types_supported": ["public"], "id_token_signing_alg_values_supported": ["RS256"], "id_token_encryption_alg_values_supported": [], "id_token_encryption_enc_values_supported": [], "userinfo_signing_alg_values_supported": ["none"], "userinfo_encryption_alg_values_supported": [], "userinfo_encryption_enc_values_supported": [], "request_object_signing_alg_values_supported": [], "request_object_encryption_alg_values_supported": [], "request_object_encryption_enc_values_supported": [], "token_endpoint_auth_methods_supported": [ "client_secret_basic", "client_secret_post" ], "token_endpoint_auth_signing_alg_values_supported": [], "display_values_supported": [], "claim_types_supported": ["normal"], "claims_supported": [ "iss", "sub", "aud", "acr", "name", "given_name", "family_name", "middle_name", "nickname", "preferred_username", "profile", "picture", "website", "email", "email_verified", "zoneinfo", "locale", "joined_at", "updated_at" ], "service_documentation": "https://anvil.io/docs/connect/", "claims_locales_supported": [], "ui_locales_supported": [], "check_session_iframe": "https://connect.anvil.io/session", "end_session_endpoint": "https://connect.anvil.io/signout" } jwks = "keys": [ { "kty": "RSA", "use": "sig", "alg": "RS256", "n": "zRchTwN0Ok6suWzaWYsbfZ81qdGVZM_LCqR6dhtlHaYAPpyVKefY3U5ByhbvDgbCm3BQ9OLu1E4OEJFkJVYvapxsyosrnSyY7qjLxHGKC-16AQNhX8qssTZVQCzdnKk67RUyKraM87zPkWNU6Qlw539-O9-g54YICKZV7ESfvA4nVvHQTJr8mem6S0GrRHxma8gEecogAvQCw5c2Hb500lW8eGqQ8qFjiBPQVScf4PZul4UO01KFB-cKiK575bFpxLSgfFBIGvqbjRgxLGkJnYq6IhtRfPQ0LAcM8rjYIINcFtLv9P647JcjrwNrxjP-yG_C84UddJl9L5kdA4_8JHom1sfaR7izF2B2mBFrGNODYDj8LctmWi4FaXBAIKa8XNW9lGv6Olc6G9AHpjzcQOY_lwAYWmULsotRRWfuV7wr49CyMSnthcd2smoA7ABed7qfd4FDCIft4SpONu7Mfba-pf8-0yYbXUcCdQzgaFr4P7MzMre4tcMhmWa89tMDP-XklptjgBmmK7RNdqk_g_Ol2KSXb233bIVd3tL8VgO1_vxwrvSZr_k9169GlsB3Ud50ulG_b6MOQxbpKZb1WEP_ajaZ8RnQOAFvfBKxBBxxT6y0maNtRGtpunYWmkxBPs-eJKZrYpVGLSX0ZwPOoPpQDInOuPcAuCp2Y3sEXK8", "e": "AQAB" }, { "kty": "RSA", "use": "enc", "alg": "RS256", "n":"xoAIJ40-f5lr07WswyF6XryOtEJSpNYY_RFmMdKWMLoZnZ4dTl9LlBFyXYNunbkKQHXmhTTr_C6FWjUA6JZwCkymtgD5Be8Mz8N8K0RB6nokLzXzUilYrY8m_0G1yLAGAeAv0evGXMJN5GLuHzInB9zPzySr7xsCUB0L5DuEv6WJ4abNw5ylnLKLW9nvGfZDXwJ4YVJOaVre3S8CjvXu1fuTmzBW3VSD9Zttd_NB6uiS0QsvFBifHx-S1PZ_LZNGC52Z3-rs9kMzzneBiBJrhULFsyGF5OQBGBDQD5Ghl_O86DyCXKOGrIDso2l7ZY5vlicL9QD7jeBJnIF9sDnZDugoVneT2yHMBqiDKlFHKjGSE_mKhnD1K-QMolOwbADNytMeu5BDgFYdAkx9hyo1L2f8f4eB7_8XUSCnnQoIR9tb5ie9bSpd4Uel881N97WLVe9hyUVY0YSU3MKHaoNrPYVbGYjRsQrK14-NaZ3bC4Grrwd8eGGFaQeT_a4dIFfBfHtl_wH-DGZIqlTLX9fxfeNu93I4zPky1TlQaTwFiRo-9FXF6I6r2s2WaZKLnFWKdS2c0VrHJQebrkAN0VQNhp9-7jBRQqJmTiNVSg7J5wd7mgCMXIOfktOBHoNiulMRd9rYN21qRxt0xOwFujNZ8mlx2M96gBdhDVq020zJdB0", "e": "AQAB" } ] registration = client_name: "TEST CLIENT" redirect_uris: [ "http://app.example.com/callback" ] registrationResponse = { client_id: "a011bbd4-6171-4d84-ba1a-7db73fd64056", client_secret: "cd38a23c7a53045cbb64", client_name: registration.client_name token_endpoint_auth_method: "client_secret_basic", application_type: "web", redirect_uris: registration.redirect_uris client_id_issued_at: 1441564333989 } userinfo = given_name: 'FAKE' family_name: 'USER' describe 'constructor', -> before -> anvil = new AnvilConnect config it 'should set the issuer', -> anvil.issuer.should.equal config.issuer it 'should set the client id', -> anvil.client_id.should.equal config.client_id it 'should set the client secret', -> anvil.client_secret.should.equal config.client_secret it 'should set the redirect uri', -> anvil.redirect_uri = config.redirect_uri it 'should set default scope', -> anvil.scope.should.equal 'openid profile' it 'should set scope from an array', -> anvil = new AnvilConnect scope: ['realm'] anvil.scope.should.contain 'realm' it 'should set scope from a string', -> anvil = new AnvilConnect scope: 'realm extra' anvil.scope.should.contain 'realm' anvil.scope.should.contain 'extra' describe 'discover', -> describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config nock(anvil.issuer) .get('/.well-known/openid-configuration') .reply(200, openid) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.discover() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the openid configuration', -> success.should.have.been.calledWith sinon.match issuer: anvil.issuer it 'should set configuration', -> anvil.configuration.should.eql openid it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> data = issuer: anvil.issuer anvil = new AnvilConnect config nock(anvil.issuer) .get('/.well-known/openid-configuration') .reply(404, 'Not found') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.discover() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the openid configuration', -> success.should.not.have.been.called it 'should not set configuration', -> expect(anvil.configuration).to.be.undefined it 'should not catch an error', -> failure.should.have.been.called describe 'with an invalid response', -> beforeEach (done) -> data = issuer: anvil.issuer anvil = new AnvilConnect config nock(anvil.issuer) .get('/.well-known/openid-configuration') .reply(200, 'This isn\'t JSON!') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.discover() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the openid configuration', -> success.should.not.have.been.called it 'should not set configuration', -> expect(anvil.configuration).to.be.undefined it 'should not catch an error', -> failure.should.have.been.called describe 'jwks', -> describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/jwks') .reply(200, jwks) success = sinon.spy -> done() failure = sinon.spy (err) -> done() promise = anvil.getJWKs() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the JWK set', -> success.should.have.been.calledWith sinon.match jwks it 'should set jwks', -> anvil.jwks.keys.should.eql jwks.keys it 'should set signature jwk', -> anvil.jwks.sig.should.eql jwks.keys[0] it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/jwks') .reply(404, 'Not found') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.getJWKs() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the JWK set', -> success.should.not.have.been.called it 'should not set jwks', -> expect(anvil.jwks).to.be.undefined it 'should catch an error', -> failure.should.have.been.called describe 'register', -> describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .post('/register', registration) .reply(201, registrationResponse) success = sinon.spy -> done() failure = sinon.spy (err) -> done() promise = anvil.register(registration) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the registration response', -> success.should.have.been.calledWith sinon.match registrationResponse it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .post('/register', registration) .reply(400, { error: 'whatever' }) success = sinon.spy -> done() failure = sinon.spy (err) -> done() promise = anvil.register(registration) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the registration response', -> success.should.have.not.been.called it 'should catch an error', -> failure.should.have.been.called describe 'authorizationUri', -> beforeEach -> anvil = new AnvilConnect config anvil.configuration = openid describe 'with no endpoint in the argument', -> it 'should use the "authorize" endpoint', -> anvil.authorizationUri().should.contain '/authorize?' describe 'with a string argument', -> it 'should use the argument as the endpoint', -> anvil.authorizationUri('signin').should.contain '/signin?' describe 'with an options argument', -> it 'should set the optional endpoint', -> uri = anvil.authorizationUri({ endpoint: 'connect/google' }) uri.should.contain '/connect/google?' it 'should set default authorization params', -> uri = anvil.authorizationUri({ endpoint: 'connect/google' }) uri.should.contain 'response_type=code' uri.should.contain "client_id=#{config.client_id}" uri.should.contain "redirect_uri=#{encodeURIComponent(config.redirect_uri)}" uri.should.contain "scope=#{encodeURIComponent(anvil.scope)}" it 'should set optional authorization params', -> uri = anvil.authorizationUri({ endpoint: 'signin' provider: 'password' max_age: 2600 }) uri.should.contain 'provider=password' uri.should.contain 'max_age=2600' describe 'authorizationParams', -> beforeEach -> anvil = new AnvilConnect config anvil.configuration = openid it 'should set default response type', -> anvil.authorizationParams().response_type.should.equal 'code' it 'should set optional response type', -> anvil.authorizationParams({ response_type: 'id_token token' }).response_type.should.equal 'id_token token' it 'should set client id', -> anvil.authorizationParams().client_id.should.equal config.client_id it 'should set configured redirect uri', -> anvil.authorizationParams().redirect_uri.should.equal config.redirect_uri it 'should set optional redirect uri', -> uri = 'https://app.example.com/other' anvil.authorizationParams({ redirect_uri: uri }).redirect_uri.should.equal uri it 'should set configured scope', -> anvil.authorizationParams().scope.should.equal anvil.scope it 'should set optional scope', -> anvil.authorizationParams({ scope: 'foo bar' }).scope.should.equal 'foo bar' it 'should set optional parameters', -> anvil.authorizationParams({ prompt: 'none' }).prompt.should.equal 'none' it 'should ignore unknown parameters', -> params = anvil.authorizationParams({ unknown: 'forgetme' }) expect(params.unknown).to.be.undefined describe 'token', -> describe 'with missing options argument', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token() .then(success) .catch(failure) it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the tokens', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match({ message: 'Missing authorization code' }) describe 'with missing authorization code', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({}) .then(success) .catch(failure) it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the tokens', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match({ message: 'Missing authorization code' }) describe 'with error response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.tokens = access_token: 'jwt1' id_token: 'jwt2' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(400, { error: 'invalid_request' }) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the tokens', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.called describe 'with unverifiable id token', -> {tokens} = {} before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: 'invalid.id.token' access_token: 'valid.access.token' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(200, tokens) claims = sub: 'uuid' sinon.stub(IDToken, 'verify').callsArgWith(2, new Error()) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, {}) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) after -> IDToken.verify.restore() AccessToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should not provide the id claims', -> success.should.not.have.been.called it 'should not catch an error', -> failure.should.have.been.called describe 'with unverifiable access token', -> {tokens} = {} before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: 'valid.id.token' access_token: 'invalid.access.token' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(200, tokens) claims = sub: 'uuid' sinon.stub(AccessToken, 'verify').callsArgWith(2, new Error()) sinon.stub(IDToken, 'verify').callsArgWith(2, null, {}) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) after -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should not provide the id claims', -> success.should.not.have.been.called it 'should not catch an error', -> failure.should.have.been.called describe 'with valid token response', -> {tokens} = {} beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: 'valid.id.token' access_token: 'valid.access.token' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(200, tokens) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, { aud: config.client_id }) sinon.stub(IDToken, 'verify').callsArgWith(2, null, { payload: { iss: config.issuer } }) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) afterEach -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should provide the tokens', -> success.should.have.been.calledWith sinon.match tokens it 'should provide the id claims', -> success.should.have.been.calledWith sinon.match({ id_claims: { iss: config.issuer } }) it 'should provide the access claims', -> success.should.have.been.calledWith sinon.match({ access_claims: { aud: config.client_id } }) it 'should not catch an error', -> failure.should.not.have.been.called describe 'with response uri', -> {tokens} = {} beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: 'valid.id.token' access_token: 'valid.access.token' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(200, tokens) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, { aud: config.client_id }) sinon.stub(IDToken, 'verify').callsArgWith(2, null, { payload: { iss: config.issuer } }) success = sinon.spy -> done() failure = sinon.spy (err) -> console.log err done() promise = anvil.token({ responseUri: 'https://app.example.com/callback?code=random' }) .then(success) .catch(failure) afterEach -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should provide the tokens', -> success.should.have.been.calledWith sinon.match tokens it 'should provide the id claims', -> success.should.have.been.calledWith sinon.match({ id_claims: { iss: config.issuer } }) it 'should provide the access claims', -> success.should.have.been.calledWith sinon.match({ access_claims: { aud: config.client_id } }) it 'should not catch an error', -> failure.should.not.have.been.called describe 'with client_credentials grant', -> {tokens} = {} beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = access_token: 'valid.access.token' nock(anvil.issuer) .post('/token', { code: 'random', grant_type: 'client_credentials', redirect_uri: config.redirect_uri, scope: 'realm' }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(200, tokens) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, { aud: config.client_id }) sinon.stub(IDToken, 'verify') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random', grant_type: 'client_credentials', scope: 'realm' }).then(success) .catch(failure) afterEach -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should NOT receive an id token', -> IDToken.verify.should.not.have.been.called it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should provide the tokens', -> success.should.have.been.calledWith sinon.match tokens it 'should NOT provide the id claims', -> success.should.not.have.been.calledWith sinon.match({ id_claims: { iss: config.issuer } }) it 'should provide the access claims', -> success.should.have.been.calledWith sinon.match({ access_claims: { aud: config.client_id } }) it 'should not catch an error', -> failure.should.not.have.been.called describe 'userInfo', -> describe 'with a missing access token', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.userInfo().then(success, failure) it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide userInfo', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match.instanceOf Error describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/userinfo') .reply(200, userinfo) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.userInfo({ token: 'token' }) .then(success) .catch(failure) afterEach -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the userinfo', -> success.should.have.been.calledWith sinon.match userinfo it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/userinfo') .reply(404, 'Not found') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.userInfo({ token: 'token' }) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the userinfo', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match.instanceOf Error describe 'verify', -> {claims,options} = {} describe 'with defaults and invalid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] sinon.stub(AccessToken, 'verify').callsArgWith(2, new Error) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('invalid.access.token') .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the claims', -> success.should.have.not.been.called it 'should catch an error', -> failure.should.have.been.called describe 'with defaults and valid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] claims = sub: 'uuid' sinon.stub(AccessToken, 'verify').callsArgWith(2, null, claims) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('valid.access.token') .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the claims', -> success.should.have.been.calledWith sinon.match claims it 'should not catch an error', -> failure.should.not.have.been.called describe 'with options and invalid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] sinon.stub(AccessToken, 'verify').callsArgWith(2, new Error) options = scope: 'realm' success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('invalid.access.token', options) .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should pass the options to verify', -> AccessToken.verify.should.have.been.calledWith( sinon.match.string, sinon.match(options) ) it 'should not provide the claims', -> success.should.have.not.been.called it 'should catch an error', -> failure.should.have.been.called describe 'with options and valid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] claims = sub: 'uuid' sinon.stub(AccessToken, 'verify').callsArgWith(2, null, claims) options = scope: 'realm' success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('valid.access.token', options) .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should pass the options to verify', -> AccessToken.verify.should.have.been.calledWith( sinon.match.string, sinon.match(options) ) it 'should provide the claims', -> success.should.have.been.calledWith sinon.match claims it 'should not catch an error', -> failure.should.not.have.been.called
173004
# Test dependencies #fs = require 'fs' cwd = process.cwd() path = require 'path' chai = require 'chai' sinon = require 'sinon' sinonChai = require 'sinon-chai' expect = chai.expect nock = require 'nock' # Assertions chai.use sinonChai chai.should() AnvilConnect = require path.join(cwd, 'index') AccessToken = require path.join(cwd, 'lib', 'AccessToken') IDToken = require path.join(cwd, 'lib', 'IDToken') describe 'Anvil Connect Client', -> {anvil,promise,success,failure} = {} config = issuer: 'https://connect.anvil.io' client_id: 'uuid' client_secret: '<KEY>' redirect_uri: 'https://app.example.com/callback' openid = { "issuer": "https://connect.anvil.io", "authorization_endpoint": "https://connect.anvil.io/authorize", "token_endpoint": "https://connect.anvil.io/token", "userinfo_endpoint": "https://connect.anvil.io/userinfo", "jwks_uri": "https://connect.anvil.io/jwks", "registration_endpoint": "https://connect.anvil.io/register", "scopes_supported": [ "realm", "client", "profile", "openid" ], "response_types_supported": [ "code", "token id_token" ], "response_modes_supported": [], "grant_types_supported": [ "authorization_code", "refresh_token" ], "acr_values_supported": [], "subject_types_supported": ["public"], "id_token_signing_alg_values_supported": ["RS256"], "id_token_encryption_alg_values_supported": [], "id_token_encryption_enc_values_supported": [], "userinfo_signing_alg_values_supported": ["none"], "userinfo_encryption_alg_values_supported": [], "userinfo_encryption_enc_values_supported": [], "request_object_signing_alg_values_supported": [], "request_object_encryption_alg_values_supported": [], "request_object_encryption_enc_values_supported": [], "token_endpoint_auth_methods_supported": [ "client_secret_basic", "client_secret_post" ], "token_endpoint_auth_signing_alg_values_supported": [], "display_values_supported": [], "claim_types_supported": ["normal"], "claims_supported": [ "iss", "sub", "aud", "acr", "name", "given_name", "family_name", "middle_name", "nickname", "preferred_username", "profile", "picture", "website", "email", "email_verified", "zoneinfo", "locale", "joined_at", "updated_at" ], "service_documentation": "https://anvil.io/docs/connect/", "claims_locales_supported": [], "ui_locales_supported": [], "check_session_iframe": "https://connect.anvil.io/session", "end_session_endpoint": "https://connect.anvil.io/signout" } jwks = "keys": [ { "kty": "RSA", "use": "sig", "alg": "RS256", "n": "<KEY>", "e": "AQAB" }, { "kty": "RSA", "use": "enc", "alg": "RS256", "n":"<KEY>", "e": "AQAB" } ] registration = client_name: "TEST CLIENT" redirect_uris: [ "http://app.example.com/callback" ] registrationResponse = { client_id: "a011bbd4-6171-4d84-ba1a-7db73fd64056", client_secret: "<KEY>", client_name: registration.client_name token_endpoint_auth_method: "client_secret_basic", application_type: "web", redirect_uris: registration.redirect_uris client_id_issued_at: 1441564333989 } userinfo = given_name: '<NAME>' family_name: '<NAME>' describe 'constructor', -> before -> anvil = new AnvilConnect config it 'should set the issuer', -> anvil.issuer.should.equal config.issuer it 'should set the client id', -> anvil.client_id.should.equal config.client_id it 'should set the client secret', -> anvil.client_secret.should.equal config.client_secret it 'should set the redirect uri', -> anvil.redirect_uri = config.redirect_uri it 'should set default scope', -> anvil.scope.should.equal 'openid profile' it 'should set scope from an array', -> anvil = new AnvilConnect scope: ['realm'] anvil.scope.should.contain 'realm' it 'should set scope from a string', -> anvil = new AnvilConnect scope: 'realm extra' anvil.scope.should.contain 'realm' anvil.scope.should.contain 'extra' describe 'discover', -> describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config nock(anvil.issuer) .get('/.well-known/openid-configuration') .reply(200, openid) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.discover() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the openid configuration', -> success.should.have.been.calledWith sinon.match issuer: anvil.issuer it 'should set configuration', -> anvil.configuration.should.eql openid it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> data = issuer: anvil.issuer anvil = new AnvilConnect config nock(anvil.issuer) .get('/.well-known/openid-configuration') .reply(404, 'Not found') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.discover() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the openid configuration', -> success.should.not.have.been.called it 'should not set configuration', -> expect(anvil.configuration).to.be.undefined it 'should not catch an error', -> failure.should.have.been.called describe 'with an invalid response', -> beforeEach (done) -> data = issuer: anvil.issuer anvil = new AnvilConnect config nock(anvil.issuer) .get('/.well-known/openid-configuration') .reply(200, 'This isn\'t JSON!') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.discover() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the openid configuration', -> success.should.not.have.been.called it 'should not set configuration', -> expect(anvil.configuration).to.be.undefined it 'should not catch an error', -> failure.should.have.been.called describe 'jwks', -> describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/jwks') .reply(200, jwks) success = sinon.spy -> done() failure = sinon.spy (err) -> done() promise = anvil.getJWKs() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the JWK set', -> success.should.have.been.calledWith sinon.match jwks it 'should set jwks', -> anvil.jwks.keys.should.eql jwks.keys it 'should set signature jwk', -> anvil.jwks.sig.should.eql jwks.keys[0] it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/jwks') .reply(404, 'Not found') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.getJWKs() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the JWK set', -> success.should.not.have.been.called it 'should not set jwks', -> expect(anvil.jwks).to.be.undefined it 'should catch an error', -> failure.should.have.been.called describe 'register', -> describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .post('/register', registration) .reply(201, registrationResponse) success = sinon.spy -> done() failure = sinon.spy (err) -> done() promise = anvil.register(registration) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the registration response', -> success.should.have.been.calledWith sinon.match registrationResponse it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .post('/register', registration) .reply(400, { error: 'whatever' }) success = sinon.spy -> done() failure = sinon.spy (err) -> done() promise = anvil.register(registration) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the registration response', -> success.should.have.not.been.called it 'should catch an error', -> failure.should.have.been.called describe 'authorizationUri', -> beforeEach -> anvil = new AnvilConnect config anvil.configuration = openid describe 'with no endpoint in the argument', -> it 'should use the "authorize" endpoint', -> anvil.authorizationUri().should.contain '/authorize?' describe 'with a string argument', -> it 'should use the argument as the endpoint', -> anvil.authorizationUri('signin').should.contain '/signin?' describe 'with an options argument', -> it 'should set the optional endpoint', -> uri = anvil.authorizationUri({ endpoint: 'connect/google' }) uri.should.contain '/connect/google?' it 'should set default authorization params', -> uri = anvil.authorizationUri({ endpoint: 'connect/google' }) uri.should.contain 'response_type=code' uri.should.contain "client_id=#{config.client_id}" uri.should.contain "redirect_uri=#{encodeURIComponent(config.redirect_uri)}" uri.should.contain "scope=#{encodeURIComponent(anvil.scope)}" it 'should set optional authorization params', -> uri = anvil.authorizationUri({ endpoint: 'signin' provider: 'password' max_age: 2600 }) uri.should.contain 'provider=password' uri.should.contain 'max_age=2600' describe 'authorizationParams', -> beforeEach -> anvil = new AnvilConnect config anvil.configuration = openid it 'should set default response type', -> anvil.authorizationParams().response_type.should.equal 'code' it 'should set optional response type', -> anvil.authorizationParams({ response_type: 'id_token token' }).response_type.should.equal 'id_token token' it 'should set client id', -> anvil.authorizationParams().client_id.should.equal config.client_id it 'should set configured redirect uri', -> anvil.authorizationParams().redirect_uri.should.equal config.redirect_uri it 'should set optional redirect uri', -> uri = 'https://app.example.com/other' anvil.authorizationParams({ redirect_uri: uri }).redirect_uri.should.equal uri it 'should set configured scope', -> anvil.authorizationParams().scope.should.equal anvil.scope it 'should set optional scope', -> anvil.authorizationParams({ scope: 'foo bar' }).scope.should.equal 'foo bar' it 'should set optional parameters', -> anvil.authorizationParams({ prompt: 'none' }).prompt.should.equal 'none' it 'should ignore unknown parameters', -> params = anvil.authorizationParams({ unknown: 'forgetme' }) expect(params.unknown).to.be.undefined describe 'token', -> describe 'with missing options argument', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token() .then(success) .catch(failure) it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the tokens', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match({ message: 'Missing authorization code' }) describe 'with missing authorization code', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({}) .then(success) .catch(failure) it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the tokens', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match({ message: 'Missing authorization code' }) describe 'with error response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.tokens = access_token: '<PASSWORD>' id_token: '<PASSWORD>' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(400, { error: 'invalid_request' }) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the tokens', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.called describe 'with unverifiable id token', -> {tokens} = {} before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: 'invalid.id.token' access_token: 'valid.access.token' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(200, tokens) claims = sub: 'uuid' sinon.stub(IDToken, 'verify').callsArgWith(2, new Error()) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, {}) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) after -> IDToken.verify.restore() AccessToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should not provide the id claims', -> success.should.not.have.been.called it 'should not catch an error', -> failure.should.have.been.called describe 'with unverifiable access token', -> {tokens} = {} before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: '<PASSWORD>' access_token: '<PASSWORD>.token' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(200, tokens) claims = sub: 'uuid' sinon.stub(AccessToken, 'verify').callsArgWith(2, new Error()) sinon.stub(IDToken, 'verify').callsArgWith(2, null, {}) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) after -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should not provide the id claims', -> success.should.not.have.been.called it 'should not catch an error', -> failure.should.have.been.called describe 'with valid token response', -> {tokens} = {} beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: '<PASSWORD>' access_token: '<PASSWORD>' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: <PASSWORD> }) .reply(200, tokens) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, { aud: config.client_id }) sinon.stub(IDToken, 'verify').callsArgWith(2, null, { payload: { iss: config.issuer } }) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) afterEach -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should provide the tokens', -> success.should.have.been.calledWith sinon.match tokens it 'should provide the id claims', -> success.should.have.been.calledWith sinon.match({ id_claims: { iss: config.issuer } }) it 'should provide the access claims', -> success.should.have.been.calledWith sinon.match({ access_claims: { aud: config.client_id } }) it 'should not catch an error', -> failure.should.not.have.been.called describe 'with response uri', -> {tokens} = {} beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: '<KEY> <PASSWORD>.<KEY>' access_token: '<PASSWORD>' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: <PASSWORD> }) .reply(200, tokens) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, { aud: config.client_id }) sinon.stub(IDToken, 'verify').callsArgWith(2, null, { payload: { iss: config.issuer } }) success = sinon.spy -> done() failure = sinon.spy (err) -> console.log err done() promise = anvil.token({ responseUri: 'https://app.example.com/callback?code=random' }) .then(success) .catch(failure) afterEach -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should provide the tokens', -> success.should.have.been.calledWith sinon.match tokens it 'should provide the id claims', -> success.should.have.been.calledWith sinon.match({ id_claims: { iss: config.issuer } }) it 'should provide the access claims', -> success.should.have.been.calledWith sinon.match({ access_claims: { aud: config.client_id } }) it 'should not catch an error', -> failure.should.not.have.been.called describe 'with client_credentials grant', -> {tokens} = {} beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = access_token: '<PASSWORD>' nock(anvil.issuer) .post('/token', { code: 'random', grant_type: 'client_credentials', redirect_uri: config.redirect_uri, scope: 'realm' }) .basicAuth({ user: config.client_id pass: <PASSWORD> }) .reply(200, tokens) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, { aud: config.client_id }) sinon.stub(IDToken, 'verify') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random', grant_type: 'client_credentials', scope: 'realm' }).then(success) .catch(failure) afterEach -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should NOT receive an id token', -> IDToken.verify.should.not.have.been.called it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should provide the tokens', -> success.should.have.been.calledWith sinon.match tokens it 'should NOT provide the id claims', -> success.should.not.have.been.calledWith sinon.match({ id_claims: { iss: config.issuer } }) it 'should provide the access claims', -> success.should.have.been.calledWith sinon.match({ access_claims: { aud: config.client_id } }) it 'should not catch an error', -> failure.should.not.have.been.called describe 'userInfo', -> describe 'with a missing access token', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.userInfo().then(success, failure) it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide userInfo', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match.instanceOf Error describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/userinfo') .reply(200, userinfo) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.userInfo({ token: 'token' }) .then(success) .catch(failure) afterEach -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the userinfo', -> success.should.have.been.calledWith sinon.match userinfo it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/userinfo') .reply(404, 'Not found') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.userInfo({ token: 'token' }) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the userinfo', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match.instanceOf Error describe 'verify', -> {claims,options} = {} describe 'with defaults and invalid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] sinon.stub(AccessToken, 'verify').callsArgWith(2, new Error) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('invalid.access.token') .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the claims', -> success.should.have.not.been.called it 'should catch an error', -> failure.should.have.been.called describe 'with defaults and valid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] claims = sub: 'uuid' sinon.stub(AccessToken, 'verify').callsArgWith(2, null, claims) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('valid.access.token') .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the claims', -> success.should.have.been.calledWith sinon.match claims it 'should not catch an error', -> failure.should.not.have.been.called describe 'with options and invalid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] sinon.stub(AccessToken, 'verify').callsArgWith(2, new Error) options = scope: 'realm' success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('invalid.access.token', options) .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should pass the options to verify', -> AccessToken.verify.should.have.been.calledWith( sinon.match.string, sinon.match(options) ) it 'should not provide the claims', -> success.should.have.not.been.called it 'should catch an error', -> failure.should.have.been.called describe 'with options and valid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] claims = sub: 'uuid' sinon.stub(AccessToken, 'verify').callsArgWith(2, null, claims) options = scope: 'realm' success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('valid.access.token', options) .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should pass the options to verify', -> AccessToken.verify.should.have.been.calledWith( sinon.match.string, sinon.match(options) ) it 'should provide the claims', -> success.should.have.been.calledWith sinon.match claims it 'should not catch an error', -> failure.should.not.have.been.called
true
# Test dependencies #fs = require 'fs' cwd = process.cwd() path = require 'path' chai = require 'chai' sinon = require 'sinon' sinonChai = require 'sinon-chai' expect = chai.expect nock = require 'nock' # Assertions chai.use sinonChai chai.should() AnvilConnect = require path.join(cwd, 'index') AccessToken = require path.join(cwd, 'lib', 'AccessToken') IDToken = require path.join(cwd, 'lib', 'IDToken') describe 'Anvil Connect Client', -> {anvil,promise,success,failure} = {} config = issuer: 'https://connect.anvil.io' client_id: 'uuid' client_secret: 'PI:KEY:<KEY>END_PI' redirect_uri: 'https://app.example.com/callback' openid = { "issuer": "https://connect.anvil.io", "authorization_endpoint": "https://connect.anvil.io/authorize", "token_endpoint": "https://connect.anvil.io/token", "userinfo_endpoint": "https://connect.anvil.io/userinfo", "jwks_uri": "https://connect.anvil.io/jwks", "registration_endpoint": "https://connect.anvil.io/register", "scopes_supported": [ "realm", "client", "profile", "openid" ], "response_types_supported": [ "code", "token id_token" ], "response_modes_supported": [], "grant_types_supported": [ "authorization_code", "refresh_token" ], "acr_values_supported": [], "subject_types_supported": ["public"], "id_token_signing_alg_values_supported": ["RS256"], "id_token_encryption_alg_values_supported": [], "id_token_encryption_enc_values_supported": [], "userinfo_signing_alg_values_supported": ["none"], "userinfo_encryption_alg_values_supported": [], "userinfo_encryption_enc_values_supported": [], "request_object_signing_alg_values_supported": [], "request_object_encryption_alg_values_supported": [], "request_object_encryption_enc_values_supported": [], "token_endpoint_auth_methods_supported": [ "client_secret_basic", "client_secret_post" ], "token_endpoint_auth_signing_alg_values_supported": [], "display_values_supported": [], "claim_types_supported": ["normal"], "claims_supported": [ "iss", "sub", "aud", "acr", "name", "given_name", "family_name", "middle_name", "nickname", "preferred_username", "profile", "picture", "website", "email", "email_verified", "zoneinfo", "locale", "joined_at", "updated_at" ], "service_documentation": "https://anvil.io/docs/connect/", "claims_locales_supported": [], "ui_locales_supported": [], "check_session_iframe": "https://connect.anvil.io/session", "end_session_endpoint": "https://connect.anvil.io/signout" } jwks = "keys": [ { "kty": "RSA", "use": "sig", "alg": "RS256", "n": "PI:KEY:<KEY>END_PI", "e": "AQAB" }, { "kty": "RSA", "use": "enc", "alg": "RS256", "n":"PI:KEY:<KEY>END_PI", "e": "AQAB" } ] registration = client_name: "TEST CLIENT" redirect_uris: [ "http://app.example.com/callback" ] registrationResponse = { client_id: "a011bbd4-6171-4d84-ba1a-7db73fd64056", client_secret: "PI:KEY:<KEY>END_PI", client_name: registration.client_name token_endpoint_auth_method: "client_secret_basic", application_type: "web", redirect_uris: registration.redirect_uris client_id_issued_at: 1441564333989 } userinfo = given_name: 'PI:NAME:<NAME>END_PI' family_name: 'PI:NAME:<NAME>END_PI' describe 'constructor', -> before -> anvil = new AnvilConnect config it 'should set the issuer', -> anvil.issuer.should.equal config.issuer it 'should set the client id', -> anvil.client_id.should.equal config.client_id it 'should set the client secret', -> anvil.client_secret.should.equal config.client_secret it 'should set the redirect uri', -> anvil.redirect_uri = config.redirect_uri it 'should set default scope', -> anvil.scope.should.equal 'openid profile' it 'should set scope from an array', -> anvil = new AnvilConnect scope: ['realm'] anvil.scope.should.contain 'realm' it 'should set scope from a string', -> anvil = new AnvilConnect scope: 'realm extra' anvil.scope.should.contain 'realm' anvil.scope.should.contain 'extra' describe 'discover', -> describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config nock(anvil.issuer) .get('/.well-known/openid-configuration') .reply(200, openid) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.discover() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the openid configuration', -> success.should.have.been.calledWith sinon.match issuer: anvil.issuer it 'should set configuration', -> anvil.configuration.should.eql openid it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> data = issuer: anvil.issuer anvil = new AnvilConnect config nock(anvil.issuer) .get('/.well-known/openid-configuration') .reply(404, 'Not found') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.discover() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the openid configuration', -> success.should.not.have.been.called it 'should not set configuration', -> expect(anvil.configuration).to.be.undefined it 'should not catch an error', -> failure.should.have.been.called describe 'with an invalid response', -> beforeEach (done) -> data = issuer: anvil.issuer anvil = new AnvilConnect config nock(anvil.issuer) .get('/.well-known/openid-configuration') .reply(200, 'This isn\'t JSON!') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.discover() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the openid configuration', -> success.should.not.have.been.called it 'should not set configuration', -> expect(anvil.configuration).to.be.undefined it 'should not catch an error', -> failure.should.have.been.called describe 'jwks', -> describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/jwks') .reply(200, jwks) success = sinon.spy -> done() failure = sinon.spy (err) -> done() promise = anvil.getJWKs() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the JWK set', -> success.should.have.been.calledWith sinon.match jwks it 'should set jwks', -> anvil.jwks.keys.should.eql jwks.keys it 'should set signature jwk', -> anvil.jwks.sig.should.eql jwks.keys[0] it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/jwks') .reply(404, 'Not found') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.getJWKs() .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the JWK set', -> success.should.not.have.been.called it 'should not set jwks', -> expect(anvil.jwks).to.be.undefined it 'should catch an error', -> failure.should.have.been.called describe 'register', -> describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .post('/register', registration) .reply(201, registrationResponse) success = sinon.spy -> done() failure = sinon.spy (err) -> done() promise = anvil.register(registration) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the registration response', -> success.should.have.been.calledWith sinon.match registrationResponse it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .post('/register', registration) .reply(400, { error: 'whatever' }) success = sinon.spy -> done() failure = sinon.spy (err) -> done() promise = anvil.register(registration) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the registration response', -> success.should.have.not.been.called it 'should catch an error', -> failure.should.have.been.called describe 'authorizationUri', -> beforeEach -> anvil = new AnvilConnect config anvil.configuration = openid describe 'with no endpoint in the argument', -> it 'should use the "authorize" endpoint', -> anvil.authorizationUri().should.contain '/authorize?' describe 'with a string argument', -> it 'should use the argument as the endpoint', -> anvil.authorizationUri('signin').should.contain '/signin?' describe 'with an options argument', -> it 'should set the optional endpoint', -> uri = anvil.authorizationUri({ endpoint: 'connect/google' }) uri.should.contain '/connect/google?' it 'should set default authorization params', -> uri = anvil.authorizationUri({ endpoint: 'connect/google' }) uri.should.contain 'response_type=code' uri.should.contain "client_id=#{config.client_id}" uri.should.contain "redirect_uri=#{encodeURIComponent(config.redirect_uri)}" uri.should.contain "scope=#{encodeURIComponent(anvil.scope)}" it 'should set optional authorization params', -> uri = anvil.authorizationUri({ endpoint: 'signin' provider: 'password' max_age: 2600 }) uri.should.contain 'provider=password' uri.should.contain 'max_age=2600' describe 'authorizationParams', -> beforeEach -> anvil = new AnvilConnect config anvil.configuration = openid it 'should set default response type', -> anvil.authorizationParams().response_type.should.equal 'code' it 'should set optional response type', -> anvil.authorizationParams({ response_type: 'id_token token' }).response_type.should.equal 'id_token token' it 'should set client id', -> anvil.authorizationParams().client_id.should.equal config.client_id it 'should set configured redirect uri', -> anvil.authorizationParams().redirect_uri.should.equal config.redirect_uri it 'should set optional redirect uri', -> uri = 'https://app.example.com/other' anvil.authorizationParams({ redirect_uri: uri }).redirect_uri.should.equal uri it 'should set configured scope', -> anvil.authorizationParams().scope.should.equal anvil.scope it 'should set optional scope', -> anvil.authorizationParams({ scope: 'foo bar' }).scope.should.equal 'foo bar' it 'should set optional parameters', -> anvil.authorizationParams({ prompt: 'none' }).prompt.should.equal 'none' it 'should ignore unknown parameters', -> params = anvil.authorizationParams({ unknown: 'forgetme' }) expect(params.unknown).to.be.undefined describe 'token', -> describe 'with missing options argument', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token() .then(success) .catch(failure) it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the tokens', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match({ message: 'Missing authorization code' }) describe 'with missing authorization code', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({}) .then(success) .catch(failure) it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the tokens', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match({ message: 'Missing authorization code' }) describe 'with error response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.tokens = access_token: 'PI:PASSWORD:<PASSWORD>END_PI' id_token: 'PI:PASSWORD:<PASSWORD>END_PI' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(400, { error: 'invalid_request' }) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the tokens', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.called describe 'with unverifiable id token', -> {tokens} = {} before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: 'invalid.id.token' access_token: 'valid.access.token' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(200, tokens) claims = sub: 'uuid' sinon.stub(IDToken, 'verify').callsArgWith(2, new Error()) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, {}) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) after -> IDToken.verify.restore() AccessToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should not provide the id claims', -> success.should.not.have.been.called it 'should not catch an error', -> failure.should.have.been.called describe 'with unverifiable access token', -> {tokens} = {} before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: 'PI:PASSWORD:<PASSWORD>END_PI' access_token: 'PI:PASSWORD:<PASSWORD>END_PI.token' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: config.client_secret }) .reply(200, tokens) claims = sub: 'uuid' sinon.stub(AccessToken, 'verify').callsArgWith(2, new Error()) sinon.stub(IDToken, 'verify').callsArgWith(2, null, {}) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) after -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should not provide the id claims', -> success.should.not.have.been.called it 'should not catch an error', -> failure.should.have.been.called describe 'with valid token response', -> {tokens} = {} beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: 'PI:PASSWORD:<PASSWORD>END_PI' access_token: 'PI:PASSWORD:<PASSWORD>END_PI' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: PI:PASSWORD:<PASSWORD>END_PI }) .reply(200, tokens) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, { aud: config.client_id }) sinon.stub(IDToken, 'verify').callsArgWith(2, null, { payload: { iss: config.issuer } }) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random' }) .then(success) .catch(failure) afterEach -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should provide the tokens', -> success.should.have.been.calledWith sinon.match tokens it 'should provide the id claims', -> success.should.have.been.calledWith sinon.match({ id_claims: { iss: config.issuer } }) it 'should provide the access claims', -> success.should.have.been.calledWith sinon.match({ access_claims: { aud: config.client_id } }) it 'should not catch an error', -> failure.should.not.have.been.called describe 'with response uri', -> {tokens} = {} beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = id_token: 'PI:KEY:<KEY>END_PI PI:PASSWORD:<PASSWORD>END_PI.PI:KEY:<KEY>END_PI' access_token: 'PI:KEY:<PASSWORD>END_PI' nock(anvil.issuer) .post('/token', { grant_type: 'authorization_code', code: 'random', redirect_uri: config.redirect_uri }) .basicAuth({ user: config.client_id pass: PI:PASSWORD:<PASSWORD>END_PI }) .reply(200, tokens) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, { aud: config.client_id }) sinon.stub(IDToken, 'verify').callsArgWith(2, null, { payload: { iss: config.issuer } }) success = sinon.spy -> done() failure = sinon.spy (err) -> console.log err done() promise = anvil.token({ responseUri: 'https://app.example.com/callback?code=random' }) .then(success) .catch(failure) afterEach -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should verify the id token', -> IDToken.verify.should.have.been.calledWith tokens.id_token it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should provide the tokens', -> success.should.have.been.calledWith sinon.match tokens it 'should provide the id claims', -> success.should.have.been.calledWith sinon.match({ id_claims: { iss: config.issuer } }) it 'should provide the access claims', -> success.should.have.been.calledWith sinon.match({ access_claims: { aud: config.client_id } }) it 'should not catch an error', -> failure.should.not.have.been.called describe 'with client_credentials grant', -> {tokens} = {} beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] tokens = access_token: 'PI:PASSWORD:<PASSWORD>END_PI' nock(anvil.issuer) .post('/token', { code: 'random', grant_type: 'client_credentials', redirect_uri: config.redirect_uri, scope: 'realm' }) .basicAuth({ user: config.client_id pass: PI:PASSWORD:<PASSWORD>END_PI }) .reply(200, tokens) sinon.stub(AccessToken, 'verify').callsArgWith(2, null, { aud: config.client_id }) sinon.stub(IDToken, 'verify') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.token({ code: 'random', grant_type: 'client_credentials', scope: 'realm' }).then(success) .catch(failure) afterEach -> AccessToken.verify.restore() IDToken.verify.restore() nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should NOT receive an id token', -> IDToken.verify.should.not.have.been.called it 'should verify the access token', -> AccessToken.verify.should.have.been.calledWith tokens.access_token it 'should provide the tokens', -> success.should.have.been.calledWith sinon.match tokens it 'should NOT provide the id claims', -> success.should.not.have.been.calledWith sinon.match({ id_claims: { iss: config.issuer } }) it 'should provide the access claims', -> success.should.have.been.calledWith sinon.match({ access_claims: { aud: config.client_id } }) it 'should not catch an error', -> failure.should.not.have.been.called describe 'userInfo', -> describe 'with a missing access token', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.userInfo().then(success, failure) it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide userInfo', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match.instanceOf Error describe 'with a successful response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/userinfo') .reply(200, userinfo) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.userInfo({ token: 'token' }) .then(success) .catch(failure) afterEach -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the userinfo', -> success.should.have.been.calledWith sinon.match userinfo it 'should not catch an error', -> failure.should.not.have.been.called describe 'with a failure response', -> beforeEach (done) -> anvil = new AnvilConnect config anvil.configuration = openid nock(anvil.issuer) .get('/userinfo') .reply(404, 'Not found') success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.userInfo({ token: 'token' }) .then(success) .catch(failure) after -> nock.cleanAll() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the userinfo', -> success.should.not.have.been.called it 'should catch an error', -> failure.should.have.been.calledWith sinon.match.instanceOf Error describe 'verify', -> {claims,options} = {} describe 'with defaults and invalid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] sinon.stub(AccessToken, 'verify').callsArgWith(2, new Error) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('invalid.access.token') .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should not provide the claims', -> success.should.have.not.been.called it 'should catch an error', -> failure.should.have.been.called describe 'with defaults and valid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] claims = sub: 'uuid' sinon.stub(AccessToken, 'verify').callsArgWith(2, null, claims) success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('valid.access.token') .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should provide the claims', -> success.should.have.been.calledWith sinon.match claims it 'should not catch an error', -> failure.should.not.have.been.called describe 'with options and invalid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] sinon.stub(AccessToken, 'verify').callsArgWith(2, new Error) options = scope: 'realm' success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('invalid.access.token', options) .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should pass the options to verify', -> AccessToken.verify.should.have.been.calledWith( sinon.match.string, sinon.match(options) ) it 'should not provide the claims', -> success.should.have.not.been.called it 'should catch an error', -> failure.should.have.been.called describe 'with options and valid token', -> before (done) -> anvil = new AnvilConnect config anvil.configuration = openid anvil.jwks = jwks anvil.jwks.sig = jwks.keys[0] claims = sub: 'uuid' sinon.stub(AccessToken, 'verify').callsArgWith(2, null, claims) options = scope: 'realm' success = sinon.spy -> done() failure = sinon.spy -> done() promise = anvil.verify('valid.access.token', options) .then(success) .catch(failure) after -> AccessToken.verify.restore() it 'should return a promise', -> promise.should.be.instanceof Promise it 'should pass the options to verify', -> AccessToken.verify.should.have.been.calledWith( sinon.match.string, sinon.match(options) ) it 'should provide the claims', -> success.should.have.been.calledWith sinon.match claims it 'should not catch an error', -> failure.should.not.have.been.called
[ { "context": " hubot getcode\n# hubot invited\n#\n# Author:\n# Tip XRP <tipple@monaco-ex.org>\n\nutils = require './utils'", "end": 326, "score": 0.9989784359931946, "start": 319, "tag": "NAME", "value": "Tip XRP" }, { "context": "etcode\n# hubot invited\n#\n# Author:\n# Tip XRP <tipple@monaco-ex.org>\n\nutils = require './utils'\nwithdraw = require '.", "end": 348, "score": 0.9999313354492188, "start": 328, "tag": "EMAIL", "value": "tipple@monaco-ex.org" } ]
scripts/reply.coffee
monaco-ex/tipxrp
3
### Copytight (c) 2017-2018 Monaco-ex LLC, Japan. Licensed under MITL. ### # Description # hubot scripts for diagnosing hubot # # Commands: # hubot tip @destination <num> # hubot giveme # hubot balance # hubot deposit # hubot withdraw <num> <XRPaddress> # hubot getcode # hubot invited # # Author: # Tip XRP <tipple@monaco-ex.org> utils = require './utils' withdraw = require './withdraw' tip = require './tip' randomTail = () -> "....".substring(Math.random() * 4) + "!!!".substring(Math.random() * 3) module.exports = (robot) -> robot.respond /TIP\s+@(.*)\s+(([1-9]\d*|0)(\.\d+)?).*$/i, (msg) -> tip .doIt(msg.message.data.user.id_str, msg.match[1], +(msg.match[2])) .then () -> if msg.match[1] == 'tipxrp' msg.send "@#{msg.message.user.name} Thank you for your donation#{randomTail()}!" else msg.send "@#{msg.message.user.name} Sent #{msg.match[2]}XRP to @#{msg.match[1]}#{randomTail()}" .catch (error) -> msg.send "@#{msg.message.user.name} Fail to send. (msg: #{error.message})" robot.respond /GIVEME(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Faucet will not be implemented. Sorry#{randomTail()}" robot.respond /BALANCE(\s.*)?$/i, (msg) -> utils .getBalance(msg.message.data.user.id_str) .then (balance) -> msg.send "@#{msg.message.user.name} You have #{balance}XRP#{randomTail()}" robot.respond /DEPOSIT(\s.*)?$/i, (msg) -> utils .getWalletAddress(msg.message.data.user.id_str) .then (address) -> msg.send "@#{msg.message.user.name} Your XRP address/desination tag is #{address[0]} / #{address[1]}#{randomTail()}" robot.respond /WITHDRAW\s+(([1-9]\d*|0)(\.\d+)?)\s+((r\S{33})(\?dt=(\d+))?)(\s.*)?$/i, (msg) -> withdraw .doIt(msg.message.data.user.id_str, msg.match[5], +(msg.match[1]), +(msg.match[7])) .then (result) -> msg.send "@#{msg.message.user.name} Sending your #{result[0]}XRP (incl. tx fee #{result[1]}). txid: #{result[2]}" .catch (error) -> msg.send "@#{msg.message.user.name} Error in your withdrawal. (msg: #{error.message})" console.error error robot.respond /GETCODE(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Invitation program will not be implemented. Sorry#{randomTail()}" robot.respond /INVITED(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Invitation program will not be implemented. Sorry#{randomTail()}" robot.respond /FOLLOWME(\s.*)?$/i, (msg) -> robot.logger.info "followed #{msg.message.user.name}!" console.dir msg.message.user robot.adapter.join msg.message.user robot.respond /HELP(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Please open https://tipxrp.monaco-ex.org/"
113698
### Copytight (c) 2017-2018 Monaco-ex LLC, Japan. Licensed under MITL. ### # Description # hubot scripts for diagnosing hubot # # Commands: # hubot tip @destination <num> # hubot giveme # hubot balance # hubot deposit # hubot withdraw <num> <XRPaddress> # hubot getcode # hubot invited # # Author: # <NAME> <<EMAIL>> utils = require './utils' withdraw = require './withdraw' tip = require './tip' randomTail = () -> "....".substring(Math.random() * 4) + "!!!".substring(Math.random() * 3) module.exports = (robot) -> robot.respond /TIP\s+@(.*)\s+(([1-9]\d*|0)(\.\d+)?).*$/i, (msg) -> tip .doIt(msg.message.data.user.id_str, msg.match[1], +(msg.match[2])) .then () -> if msg.match[1] == 'tipxrp' msg.send "@#{msg.message.user.name} Thank you for your donation#{randomTail()}!" else msg.send "@#{msg.message.user.name} Sent #{msg.match[2]}XRP to @#{msg.match[1]}#{randomTail()}" .catch (error) -> msg.send "@#{msg.message.user.name} Fail to send. (msg: #{error.message})" robot.respond /GIVEME(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Faucet will not be implemented. Sorry#{randomTail()}" robot.respond /BALANCE(\s.*)?$/i, (msg) -> utils .getBalance(msg.message.data.user.id_str) .then (balance) -> msg.send "@#{msg.message.user.name} You have #{balance}XRP#{randomTail()}" robot.respond /DEPOSIT(\s.*)?$/i, (msg) -> utils .getWalletAddress(msg.message.data.user.id_str) .then (address) -> msg.send "@#{msg.message.user.name} Your XRP address/desination tag is #{address[0]} / #{address[1]}#{randomTail()}" robot.respond /WITHDRAW\s+(([1-9]\d*|0)(\.\d+)?)\s+((r\S{33})(\?dt=(\d+))?)(\s.*)?$/i, (msg) -> withdraw .doIt(msg.message.data.user.id_str, msg.match[5], +(msg.match[1]), +(msg.match[7])) .then (result) -> msg.send "@#{msg.message.user.name} Sending your #{result[0]}XRP (incl. tx fee #{result[1]}). txid: #{result[2]}" .catch (error) -> msg.send "@#{msg.message.user.name} Error in your withdrawal. (msg: #{error.message})" console.error error robot.respond /GETCODE(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Invitation program will not be implemented. Sorry#{randomTail()}" robot.respond /INVITED(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Invitation program will not be implemented. Sorry#{randomTail()}" robot.respond /FOLLOWME(\s.*)?$/i, (msg) -> robot.logger.info "followed #{msg.message.user.name}!" console.dir msg.message.user robot.adapter.join msg.message.user robot.respond /HELP(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Please open https://tipxrp.monaco-ex.org/"
true
### Copytight (c) 2017-2018 Monaco-ex LLC, Japan. Licensed under MITL. ### # Description # hubot scripts for diagnosing hubot # # Commands: # hubot tip @destination <num> # hubot giveme # hubot balance # hubot deposit # hubot withdraw <num> <XRPaddress> # hubot getcode # hubot invited # # Author: # PI:NAME:<NAME>END_PI <PI:EMAIL:<EMAIL>END_PI> utils = require './utils' withdraw = require './withdraw' tip = require './tip' randomTail = () -> "....".substring(Math.random() * 4) + "!!!".substring(Math.random() * 3) module.exports = (robot) -> robot.respond /TIP\s+@(.*)\s+(([1-9]\d*|0)(\.\d+)?).*$/i, (msg) -> tip .doIt(msg.message.data.user.id_str, msg.match[1], +(msg.match[2])) .then () -> if msg.match[1] == 'tipxrp' msg.send "@#{msg.message.user.name} Thank you for your donation#{randomTail()}!" else msg.send "@#{msg.message.user.name} Sent #{msg.match[2]}XRP to @#{msg.match[1]}#{randomTail()}" .catch (error) -> msg.send "@#{msg.message.user.name} Fail to send. (msg: #{error.message})" robot.respond /GIVEME(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Faucet will not be implemented. Sorry#{randomTail()}" robot.respond /BALANCE(\s.*)?$/i, (msg) -> utils .getBalance(msg.message.data.user.id_str) .then (balance) -> msg.send "@#{msg.message.user.name} You have #{balance}XRP#{randomTail()}" robot.respond /DEPOSIT(\s.*)?$/i, (msg) -> utils .getWalletAddress(msg.message.data.user.id_str) .then (address) -> msg.send "@#{msg.message.user.name} Your XRP address/desination tag is #{address[0]} / #{address[1]}#{randomTail()}" robot.respond /WITHDRAW\s+(([1-9]\d*|0)(\.\d+)?)\s+((r\S{33})(\?dt=(\d+))?)(\s.*)?$/i, (msg) -> withdraw .doIt(msg.message.data.user.id_str, msg.match[5], +(msg.match[1]), +(msg.match[7])) .then (result) -> msg.send "@#{msg.message.user.name} Sending your #{result[0]}XRP (incl. tx fee #{result[1]}). txid: #{result[2]}" .catch (error) -> msg.send "@#{msg.message.user.name} Error in your withdrawal. (msg: #{error.message})" console.error error robot.respond /GETCODE(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Invitation program will not be implemented. Sorry#{randomTail()}" robot.respond /INVITED(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Invitation program will not be implemented. Sorry#{randomTail()}" robot.respond /FOLLOWME(\s.*)?$/i, (msg) -> robot.logger.info "followed #{msg.message.user.name}!" console.dir msg.message.user robot.adapter.join msg.message.user robot.respond /HELP(\s.*)?$/i, (msg) -> msg.send "@#{msg.message.user.name} Please open https://tipxrp.monaco-ex.org/"
[ { "context": "# @author Tim Knip / http://www.floorplanner.com/ / tim at floorplan", "end": 18, "score": 0.9998809695243835, "start": 10, "tag": "NAME", "value": "Tim Knip" }, { "context": "orplanner.com/ / tim at floorplanner.com\n# @author aladjev.andrew@gmail.com\n\n#= require new_src/core/color\n\nclass ColorOrText", "end": 110, "score": 0.9999275207519531, "start": 86, "tag": "EMAIL", "value": "aladjev.andrew@gmail.com" } ]
source/javascripts/new_src/loaders/collada/color_or_texture.coffee
andrew-aladev/three.js
0
# @author Tim Knip / http://www.floorplanner.com/ / tim at floorplanner.com # @author aladjev.andrew@gmail.com #= require new_src/core/color class ColorOrTexture constructor: -> @color = new THREE.Color(0) @color.setRGB Math.random(), Math.random(), Math.random() @color.a = 1.0 @texture = null @texcoord = null @texOpts = null isColor: -> not @texture? isTexture: -> @texture? parse: (element) -> length = element.childNodes.length for i in [0...length] child = element.childNodes[i] unless child.nodeType is 1 continue switch child.nodeName when "color" rgba = THREE.ColladaLoader._floats child.textContent @color = new THREE.Color(0) @color.setRGB rgba[0], rgba[1], rgba[2] @color.a = rgba[3] when "texture" @texture = child.getAttribute "texture" @texcoord = child.getAttribute "texcoord" # Defaults from: # https://collada.org/mediawiki/index.php/Maya_texture_placement_MAYA_extension @texOpts = offsetU: 0 offsetV: 0 repeatU: 1 repeatV: 1 wrapU: 1 wrapV: 1 @parseTexture child this parseTexture: (element) -> return this unless element.childNodes if element.childNodes[1] and element.childNodes[1].nodeName is "extra" # This should be supported by Maya, 3dsMax, and MotionBuilder element = element.childNodes[1] if element.childNodes[1] and element.childNodes[1].nodeName is "technique" element = element.childNodes[1] length = element.childNodes.length for i in [0...length] child = element.childNodes[i] switch child.nodeName when "offsetU", "offsetV", "repeatU", "repeatV" @texOpts[child.nodeName] = parseFloat child.textContent when "wrapU", "wrapV" @texOpts[child.nodeName] = parseInt child.textContent else @texOpts[child.nodeName] = child.textContent this namespace "THREE.Collada", (exports) -> exports.ColorOrTexture = ColorOrTexture
122461
# @author <NAME> / http://www.floorplanner.com/ / tim at floorplanner.com # @author <EMAIL> #= require new_src/core/color class ColorOrTexture constructor: -> @color = new THREE.Color(0) @color.setRGB Math.random(), Math.random(), Math.random() @color.a = 1.0 @texture = null @texcoord = null @texOpts = null isColor: -> not @texture? isTexture: -> @texture? parse: (element) -> length = element.childNodes.length for i in [0...length] child = element.childNodes[i] unless child.nodeType is 1 continue switch child.nodeName when "color" rgba = THREE.ColladaLoader._floats child.textContent @color = new THREE.Color(0) @color.setRGB rgba[0], rgba[1], rgba[2] @color.a = rgba[3] when "texture" @texture = child.getAttribute "texture" @texcoord = child.getAttribute "texcoord" # Defaults from: # https://collada.org/mediawiki/index.php/Maya_texture_placement_MAYA_extension @texOpts = offsetU: 0 offsetV: 0 repeatU: 1 repeatV: 1 wrapU: 1 wrapV: 1 @parseTexture child this parseTexture: (element) -> return this unless element.childNodes if element.childNodes[1] and element.childNodes[1].nodeName is "extra" # This should be supported by Maya, 3dsMax, and MotionBuilder element = element.childNodes[1] if element.childNodes[1] and element.childNodes[1].nodeName is "technique" element = element.childNodes[1] length = element.childNodes.length for i in [0...length] child = element.childNodes[i] switch child.nodeName when "offsetU", "offsetV", "repeatU", "repeatV" @texOpts[child.nodeName] = parseFloat child.textContent when "wrapU", "wrapV" @texOpts[child.nodeName] = parseInt child.textContent else @texOpts[child.nodeName] = child.textContent this namespace "THREE.Collada", (exports) -> exports.ColorOrTexture = ColorOrTexture
true
# @author PI:NAME:<NAME>END_PI / http://www.floorplanner.com/ / tim at floorplanner.com # @author PI:EMAIL:<EMAIL>END_PI #= require new_src/core/color class ColorOrTexture constructor: -> @color = new THREE.Color(0) @color.setRGB Math.random(), Math.random(), Math.random() @color.a = 1.0 @texture = null @texcoord = null @texOpts = null isColor: -> not @texture? isTexture: -> @texture? parse: (element) -> length = element.childNodes.length for i in [0...length] child = element.childNodes[i] unless child.nodeType is 1 continue switch child.nodeName when "color" rgba = THREE.ColladaLoader._floats child.textContent @color = new THREE.Color(0) @color.setRGB rgba[0], rgba[1], rgba[2] @color.a = rgba[3] when "texture" @texture = child.getAttribute "texture" @texcoord = child.getAttribute "texcoord" # Defaults from: # https://collada.org/mediawiki/index.php/Maya_texture_placement_MAYA_extension @texOpts = offsetU: 0 offsetV: 0 repeatU: 1 repeatV: 1 wrapU: 1 wrapV: 1 @parseTexture child this parseTexture: (element) -> return this unless element.childNodes if element.childNodes[1] and element.childNodes[1].nodeName is "extra" # This should be supported by Maya, 3dsMax, and MotionBuilder element = element.childNodes[1] if element.childNodes[1] and element.childNodes[1].nodeName is "technique" element = element.childNodes[1] length = element.childNodes.length for i in [0...length] child = element.childNodes[i] switch child.nodeName when "offsetU", "offsetV", "repeatU", "repeatV" @texOpts[child.nodeName] = parseFloat child.textContent when "wrapU", "wrapV" @texOpts[child.nodeName] = parseInt child.textContent else @texOpts[child.nodeName] = child.textContent this namespace "THREE.Collada", (exports) -> exports.ColorOrTexture = ColorOrTexture
[ { "context": "# Public: [Description].\n\n# Copyright (c) 2014 by Maximilian Schüßler. See LICENSE for details.\n#\n\n_ = require 'lodash'", "end": 69, "score": 0.9997916221618652, "start": 50, "tag": "NAME", "value": "Maximilian Schüßler" } ]
lib/coffeedocs.coffee
chrisb1510/mycoffeedocs
0
# Public: [Description]. # Copyright (c) 2014 by Maximilian Schüßler. See LICENSE for details. # _ = require 'lodash' # Public: CoffeeDocs main class.. class CoffeeDocs # Public: Returns the setting under the key 'key'. # # key - The config key as {String}. # # Returns: Returns the value of config key. getConfigValue: (key) -> switch key when 'addReturns' value = atom.config.get('coffeedocs.addReturns') value ?= atom.config.getDefault('coffeedocs.addReturns') when 'ReturnsDefaultType' value = atom.config.get('coffeedocs.ReturnsDefaultType') value ?= atom.config.getDefault('coffeedocs.ReturnsDefaultType') when 'SearchLineBelowInstead' value = atom.config.get('coffeedocs.SearchLineBelowInstead') value ?= atom.config.getDefault('coffeedocs.SearchLineBelowInstead') when 'argumentsTemplate' value = atom.config.get('coffeedocs.argumentsTemplate') value ?= atom.config.getDefault('coffeedocs.argumentsTemplate') when 'ReturnsTemplate' value = atom.config.get('coffeedocs.ReturnsTemplate') value ?= atom.config.getDefault('coffeedocs.ReturnsTemplate') else value ?= null value # Public: Get the active Editor. # # Returns: The active Editor. getEditor: -> atom.workspace.getActiveTextEditor() # Public: Returns the function definition from row n. # # editor - The Editor to read from. # n - The row number to read from. # # Returns: The function definition as {Object}: # :name - The name of the function as {String}. # :args - The arguments of the function as {Array}. getFunctionDef: (editor, n) -> return unless @isFunctionDef(editor, n) regex = /\s*([a-zA-Z_$@][a-zA-Z_$0-9]*) *[:=](\(?.*\)?) *[-=]>.*/ line = @readLine(editor, n)?.match(regex) functionName = line[1] functionArgs = [] if /.*\((.*)\).*/.test line[2] line = line[2].match /.*\((.*)\).*/ functionArgs = line[1].split(',') for arg, i in functionArgs functionArgs[i] = arg.match(/\s*@?(.*)\s*/)[1] return {name: functionName, args: functionArgs} # Public: Checks if the active line defines a function. # # editor - The Editor to check from. # n - The row {Number} to check. # # Returns: {Boolean} isFunctionDef: (editor, n) -> regex = /\s*([a-zA-Z_$@][a-zA-Z_$0-9]*) *[:=](\(?.*\)?) *[-=]>.*/ line = @readLine(editor, n) regex.test(line) # Public: Test if the line n defines a class. # # editor - The Editor to check from as {Object}. # n - The row to check as {Number}. # # Returns: {Boolean} isClassDef: (editor, n) -> regex = /[ \t]*class[ \t]*([$_a-zA-z0-9]+)[ \t]*(?:extends)?[ \t]*([$_a-zA-z0-9]*)/g line = @readLine(editor, n) regex.test(line) # Public: Get the class definition from row n. # # editor - The Editor to read from as {Object}. # n - The row to read from as {Number}. # # Returns: The class definition as {Object}: # :name - The name of the class as {String}. # :extends - The name of the class that is being extended as {String} or # `null` if there is none. getClassDef: (editor, n) -> regex = /[ \t]*class[ \t]*([$_a-zA-z0-9]+)[ \t]*(?:extends)?[ \t]*([$_a-zA-z0-9]*)/ line = @readLine(editor, n)?.match(regex) {name: line?[1] or null, 'extends': if line?[2]?.length>0 then line[2] else null} # Public: Read the specified line. # # editor - The Editor to read from. If not set, use the active Editor. # n - The row {Number} to read from. # # Returns: The line as {String}. readLine: (editor, n) -> editor = @getEditor() unless editor? return editor.getCursor()?.getCurrentBufferLine() unless n? editor.lineTextForBufferRow(n) # Public Static: Parse the active line. parse: -> editor = @getEditor() return unless editor? linePos = editor.getCursorScreenPosition().row linePos++ if @getConfigValue 'SearchLineBelowInstead' classDef = @getClassDef(editor, linePos) functionDef = @getFunctionDef(editor, linePos) return unless classDef? or functionDef? snippet = @generateSnippetClass(classDef) if classDef? snippet = @generateSnippetFunc(functionDef) if functionDef? @writeSnippet(editor, snippet) # Public: Write a snippet into active editor using the snippets package. # # editor - The Editor the snippet gets activated in. # str - The {String} containing the snippet code. writeSnippet: (editor, str) -> return if not editor? or not str? if @getConfigValue 'SearchLineBelowInstead' editor?.insertNewline() else editor?.insertNewlineAbove() Snippets = atom.packages.activePackages.snippets.mainModule Snippets?.insert(str, editor) # Public: Generates a suitable snippet base on the functionDef. # # functionDef - The {Object} with the function definition: # :name - {String} with name of the function. # :args - {Array} with function arguments. # # Returns: The generated snippet as {String}. generateSnippetFunc: (functionDef) -> functionName = functionDef.name functionArgs = functionDef.args snippet = ''' # ${1:Public}: ${2:[Description]} ''' snippetIndex = 3 if functionArgs.length>=1 snippet += '\n#' functionArgs = @indentFunctionArgs(functionArgs) for arg in functionArgs snippet += "\n# #{arg} - The ${#{snippetIndex}:[description]} as {${#{snippetIndex+1}:[type]}}." snippetIndex = snippetIndex+2 if @getConfigValue('addReturns') returnType = @getConfigValue('ReturnsDefaultType') returnTemplate = @getConfigValue('ReturnsTemplate') [partial] = partialSnippetReturns(returnTemplate, returnType, snippetIndex) snippet += '\n#\n# ' + partial snippet += '$0' # Public: Generates a suitable snippet base for the classDef. # # classDef - The class definition as {Object}: # :name - The name of the class as {String}. # :extends - The name of the class that is being extended as {String}. # # Returns: The snippet as {String}. generateSnippetClass: (classDef) -> className = classDef.name classExtends = classDef.extends if not classExtends? snippet = ''' # ${1:Public}: ${2:[Description]}. ''' else snippet = """ # ${1:Public}: ${2:[Description]} that extends the {#{classExtends}} prototype. """ snippet # Public: Indentates the arguments and removes default values. # # args - The {Array} containing the function arguments. # # Returns: The indented arguments as {Array}. indentFunctionArgs: (args) -> maxLength = 1 for arg, i in args arg = args[i] = arg.split('=')[0] if arg.length > maxLength maxLength = arg.length for arg, i in args args[i] = @appendWhitespaces(arg, maxLength-arg.length) return args # Internal: Appends n whitespaces to str. # # str - The {String} to append to. # n - The amount of whitespaces to append. # # Returns: str as {String} with appended whitespaces. appendWhitespaces: (str, n) -> return str if n<1 str += ' ' for [0...n] return str # Internal: Parses the 'Returns' template and inserts the type if necessary. # # template - The template as {String}. # %TYPE% will be surrounded by braces # %type% will be without any brackets. # typeReturn - The type that is being returned as {String}. # snippetIndex - The snippetIndex as {Number}. # # Returns an {Array} with: # :0 - The parsed template. # :1 - The next free snippetIndex as {Number}. partialSnippetReturns = (template, typeReturn, snippetIndex) -> indexType = _.max template.indexOf('%TYPE%'), template.indexOf('%type%') indexDescription = template.indexOf('%desc%') containsType = indexType > -1 containsDesc = indexDescription > -1 if containsType and containsDesc if indexType > indexDescription replacementDescription = "${#{snippetIndex}:[Description]}" replacementBraced = "{${#{snippetIndex+1}:#{typeReturn}}}" replacementUnbraced = "${#{snippetIndex+1}:#{typeReturn}}" else replacementDescription = "${#{snippetIndex+1}:[Description]}" replacementBraced = "{${#{snippetIndex}:#{typeReturn}}}" replacementUnbraced = "${#{snippetIndex}:#{typeReturn}}" snippetIndex += 2 else replacementDescription = "${#{snippetIndex}:[Description]}" replacementBraced = "{${#{snippetIndex+1}:#{typeReturn}}}" replacementUnbraced = "${#{snippetIndex+1}:#{typeReturn}}" snippetIndex += 1 if containsType or containsDesc template = template.replace '%desc%', replacementDescription template = template.replace '%TYPE%', replacementBraced template = template.replace '%type%', replacementUnbraced [template, snippetIndex] module.exports = CoffeeDocs
89212
# Public: [Description]. # Copyright (c) 2014 by <NAME>. See LICENSE for details. # _ = require 'lodash' # Public: CoffeeDocs main class.. class CoffeeDocs # Public: Returns the setting under the key 'key'. # # key - The config key as {String}. # # Returns: Returns the value of config key. getConfigValue: (key) -> switch key when 'addReturns' value = atom.config.get('coffeedocs.addReturns') value ?= atom.config.getDefault('coffeedocs.addReturns') when 'ReturnsDefaultType' value = atom.config.get('coffeedocs.ReturnsDefaultType') value ?= atom.config.getDefault('coffeedocs.ReturnsDefaultType') when 'SearchLineBelowInstead' value = atom.config.get('coffeedocs.SearchLineBelowInstead') value ?= atom.config.getDefault('coffeedocs.SearchLineBelowInstead') when 'argumentsTemplate' value = atom.config.get('coffeedocs.argumentsTemplate') value ?= atom.config.getDefault('coffeedocs.argumentsTemplate') when 'ReturnsTemplate' value = atom.config.get('coffeedocs.ReturnsTemplate') value ?= atom.config.getDefault('coffeedocs.ReturnsTemplate') else value ?= null value # Public: Get the active Editor. # # Returns: The active Editor. getEditor: -> atom.workspace.getActiveTextEditor() # Public: Returns the function definition from row n. # # editor - The Editor to read from. # n - The row number to read from. # # Returns: The function definition as {Object}: # :name - The name of the function as {String}. # :args - The arguments of the function as {Array}. getFunctionDef: (editor, n) -> return unless @isFunctionDef(editor, n) regex = /\s*([a-zA-Z_$@][a-zA-Z_$0-9]*) *[:=](\(?.*\)?) *[-=]>.*/ line = @readLine(editor, n)?.match(regex) functionName = line[1] functionArgs = [] if /.*\((.*)\).*/.test line[2] line = line[2].match /.*\((.*)\).*/ functionArgs = line[1].split(',') for arg, i in functionArgs functionArgs[i] = arg.match(/\s*@?(.*)\s*/)[1] return {name: functionName, args: functionArgs} # Public: Checks if the active line defines a function. # # editor - The Editor to check from. # n - The row {Number} to check. # # Returns: {Boolean} isFunctionDef: (editor, n) -> regex = /\s*([a-zA-Z_$@][a-zA-Z_$0-9]*) *[:=](\(?.*\)?) *[-=]>.*/ line = @readLine(editor, n) regex.test(line) # Public: Test if the line n defines a class. # # editor - The Editor to check from as {Object}. # n - The row to check as {Number}. # # Returns: {Boolean} isClassDef: (editor, n) -> regex = /[ \t]*class[ \t]*([$_a-zA-z0-9]+)[ \t]*(?:extends)?[ \t]*([$_a-zA-z0-9]*)/g line = @readLine(editor, n) regex.test(line) # Public: Get the class definition from row n. # # editor - The Editor to read from as {Object}. # n - The row to read from as {Number}. # # Returns: The class definition as {Object}: # :name - The name of the class as {String}. # :extends - The name of the class that is being extended as {String} or # `null` if there is none. getClassDef: (editor, n) -> regex = /[ \t]*class[ \t]*([$_a-zA-z0-9]+)[ \t]*(?:extends)?[ \t]*([$_a-zA-z0-9]*)/ line = @readLine(editor, n)?.match(regex) {name: line?[1] or null, 'extends': if line?[2]?.length>0 then line[2] else null} # Public: Read the specified line. # # editor - The Editor to read from. If not set, use the active Editor. # n - The row {Number} to read from. # # Returns: The line as {String}. readLine: (editor, n) -> editor = @getEditor() unless editor? return editor.getCursor()?.getCurrentBufferLine() unless n? editor.lineTextForBufferRow(n) # Public Static: Parse the active line. parse: -> editor = @getEditor() return unless editor? linePos = editor.getCursorScreenPosition().row linePos++ if @getConfigValue 'SearchLineBelowInstead' classDef = @getClassDef(editor, linePos) functionDef = @getFunctionDef(editor, linePos) return unless classDef? or functionDef? snippet = @generateSnippetClass(classDef) if classDef? snippet = @generateSnippetFunc(functionDef) if functionDef? @writeSnippet(editor, snippet) # Public: Write a snippet into active editor using the snippets package. # # editor - The Editor the snippet gets activated in. # str - The {String} containing the snippet code. writeSnippet: (editor, str) -> return if not editor? or not str? if @getConfigValue 'SearchLineBelowInstead' editor?.insertNewline() else editor?.insertNewlineAbove() Snippets = atom.packages.activePackages.snippets.mainModule Snippets?.insert(str, editor) # Public: Generates a suitable snippet base on the functionDef. # # functionDef - The {Object} with the function definition: # :name - {String} with name of the function. # :args - {Array} with function arguments. # # Returns: The generated snippet as {String}. generateSnippetFunc: (functionDef) -> functionName = functionDef.name functionArgs = functionDef.args snippet = ''' # ${1:Public}: ${2:[Description]} ''' snippetIndex = 3 if functionArgs.length>=1 snippet += '\n#' functionArgs = @indentFunctionArgs(functionArgs) for arg in functionArgs snippet += "\n# #{arg} - The ${#{snippetIndex}:[description]} as {${#{snippetIndex+1}:[type]}}." snippetIndex = snippetIndex+2 if @getConfigValue('addReturns') returnType = @getConfigValue('ReturnsDefaultType') returnTemplate = @getConfigValue('ReturnsTemplate') [partial] = partialSnippetReturns(returnTemplate, returnType, snippetIndex) snippet += '\n#\n# ' + partial snippet += '$0' # Public: Generates a suitable snippet base for the classDef. # # classDef - The class definition as {Object}: # :name - The name of the class as {String}. # :extends - The name of the class that is being extended as {String}. # # Returns: The snippet as {String}. generateSnippetClass: (classDef) -> className = classDef.name classExtends = classDef.extends if not classExtends? snippet = ''' # ${1:Public}: ${2:[Description]}. ''' else snippet = """ # ${1:Public}: ${2:[Description]} that extends the {#{classExtends}} prototype. """ snippet # Public: Indentates the arguments and removes default values. # # args - The {Array} containing the function arguments. # # Returns: The indented arguments as {Array}. indentFunctionArgs: (args) -> maxLength = 1 for arg, i in args arg = args[i] = arg.split('=')[0] if arg.length > maxLength maxLength = arg.length for arg, i in args args[i] = @appendWhitespaces(arg, maxLength-arg.length) return args # Internal: Appends n whitespaces to str. # # str - The {String} to append to. # n - The amount of whitespaces to append. # # Returns: str as {String} with appended whitespaces. appendWhitespaces: (str, n) -> return str if n<1 str += ' ' for [0...n] return str # Internal: Parses the 'Returns' template and inserts the type if necessary. # # template - The template as {String}. # %TYPE% will be surrounded by braces # %type% will be without any brackets. # typeReturn - The type that is being returned as {String}. # snippetIndex - The snippetIndex as {Number}. # # Returns an {Array} with: # :0 - The parsed template. # :1 - The next free snippetIndex as {Number}. partialSnippetReturns = (template, typeReturn, snippetIndex) -> indexType = _.max template.indexOf('%TYPE%'), template.indexOf('%type%') indexDescription = template.indexOf('%desc%') containsType = indexType > -1 containsDesc = indexDescription > -1 if containsType and containsDesc if indexType > indexDescription replacementDescription = "${#{snippetIndex}:[Description]}" replacementBraced = "{${#{snippetIndex+1}:#{typeReturn}}}" replacementUnbraced = "${#{snippetIndex+1}:#{typeReturn}}" else replacementDescription = "${#{snippetIndex+1}:[Description]}" replacementBraced = "{${#{snippetIndex}:#{typeReturn}}}" replacementUnbraced = "${#{snippetIndex}:#{typeReturn}}" snippetIndex += 2 else replacementDescription = "${#{snippetIndex}:[Description]}" replacementBraced = "{${#{snippetIndex+1}:#{typeReturn}}}" replacementUnbraced = "${#{snippetIndex+1}:#{typeReturn}}" snippetIndex += 1 if containsType or containsDesc template = template.replace '%desc%', replacementDescription template = template.replace '%TYPE%', replacementBraced template = template.replace '%type%', replacementUnbraced [template, snippetIndex] module.exports = CoffeeDocs
true
# Public: [Description]. # Copyright (c) 2014 by PI:NAME:<NAME>END_PI. See LICENSE for details. # _ = require 'lodash' # Public: CoffeeDocs main class.. class CoffeeDocs # Public: Returns the setting under the key 'key'. # # key - The config key as {String}. # # Returns: Returns the value of config key. getConfigValue: (key) -> switch key when 'addReturns' value = atom.config.get('coffeedocs.addReturns') value ?= atom.config.getDefault('coffeedocs.addReturns') when 'ReturnsDefaultType' value = atom.config.get('coffeedocs.ReturnsDefaultType') value ?= atom.config.getDefault('coffeedocs.ReturnsDefaultType') when 'SearchLineBelowInstead' value = atom.config.get('coffeedocs.SearchLineBelowInstead') value ?= atom.config.getDefault('coffeedocs.SearchLineBelowInstead') when 'argumentsTemplate' value = atom.config.get('coffeedocs.argumentsTemplate') value ?= atom.config.getDefault('coffeedocs.argumentsTemplate') when 'ReturnsTemplate' value = atom.config.get('coffeedocs.ReturnsTemplate') value ?= atom.config.getDefault('coffeedocs.ReturnsTemplate') else value ?= null value # Public: Get the active Editor. # # Returns: The active Editor. getEditor: -> atom.workspace.getActiveTextEditor() # Public: Returns the function definition from row n. # # editor - The Editor to read from. # n - The row number to read from. # # Returns: The function definition as {Object}: # :name - The name of the function as {String}. # :args - The arguments of the function as {Array}. getFunctionDef: (editor, n) -> return unless @isFunctionDef(editor, n) regex = /\s*([a-zA-Z_$@][a-zA-Z_$0-9]*) *[:=](\(?.*\)?) *[-=]>.*/ line = @readLine(editor, n)?.match(regex) functionName = line[1] functionArgs = [] if /.*\((.*)\).*/.test line[2] line = line[2].match /.*\((.*)\).*/ functionArgs = line[1].split(',') for arg, i in functionArgs functionArgs[i] = arg.match(/\s*@?(.*)\s*/)[1] return {name: functionName, args: functionArgs} # Public: Checks if the active line defines a function. # # editor - The Editor to check from. # n - The row {Number} to check. # # Returns: {Boolean} isFunctionDef: (editor, n) -> regex = /\s*([a-zA-Z_$@][a-zA-Z_$0-9]*) *[:=](\(?.*\)?) *[-=]>.*/ line = @readLine(editor, n) regex.test(line) # Public: Test if the line n defines a class. # # editor - The Editor to check from as {Object}. # n - The row to check as {Number}. # # Returns: {Boolean} isClassDef: (editor, n) -> regex = /[ \t]*class[ \t]*([$_a-zA-z0-9]+)[ \t]*(?:extends)?[ \t]*([$_a-zA-z0-9]*)/g line = @readLine(editor, n) regex.test(line) # Public: Get the class definition from row n. # # editor - The Editor to read from as {Object}. # n - The row to read from as {Number}. # # Returns: The class definition as {Object}: # :name - The name of the class as {String}. # :extends - The name of the class that is being extended as {String} or # `null` if there is none. getClassDef: (editor, n) -> regex = /[ \t]*class[ \t]*([$_a-zA-z0-9]+)[ \t]*(?:extends)?[ \t]*([$_a-zA-z0-9]*)/ line = @readLine(editor, n)?.match(regex) {name: line?[1] or null, 'extends': if line?[2]?.length>0 then line[2] else null} # Public: Read the specified line. # # editor - The Editor to read from. If not set, use the active Editor. # n - The row {Number} to read from. # # Returns: The line as {String}. readLine: (editor, n) -> editor = @getEditor() unless editor? return editor.getCursor()?.getCurrentBufferLine() unless n? editor.lineTextForBufferRow(n) # Public Static: Parse the active line. parse: -> editor = @getEditor() return unless editor? linePos = editor.getCursorScreenPosition().row linePos++ if @getConfigValue 'SearchLineBelowInstead' classDef = @getClassDef(editor, linePos) functionDef = @getFunctionDef(editor, linePos) return unless classDef? or functionDef? snippet = @generateSnippetClass(classDef) if classDef? snippet = @generateSnippetFunc(functionDef) if functionDef? @writeSnippet(editor, snippet) # Public: Write a snippet into active editor using the snippets package. # # editor - The Editor the snippet gets activated in. # str - The {String} containing the snippet code. writeSnippet: (editor, str) -> return if not editor? or not str? if @getConfigValue 'SearchLineBelowInstead' editor?.insertNewline() else editor?.insertNewlineAbove() Snippets = atom.packages.activePackages.snippets.mainModule Snippets?.insert(str, editor) # Public: Generates a suitable snippet base on the functionDef. # # functionDef - The {Object} with the function definition: # :name - {String} with name of the function. # :args - {Array} with function arguments. # # Returns: The generated snippet as {String}. generateSnippetFunc: (functionDef) -> functionName = functionDef.name functionArgs = functionDef.args snippet = ''' # ${1:Public}: ${2:[Description]} ''' snippetIndex = 3 if functionArgs.length>=1 snippet += '\n#' functionArgs = @indentFunctionArgs(functionArgs) for arg in functionArgs snippet += "\n# #{arg} - The ${#{snippetIndex}:[description]} as {${#{snippetIndex+1}:[type]}}." snippetIndex = snippetIndex+2 if @getConfigValue('addReturns') returnType = @getConfigValue('ReturnsDefaultType') returnTemplate = @getConfigValue('ReturnsTemplate') [partial] = partialSnippetReturns(returnTemplate, returnType, snippetIndex) snippet += '\n#\n# ' + partial snippet += '$0' # Public: Generates a suitable snippet base for the classDef. # # classDef - The class definition as {Object}: # :name - The name of the class as {String}. # :extends - The name of the class that is being extended as {String}. # # Returns: The snippet as {String}. generateSnippetClass: (classDef) -> className = classDef.name classExtends = classDef.extends if not classExtends? snippet = ''' # ${1:Public}: ${2:[Description]}. ''' else snippet = """ # ${1:Public}: ${2:[Description]} that extends the {#{classExtends}} prototype. """ snippet # Public: Indentates the arguments and removes default values. # # args - The {Array} containing the function arguments. # # Returns: The indented arguments as {Array}. indentFunctionArgs: (args) -> maxLength = 1 for arg, i in args arg = args[i] = arg.split('=')[0] if arg.length > maxLength maxLength = arg.length for arg, i in args args[i] = @appendWhitespaces(arg, maxLength-arg.length) return args # Internal: Appends n whitespaces to str. # # str - The {String} to append to. # n - The amount of whitespaces to append. # # Returns: str as {String} with appended whitespaces. appendWhitespaces: (str, n) -> return str if n<1 str += ' ' for [0...n] return str # Internal: Parses the 'Returns' template and inserts the type if necessary. # # template - The template as {String}. # %TYPE% will be surrounded by braces # %type% will be without any brackets. # typeReturn - The type that is being returned as {String}. # snippetIndex - The snippetIndex as {Number}. # # Returns an {Array} with: # :0 - The parsed template. # :1 - The next free snippetIndex as {Number}. partialSnippetReturns = (template, typeReturn, snippetIndex) -> indexType = _.max template.indexOf('%TYPE%'), template.indexOf('%type%') indexDescription = template.indexOf('%desc%') containsType = indexType > -1 containsDesc = indexDescription > -1 if containsType and containsDesc if indexType > indexDescription replacementDescription = "${#{snippetIndex}:[Description]}" replacementBraced = "{${#{snippetIndex+1}:#{typeReturn}}}" replacementUnbraced = "${#{snippetIndex+1}:#{typeReturn}}" else replacementDescription = "${#{snippetIndex+1}:[Description]}" replacementBraced = "{${#{snippetIndex}:#{typeReturn}}}" replacementUnbraced = "${#{snippetIndex}:#{typeReturn}}" snippetIndex += 2 else replacementDescription = "${#{snippetIndex}:[Description]}" replacementBraced = "{${#{snippetIndex+1}:#{typeReturn}}}" replacementUnbraced = "${#{snippetIndex+1}:#{typeReturn}}" snippetIndex += 1 if containsType or containsDesc template = template.replace '%desc%', replacementDescription template = template.replace '%TYPE%', replacementBraced template = template.replace '%type%', replacementUnbraced [template, snippetIndex] module.exports = CoffeeDocs
[ { "context": "Login\n email: form.email,\n password: form.password\n\n onError = (response) ->\n error", "end": 588, "score": 0.5212036967277527, "start": 584, "tag": "PASSWORD", "value": "form" } ]
app/assets/javascripts/ng-app/controllers/modal/user_modal_instance_controller.coffee
jonkerz/kingscourt
2
angular.module "KingsCourt" .controller "UserModalInstanceCtrl", ($scope, $uibModalInstance, $auth) -> $scope.$on "auth:login-success", (event, mass) -> $uibModalInstance.close() $scope.ok = -> $uibModalInstance.close() $scope.cancel = -> $uibModalInstance.dismiss "cancel" $scope.submitLogin = (form) -> onError = (response) -> $scope.errors = response.errors.join(", ") $auth.submitLogin(form).then().catch onError $scope.submitRegistration = (form) -> onSuccess = (response) -> $auth.submitLogin email: form.email, password: form.password onError = (response) -> errors = response.data.errors $scope.errors = if errors.full_messages? errors.full_messages.join(", ") else errors.join(", ") $auth.submitRegistration(form).then(onSuccess).catch onError $scope.requestPasswordReset = (form) -> onSuccess = (response) -> $scope.notice = response.data.message onError = (response) -> $scope.errors = response.errors.join(", ") $auth.requestPasswordReset(form).then(onSuccess).catch onError $scope.updatePassword = (form) -> onSuccess = (response) -> $scope.notice = response.data.message onError = (response) -> errors = response.data.errors $scope.errors = if errors.full_messages? errors.full_messages.join(", ") else errors.join(", ") $auth.updatePassword(form).then(onSuccess).catch onError
11005
angular.module "KingsCourt" .controller "UserModalInstanceCtrl", ($scope, $uibModalInstance, $auth) -> $scope.$on "auth:login-success", (event, mass) -> $uibModalInstance.close() $scope.ok = -> $uibModalInstance.close() $scope.cancel = -> $uibModalInstance.dismiss "cancel" $scope.submitLogin = (form) -> onError = (response) -> $scope.errors = response.errors.join(", ") $auth.submitLogin(form).then().catch onError $scope.submitRegistration = (form) -> onSuccess = (response) -> $auth.submitLogin email: form.email, password: <PASSWORD>.password onError = (response) -> errors = response.data.errors $scope.errors = if errors.full_messages? errors.full_messages.join(", ") else errors.join(", ") $auth.submitRegistration(form).then(onSuccess).catch onError $scope.requestPasswordReset = (form) -> onSuccess = (response) -> $scope.notice = response.data.message onError = (response) -> $scope.errors = response.errors.join(", ") $auth.requestPasswordReset(form).then(onSuccess).catch onError $scope.updatePassword = (form) -> onSuccess = (response) -> $scope.notice = response.data.message onError = (response) -> errors = response.data.errors $scope.errors = if errors.full_messages? errors.full_messages.join(", ") else errors.join(", ") $auth.updatePassword(form).then(onSuccess).catch onError
true
angular.module "KingsCourt" .controller "UserModalInstanceCtrl", ($scope, $uibModalInstance, $auth) -> $scope.$on "auth:login-success", (event, mass) -> $uibModalInstance.close() $scope.ok = -> $uibModalInstance.close() $scope.cancel = -> $uibModalInstance.dismiss "cancel" $scope.submitLogin = (form) -> onError = (response) -> $scope.errors = response.errors.join(", ") $auth.submitLogin(form).then().catch onError $scope.submitRegistration = (form) -> onSuccess = (response) -> $auth.submitLogin email: form.email, password: PI:PASSWORD:<PASSWORD>END_PI.password onError = (response) -> errors = response.data.errors $scope.errors = if errors.full_messages? errors.full_messages.join(", ") else errors.join(", ") $auth.submitRegistration(form).then(onSuccess).catch onError $scope.requestPasswordReset = (form) -> onSuccess = (response) -> $scope.notice = response.data.message onError = (response) -> $scope.errors = response.errors.join(", ") $auth.requestPasswordReset(form).then(onSuccess).catch onError $scope.updatePassword = (form) -> onSuccess = (response) -> $scope.notice = response.data.message onError = (response) -> errors = response.data.errors $scope.errors = if errors.full_messages? errors.full_messages.join(", ") else errors.join(", ") $auth.updatePassword(form).then(onSuccess).catch onError
[ { "context": ">\n shouldMatch \"\"\"\n* Abc. Def.\n* Jkl. Mno.\n\n- Adam. Bravo.\n- Charlie. Dog.\n \"\"\", \"\"\"\n* Abc.\n D", "end": 1582, "score": 0.9886534810066223, "start": 1578, "tag": "NAME", "value": "Adam" }, { "context": " shouldMatch \"\"\"\n* Abc. Def.\n* Jkl. Mno.\n\n- Adam. Bravo.\n- Charlie. Dog.\n \"\"\", \"\"\"\n* Abc.\n Def.\n* J", "end": 1589, "score": 0.7319833040237427, "start": 1584, "tag": "NAME", "value": "Bravo" }, { "context": "atch \"\"\"\n* Abc. Def.\n* Jkl. Mno.\n\n- Adam. Bravo.\n- Charlie. Dog.\n \"\"\", \"\"\"\n* Abc.\n Def.\n* Jkl.\n Mno.\n", "end": 1600, "score": 0.961973249912262, "start": 1593, "tag": "NAME", "value": "Charlie" }, { "context": "* Abc. Def.\n* Jkl. Mno.\n\n- Adam. Bravo.\n- Charlie. Dog.\n \"\"\", \"\"\"\n* Abc.\n Def.\n* Jkl.\n Mno.\n\n- Ad", "end": 1605, "score": 0.7097751498222351, "start": 1602, "tag": "NAME", "value": "Dog" }, { "context": "harlie. Dog.\n \"\"\", \"\"\"\n* Abc.\n Def.\n* Jkl.\n Mno.\n\n- Adam.\n Bravo.\n- Charlie.\n Dog.\n \"\"\"\n\n ", "end": 1648, "score": 0.9994509220123291, "start": 1645, "tag": "NAME", "value": "Mno" }, { "context": "Dog.\n \"\"\", \"\"\"\n* Abc.\n Def.\n* Jkl.\n Mno.\n\n- Adam.\n Bravo.\n- Charlie.\n Dog.\n \"\"\"\n\n it \"le", "end": 1657, "score": 0.9997705221176147, "start": 1653, "tag": "NAME", "value": "Adam" }, { "context": " \"\"\", \"\"\"\n* Abc.\n Def.\n* Jkl.\n Mno.\n\n- Adam.\n Bravo.\n- Charlie.\n Dog.\n \"\"\"\n\n it \"leaves trai", "end": 1666, "score": 0.9995132684707642, "start": 1661, "tag": "NAME", "value": "Bravo" }, { "context": "\"\"\n* Abc.\n Def.\n* Jkl.\n Mno.\n\n- Adam.\n Bravo.\n- Charlie.\n Dog.\n \"\"\"\n\n it \"leaves trailing parent", "end": 1677, "score": 0.9996070861816406, "start": 1670, "tag": "NAME", "value": "Charlie" } ]
spec/autoflow-diffable-spec.coffee
ben/autoflow-diffable
3
AutoflowDiffable = require '../lib/autoflow-diffable' # Use the command `window:run-package-specs` (cmd-alt-ctrl-p) to run specs. # # To run a specific `it` or `describe` block add an `f` to the front (e.g. `fit` # or `fdescribe`). Remove the `f` to unfocus the block. # Helper shouldMatch = (input, expected) -> expected ||= input expect(AutoflowDiffable.reflow input.trim()).toEqual expected.trim() describe "AutoflowDiffable", -> describe "reflowing paragraphs", -> it "reflows sentences", -> shouldMatch "Abc def. Ghi? Jkl mno pqr! stu", """ Abc def. Ghi? Jkl mno pqr! stu """ it "works when text isn't really punctuated", -> shouldMatch "== A chapter" it "doesn't reflow single blocks that shouldn't be reflowed", -> shouldMatch """ == A Chapter Title. Deal With It. == .An Asciidoc thingy image::images/foobar.png[The alt-text for this image.] --[source,shell] ---- Shell blocks. They shouldn't be rewrapped. ---- indented code blocks. they shouldn't be rewrapped either. foobar. """ it "handles multi-block parts of a document", -> shouldMatch """ ``` This shouldn't wrap. At all. Not this either. Not one bit. ``` """ it "handles punctuation", -> shouldMatch """ This is a sentence. "This is also a sentence." 'So is this.' """, """ This is a sentence. "This is also a sentence." 'So is this.' """ it "doesn't rewrite urls", -> shouldMatch "kernel.org is a website." it "rewraps and indents lists", -> shouldMatch """ * Abc. Def. * Jkl. Mno. - Adam. Bravo. - Charlie. Dog. """, """ * Abc. Def. * Jkl. Mno. - Adam. Bravo. - Charlie. Dog. """ it "leaves trailing parentheses and quotes", -> shouldMatch """ "A sentence." And not a sentence. (A parenthetical.) And not a parenthetical. ("Both in one.") Hopefully. """, """ "A sentence." And not a sentence. (A parenthetical.) And not a parenthetical. ("Both in one.") Hopefully. """
95242
AutoflowDiffable = require '../lib/autoflow-diffable' # Use the command `window:run-package-specs` (cmd-alt-ctrl-p) to run specs. # # To run a specific `it` or `describe` block add an `f` to the front (e.g. `fit` # or `fdescribe`). Remove the `f` to unfocus the block. # Helper shouldMatch = (input, expected) -> expected ||= input expect(AutoflowDiffable.reflow input.trim()).toEqual expected.trim() describe "AutoflowDiffable", -> describe "reflowing paragraphs", -> it "reflows sentences", -> shouldMatch "Abc def. Ghi? Jkl mno pqr! stu", """ Abc def. Ghi? Jkl mno pqr! stu """ it "works when text isn't really punctuated", -> shouldMatch "== A chapter" it "doesn't reflow single blocks that shouldn't be reflowed", -> shouldMatch """ == A Chapter Title. Deal With It. == .An Asciidoc thingy image::images/foobar.png[The alt-text for this image.] --[source,shell] ---- Shell blocks. They shouldn't be rewrapped. ---- indented code blocks. they shouldn't be rewrapped either. foobar. """ it "handles multi-block parts of a document", -> shouldMatch """ ``` This shouldn't wrap. At all. Not this either. Not one bit. ``` """ it "handles punctuation", -> shouldMatch """ This is a sentence. "This is also a sentence." 'So is this.' """, """ This is a sentence. "This is also a sentence." 'So is this.' """ it "doesn't rewrite urls", -> shouldMatch "kernel.org is a website." it "rewraps and indents lists", -> shouldMatch """ * Abc. Def. * Jkl. Mno. - <NAME>. <NAME>. - <NAME>. <NAME>. """, """ * Abc. Def. * Jkl. <NAME>. - <NAME>. <NAME>. - <NAME>. Dog. """ it "leaves trailing parentheses and quotes", -> shouldMatch """ "A sentence." And not a sentence. (A parenthetical.) And not a parenthetical. ("Both in one.") Hopefully. """, """ "A sentence." And not a sentence. (A parenthetical.) And not a parenthetical. ("Both in one.") Hopefully. """
true
AutoflowDiffable = require '../lib/autoflow-diffable' # Use the command `window:run-package-specs` (cmd-alt-ctrl-p) to run specs. # # To run a specific `it` or `describe` block add an `f` to the front (e.g. `fit` # or `fdescribe`). Remove the `f` to unfocus the block. # Helper shouldMatch = (input, expected) -> expected ||= input expect(AutoflowDiffable.reflow input.trim()).toEqual expected.trim() describe "AutoflowDiffable", -> describe "reflowing paragraphs", -> it "reflows sentences", -> shouldMatch "Abc def. Ghi? Jkl mno pqr! stu", """ Abc def. Ghi? Jkl mno pqr! stu """ it "works when text isn't really punctuated", -> shouldMatch "== A chapter" it "doesn't reflow single blocks that shouldn't be reflowed", -> shouldMatch """ == A Chapter Title. Deal With It. == .An Asciidoc thingy image::images/foobar.png[The alt-text for this image.] --[source,shell] ---- Shell blocks. They shouldn't be rewrapped. ---- indented code blocks. they shouldn't be rewrapped either. foobar. """ it "handles multi-block parts of a document", -> shouldMatch """ ``` This shouldn't wrap. At all. Not this either. Not one bit. ``` """ it "handles punctuation", -> shouldMatch """ This is a sentence. "This is also a sentence." 'So is this.' """, """ This is a sentence. "This is also a sentence." 'So is this.' """ it "doesn't rewrite urls", -> shouldMatch "kernel.org is a website." it "rewraps and indents lists", -> shouldMatch """ * Abc. Def. * Jkl. Mno. - PI:NAME:<NAME>END_PI. PI:NAME:<NAME>END_PI. - PI:NAME:<NAME>END_PI. PI:NAME:<NAME>END_PI. """, """ * Abc. Def. * Jkl. PI:NAME:<NAME>END_PI. - PI:NAME:<NAME>END_PI. PI:NAME:<NAME>END_PI. - PI:NAME:<NAME>END_PI. Dog. """ it "leaves trailing parentheses and quotes", -> shouldMatch """ "A sentence." And not a sentence. (A parenthetical.) And not a parenthetical. ("Both in one.") Hopefully. """, """ "A sentence." And not a sentence. (A parenthetical.) And not a parenthetical. ("Both in one.") Hopefully. """
[ { "context": "true\n params = @validate()\n {serverCode, username, password, email} = params\n if serverCode an", "end": 3719, "score": 0.9522688984870911, "start": 3711, "tag": "USERNAME", "value": "username" }, { "context": "e: @validateUsername()\n password: @validatePassword()\n email: @validateEmail()\n if @input", "end": 8175, "score": 0.8651750087738037, "start": 8167, "tag": "PASSWORD", "value": "Password" }, { "context": "veServerCode()\n else\n null\n\n # TODO @jrwdunham: clean the username in situ\n validateUsername:", "end": 8682, "score": 0.9981233477592468, "start": 8672, "tag": "USERNAME", "value": "@jrwdunham" }, { "context": "ername').val().trim()\n username = @required 'username', username\n if username\n convertedUse", "end": 8829, "score": 0.9112768173217773, "start": 8821, "tag": "USERNAME", "value": "username" }, { "context": "vertedUsername\n else\n null\n\n # TODO @jrwdunham: convert username in the input, with notification", "end": 9212, "score": 0.9673725366592407, "start": 9202, "tag": "USERNAME", "value": "@jrwdunham" }, { "context": "t')\n .text(msg)\n .show()\n\n # TODO @jrwdunham: put this in the (to-be-created) Help JSON object", "end": 11546, "score": 0.9974788427352905, "start": 11536, "tag": "USERNAME", "value": "@jrwdunham" }, { "context": "ly changed your requested\",\n # \"username to '#{username}' instead. \\n\\n(The username you have\",\n # \"ch", "end": 11704, "score": 0.9505147337913513, "start": 11696, "tag": "USERNAME", "value": "username" } ]
app/scripts/views/register-dialog.coffee
OpenSourceFieldlinguistics/dative
7
define [ 'backbone' './base' './active-server' './../templates/register-dialog' './../utils/utils' ], (Backbone, BaseView, ActiveServerView, registerDialogTemplate, utils) -> # RegisterDialogView # ------------------ # # This is a dialog box for registering an account on a Dative server, i.e., # a FieldDB web service. When the selected server is an OLD web service, a # message is displayed which instructs the user to contact the administrator # of a particular OLD web service or to install/setup an OLD of their own. class RegisterDialogView extends BaseView template: registerDialogTemplate initialize: -> @listenTo Backbone, 'registerDialog:toggle', @toggle @listenTo @model, 'change:activeServer', @serverDependentRegistration if @model.get('activeServer') @listenTo @model.get('activeServer'), 'change:type', @serverDependentRegistration @listenTo Backbone, 'authenticate:end', @registerEnd @listenTo Backbone, 'register:success', @registerSuccess @listenTo Backbone, 'login-dialog:open', @dialogClose @activeServerView = new ActiveServerView model: @model width: 252 label: 'Server *' tooltipContent: 'select a server to register with' tooltipPosition: my: "right-130 center" at: "left center" collision: "flipfit" registerEnd: -> @enableRegisterButton() registerSuccess: (responseJSON) -> @dialogClose() {serverCode, username, password, email} = @validate() # AppView will listen to this and tell login to open with values from # register. Backbone.trigger 'loginSuggest', username, password # WARN: `input` event requires a modern browser; `keyup` is almost as good. events: 'input .dative-register-dialog-widget .username': 'validate' 'keydown .dative-register-dialog-widget .username': 'submitWithEnter' 'input .dative-register-dialog-widget .password': 'validate' 'keydown .dative-register-dialog-widget .password': 'submitWithEnter' 'input .dative-register-dialog-widget .passwordConfirm': 'validate' 'keydown .dative-register-dialog-widget .passwordConfirm': 'submitWithEnter' 'input .dative-register-dialog-widget .email': 'validate' 'keydown .dative-register-dialog-widget .email': 'submitWithEnter' 'dialogdragstart': 'closeAllTooltips' render: -> @$el.append @template(@model.attributes) @renderActiveServerView() @serverDependentRegistration() @$source = @$ '.dative-register-dialog' # outer DIV from template @$target = @$ '.dative-register-dialog-target' # outer DIV to which jQueryUI dialog appends @dialogify() @tooltipify() @ renderActiveServerView: -> @activeServerView.setElement @$('li.active-server').first() @activeServerView.render() @rendered @activeServerView getActiveServerType: -> try @model.get('activeServer')?.get 'type' catch null getActiveServerCode: -> @model.get('activeServer')?.get 'serverCode' submitWithEnter: (event) -> if event.which is 13 event.preventDefault() event.stopPropagation() registerButton = @$target.find '.register' disabled = registerButton.button 'option', 'disabled' if not disabled then registerButton.click() # calls `@register()` # Triggers Backbone-wide event for model to make register request. # Backbone.trigger 'longTask:deregister', taskId # Backbone.trigger 'authenticate:end' register: -> @_submitAttempted = true params = @validate() {serverCode, username, password, email} = params if serverCode and username and password and email @$target.find('.register').button 'disable' Backbone.trigger 'authenticate:register', params # Modal dialog-specific stuff (jQueryUI) # ========================================================================== # Transform the register dialog HTML to a jQueryUI dialog box. dialogify: -> @$source.find('input').css('border-color', @constructor.jQueryUIColors().defBo) @$source.dialog hide: {effect: 'fade'} show: {effect: 'fade'} autoOpen: false appendTo: @$target buttons: [ text: 'Register' click: => @register() class: 'register dative-tooltip' ] dialogClass: 'dative-register-dialog-widget' title: 'Register' width: 'auto' create: => @$target.find('button').attr('tabindex', 0).end() .find('input').css('border-color', @constructor.jQueryUIColors().defBo) @fontAwesomateCloseIcon() open: => @initializeDialog() @selectmenuify() @tabindicesNaught() @disableRegisterButton() tooltipify: -> @$('button.register') .tooltip content: 'send a registration request to the server' items: 'button' position: my: "right-10 center" at: "left center" collision: "flipfit" @$('input').tooltip position: my: "right-130 center" at: "left center" collision: "flipfit" initializeDialog: -> @_submitAttempted = false @$target.find('.password.passwordConfirm').val('').end() .find('span.dative-register-validation').text('').hide() @focusFirstInput() focusFirstInput: -> @$target.find('input').first().focus() dialogOpen: -> Backbone.trigger 'register-dialog:open' @$source.dialog 'open' dialogClose: -> @$source.dialog 'close' isOpen: -> @$source.dialog 'isOpen' toggle: -> if @isOpen() then @dialogClose() else @dialogOpen() # Show registration fields only for FieldDB servers # ========================================================================== serverDependentRegistration: -> serverType = @getActiveServerType() switch serverType when 'OLD' then @oldHelp() when 'FieldDB' then @registrationActive() else @registrationInactive() registrationActive: -> @showInputs() @hideOLDHelpText() @hideGeneralHelpText() @enableRegisterButton() oldHelp: -> @hideInputs() @showOLDHelpText() @hideGeneralHelpText() @disableRegisterButton() registrationInactive: -> @hideInputs() @hideOLDHelpText() @showGeneralHelpText() @disableRegisterButton() showInputs: -> @$('.fielddb').stop().slideDown duration: 'medium', queue: false hideInputs: -> @$('.fielddb').stop().slideUp() showOLDHelpText: -> @$('.old').stop().slideDown duration: 'medium', queue: false hideOLDHelpText: -> @$('.old').stop().slideUp duration: 'medium', queue: false showGeneralHelpText: -> @$('.none').stop().slideDown duration: 'medium', queue: false hideGeneralHelpText: -> @$('.none').stop().slideUp duration: 'medium', queue: false # General GUI manipulation # ========================================================================== enableRegisterButton: -> @$('button.register').button 'enable' disableRegisterButton: -> @$('button.register').button 'disable' selectmenuify: -> @$target.find('select').selectmenu width: 252 @focusFirstInput() # Tabindices=0 and jQueryUI colors tabindicesNaught: -> @$('button, select, input, textarea, div.dative-input-display, span.ui-selectmenu-button') .css("border-color", @constructor.jQueryUIColors().defBo) .attr('tabindex', 0) # Validation logic # ========================================================================== # Validate register form input and return field values as object. # Side-effects are button dis/en-abling and message popups. validate: -> inputs = serverCode: @validateServerCode() username: @validateUsername() password: @validatePassword() email: @validateEmail() if @inputsAreValid inputs @enableRegisterButton() else @disableRegisterButton() inputs # Inputs are valid if they don't contain falsey values. inputsAreValid: (inputs) -> if _.filter(_.values(inputs), (x) -> not x).length then false else true validateServerCode: -> serverType = @getActiveServerType() if serverType is 'FieldDB' @getActiveServerCode() else null # TODO @jrwdunham: clean the username in situ validateUsername: -> username = @$target.find('.username').val().trim() username = @required 'username', username if username convertedUsername = @convertUsername username if convertedUsername is username @$(".username-validation").first().hide() else @showInfo 'username', 'lowercase letters and numbers only' @replaceUsernameInField convertedUsername convertedUsername else null # TODO @jrwdunham: convert username in the input, with notification. convertUsername: (username) -> username.toLowerCase().replace /[^0-9a-z]/g, "" replaceUsernameInField: (convertedUsername) -> @$('input.username').first().val convertedUsername validatePassword: -> password = @$target.find('.password').val().trim() passwordConfirm = @$target.find('.passwordConfirm').val().trim() password = @required 'password', password passwordConfirm = @required 'passwordConfirm', passwordConfirm if password and passwordConfirm if password is passwordConfirm @$(".password-validation").first().hide() @$(".passwordConfirm-validation").first().hide() password else @showError 'password', "passwords don't match" @showError 'passwordConfirm', "passwords don't match" null else null # NOTE: we are not REQUIRING a valid email, just warning about probably # malformed ones. This is because there are probably *some* valid emails # that will fail this validation ... # NOTE also: FieldDB does server-side email validation by attempting to # send a registration confirmation email. I think the result of this attempt # is indicated in the returned JSON. validateEmail: -> email = @$target.find('.email').val().trim() email = @required 'email', email if email and not utils.emailIsValid email @showInfo 'email', "warning: this doesn't look like a valid email" email # `attr` must have a value; indicate that and return `null` if no `val`. required: (attr, val) -> if val @$(".#{attr}-validation").first().hide() val else if @_submitAttempted then @showError attr, 'required' null # Show INFO message for the `attr`ibute, e.g., email, username showInfo: (attr, msg) -> @$(".#{attr}-validation").first() .removeClass('ui-state-error') .addClass('ui-state-highlight') .text(msg) .show() # Show ERROR message for the `attr`ibute, e.g., email, username showError: (attr, msg) -> @$(".#{attr}-validation").first() .addClass('ui-state-error') .removeClass('ui-state-highlight') .text(msg) .show() # TODO @jrwdunham: put this in the (to-be-created) Help JSON object # notificationMessage = ["We have automatically changed your requested", # "username to '#{username}' instead. \n\n(The username you have", # "chosen isn't very safe for urls, which means your corpora would be", # "potentially inaccessible in old browsers)"].join ' '
150595
define [ 'backbone' './base' './active-server' './../templates/register-dialog' './../utils/utils' ], (Backbone, BaseView, ActiveServerView, registerDialogTemplate, utils) -> # RegisterDialogView # ------------------ # # This is a dialog box for registering an account on a Dative server, i.e., # a FieldDB web service. When the selected server is an OLD web service, a # message is displayed which instructs the user to contact the administrator # of a particular OLD web service or to install/setup an OLD of their own. class RegisterDialogView extends BaseView template: registerDialogTemplate initialize: -> @listenTo Backbone, 'registerDialog:toggle', @toggle @listenTo @model, 'change:activeServer', @serverDependentRegistration if @model.get('activeServer') @listenTo @model.get('activeServer'), 'change:type', @serverDependentRegistration @listenTo Backbone, 'authenticate:end', @registerEnd @listenTo Backbone, 'register:success', @registerSuccess @listenTo Backbone, 'login-dialog:open', @dialogClose @activeServerView = new ActiveServerView model: @model width: 252 label: 'Server *' tooltipContent: 'select a server to register with' tooltipPosition: my: "right-130 center" at: "left center" collision: "flipfit" registerEnd: -> @enableRegisterButton() registerSuccess: (responseJSON) -> @dialogClose() {serverCode, username, password, email} = @validate() # AppView will listen to this and tell login to open with values from # register. Backbone.trigger 'loginSuggest', username, password # WARN: `input` event requires a modern browser; `keyup` is almost as good. events: 'input .dative-register-dialog-widget .username': 'validate' 'keydown .dative-register-dialog-widget .username': 'submitWithEnter' 'input .dative-register-dialog-widget .password': 'validate' 'keydown .dative-register-dialog-widget .password': 'submitWithEnter' 'input .dative-register-dialog-widget .passwordConfirm': 'validate' 'keydown .dative-register-dialog-widget .passwordConfirm': 'submitWithEnter' 'input .dative-register-dialog-widget .email': 'validate' 'keydown .dative-register-dialog-widget .email': 'submitWithEnter' 'dialogdragstart': 'closeAllTooltips' render: -> @$el.append @template(@model.attributes) @renderActiveServerView() @serverDependentRegistration() @$source = @$ '.dative-register-dialog' # outer DIV from template @$target = @$ '.dative-register-dialog-target' # outer DIV to which jQueryUI dialog appends @dialogify() @tooltipify() @ renderActiveServerView: -> @activeServerView.setElement @$('li.active-server').first() @activeServerView.render() @rendered @activeServerView getActiveServerType: -> try @model.get('activeServer')?.get 'type' catch null getActiveServerCode: -> @model.get('activeServer')?.get 'serverCode' submitWithEnter: (event) -> if event.which is 13 event.preventDefault() event.stopPropagation() registerButton = @$target.find '.register' disabled = registerButton.button 'option', 'disabled' if not disabled then registerButton.click() # calls `@register()` # Triggers Backbone-wide event for model to make register request. # Backbone.trigger 'longTask:deregister', taskId # Backbone.trigger 'authenticate:end' register: -> @_submitAttempted = true params = @validate() {serverCode, username, password, email} = params if serverCode and username and password and email @$target.find('.register').button 'disable' Backbone.trigger 'authenticate:register', params # Modal dialog-specific stuff (jQueryUI) # ========================================================================== # Transform the register dialog HTML to a jQueryUI dialog box. dialogify: -> @$source.find('input').css('border-color', @constructor.jQueryUIColors().defBo) @$source.dialog hide: {effect: 'fade'} show: {effect: 'fade'} autoOpen: false appendTo: @$target buttons: [ text: 'Register' click: => @register() class: 'register dative-tooltip' ] dialogClass: 'dative-register-dialog-widget' title: 'Register' width: 'auto' create: => @$target.find('button').attr('tabindex', 0).end() .find('input').css('border-color', @constructor.jQueryUIColors().defBo) @fontAwesomateCloseIcon() open: => @initializeDialog() @selectmenuify() @tabindicesNaught() @disableRegisterButton() tooltipify: -> @$('button.register') .tooltip content: 'send a registration request to the server' items: 'button' position: my: "right-10 center" at: "left center" collision: "flipfit" @$('input').tooltip position: my: "right-130 center" at: "left center" collision: "flipfit" initializeDialog: -> @_submitAttempted = false @$target.find('.password.passwordConfirm').val('').end() .find('span.dative-register-validation').text('').hide() @focusFirstInput() focusFirstInput: -> @$target.find('input').first().focus() dialogOpen: -> Backbone.trigger 'register-dialog:open' @$source.dialog 'open' dialogClose: -> @$source.dialog 'close' isOpen: -> @$source.dialog 'isOpen' toggle: -> if @isOpen() then @dialogClose() else @dialogOpen() # Show registration fields only for FieldDB servers # ========================================================================== serverDependentRegistration: -> serverType = @getActiveServerType() switch serverType when 'OLD' then @oldHelp() when 'FieldDB' then @registrationActive() else @registrationInactive() registrationActive: -> @showInputs() @hideOLDHelpText() @hideGeneralHelpText() @enableRegisterButton() oldHelp: -> @hideInputs() @showOLDHelpText() @hideGeneralHelpText() @disableRegisterButton() registrationInactive: -> @hideInputs() @hideOLDHelpText() @showGeneralHelpText() @disableRegisterButton() showInputs: -> @$('.fielddb').stop().slideDown duration: 'medium', queue: false hideInputs: -> @$('.fielddb').stop().slideUp() showOLDHelpText: -> @$('.old').stop().slideDown duration: 'medium', queue: false hideOLDHelpText: -> @$('.old').stop().slideUp duration: 'medium', queue: false showGeneralHelpText: -> @$('.none').stop().slideDown duration: 'medium', queue: false hideGeneralHelpText: -> @$('.none').stop().slideUp duration: 'medium', queue: false # General GUI manipulation # ========================================================================== enableRegisterButton: -> @$('button.register').button 'enable' disableRegisterButton: -> @$('button.register').button 'disable' selectmenuify: -> @$target.find('select').selectmenu width: 252 @focusFirstInput() # Tabindices=0 and jQueryUI colors tabindicesNaught: -> @$('button, select, input, textarea, div.dative-input-display, span.ui-selectmenu-button') .css("border-color", @constructor.jQueryUIColors().defBo) .attr('tabindex', 0) # Validation logic # ========================================================================== # Validate register form input and return field values as object. # Side-effects are button dis/en-abling and message popups. validate: -> inputs = serverCode: @validateServerCode() username: @validateUsername() password: @validate<PASSWORD>() email: @validateEmail() if @inputsAreValid inputs @enableRegisterButton() else @disableRegisterButton() inputs # Inputs are valid if they don't contain falsey values. inputsAreValid: (inputs) -> if _.filter(_.values(inputs), (x) -> not x).length then false else true validateServerCode: -> serverType = @getActiveServerType() if serverType is 'FieldDB' @getActiveServerCode() else null # TODO @jrwdunham: clean the username in situ validateUsername: -> username = @$target.find('.username').val().trim() username = @required 'username', username if username convertedUsername = @convertUsername username if convertedUsername is username @$(".username-validation").first().hide() else @showInfo 'username', 'lowercase letters and numbers only' @replaceUsernameInField convertedUsername convertedUsername else null # TODO @jrwdunham: convert username in the input, with notification. convertUsername: (username) -> username.toLowerCase().replace /[^0-9a-z]/g, "" replaceUsernameInField: (convertedUsername) -> @$('input.username').first().val convertedUsername validatePassword: -> password = @$target.find('.password').val().trim() passwordConfirm = @$target.find('.passwordConfirm').val().trim() password = @required 'password', password passwordConfirm = @required 'passwordConfirm', passwordConfirm if password and passwordConfirm if password is passwordConfirm @$(".password-validation").first().hide() @$(".passwordConfirm-validation").first().hide() password else @showError 'password', "passwords don't match" @showError 'passwordConfirm', "passwords don't match" null else null # NOTE: we are not REQUIRING a valid email, just warning about probably # malformed ones. This is because there are probably *some* valid emails # that will fail this validation ... # NOTE also: FieldDB does server-side email validation by attempting to # send a registration confirmation email. I think the result of this attempt # is indicated in the returned JSON. validateEmail: -> email = @$target.find('.email').val().trim() email = @required 'email', email if email and not utils.emailIsValid email @showInfo 'email', "warning: this doesn't look like a valid email" email # `attr` must have a value; indicate that and return `null` if no `val`. required: (attr, val) -> if val @$(".#{attr}-validation").first().hide() val else if @_submitAttempted then @showError attr, 'required' null # Show INFO message for the `attr`ibute, e.g., email, username showInfo: (attr, msg) -> @$(".#{attr}-validation").first() .removeClass('ui-state-error') .addClass('ui-state-highlight') .text(msg) .show() # Show ERROR message for the `attr`ibute, e.g., email, username showError: (attr, msg) -> @$(".#{attr}-validation").first() .addClass('ui-state-error') .removeClass('ui-state-highlight') .text(msg) .show() # TODO @jrwdunham: put this in the (to-be-created) Help JSON object # notificationMessage = ["We have automatically changed your requested", # "username to '#{username}' instead. \n\n(The username you have", # "chosen isn't very safe for urls, which means your corpora would be", # "potentially inaccessible in old browsers)"].join ' '
true
define [ 'backbone' './base' './active-server' './../templates/register-dialog' './../utils/utils' ], (Backbone, BaseView, ActiveServerView, registerDialogTemplate, utils) -> # RegisterDialogView # ------------------ # # This is a dialog box for registering an account on a Dative server, i.e., # a FieldDB web service. When the selected server is an OLD web service, a # message is displayed which instructs the user to contact the administrator # of a particular OLD web service or to install/setup an OLD of their own. class RegisterDialogView extends BaseView template: registerDialogTemplate initialize: -> @listenTo Backbone, 'registerDialog:toggle', @toggle @listenTo @model, 'change:activeServer', @serverDependentRegistration if @model.get('activeServer') @listenTo @model.get('activeServer'), 'change:type', @serverDependentRegistration @listenTo Backbone, 'authenticate:end', @registerEnd @listenTo Backbone, 'register:success', @registerSuccess @listenTo Backbone, 'login-dialog:open', @dialogClose @activeServerView = new ActiveServerView model: @model width: 252 label: 'Server *' tooltipContent: 'select a server to register with' tooltipPosition: my: "right-130 center" at: "left center" collision: "flipfit" registerEnd: -> @enableRegisterButton() registerSuccess: (responseJSON) -> @dialogClose() {serverCode, username, password, email} = @validate() # AppView will listen to this and tell login to open with values from # register. Backbone.trigger 'loginSuggest', username, password # WARN: `input` event requires a modern browser; `keyup` is almost as good. events: 'input .dative-register-dialog-widget .username': 'validate' 'keydown .dative-register-dialog-widget .username': 'submitWithEnter' 'input .dative-register-dialog-widget .password': 'validate' 'keydown .dative-register-dialog-widget .password': 'submitWithEnter' 'input .dative-register-dialog-widget .passwordConfirm': 'validate' 'keydown .dative-register-dialog-widget .passwordConfirm': 'submitWithEnter' 'input .dative-register-dialog-widget .email': 'validate' 'keydown .dative-register-dialog-widget .email': 'submitWithEnter' 'dialogdragstart': 'closeAllTooltips' render: -> @$el.append @template(@model.attributes) @renderActiveServerView() @serverDependentRegistration() @$source = @$ '.dative-register-dialog' # outer DIV from template @$target = @$ '.dative-register-dialog-target' # outer DIV to which jQueryUI dialog appends @dialogify() @tooltipify() @ renderActiveServerView: -> @activeServerView.setElement @$('li.active-server').first() @activeServerView.render() @rendered @activeServerView getActiveServerType: -> try @model.get('activeServer')?.get 'type' catch null getActiveServerCode: -> @model.get('activeServer')?.get 'serverCode' submitWithEnter: (event) -> if event.which is 13 event.preventDefault() event.stopPropagation() registerButton = @$target.find '.register' disabled = registerButton.button 'option', 'disabled' if not disabled then registerButton.click() # calls `@register()` # Triggers Backbone-wide event for model to make register request. # Backbone.trigger 'longTask:deregister', taskId # Backbone.trigger 'authenticate:end' register: -> @_submitAttempted = true params = @validate() {serverCode, username, password, email} = params if serverCode and username and password and email @$target.find('.register').button 'disable' Backbone.trigger 'authenticate:register', params # Modal dialog-specific stuff (jQueryUI) # ========================================================================== # Transform the register dialog HTML to a jQueryUI dialog box. dialogify: -> @$source.find('input').css('border-color', @constructor.jQueryUIColors().defBo) @$source.dialog hide: {effect: 'fade'} show: {effect: 'fade'} autoOpen: false appendTo: @$target buttons: [ text: 'Register' click: => @register() class: 'register dative-tooltip' ] dialogClass: 'dative-register-dialog-widget' title: 'Register' width: 'auto' create: => @$target.find('button').attr('tabindex', 0).end() .find('input').css('border-color', @constructor.jQueryUIColors().defBo) @fontAwesomateCloseIcon() open: => @initializeDialog() @selectmenuify() @tabindicesNaught() @disableRegisterButton() tooltipify: -> @$('button.register') .tooltip content: 'send a registration request to the server' items: 'button' position: my: "right-10 center" at: "left center" collision: "flipfit" @$('input').tooltip position: my: "right-130 center" at: "left center" collision: "flipfit" initializeDialog: -> @_submitAttempted = false @$target.find('.password.passwordConfirm').val('').end() .find('span.dative-register-validation').text('').hide() @focusFirstInput() focusFirstInput: -> @$target.find('input').first().focus() dialogOpen: -> Backbone.trigger 'register-dialog:open' @$source.dialog 'open' dialogClose: -> @$source.dialog 'close' isOpen: -> @$source.dialog 'isOpen' toggle: -> if @isOpen() then @dialogClose() else @dialogOpen() # Show registration fields only for FieldDB servers # ========================================================================== serverDependentRegistration: -> serverType = @getActiveServerType() switch serverType when 'OLD' then @oldHelp() when 'FieldDB' then @registrationActive() else @registrationInactive() registrationActive: -> @showInputs() @hideOLDHelpText() @hideGeneralHelpText() @enableRegisterButton() oldHelp: -> @hideInputs() @showOLDHelpText() @hideGeneralHelpText() @disableRegisterButton() registrationInactive: -> @hideInputs() @hideOLDHelpText() @showGeneralHelpText() @disableRegisterButton() showInputs: -> @$('.fielddb').stop().slideDown duration: 'medium', queue: false hideInputs: -> @$('.fielddb').stop().slideUp() showOLDHelpText: -> @$('.old').stop().slideDown duration: 'medium', queue: false hideOLDHelpText: -> @$('.old').stop().slideUp duration: 'medium', queue: false showGeneralHelpText: -> @$('.none').stop().slideDown duration: 'medium', queue: false hideGeneralHelpText: -> @$('.none').stop().slideUp duration: 'medium', queue: false # General GUI manipulation # ========================================================================== enableRegisterButton: -> @$('button.register').button 'enable' disableRegisterButton: -> @$('button.register').button 'disable' selectmenuify: -> @$target.find('select').selectmenu width: 252 @focusFirstInput() # Tabindices=0 and jQueryUI colors tabindicesNaught: -> @$('button, select, input, textarea, div.dative-input-display, span.ui-selectmenu-button') .css("border-color", @constructor.jQueryUIColors().defBo) .attr('tabindex', 0) # Validation logic # ========================================================================== # Validate register form input and return field values as object. # Side-effects are button dis/en-abling and message popups. validate: -> inputs = serverCode: @validateServerCode() username: @validateUsername() password: @validatePI:PASSWORD:<PASSWORD>END_PI() email: @validateEmail() if @inputsAreValid inputs @enableRegisterButton() else @disableRegisterButton() inputs # Inputs are valid if they don't contain falsey values. inputsAreValid: (inputs) -> if _.filter(_.values(inputs), (x) -> not x).length then false else true validateServerCode: -> serverType = @getActiveServerType() if serverType is 'FieldDB' @getActiveServerCode() else null # TODO @jrwdunham: clean the username in situ validateUsername: -> username = @$target.find('.username').val().trim() username = @required 'username', username if username convertedUsername = @convertUsername username if convertedUsername is username @$(".username-validation").first().hide() else @showInfo 'username', 'lowercase letters and numbers only' @replaceUsernameInField convertedUsername convertedUsername else null # TODO @jrwdunham: convert username in the input, with notification. convertUsername: (username) -> username.toLowerCase().replace /[^0-9a-z]/g, "" replaceUsernameInField: (convertedUsername) -> @$('input.username').first().val convertedUsername validatePassword: -> password = @$target.find('.password').val().trim() passwordConfirm = @$target.find('.passwordConfirm').val().trim() password = @required 'password', password passwordConfirm = @required 'passwordConfirm', passwordConfirm if password and passwordConfirm if password is passwordConfirm @$(".password-validation").first().hide() @$(".passwordConfirm-validation").first().hide() password else @showError 'password', "passwords don't match" @showError 'passwordConfirm', "passwords don't match" null else null # NOTE: we are not REQUIRING a valid email, just warning about probably # malformed ones. This is because there are probably *some* valid emails # that will fail this validation ... # NOTE also: FieldDB does server-side email validation by attempting to # send a registration confirmation email. I think the result of this attempt # is indicated in the returned JSON. validateEmail: -> email = @$target.find('.email').val().trim() email = @required 'email', email if email and not utils.emailIsValid email @showInfo 'email', "warning: this doesn't look like a valid email" email # `attr` must have a value; indicate that and return `null` if no `val`. required: (attr, val) -> if val @$(".#{attr}-validation").first().hide() val else if @_submitAttempted then @showError attr, 'required' null # Show INFO message for the `attr`ibute, e.g., email, username showInfo: (attr, msg) -> @$(".#{attr}-validation").first() .removeClass('ui-state-error') .addClass('ui-state-highlight') .text(msg) .show() # Show ERROR message for the `attr`ibute, e.g., email, username showError: (attr, msg) -> @$(".#{attr}-validation").first() .addClass('ui-state-error') .removeClass('ui-state-highlight') .text(msg) .show() # TODO @jrwdunham: put this in the (to-be-created) Help JSON object # notificationMessage = ["We have automatically changed your requested", # "username to '#{username}' instead. \n\n(The username you have", # "chosen isn't very safe for urls, which means your corpora would be", # "potentially inaccessible in old browsers)"].join ' '
[ { "context": "# Copyright (c) 2015 Jesse Grosjean. All rights reserved.\n\n{CompositeDisposable} = re", "end": 35, "score": 0.999600887298584, "start": 21, "tag": "NAME", "value": "Jesse Grosjean" } ]
atom/packages/foldingtext-for-atom/lib/extensions/livequeries/outline-live-query.coffee
prookie/dotfiles-1
0
# Copyright (c) 2015 Jesse Grosjean. All rights reserved. {CompositeDisposable} = require 'atom' LiveQuery = require './live-query' # A live query over an {Outline}. module.exports = class OutlineLiveQuery extends LiveQuery # Public: Read-only the {Outline} being queried. outline: null querySubscriptions: null outlineDestroyedSubscription: null constructor: (@outline, xpathExpression) -> super xpathExpression @outlineDestroyedSubscription = @outline.onDidDestroy => @stopQuery() @outlineDestroyedSubscription.dispose() @emitter.emit 'did-destroy' ### Section: Running Queries ### startQuery: -> return if @started @started = true @querySubscriptions = new CompositeDisposable @querySubscriptions.add @outline.onDidChange (e) => @scheduleRun() @querySubscriptions.add @outline.onDidChangePath (path) => @scheduleRun() @run() stopQuery: -> return unless @started @started = false @querySubscriptions.dispose() @querySubscriptions = null run: -> return unless @started try @xpathExpressionError = null @results = @outline.getItemsForXPath( @xpathExpression, @namespaceResolver ) catch error @xpathExpressionError = error @results = null @emitter.emit 'did-change', @results
28316
# Copyright (c) 2015 <NAME>. All rights reserved. {CompositeDisposable} = require 'atom' LiveQuery = require './live-query' # A live query over an {Outline}. module.exports = class OutlineLiveQuery extends LiveQuery # Public: Read-only the {Outline} being queried. outline: null querySubscriptions: null outlineDestroyedSubscription: null constructor: (@outline, xpathExpression) -> super xpathExpression @outlineDestroyedSubscription = @outline.onDidDestroy => @stopQuery() @outlineDestroyedSubscription.dispose() @emitter.emit 'did-destroy' ### Section: Running Queries ### startQuery: -> return if @started @started = true @querySubscriptions = new CompositeDisposable @querySubscriptions.add @outline.onDidChange (e) => @scheduleRun() @querySubscriptions.add @outline.onDidChangePath (path) => @scheduleRun() @run() stopQuery: -> return unless @started @started = false @querySubscriptions.dispose() @querySubscriptions = null run: -> return unless @started try @xpathExpressionError = null @results = @outline.getItemsForXPath( @xpathExpression, @namespaceResolver ) catch error @xpathExpressionError = error @results = null @emitter.emit 'did-change', @results
true
# Copyright (c) 2015 PI:NAME:<NAME>END_PI. All rights reserved. {CompositeDisposable} = require 'atom' LiveQuery = require './live-query' # A live query over an {Outline}. module.exports = class OutlineLiveQuery extends LiveQuery # Public: Read-only the {Outline} being queried. outline: null querySubscriptions: null outlineDestroyedSubscription: null constructor: (@outline, xpathExpression) -> super xpathExpression @outlineDestroyedSubscription = @outline.onDidDestroy => @stopQuery() @outlineDestroyedSubscription.dispose() @emitter.emit 'did-destroy' ### Section: Running Queries ### startQuery: -> return if @started @started = true @querySubscriptions = new CompositeDisposable @querySubscriptions.add @outline.onDidChange (e) => @scheduleRun() @querySubscriptions.add @outline.onDidChangePath (path) => @scheduleRun() @run() stopQuery: -> return unless @started @started = false @querySubscriptions.dispose() @querySubscriptions = null run: -> return unless @started try @xpathExpressionError = null @results = @outline.getItemsForXPath( @xpathExpression, @namespaceResolver ) catch error @xpathExpressionError = error @results = null @emitter.emit 'did-change', @results
[ { "context": "astname: null\n\t<% if( usesessions ){ %>\n\t\temail: \"mytest.user@example.com\"\n\t\tpw: \"tester\"\n\t<% }else{ %>\n\t\tid: \"abcde\"\n\t<% }", "end": 509, "score": 0.999900221824646, "start": 486, "tag": "EMAIL", "value": "mytest.user@example.com" }, { "context": "rs/login\", email: _cnf.testuser.email, password: _cnf.testuser.pw )\n\t#.inspectBody()\n\t.expectStatus( 200 )\n\t.expect", "end": 844, "score": 0.9203718304634094, "start": 829, "tag": "PASSWORD", "value": "cnf.testuser.pw" } ]
app/templates/_src/test/main_spec.coffee
mpneuried/generator-mpnodeapp
1
frisby = require('frisby') extend = require( "extend" ) Config = require( "../lib/config" ) # load the local config if the file exists try _cnf = require( "../config_test.json" ) catch _err if _err?.code is "MODULE_NOT_FOUND" _cnf = {} else throw _err _cnfServer = Config.get( "server" ) _cnf = extend( true, {}, baseurl: "http://#{_cnfServer.host}:#{_cnfServer.port}#{_cnfServer.basepath}" testuser: firstname: null lastname: null <% if( usesessions ){ %> email: "mytest.user@example.com" pw: "tester" <% }else{ %> id: "abcde" <% } %> , _cnf ) <% if( usesessions ){ %> root.sessiontoken = null root.userid = null <% }else{ %> root.userid = _cnf.testuser.id <% } %> <% if( usesessions ){ %> frisby .create( "Login" ) .post( _cnf.baseurl + "api/users/login", email: _cnf.testuser.email, password: _cnf.testuser.pw ) #.inspectBody() .expectStatus( 200 ) .expectHeaderContains( "content-type", "application/json" ) .expectJSON email: _cnf.testuser.email .after (err, res, body)-> return if err data = JSON.parse( body ) root.sessiontoken = data.sessiontoken root.userid = data.id frisby.globalSetup request: headers: { "Cookie": "#{_cnfServer.appname}=#{root.sessiontoken}" } _startTest() return .toss() <% } %> _startTest = -> frisby .create( "GET User" ) .get( _cnf.baseurl + "api/users/#{root.userid}") #.inspectBody() .expectStatus( 200 ) .expectHeaderContains( "content-type", "application/json" ) .expectJSON( id: userid email: _cnf.testuser.email ) .toss() return <% if( !usesessions ){ %> _startTest() <% } %>
84041
frisby = require('frisby') extend = require( "extend" ) Config = require( "../lib/config" ) # load the local config if the file exists try _cnf = require( "../config_test.json" ) catch _err if _err?.code is "MODULE_NOT_FOUND" _cnf = {} else throw _err _cnfServer = Config.get( "server" ) _cnf = extend( true, {}, baseurl: "http://#{_cnfServer.host}:#{_cnfServer.port}#{_cnfServer.basepath}" testuser: firstname: null lastname: null <% if( usesessions ){ %> email: "<EMAIL>" pw: "tester" <% }else{ %> id: "abcde" <% } %> , _cnf ) <% if( usesessions ){ %> root.sessiontoken = null root.userid = null <% }else{ %> root.userid = _cnf.testuser.id <% } %> <% if( usesessions ){ %> frisby .create( "Login" ) .post( _cnf.baseurl + "api/users/login", email: _cnf.testuser.email, password: _<PASSWORD> ) #.inspectBody() .expectStatus( 200 ) .expectHeaderContains( "content-type", "application/json" ) .expectJSON email: _cnf.testuser.email .after (err, res, body)-> return if err data = JSON.parse( body ) root.sessiontoken = data.sessiontoken root.userid = data.id frisby.globalSetup request: headers: { "Cookie": "#{_cnfServer.appname}=#{root.sessiontoken}" } _startTest() return .toss() <% } %> _startTest = -> frisby .create( "GET User" ) .get( _cnf.baseurl + "api/users/#{root.userid}") #.inspectBody() .expectStatus( 200 ) .expectHeaderContains( "content-type", "application/json" ) .expectJSON( id: userid email: _cnf.testuser.email ) .toss() return <% if( !usesessions ){ %> _startTest() <% } %>
true
frisby = require('frisby') extend = require( "extend" ) Config = require( "../lib/config" ) # load the local config if the file exists try _cnf = require( "../config_test.json" ) catch _err if _err?.code is "MODULE_NOT_FOUND" _cnf = {} else throw _err _cnfServer = Config.get( "server" ) _cnf = extend( true, {}, baseurl: "http://#{_cnfServer.host}:#{_cnfServer.port}#{_cnfServer.basepath}" testuser: firstname: null lastname: null <% if( usesessions ){ %> email: "PI:EMAIL:<EMAIL>END_PI" pw: "tester" <% }else{ %> id: "abcde" <% } %> , _cnf ) <% if( usesessions ){ %> root.sessiontoken = null root.userid = null <% }else{ %> root.userid = _cnf.testuser.id <% } %> <% if( usesessions ){ %> frisby .create( "Login" ) .post( _cnf.baseurl + "api/users/login", email: _cnf.testuser.email, password: _PI:PASSWORD:<PASSWORD>END_PI ) #.inspectBody() .expectStatus( 200 ) .expectHeaderContains( "content-type", "application/json" ) .expectJSON email: _cnf.testuser.email .after (err, res, body)-> return if err data = JSON.parse( body ) root.sessiontoken = data.sessiontoken root.userid = data.id frisby.globalSetup request: headers: { "Cookie": "#{_cnfServer.appname}=#{root.sessiontoken}" } _startTest() return .toss() <% } %> _startTest = -> frisby .create( "GET User" ) .get( _cnf.baseurl + "api/users/#{root.userid}") #.inspectBody() .expectStatus( 200 ) .expectHeaderContains( "content-type", "application/json" ) .expectJSON( id: userid email: _cnf.testuser.email ) .toss() return <% if( !usesessions ){ %> _startTest() <% } %>
[ { "context": "amming for microcontrollers\n# * Copyright (c) 2014 Jon Nordby <jononor@gmail.com>\n# * MicroFlo may be freely di", "end": 90, "score": 0.999830424785614, "start": 80, "tag": "NAME", "value": "Jon Nordby" }, { "context": "crocontrollers\n# * Copyright (c) 2014 Jon Nordby <jononor@gmail.com>\n# * MicroFlo may be freely distributed under the", "end": 109, "score": 0.9999319911003113, "start": 92, "tag": "EMAIL", "value": "jononor@gmail.com" }, { "context": "OFLO_DEBUG, 'protocol'\n\n# From https://github.com/isaacs/inherits, license: ISC\nif typeof Object.create is", "end": 666, "score": 0.9396252632141113, "start": 660, "tag": "USERNAME", "value": "isaacs" } ]
lib/util.coffee
microflo/microflo
136
# MicroFlo - Flow-Based Programming for microcontrollers # * Copyright (c) 2014 Jon Nordby <jononor@gmail.com> # * MicroFlo may be freely distributed under the MIT license # exports.isBrowser = isBrowser = -> not (typeof (process) isnt "undefined" and process.execPath and process.execPath.indexOf("node") isnt -1) Buffer = require("buffer").Buffer EventEmitter = require("events").EventEmitter exports.EventEmitter = EventEmitter contains = (str, substr) -> return str? and str.indexOf(substr) != -1 exports.debug_protocol = false if not isBrowser() exports.debug_protocol = contains process.env.MICROFLO_DEBUG, 'protocol' # From https://github.com/isaacs/inherits, license: ISC if typeof Object.create is "function" # implementation from standard node.js 'util' module inherits = (ctor, superCtor) -> ctor.super_ = superCtor ctor:: = Object.create(superCtor::, constructor: value: ctor enumerable: false writable: true configurable: true ) return else # old school shim for old browsers inherits = (ctor, superCtor) -> ctor.super_ = superCtor TempCtor = -> TempCtor:: = superCtor:: ctor:: = new TempCtor() ctor::constructor = ctor return # From https://github.com/GoogleChrome/chrome-app-samples/, license: BSD arrayBufferToString = (buffer) -> array = new Uint8Array(buffer) str = "" i = 0 while i < array.length str += String.fromCharCode(array[i]) ++i str stringToArrayBuffer = (string) -> buffer = new ArrayBuffer(string.length) bufferView = new Uint8Array(buffer) i = 0 while i < string.length bufferView[i] = string.charCodeAt(i) i++ buffer bufferToArrayBuffer = (buffer) -> arrayBuffer = new ArrayBuffer(buffer.length) arrayBufferView = new Uint8Array(arrayBuffer) i = 0 while i < buffer.length arrayBufferView[i] = buffer[i] i++ arrayBuffer arrayBufferToBuffer = (arrayBuffer) -> view = new Uint8Array(arrayBuffer) buffer = Buffer.alloc(view.length) i = 0 while i < view.length buffer[i] = view[i] i++ buffer exports.Buffer = Buffer if exports.isBrowser() exports.inherits = inherits exports.stringToArrayBuffer = stringToArrayBuffer exports.arrayBufferToString = arrayBufferToString exports.arrayBufferToBuffer = arrayBufferToBuffer exports.bufferToArrayBuffer = bufferToArrayBuffer else exports.inherits = require("util").inherits
218716
# MicroFlo - Flow-Based Programming for microcontrollers # * Copyright (c) 2014 <NAME> <<EMAIL>> # * MicroFlo may be freely distributed under the MIT license # exports.isBrowser = isBrowser = -> not (typeof (process) isnt "undefined" and process.execPath and process.execPath.indexOf("node") isnt -1) Buffer = require("buffer").Buffer EventEmitter = require("events").EventEmitter exports.EventEmitter = EventEmitter contains = (str, substr) -> return str? and str.indexOf(substr) != -1 exports.debug_protocol = false if not isBrowser() exports.debug_protocol = contains process.env.MICROFLO_DEBUG, 'protocol' # From https://github.com/isaacs/inherits, license: ISC if typeof Object.create is "function" # implementation from standard node.js 'util' module inherits = (ctor, superCtor) -> ctor.super_ = superCtor ctor:: = Object.create(superCtor::, constructor: value: ctor enumerable: false writable: true configurable: true ) return else # old school shim for old browsers inherits = (ctor, superCtor) -> ctor.super_ = superCtor TempCtor = -> TempCtor:: = superCtor:: ctor:: = new TempCtor() ctor::constructor = ctor return # From https://github.com/GoogleChrome/chrome-app-samples/, license: BSD arrayBufferToString = (buffer) -> array = new Uint8Array(buffer) str = "" i = 0 while i < array.length str += String.fromCharCode(array[i]) ++i str stringToArrayBuffer = (string) -> buffer = new ArrayBuffer(string.length) bufferView = new Uint8Array(buffer) i = 0 while i < string.length bufferView[i] = string.charCodeAt(i) i++ buffer bufferToArrayBuffer = (buffer) -> arrayBuffer = new ArrayBuffer(buffer.length) arrayBufferView = new Uint8Array(arrayBuffer) i = 0 while i < buffer.length arrayBufferView[i] = buffer[i] i++ arrayBuffer arrayBufferToBuffer = (arrayBuffer) -> view = new Uint8Array(arrayBuffer) buffer = Buffer.alloc(view.length) i = 0 while i < view.length buffer[i] = view[i] i++ buffer exports.Buffer = Buffer if exports.isBrowser() exports.inherits = inherits exports.stringToArrayBuffer = stringToArrayBuffer exports.arrayBufferToString = arrayBufferToString exports.arrayBufferToBuffer = arrayBufferToBuffer exports.bufferToArrayBuffer = bufferToArrayBuffer else exports.inherits = require("util").inherits
true
# MicroFlo - Flow-Based Programming for microcontrollers # * Copyright (c) 2014 PI:NAME:<NAME>END_PI <PI:EMAIL:<EMAIL>END_PI> # * MicroFlo may be freely distributed under the MIT license # exports.isBrowser = isBrowser = -> not (typeof (process) isnt "undefined" and process.execPath and process.execPath.indexOf("node") isnt -1) Buffer = require("buffer").Buffer EventEmitter = require("events").EventEmitter exports.EventEmitter = EventEmitter contains = (str, substr) -> return str? and str.indexOf(substr) != -1 exports.debug_protocol = false if not isBrowser() exports.debug_protocol = contains process.env.MICROFLO_DEBUG, 'protocol' # From https://github.com/isaacs/inherits, license: ISC if typeof Object.create is "function" # implementation from standard node.js 'util' module inherits = (ctor, superCtor) -> ctor.super_ = superCtor ctor:: = Object.create(superCtor::, constructor: value: ctor enumerable: false writable: true configurable: true ) return else # old school shim for old browsers inherits = (ctor, superCtor) -> ctor.super_ = superCtor TempCtor = -> TempCtor:: = superCtor:: ctor:: = new TempCtor() ctor::constructor = ctor return # From https://github.com/GoogleChrome/chrome-app-samples/, license: BSD arrayBufferToString = (buffer) -> array = new Uint8Array(buffer) str = "" i = 0 while i < array.length str += String.fromCharCode(array[i]) ++i str stringToArrayBuffer = (string) -> buffer = new ArrayBuffer(string.length) bufferView = new Uint8Array(buffer) i = 0 while i < string.length bufferView[i] = string.charCodeAt(i) i++ buffer bufferToArrayBuffer = (buffer) -> arrayBuffer = new ArrayBuffer(buffer.length) arrayBufferView = new Uint8Array(arrayBuffer) i = 0 while i < buffer.length arrayBufferView[i] = buffer[i] i++ arrayBuffer arrayBufferToBuffer = (arrayBuffer) -> view = new Uint8Array(arrayBuffer) buffer = Buffer.alloc(view.length) i = 0 while i < view.length buffer[i] = view[i] i++ buffer exports.Buffer = Buffer if exports.isBrowser() exports.inherits = inherits exports.stringToArrayBuffer = stringToArrayBuffer exports.arrayBufferToString = arrayBufferToString exports.arrayBufferToBuffer = arrayBufferToBuffer exports.bufferToArrayBuffer = bufferToArrayBuffer else exports.inherits = require("util").inherits
[ { "context": "username\n expect(model.get 'password').to.equal fixture.password\n done()\n\n\n it 'should require a username', (d", "end": 853, "score": 0.9857824444770813, "start": 837, "tag": "PASSWORD", "value": "fixture.password" }, { "context": "d(true)).not.to.be.true\n\n model.set 'password', fixture.password\n expect(model.isValid(true)).to.be.true\n do", "end": 1390, "score": 0.9820560812950134, "start": 1374, "tag": "PASSWORD", "value": "fixture.password" } ]
test/app/unit/modules/user/entities/UserLogin.coffee
josepramon/tfm-adminApp
0
describe 'modules/user/entities/UserLogin', -> UserLogin = require 'modules/user/entities/UserLogin' UserLoginFixture = require 'test/app/fixtures/entities/user/UserLogin' it 'should have a url', (done) -> model = new UserLogin expect(model).to.have.property 'url' expect(model.url).not.to.be.null done() it 'should have certain defaults', (done) -> model = new UserLogin expect(model.get 'username').not.to.be.undefined expect(model.get 'password').not.to.be.undefined expect(model.get 'username').to.equal '' expect(model.get 'password').to.equal '' done() it 'should take fixture json', (done) -> fixture = new UserLoginFixture model = new UserLogin fixture expect(model.get 'username').to.equal fixture.username expect(model.get 'password').to.equal fixture.password done() it 'should require a username', (done) -> fixture = new UserLoginFixture model = new UserLogin fixture model.unset 'username' expect(model.isValid(true)).not.to.be.true model.set 'username', fixture.username expect(model.isValid(true)).to.be.true done() it 'should require a password', (done) -> fixture = new UserLoginFixture model = new UserLogin fixture model.unset 'password' expect(model.isValid(true)).not.to.be.true model.set 'password', fixture.password expect(model.isValid(true)).to.be.true done()
147131
describe 'modules/user/entities/UserLogin', -> UserLogin = require 'modules/user/entities/UserLogin' UserLoginFixture = require 'test/app/fixtures/entities/user/UserLogin' it 'should have a url', (done) -> model = new UserLogin expect(model).to.have.property 'url' expect(model.url).not.to.be.null done() it 'should have certain defaults', (done) -> model = new UserLogin expect(model.get 'username').not.to.be.undefined expect(model.get 'password').not.to.be.undefined expect(model.get 'username').to.equal '' expect(model.get 'password').to.equal '' done() it 'should take fixture json', (done) -> fixture = new UserLoginFixture model = new UserLogin fixture expect(model.get 'username').to.equal fixture.username expect(model.get 'password').to.equal <PASSWORD> done() it 'should require a username', (done) -> fixture = new UserLoginFixture model = new UserLogin fixture model.unset 'username' expect(model.isValid(true)).not.to.be.true model.set 'username', fixture.username expect(model.isValid(true)).to.be.true done() it 'should require a password', (done) -> fixture = new UserLoginFixture model = new UserLogin fixture model.unset 'password' expect(model.isValid(true)).not.to.be.true model.set 'password', <PASSWORD> expect(model.isValid(true)).to.be.true done()
true
describe 'modules/user/entities/UserLogin', -> UserLogin = require 'modules/user/entities/UserLogin' UserLoginFixture = require 'test/app/fixtures/entities/user/UserLogin' it 'should have a url', (done) -> model = new UserLogin expect(model).to.have.property 'url' expect(model.url).not.to.be.null done() it 'should have certain defaults', (done) -> model = new UserLogin expect(model.get 'username').not.to.be.undefined expect(model.get 'password').not.to.be.undefined expect(model.get 'username').to.equal '' expect(model.get 'password').to.equal '' done() it 'should take fixture json', (done) -> fixture = new UserLoginFixture model = new UserLogin fixture expect(model.get 'username').to.equal fixture.username expect(model.get 'password').to.equal PI:PASSWORD:<PASSWORD>END_PI done() it 'should require a username', (done) -> fixture = new UserLoginFixture model = new UserLogin fixture model.unset 'username' expect(model.isValid(true)).not.to.be.true model.set 'username', fixture.username expect(model.isValid(true)).to.be.true done() it 'should require a password', (done) -> fixture = new UserLoginFixture model = new UserLogin fixture model.unset 'password' expect(model.isValid(true)).not.to.be.true model.set 'password', PI:PASSWORD:<PASSWORD>END_PI expect(model.isValid(true)).to.be.true done()
[ { "context": " CanvasSplitMovie\n Copyright(c) 2015 SHIFTBRAIN - Tsukasa Tokura\n This software is released under the MIT License", "end": 70, "score": 0.9998437166213989, "start": 56, "tag": "NAME", "value": "Tsukasa Tokura" } ]
src/CanvasSplitMovie.coffee
tsukasa-web/CanvasSplitMovie
1
### CanvasSplitMovie Copyright(c) 2015 SHIFTBRAIN - Tsukasa Tokura This software is released under the MIT License. http://opensource.org/licenses/mit-license.php ### class CanvasSplitMovie defaults : splitNum : 5 #canvasの横ラインの分割数 liquid : true #resize時に親要素の大きさに合わせて拡縮 targetImgArray : [] #使用画像が格納された配列 sceneWidth : false #読み込んだ画像の1シーンの横幅 sceneHeight : false #読み込んだ画像の1シーンの縦幅 fps : 30 #1秒あたりのフレーム数 constructor : (_$targetParent, options) -> #optionのマージ @options = $.extend {}, @defaults, options @canvasPointArray = [] #canvs上の各パネル座標を格納する配列 @imgPointArray = [] #読み込んだ画像の各シーンの座標を格納する配列 @canvasPanelWidth = null #canvasのパネルの横幅 @canvasYPanelNum = null #canvasの縦のパネル数 @imgPanelresizedHeight = null #canvasPanelWidthに合わせて画像の1シーンを拡縮した際の縦幅 @imgXPanelNum = null #読み込んだ画像の横のシーン数 @imgYPanelNum = null #読み込んだ画像の縦のシーン数 @frameCount = 0 #drawで回す表示フレームのカウンター @panelCount = 0 #最初パネルを埋める時に回すパネル数のカウンター @isFirst = true #パネルが埋まっているかどうかのフラグ @$targetParent = _$targetParent #canvasの親になる生成先 @canvas = null @ctx = null @requestId = null #RAFに使用するID @setTimerId = null #Timeoutに使用するID @fpsInterval = 1000 / @options.fps #RAFのfps調整に使用するフレーム間隔の変数 @timeLog = Date.now() #RAFのfps調整に使用する変数 #RAFの宣言(fallback付) @requestAnimationFrame = (window.requestAnimationFrame and window.requestAnimationFrame.bind(window)) or (window.webkitRequestAnimationFrame and window.webkitRequestAnimationFrame.bind(window)) or (window.mozRequestAnimationFrame and window.mozRequestAnimationFrame.bind(window)) or (window.oRequestAnimationFrame and window.oRequestAnimationFrame.bind(window)) or (window.msRequestAnimationFrame and window.msRequestAnimationFrame.bind(window)) or (callback,element) -> @setTimerId = window.setTimeout(callback, 1000 / 60) return #キャンセル用RAFの宣言(fallback付) @cancelAnimationFrame = (window.cancelAnimationFrame and window.cancelAnimationFrame.bind(window)) or (window.webkitCancelAnimationFrame and window.webkitCancelAnimationFrame.bind(window)) or (window.mozCancelAnimationFrame and window.mozCancelAnimationFrame.bind(window)) or (window.oCancelAnimationFrame and window.oCancelAnimationFrame.bind(window)) or (window.msCancelAnimationFrame and window.msCancelAnimationFrame.bind(window)) or (callback,element) -> window.clearTimeout(@setTimerId) return #初期処理 @_init() _init: -> #渡されたImgArrayが空、中のImgがロードされてない、中のImgがそもそも渡されていないとエラー if @options.targetImgArray.length is 0 console.error('Image Array is empty.') return false for i in [0...@options.targetImgArray.length] if @options.targetImgArray[i].width is 0 or !@options.targetImgArray[i] console.error('Image not loaded.') return false #オプションにシーンの横幅と縦幅がないとエラー if @options.sceneWidth is false or @options.sceneHeight is false console.error('Input Scene Size.') return false #canvasの生成、contextの宣言 @$targetParent.append('<canvas class="canvas-movie-sprite"></canvas>') @canvas = @$targetParent.find('.canvas-movie-sprite')[0] @ctx = @canvas.getContext("2d") @_canvasResize() #liquid対応のリサイズイベント登録 if @options.liquid $(window).on('resize', @_debounce( ()=> @_canvasResize() ,300)) return #canvasのリサイズ関数 _canvasResize: => console.log('resize') parentWidth = @$targetParent.width() parentHeight = @$targetParent.height() $(@canvas).attr({'width':parentWidth,'height':parentHeight}) @_createCuttPoint(@options.targetImgObject) #isFirstなら最初から再描画、パネルが埋まっていれば埋めたまま再描画 if !@isFirst @panelCount = @canvasPointArray.length if !@requestId @frameCount = 0 @_drawSpriteImg() else @ctx.clearRect(0, 0, @canvas.width, @canvas.height) @panelCount = 0 @frameCount = 0 return #実行回数の間引き _debounce: (func, threshold, execAsap) -> timeout = null (args...) -> obj = this delayed = -> func.apply(obj, args) unless execAsap timeout = null if timeout clearTimeout(timeout) else if (execAsap) func.apply(obj, args) timeout = setTimeout delayed, threshold || 100 #各種幅や座標の計算 _createCuttPoint: -> canvasWidth = @canvas.width canvasHeight = @canvas.height #console.log('canvas width = ' + canvasWidth) #console.log('canvas height = ' + canvasHeight) @canvasPanelWidth = canvasWidth / @options.splitNum @imgPanelresizedHeight = Math.ceil((@canvasPanelWidth / @options.sceneWidth) * @options.sceneHeight) @canvasYPanelNum = Math.ceil(canvasHeight / @imgPanelresizedHeight) #console.log('canvas scene width = ' + @canvasPanelWidth) #console.log('canvas scene height = ' + @imgPanelresizedHeight) @canvasPointArray = @_canvasPointPush() #targetImgArrayからイメージの座標を結合して一つの配列を作る if @imgPointArray.length is 0 for i in [0...@options.targetImgArray.length] partsPointArray = @_imgPointPush(@options.targetImgArray[i]) for i in [0...partsPointArray.length] @imgPointArray.push(partsPointArray[i]) #console.log(@imgPointArray) #console.log('canvasのパネル数 = ' + @canvasPointArray.length) #console.log('動画のシーン画像の数 = ' + @imgPointArray.length) return #canvas座標配列を返す関数 _canvasPointPush: -> pointArray = [] nowPoint = 0 for i in [0...@canvasYPanelNum] for i2 in [0...@options.splitNum] pointArray.push({x:i2 * @canvasPanelWidth, y:nowPoint}) if i2 is @options.splitNum-1 nowPoint += @imgPanelresizedHeight #console.log(pointArray) return pointArray #シーン座標配列を返す関数 _imgPointPush: (targetImg)-> imgWidth = targetImg.width imgHeight = targetImg.height imgXPanelNum = Math.ceil(imgWidth / @options.sceneWidth) imgYPanelNum = Math.ceil(imgHeight / @options.sceneHeight) pointArray = [] nowPoint = 0 for i in [0...imgYPanelNum] for i2 in [0...imgXPanelNum] pointArray.push({x:i2 * @options.sceneWidth, y:nowPoint, img:targetImg}) if i2 is imgXPanelNum-1 nowPoint += @options.sceneHeight #console.log(pointArray) return pointArray #スプライトの描画関数 _drawSpriteImg: -> #RAFのフレーム調整 now = Date.now() elapsed = now - @timeLog if elapsed > @fpsInterval @timeLog = now - (elapsed % @fpsInterval) #isFirstで分岐 if @isFirst @frameCount++ if @panelCount < @canvasPointArray.length then @panelCount++ else @isFirst = false; @panelCount = @canvasPointArray.length if @frameCount >= @imgPointArray.length then @frameCount = 0 else if @frameCount < @imgPointArray.length then @frameCount++ else @frameCount = 0 for i in [0...@panelCount] if i+@frameCount >= @imgPointArray.length steppedFrame = (i+@frameCount) % @imgPointArray.length else steppedFrame = i+@frameCount #console.log('stepped frame = ' + steppedFrame) @ctx.drawImage( @imgPointArray[steppedFrame].img @imgPointArray[steppedFrame].x @imgPointArray[steppedFrame].y @options.sceneWidth @options.sceneHeight @canvasPointArray[i].x @canvasPointArray[i].y @canvasPanelWidth @imgPanelresizedHeight ) return #描画ループをスタート drawLoopStart: => #console.log('loop start') if !@requestId @_drawLoop() return #描画ループをフルパネル表示からスタート drawFullLoopStart: => #console.log('loop start') if !@requestId @panelCount = @canvasPointArray.length @_drawLoop() return #描画ループをストップ drawLoopStop: => #console.log('loop stop') if @requestId @cancelAnimationFrame(@requestId) @requestId = null return #ループ関数 _drawLoop: => @requestId = @requestAnimationFrame(@_drawLoop) @_drawSpriteImg() return #canvas横分割数の動的変更 changeSplitNum: (_changeNum) => #console.log('change panel num = ' + _changeNum) @isFirst = true @options.splitNum = _changeNum @_createCuttPoint() @panelCount = 0 @frameCount = 0 return #canvasの初期化 spriteClear: => #console.log('sprite clear') @isFirst = true @ctx.clearRect(0, 0, @canvas.width, @canvas.height) @panelCount = 0 @frameCount = 0 return #fpsの変更 changeFps: (_changeFps) => if _changeFps isnt @options.fps #console.log('change Fps = ' + _changeFps) @options.fps = _changeFps @fpsInterval = 1000 / @options.fps return #リサイズ対応の追加 liquidOn: -> @options.liquid = true @_canvasResize() $(window).on('resize', @_canvasResize) return #リサイズ対応の削除 liquidOff: -> @options.liquid = false $(window).off('resize', @_canvasResize) return $.fn.CanvasSplitMovie = (options) -> @each (i, el) -> $el = $(el) SplitMovie = new CanvasSplitMovie $el, options $el.data 'CanvasSplitMovie', SplitMovie
136088
### CanvasSplitMovie Copyright(c) 2015 SHIFTBRAIN - <NAME> This software is released under the MIT License. http://opensource.org/licenses/mit-license.php ### class CanvasSplitMovie defaults : splitNum : 5 #canvasの横ラインの分割数 liquid : true #resize時に親要素の大きさに合わせて拡縮 targetImgArray : [] #使用画像が格納された配列 sceneWidth : false #読み込んだ画像の1シーンの横幅 sceneHeight : false #読み込んだ画像の1シーンの縦幅 fps : 30 #1秒あたりのフレーム数 constructor : (_$targetParent, options) -> #optionのマージ @options = $.extend {}, @defaults, options @canvasPointArray = [] #canvs上の各パネル座標を格納する配列 @imgPointArray = [] #読み込んだ画像の各シーンの座標を格納する配列 @canvasPanelWidth = null #canvasのパネルの横幅 @canvasYPanelNum = null #canvasの縦のパネル数 @imgPanelresizedHeight = null #canvasPanelWidthに合わせて画像の1シーンを拡縮した際の縦幅 @imgXPanelNum = null #読み込んだ画像の横のシーン数 @imgYPanelNum = null #読み込んだ画像の縦のシーン数 @frameCount = 0 #drawで回す表示フレームのカウンター @panelCount = 0 #最初パネルを埋める時に回すパネル数のカウンター @isFirst = true #パネルが埋まっているかどうかのフラグ @$targetParent = _$targetParent #canvasの親になる生成先 @canvas = null @ctx = null @requestId = null #RAFに使用するID @setTimerId = null #Timeoutに使用するID @fpsInterval = 1000 / @options.fps #RAFのfps調整に使用するフレーム間隔の変数 @timeLog = Date.now() #RAFのfps調整に使用する変数 #RAFの宣言(fallback付) @requestAnimationFrame = (window.requestAnimationFrame and window.requestAnimationFrame.bind(window)) or (window.webkitRequestAnimationFrame and window.webkitRequestAnimationFrame.bind(window)) or (window.mozRequestAnimationFrame and window.mozRequestAnimationFrame.bind(window)) or (window.oRequestAnimationFrame and window.oRequestAnimationFrame.bind(window)) or (window.msRequestAnimationFrame and window.msRequestAnimationFrame.bind(window)) or (callback,element) -> @setTimerId = window.setTimeout(callback, 1000 / 60) return #キャンセル用RAFの宣言(fallback付) @cancelAnimationFrame = (window.cancelAnimationFrame and window.cancelAnimationFrame.bind(window)) or (window.webkitCancelAnimationFrame and window.webkitCancelAnimationFrame.bind(window)) or (window.mozCancelAnimationFrame and window.mozCancelAnimationFrame.bind(window)) or (window.oCancelAnimationFrame and window.oCancelAnimationFrame.bind(window)) or (window.msCancelAnimationFrame and window.msCancelAnimationFrame.bind(window)) or (callback,element) -> window.clearTimeout(@setTimerId) return #初期処理 @_init() _init: -> #渡されたImgArrayが空、中のImgがロードされてない、中のImgがそもそも渡されていないとエラー if @options.targetImgArray.length is 0 console.error('Image Array is empty.') return false for i in [0...@options.targetImgArray.length] if @options.targetImgArray[i].width is 0 or !@options.targetImgArray[i] console.error('Image not loaded.') return false #オプションにシーンの横幅と縦幅がないとエラー if @options.sceneWidth is false or @options.sceneHeight is false console.error('Input Scene Size.') return false #canvasの生成、contextの宣言 @$targetParent.append('<canvas class="canvas-movie-sprite"></canvas>') @canvas = @$targetParent.find('.canvas-movie-sprite')[0] @ctx = @canvas.getContext("2d") @_canvasResize() #liquid対応のリサイズイベント登録 if @options.liquid $(window).on('resize', @_debounce( ()=> @_canvasResize() ,300)) return #canvasのリサイズ関数 _canvasResize: => console.log('resize') parentWidth = @$targetParent.width() parentHeight = @$targetParent.height() $(@canvas).attr({'width':parentWidth,'height':parentHeight}) @_createCuttPoint(@options.targetImgObject) #isFirstなら最初から再描画、パネルが埋まっていれば埋めたまま再描画 if !@isFirst @panelCount = @canvasPointArray.length if !@requestId @frameCount = 0 @_drawSpriteImg() else @ctx.clearRect(0, 0, @canvas.width, @canvas.height) @panelCount = 0 @frameCount = 0 return #実行回数の間引き _debounce: (func, threshold, execAsap) -> timeout = null (args...) -> obj = this delayed = -> func.apply(obj, args) unless execAsap timeout = null if timeout clearTimeout(timeout) else if (execAsap) func.apply(obj, args) timeout = setTimeout delayed, threshold || 100 #各種幅や座標の計算 _createCuttPoint: -> canvasWidth = @canvas.width canvasHeight = @canvas.height #console.log('canvas width = ' + canvasWidth) #console.log('canvas height = ' + canvasHeight) @canvasPanelWidth = canvasWidth / @options.splitNum @imgPanelresizedHeight = Math.ceil((@canvasPanelWidth / @options.sceneWidth) * @options.sceneHeight) @canvasYPanelNum = Math.ceil(canvasHeight / @imgPanelresizedHeight) #console.log('canvas scene width = ' + @canvasPanelWidth) #console.log('canvas scene height = ' + @imgPanelresizedHeight) @canvasPointArray = @_canvasPointPush() #targetImgArrayからイメージの座標を結合して一つの配列を作る if @imgPointArray.length is 0 for i in [0...@options.targetImgArray.length] partsPointArray = @_imgPointPush(@options.targetImgArray[i]) for i in [0...partsPointArray.length] @imgPointArray.push(partsPointArray[i]) #console.log(@imgPointArray) #console.log('canvasのパネル数 = ' + @canvasPointArray.length) #console.log('動画のシーン画像の数 = ' + @imgPointArray.length) return #canvas座標配列を返す関数 _canvasPointPush: -> pointArray = [] nowPoint = 0 for i in [0...@canvasYPanelNum] for i2 in [0...@options.splitNum] pointArray.push({x:i2 * @canvasPanelWidth, y:nowPoint}) if i2 is @options.splitNum-1 nowPoint += @imgPanelresizedHeight #console.log(pointArray) return pointArray #シーン座標配列を返す関数 _imgPointPush: (targetImg)-> imgWidth = targetImg.width imgHeight = targetImg.height imgXPanelNum = Math.ceil(imgWidth / @options.sceneWidth) imgYPanelNum = Math.ceil(imgHeight / @options.sceneHeight) pointArray = [] nowPoint = 0 for i in [0...imgYPanelNum] for i2 in [0...imgXPanelNum] pointArray.push({x:i2 * @options.sceneWidth, y:nowPoint, img:targetImg}) if i2 is imgXPanelNum-1 nowPoint += @options.sceneHeight #console.log(pointArray) return pointArray #スプライトの描画関数 _drawSpriteImg: -> #RAFのフレーム調整 now = Date.now() elapsed = now - @timeLog if elapsed > @fpsInterval @timeLog = now - (elapsed % @fpsInterval) #isFirstで分岐 if @isFirst @frameCount++ if @panelCount < @canvasPointArray.length then @panelCount++ else @isFirst = false; @panelCount = @canvasPointArray.length if @frameCount >= @imgPointArray.length then @frameCount = 0 else if @frameCount < @imgPointArray.length then @frameCount++ else @frameCount = 0 for i in [0...@panelCount] if i+@frameCount >= @imgPointArray.length steppedFrame = (i+@frameCount) % @imgPointArray.length else steppedFrame = i+@frameCount #console.log('stepped frame = ' + steppedFrame) @ctx.drawImage( @imgPointArray[steppedFrame].img @imgPointArray[steppedFrame].x @imgPointArray[steppedFrame].y @options.sceneWidth @options.sceneHeight @canvasPointArray[i].x @canvasPointArray[i].y @canvasPanelWidth @imgPanelresizedHeight ) return #描画ループをスタート drawLoopStart: => #console.log('loop start') if !@requestId @_drawLoop() return #描画ループをフルパネル表示からスタート drawFullLoopStart: => #console.log('loop start') if !@requestId @panelCount = @canvasPointArray.length @_drawLoop() return #描画ループをストップ drawLoopStop: => #console.log('loop stop') if @requestId @cancelAnimationFrame(@requestId) @requestId = null return #ループ関数 _drawLoop: => @requestId = @requestAnimationFrame(@_drawLoop) @_drawSpriteImg() return #canvas横分割数の動的変更 changeSplitNum: (_changeNum) => #console.log('change panel num = ' + _changeNum) @isFirst = true @options.splitNum = _changeNum @_createCuttPoint() @panelCount = 0 @frameCount = 0 return #canvasの初期化 spriteClear: => #console.log('sprite clear') @isFirst = true @ctx.clearRect(0, 0, @canvas.width, @canvas.height) @panelCount = 0 @frameCount = 0 return #fpsの変更 changeFps: (_changeFps) => if _changeFps isnt @options.fps #console.log('change Fps = ' + _changeFps) @options.fps = _changeFps @fpsInterval = 1000 / @options.fps return #リサイズ対応の追加 liquidOn: -> @options.liquid = true @_canvasResize() $(window).on('resize', @_canvasResize) return #リサイズ対応の削除 liquidOff: -> @options.liquid = false $(window).off('resize', @_canvasResize) return $.fn.CanvasSplitMovie = (options) -> @each (i, el) -> $el = $(el) SplitMovie = new CanvasSplitMovie $el, options $el.data 'CanvasSplitMovie', SplitMovie
true
### CanvasSplitMovie Copyright(c) 2015 SHIFTBRAIN - PI:NAME:<NAME>END_PI This software is released under the MIT License. http://opensource.org/licenses/mit-license.php ### class CanvasSplitMovie defaults : splitNum : 5 #canvasの横ラインの分割数 liquid : true #resize時に親要素の大きさに合わせて拡縮 targetImgArray : [] #使用画像が格納された配列 sceneWidth : false #読み込んだ画像の1シーンの横幅 sceneHeight : false #読み込んだ画像の1シーンの縦幅 fps : 30 #1秒あたりのフレーム数 constructor : (_$targetParent, options) -> #optionのマージ @options = $.extend {}, @defaults, options @canvasPointArray = [] #canvs上の各パネル座標を格納する配列 @imgPointArray = [] #読み込んだ画像の各シーンの座標を格納する配列 @canvasPanelWidth = null #canvasのパネルの横幅 @canvasYPanelNum = null #canvasの縦のパネル数 @imgPanelresizedHeight = null #canvasPanelWidthに合わせて画像の1シーンを拡縮した際の縦幅 @imgXPanelNum = null #読み込んだ画像の横のシーン数 @imgYPanelNum = null #読み込んだ画像の縦のシーン数 @frameCount = 0 #drawで回す表示フレームのカウンター @panelCount = 0 #最初パネルを埋める時に回すパネル数のカウンター @isFirst = true #パネルが埋まっているかどうかのフラグ @$targetParent = _$targetParent #canvasの親になる生成先 @canvas = null @ctx = null @requestId = null #RAFに使用するID @setTimerId = null #Timeoutに使用するID @fpsInterval = 1000 / @options.fps #RAFのfps調整に使用するフレーム間隔の変数 @timeLog = Date.now() #RAFのfps調整に使用する変数 #RAFの宣言(fallback付) @requestAnimationFrame = (window.requestAnimationFrame and window.requestAnimationFrame.bind(window)) or (window.webkitRequestAnimationFrame and window.webkitRequestAnimationFrame.bind(window)) or (window.mozRequestAnimationFrame and window.mozRequestAnimationFrame.bind(window)) or (window.oRequestAnimationFrame and window.oRequestAnimationFrame.bind(window)) or (window.msRequestAnimationFrame and window.msRequestAnimationFrame.bind(window)) or (callback,element) -> @setTimerId = window.setTimeout(callback, 1000 / 60) return #キャンセル用RAFの宣言(fallback付) @cancelAnimationFrame = (window.cancelAnimationFrame and window.cancelAnimationFrame.bind(window)) or (window.webkitCancelAnimationFrame and window.webkitCancelAnimationFrame.bind(window)) or (window.mozCancelAnimationFrame and window.mozCancelAnimationFrame.bind(window)) or (window.oCancelAnimationFrame and window.oCancelAnimationFrame.bind(window)) or (window.msCancelAnimationFrame and window.msCancelAnimationFrame.bind(window)) or (callback,element) -> window.clearTimeout(@setTimerId) return #初期処理 @_init() _init: -> #渡されたImgArrayが空、中のImgがロードされてない、中のImgがそもそも渡されていないとエラー if @options.targetImgArray.length is 0 console.error('Image Array is empty.') return false for i in [0...@options.targetImgArray.length] if @options.targetImgArray[i].width is 0 or !@options.targetImgArray[i] console.error('Image not loaded.') return false #オプションにシーンの横幅と縦幅がないとエラー if @options.sceneWidth is false or @options.sceneHeight is false console.error('Input Scene Size.') return false #canvasの生成、contextの宣言 @$targetParent.append('<canvas class="canvas-movie-sprite"></canvas>') @canvas = @$targetParent.find('.canvas-movie-sprite')[0] @ctx = @canvas.getContext("2d") @_canvasResize() #liquid対応のリサイズイベント登録 if @options.liquid $(window).on('resize', @_debounce( ()=> @_canvasResize() ,300)) return #canvasのリサイズ関数 _canvasResize: => console.log('resize') parentWidth = @$targetParent.width() parentHeight = @$targetParent.height() $(@canvas).attr({'width':parentWidth,'height':parentHeight}) @_createCuttPoint(@options.targetImgObject) #isFirstなら最初から再描画、パネルが埋まっていれば埋めたまま再描画 if !@isFirst @panelCount = @canvasPointArray.length if !@requestId @frameCount = 0 @_drawSpriteImg() else @ctx.clearRect(0, 0, @canvas.width, @canvas.height) @panelCount = 0 @frameCount = 0 return #実行回数の間引き _debounce: (func, threshold, execAsap) -> timeout = null (args...) -> obj = this delayed = -> func.apply(obj, args) unless execAsap timeout = null if timeout clearTimeout(timeout) else if (execAsap) func.apply(obj, args) timeout = setTimeout delayed, threshold || 100 #各種幅や座標の計算 _createCuttPoint: -> canvasWidth = @canvas.width canvasHeight = @canvas.height #console.log('canvas width = ' + canvasWidth) #console.log('canvas height = ' + canvasHeight) @canvasPanelWidth = canvasWidth / @options.splitNum @imgPanelresizedHeight = Math.ceil((@canvasPanelWidth / @options.sceneWidth) * @options.sceneHeight) @canvasYPanelNum = Math.ceil(canvasHeight / @imgPanelresizedHeight) #console.log('canvas scene width = ' + @canvasPanelWidth) #console.log('canvas scene height = ' + @imgPanelresizedHeight) @canvasPointArray = @_canvasPointPush() #targetImgArrayからイメージの座標を結合して一つの配列を作る if @imgPointArray.length is 0 for i in [0...@options.targetImgArray.length] partsPointArray = @_imgPointPush(@options.targetImgArray[i]) for i in [0...partsPointArray.length] @imgPointArray.push(partsPointArray[i]) #console.log(@imgPointArray) #console.log('canvasのパネル数 = ' + @canvasPointArray.length) #console.log('動画のシーン画像の数 = ' + @imgPointArray.length) return #canvas座標配列を返す関数 _canvasPointPush: -> pointArray = [] nowPoint = 0 for i in [0...@canvasYPanelNum] for i2 in [0...@options.splitNum] pointArray.push({x:i2 * @canvasPanelWidth, y:nowPoint}) if i2 is @options.splitNum-1 nowPoint += @imgPanelresizedHeight #console.log(pointArray) return pointArray #シーン座標配列を返す関数 _imgPointPush: (targetImg)-> imgWidth = targetImg.width imgHeight = targetImg.height imgXPanelNum = Math.ceil(imgWidth / @options.sceneWidth) imgYPanelNum = Math.ceil(imgHeight / @options.sceneHeight) pointArray = [] nowPoint = 0 for i in [0...imgYPanelNum] for i2 in [0...imgXPanelNum] pointArray.push({x:i2 * @options.sceneWidth, y:nowPoint, img:targetImg}) if i2 is imgXPanelNum-1 nowPoint += @options.sceneHeight #console.log(pointArray) return pointArray #スプライトの描画関数 _drawSpriteImg: -> #RAFのフレーム調整 now = Date.now() elapsed = now - @timeLog if elapsed > @fpsInterval @timeLog = now - (elapsed % @fpsInterval) #isFirstで分岐 if @isFirst @frameCount++ if @panelCount < @canvasPointArray.length then @panelCount++ else @isFirst = false; @panelCount = @canvasPointArray.length if @frameCount >= @imgPointArray.length then @frameCount = 0 else if @frameCount < @imgPointArray.length then @frameCount++ else @frameCount = 0 for i in [0...@panelCount] if i+@frameCount >= @imgPointArray.length steppedFrame = (i+@frameCount) % @imgPointArray.length else steppedFrame = i+@frameCount #console.log('stepped frame = ' + steppedFrame) @ctx.drawImage( @imgPointArray[steppedFrame].img @imgPointArray[steppedFrame].x @imgPointArray[steppedFrame].y @options.sceneWidth @options.sceneHeight @canvasPointArray[i].x @canvasPointArray[i].y @canvasPanelWidth @imgPanelresizedHeight ) return #描画ループをスタート drawLoopStart: => #console.log('loop start') if !@requestId @_drawLoop() return #描画ループをフルパネル表示からスタート drawFullLoopStart: => #console.log('loop start') if !@requestId @panelCount = @canvasPointArray.length @_drawLoop() return #描画ループをストップ drawLoopStop: => #console.log('loop stop') if @requestId @cancelAnimationFrame(@requestId) @requestId = null return #ループ関数 _drawLoop: => @requestId = @requestAnimationFrame(@_drawLoop) @_drawSpriteImg() return #canvas横分割数の動的変更 changeSplitNum: (_changeNum) => #console.log('change panel num = ' + _changeNum) @isFirst = true @options.splitNum = _changeNum @_createCuttPoint() @panelCount = 0 @frameCount = 0 return #canvasの初期化 spriteClear: => #console.log('sprite clear') @isFirst = true @ctx.clearRect(0, 0, @canvas.width, @canvas.height) @panelCount = 0 @frameCount = 0 return #fpsの変更 changeFps: (_changeFps) => if _changeFps isnt @options.fps #console.log('change Fps = ' + _changeFps) @options.fps = _changeFps @fpsInterval = 1000 / @options.fps return #リサイズ対応の追加 liquidOn: -> @options.liquid = true @_canvasResize() $(window).on('resize', @_canvasResize) return #リサイズ対応の削除 liquidOff: -> @options.liquid = false $(window).off('resize', @_canvasResize) return $.fn.CanvasSplitMovie = (options) -> @each (i, el) -> $el = $(el) SplitMovie = new CanvasSplitMovie $el, options $el.data 'CanvasSplitMovie', SplitMovie
[ { "context": "#\n# The main Fx file\n#\n# Copyright (C) 2011 Nikolay Nemshilov\n#\ncore = require('core')\n$ = requi", "end": 61, "score": 0.9998862147331238, "start": 44, "tag": "NAME", "value": "Nikolay Nemshilov" } ]
stl/fx/main.coffee
lovely-io/lovely.io-stl
2
# # The main Fx file # # Copyright (C) 2011 Nikolay Nemshilov # core = require('core') $ = require('dom') ext = core.ext bind = core.bind Class = core.Class List = core.List Hash = core.Hash isObject = core.isObject Element = $.Element Browser = $.Browser HTML = global.document.documentElement IE_OPACITY = 'filter' of HTML.style and !('opacity' of HTML.style) include 'src/fx' include 'src/fx/attr' include 'src/fx/scroll' include 'src/fx/style' include 'src/fx/highlight' include 'src/fx/twin' include 'src/fx/fade' include 'src/fx/slide' include 'src/element' include 'src/colors' exports = ext Fx, version: "%{version}"
67327
# # The main Fx file # # Copyright (C) 2011 <NAME> # core = require('core') $ = require('dom') ext = core.ext bind = core.bind Class = core.Class List = core.List Hash = core.Hash isObject = core.isObject Element = $.Element Browser = $.Browser HTML = global.document.documentElement IE_OPACITY = 'filter' of HTML.style and !('opacity' of HTML.style) include 'src/fx' include 'src/fx/attr' include 'src/fx/scroll' include 'src/fx/style' include 'src/fx/highlight' include 'src/fx/twin' include 'src/fx/fade' include 'src/fx/slide' include 'src/element' include 'src/colors' exports = ext Fx, version: "%{version}"
true
# # The main Fx file # # Copyright (C) 2011 PI:NAME:<NAME>END_PI # core = require('core') $ = require('dom') ext = core.ext bind = core.bind Class = core.Class List = core.List Hash = core.Hash isObject = core.isObject Element = $.Element Browser = $.Browser HTML = global.document.documentElement IE_OPACITY = 'filter' of HTML.style and !('opacity' of HTML.style) include 'src/fx' include 'src/fx/attr' include 'src/fx/scroll' include 'src/fx/style' include 'src/fx/highlight' include 'src/fx/twin' include 'src/fx/fade' include 'src/fx/slide' include 'src/element' include 'src/colors' exports = ext Fx, version: "%{version}"
[ { "context": " \"+-inurl:topic\"\r\n \"&keyvol=01e1195423b8ee7e4598\"]\r\n func : hotbotSearch\r\n #--start searc", "end": 18451, "score": 0.9968444108963013, "start": 18434, "tag": "KEY", "value": "01e1195423b8ee7e4" } ]
ChangeSearch/coffee.coffee
hentaiPanda/GM_Scripts
1
# wrap a text node wrapTextNode = (node, tagname, klass) -> wrapper = document.createElement(tagname) node.parentNode.insertBefore(wrapper, node) wrapper.appendChild(node) if klass wrapper.className = klass return wrapper # get first child getFirstChild = (node) -> fc = node.firstChild while (fc isnt null and fc.nodeType isnt 1) fc = fc.nextSibling return fc # inject css style injectStyle = (engine) -> css = { google : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } h3.r{ font-weight: 100; font-size: 13px !important; padding: 5px 0px 0px; } h3 a:link { color: #0084B4; } h3 a:hover { color: #0187C5; text-decoration: underline; } h3 a:visited, h3 a:active { color: #0187C5; } div.f.kv { padding: 10px 0px 2px; font-size: 10px; color: #999; } span.st { color: #666; } li.g{ line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } em { font-weight: bold; /* em font color : red */ /*color: #DD4B39;*/ font-style: normal; } #divnav { padding: 10px 0px 0px; } #divnav a.fl:hover { color: #FFF; background: none repeat scroll 0% 0% #0084B4; } #divnav a.fl, #divnav a.fl:active, #divnav a.fl:visited { padding: 4px 8px; margin-right: 4px; font-size: 12px; color: #555; background: none repeat scroll 0% 0% #EEE; text-decoration: none; font-weight: normal; border-radius: 5px; } </style>', bing : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } .b_caption { color: #666; padding: 5px 0px 0px; } .b_title h2 { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } .b_title h2 a:link { color: #0084B4; } .b_title h2 a:hover { color: #0187C5; text-decoration: underline; } .b_title h2 a:visited, .b_title h2 a:active { color: #0187C5; } .b_attribution, cite { font-weight: normal; padding: 5px 0px 2px; font-size: 10px; color: #999; } li.b_pag { list-style-type: none; /*padding: 5px 5px 8px;*/ border-bottom: none !important; } .b_pag li { float: left; } li.b_algo { line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } a.sb_pagS { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } em { font-style: normal; } nav { padding: 10px 0px 0px; } nav ul li a:hover { color: #FFF; background: none repeat scroll 0% 0% #0084B4; } nav ul li a, nav ul li a:active, nav ul li a:visited { padding: 4px 8px; margin-right: 4px; font-size: 12px; color: #555; background: none repeat scroll 0% 0% #EEE; text-decoration: none; font-weight: normal; border-radius: 5px; } </style>', aol : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } .b_caption { padding: 5px 0px 0px; } .hac { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } .hac a:link { color: #0084B4; } .hac a:hover { color: #0187C5; text-decoration: underline; } .hac a:visited, .hac a:active { color: #0187C5; } .durl.find { padding: 10px 0px 2px; font-weight: normal; font-size: 10px !important; color: #999; } li p { color: #666; } #columnSearchB li[about] { line-height: 1.2; list-style-type: none; padding: 5px 5px 8px; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } em { font-style: normal; } #divnav { padding: 10px 0px 0px; } span.p_cur { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } </style>', hotbot : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } h3.web-url.resultTitle { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } h3.web-url.resultTitle a:link { color: #0084B4; } h3.web-url.resultTitle h2 a:hover { color: #0187C5; text-decoration: underline; } h3.web-url.resultTitle a:visited, h3.web-url.resultTitle a:active { color: #0187C5; } .web-description { color: #666; padding: 5px 0px 0px; } span.web-baseuri { display: inherit; font-weight: normal; padding: 5px 0px 2px; font-size: 10px; color: #999; } li.result { line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } #divnav { padding: 10px 0px 0px; } span.p_cur { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } </style>', goo : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } p.title.fsL1 { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } p.title.fsL1 a:link { color: #0084B4; } p.title.fsL1 a:hover { color: #0187C5; text-decoration: underline; } p.title.fsL1 a:visited, p.title.fsL1 a:active { color: #0187C5; } p.url.fsM.cH { display: inherit; font-weight: normal; padding: 10px 0px 2px; font-size: 10px; color: #999; } p.txt.fsM { color: #666; } div.result { line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } #divnav { padding: 10px 0px 0px; } #divnav li, #divnav .fsM { float: left; } span.p_cur { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } </style>' } $("head").append(css[engine]) console.log "style injected" googleSearch = (response) -> responseHTML = $(response.responseText).find(".srg").html() return unless responseHTML nav = $(response.responseText).find("#nav").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) $(".f.slp").remove() $("div.f.kv cite").each -> this.parentNode.innerHTML = this.innerHTML # $("#columnSearchB").css("display", "block") $("#divnav").contents().each -> if this.nodeType is 3 wrapTextNode(this, "strong", "p_cur") $("#pnnext").text("››").removeClass("pn").addClass("fl") $("#pnprev").text("‹‹").removeClass("pn").addClass("fl") $("#columnSearchB li div h3 a").each -> this.removeAttribute("onmousedown") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav a.fl").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") $("html").scrollTop(0) bingSearch = (response) -> return if $(response.responseText).find("li.b_no").html()? responseHTML = $(response.responseText).find("ol#b_results").html() $("#columnSearchB").html(responseHTML) $(".b_title h2").siblings().remove() $("li.b_ans, li.b_pag:first, nav h4.b_hide").remove() $(".b_caption").each -> for i in this.childNodes if i.nodeType isnt 3 return this.appendChild(i) $(".b_attribution cite").each -> this.parentNode.removeAttribute("u") this.parentNode.innerHTML = this.textContent $(".sw_prev").parent().html("‹‹").removeClass("sb_pagP").addClass("p") $(".sw_next").parent().html("››").removeClass("sb_pagN").addClass("p") $(".b_title a").each -> this.removeAttribute("h") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("nav ul li a").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.removeAttribute("h") $("html").scrollTop(0) aolSearch = (response) -> responseHTML = $(response.responseText).find(".MSL ul").html() return unless responseHTML for i in [".MSL.MSL2 ul", ".MSL.MSL3 ul"] res2 = $(response.responseText).find(i).html() break unless res2 responseHTML += res2 nav = $(response.responseText).find("#pagination ul").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) $(".moreResults").remove() $(".gspPageNext a:first-child").text("››") $(".gspPagePrev a:first-child").text("‹‹") $(".durl.find span:first-child").each -> this.parentNode.innerHTML = this.innerHTML $(".hac a").each -> this.removeAttribute("onclick") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav a").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.setAttribute("class", "p") $("#divnav span").each -> unless this.className this.setAttribute("class", "p_cur") $("html").scrollTop(0) hotbotSearch = (response) -> responseHTML = $(response.responseText).find("#web-results ol").html() return unless responseHTML nav = $(response.responseText).find(".pagination.pagBottom").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) # .web-baseuri倒序, 并删除<br /> $(".web-description").each -> for i in this.childNodes continue if i.tagName is "BR" this.insertBefore(i, this.firstChild) # .web-baseuri里hotbot只给domain不给完整url $(".web-baseuri").each -> href = getFirstChild(getFirstChild(this.parentNode.parentNode)) this.textContent = href.getAttribute("href").split("http://")[1] $("li.result a").each -> this.setAttribute("target", "_blank") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav a.next").text("››") $("#divnav a.previous").text("‹‹") $("#divnav a").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.setAttribute("class", "p") $("#divnav span.current").addClass("p_cur") $("html").scrollTop(0) hotbotGetKey = (resText) -> return resText.split("$('#keyvol').val('")[1].split("'")[0] gooSearch = (response) -> responseHTML = $(response.responseText).find(".sec4").html() return unless responseHTML nav = $(response.responseText).find(".nav").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) # 无结果时删除 div.error 显示的文字 $("#columnSearchB div.error").remove() $("p.num.fsM.cH").remove() $(".url.fsM.cH span.cM").each -> # this.parentNode.innerHTML = this.textContent this.parentNode.innerHTML = $.trim(this.textContent) $("p.title.fsL1 a").each -> this.removeAttribute("id") this.removeAttribute("class") this.removeAttribute("onclick") this.setAttribute("target", "_blank") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav .next").text("››") $("#divnav .prev").text("‹‹") $("#divnav .nextMax, #divnav .prevMax").parentsUntil("li").remove() # $("#divnav .nextMax").text("››") # $("#divnav .prevMax").text("‹‹") $("#divnav a").each -> this.removeAttribute("id") this.removeAttribute("class") href = this.getAttribute("href").split("http://search.goo.ne.jp")[1] this.setAttribute("data-src", href) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.setAttribute("class", "p") this.parentNode.outerHTML = this.outerHTML $("#divnav span").addClass("p_cur") $("#divnav a, #divnav span").appendTo("#divnav") $("#divnav .fsM, #divnav .num").remove() $("html").scrollTop(0) transAni = (flag) -> # legacy code # if flag # console.log "doSearch start" # $("#columnSearchB").progressbar({value: false}) # else # console.log "onload success" # $("#columnSearchB").progressbar("destroy") func = {} func["start"] = -> console.log "doSearch start" # $("#columnSearchB").progressbar({value: false}) pgsbarDiv() $("#pgsbarwrapper").progressbar({value: false}) func["onload"] = -> console.log "onload success" # $("#columnSearchB").progressbar("destroy") # $("#pgsbarwrapper").animate({"opacity" : "0"}, 1000) $("#pgsbarwrapper").progressbar("destroy") $("#pgsbarwrapper").remove() func["onerror"] = -> console.log "onerror no response" # $("#columnSearchB").progressbar("destroy") $("#pgsbarwrapper").progressbar("destroy") $("#pgsbarwrapper").remove() func[flag]() doSearchKai = (domain, sekw, func, key, kyfunc) -> # console.log "start" $("#columnSearchB").html("") # $("#columnSearchB").progressbar({value: false}) transAni "start" console.log domain unless key console.log domain + sekw GM_xmlhttpRequest( method: "GET" url: domain + sekw onload: (response) -> # $("#columnSearchB").progressbar("destroy") # console.log "success" transAni "onload" func response onerror: -> # $("#columnSearchB").progressbar("destroy") # console.log "no response" transAni "onerror" ) else GM_xmlhttpRequest( method: "GET" url: domain onload: (response) -> console.log "get keyvol" keyvol = kyfunc(response.responseText) console.log keyvol console.log domain + sekw + keyvol GM_xmlhttpRequest( method: "GET" url: domain + sekw + keyvol onload: (response) -> # $("#columnSearchB").progressbar("destroy") # console.log "success" transAni "onload" func response onerror: -> # $("#columnSearchB").progressbar("destroy") # console.log "no response" transAni "onerror" ) onerror: -> # $("#columnSearchB").progressbar("destroy") # console.log "homepage no response" transAni "onerror" ) # legacy func doSearch = (domain, sekw, func) -> console.log "start" $("#columnSearchB").html("") $("#columnSearchB").progressbar({value: false}) console.log(domain + sekw) GM_xmlhttpRequest( method: "GET" url: domain + sekw onload: (response) -> $("#columnSearchB").progressbar("destroy") console.log "success" func response onerror: -> $("#columnSearchB").progressbar("destroy") console.log "no response" ) # legcy func searchEngine = (se) -> engine = google : {} bing : {} aol : {} engine["google"] = domain : "https://www.google.com" sq : "/search?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "+-inurl:reviews" "+-inurl:comments" "+-inurl:characters" "+-inurl:persons" "+-inurl:collections" "+-inurl:wishes" "+-inurl:doings" "+-inurl:on_hold" "+-inurl:dropped" "+-inurl:board" "+-inurl:ep" "+-inurl:index" "&filter=0"] func : googleSearch engine["bing"] = domain : "http://cn.bing.com" sq : "/search?q=" params : ["+site:bangumi.tv/subject" "+-site:doujin.bangumi.tv" "+-site:bangumi.tv/subject/*/*" "+-inurl:topic" "&intlF=&upl=zh-chs&FORM=TIPCN1"] func : bingSearch engine["aol"] = domain : "http://search.aol.com/aol/" sq : "search?s_it=topsearchbox.search&v_t=na&q=" params : ["+-site%3Abangumi.tv%2Fsubject%2F*%2F*" "+-site%3Adoujin.bangumi.tv%2F*" "+site%3Abangumi.tv%2Fsubject" "&filter=false"] func : aolSearch engine["hotbot"] = domain : "http://www.hotbot.com" sq : "/search/web?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "&keyvol=01e1195423b8ee7e4598"] func : hotbotSearch #--start searching--# injectStyle(se) console.log "css injected" $("head").append( '<link rel="stylesheet" type="text/css" href=' + '"http://code.jquery.com/ui/1.11.0/themes/smoothness/jquery-ui.css">') kw = $("#columnSearch > div > form > .searchInputL").val() doSearch(engine[se]["domain"], engine[se]["sq"] + kw + engine[se]["params"].join(""), engine[se]["func"]) console.log "keyword: ", kw window.addEventListener("click", (evt) -> href = evt.target.getAttribute("data-src") return unless href console.log href doSearch(engine[se]["domain"], href, engine[se]["func"])) # searchEngine("google") # searchEngine("bing") # searchEngine("aol") # hotbot的搜索结果还可以,但是需要一个由服务器产生的keyvol参数 # 或许是出于安全考虑,keyvol有时间(或者是次数)限制 # searchEngine("hotbot") # 增加一个engine[se]["key"] === true / false 来控制是否需要实现提取一个参数 # 同时增加一个kyfunc( key func ) 来取得key # 目前只有hotbot需要 key : true searchEngineKai = (se) -> engine = {} engine["google"] = domain : "https://www.google.com" sq : "/search?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "+-inurl:reviews" "+-inurl:comments" "+-inurl:characters" "+-inurl:persons" "+-inurl:collections" "+-inurl:wishes" "+-inurl:doings" "+-inurl:on_hold" "+-inurl:dropped" "+-inurl:board" "+-inurl:ep" "+-inurl:index" "&filter=0"] func : googleSearch key : false kyfunc : "" engine["bing"] = domain : "http://cn.bing.com" sq : "/search?q=" params : ["+site:bangumi.tv/subject" "+-site:doujin.bangumi.tv" "+-site:bangumi.tv/subject/*/*" "+-inurl:topic" "&intlF=&upl=zh-chs&FORM=TIPCN1"] func : bingSearch key : false kyfunc : "" engine["aol"] = domain : "http://search.aol.com/aol/" sq : "search?s_it=topsearchbox.search&v_t=na&q=" params : ["+-site%3Abangumi.tv%2Fsubject%2F*%2F*" "+-site%3Adoujin.bangumi.tv%2F*" "+site%3Abangumi.tv%2Fsubject" "&filter=false"] func : aolSearch key : false kyfunc : "" engine["hotbot"] = domain : "http://www.hotbot.com" sq : "/search/web?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "&keyvol="] func : hotbotSearch key : true kyfunc : hotbotGetKey engine["goo"] = domain : "http://search.goo.ne.jp" sq : "/web.jsp?MT=" params : ["+site:bangumi.tv/subject" "+-inurl:topic" "+-inurl:doujin" "+-inurl:ep" "&mode=0&IE=UTF-8&OE=UTF-8&from=s_b_top_web&PT="] func : gooSearch key : false kyfunc : "" #--start searching--# injectStyle(se) # legacy code # $("head").append( # '<link rel="stylesheet" type="text/css" href=' + # '"http://code.jquery.com/ui/1.11.0/themes/smoothness/jquery-ui.css">') kw = $("#columnSearch > div > form > .searchInputL").val() doSearchKai(engine[se]["domain"], engine[se]["sq"] + kw + engine[se]["params"].join(""), engine[se]["func"], engine[se]["key"], engine[se]["kyfunc"]) console.log "keyword: ", kw # legacy code # 如果只使用一个引擎可以直接addEvtListener # 但是多引擎会导致重复绑定,一旦点击,多个引擎一起搜索引起混乱 # window.addEventListener("click", (evt) -> # href = evt.target.getAttribute("data-src") # return unless href # console.log href # doSearchKai(engine[se]["domain"], # href, # engine[se]["func"], # false, # engine[se]["kyfunc"])) $("#columnSearchB").off() $("#columnSearchB").on "click", "a", (evt) -> href = evt.target.getAttribute("data-src") return unless href doSearchKai(engine[se]["domain"], href, engine[se]["func"], false, engine[se]["kyfunc"]) # searchEngineKai("google") # searchEngineKai("bing") # searchEngineKai("aol") # searchEngineKai("hotbot") # searchEngineKai("goo") $(document).ready -> $("head").append('<style type="text/css"> #engine { width: 100px; } #engine-menu { width: 98px !important; } #sewrapper { padding: 15px 0px 0px; } </style>') $("head").append( '<link rel="stylesheet" type="text/css" href=' + '"http://code.jquery.com/ui/1.11.0/themes/smoothness/jquery-ui.css">') enghtml = zh : '<div id="sewrapper"> <select name="engine" id="engine"> <option value="default">默认</option> <option value="google">谷歌</option> <option value="bing">必应</option> <option value="aol">奥尔</option> <option value="hotbot">哈霸</option> <option value="goo">古屋</option> </select> </div>' en : '<div id="sewrapper"> <select name="engine" id="engine"> <option value="default">default</option> <option value="google">Google</option> <option value="bing">Bing</option> <option value="aol">AOL</option> <option value="hotbot">HotBot</option> <option value="goo">goo</option> </select> </div>' $("#columnSearchA").append(enghtml[getLang()]) # $("#columnSearchA").append('<div id="sewrapper"> # <select name="engine" id="engine"> # <option value="default">默认</option> # <option value="google">谷歌</option> # <option value="bing">必应</option> # <option value="aol">奥尔</option> # <option value="hotbot">哈霸</option> # <option value="goo">古屋</option> # </select> # </div>') engine = GM_getValue("searchEngineName", "default") # menu显示所选择设定的搜索引擎 # 默认样式 用以下方法 # $("#engine option").filter((i, elem) -> # elem.getAttribute("value") is engine # .prop("selected", true) # jQuery UI用以下方法 $("#engine").val(engine) # init selectmenu $("#engine").selectmenu change: (evt, ui) -> console.log "engine changed" GM_setValue("searchEngineName", ui.item.value) location.reload() if ui.item.value is "default" searchEngineKai(ui.item.value) return if engine is "default" searchEngineKai(engine) getLang = -> try lang = window.navigator.language.split("-")[0] return "zh" if lang isnt "en" catch err console.log "cant find window.navigator.language" console.log err lang = "zh" return lang pgsbarDiv = -> $("body").append('<div id="pgsbarwrapper"></div>') left = Math.floor($(window).width() / 2) - 312 top = Math.floor($(window).height() * 3 / 8) - 12 left = Math.max(left, 110) # top = Math.max(top, 150) $("#pgsbarwrapper").css "position" : "fixed" "left" : left "top" : top "opacity" : "0.7" "width" : "500px"
75300
# wrap a text node wrapTextNode = (node, tagname, klass) -> wrapper = document.createElement(tagname) node.parentNode.insertBefore(wrapper, node) wrapper.appendChild(node) if klass wrapper.className = klass return wrapper # get first child getFirstChild = (node) -> fc = node.firstChild while (fc isnt null and fc.nodeType isnt 1) fc = fc.nextSibling return fc # inject css style injectStyle = (engine) -> css = { google : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } h3.r{ font-weight: 100; font-size: 13px !important; padding: 5px 0px 0px; } h3 a:link { color: #0084B4; } h3 a:hover { color: #0187C5; text-decoration: underline; } h3 a:visited, h3 a:active { color: #0187C5; } div.f.kv { padding: 10px 0px 2px; font-size: 10px; color: #999; } span.st { color: #666; } li.g{ line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } em { font-weight: bold; /* em font color : red */ /*color: #DD4B39;*/ font-style: normal; } #divnav { padding: 10px 0px 0px; } #divnav a.fl:hover { color: #FFF; background: none repeat scroll 0% 0% #0084B4; } #divnav a.fl, #divnav a.fl:active, #divnav a.fl:visited { padding: 4px 8px; margin-right: 4px; font-size: 12px; color: #555; background: none repeat scroll 0% 0% #EEE; text-decoration: none; font-weight: normal; border-radius: 5px; } </style>', bing : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } .b_caption { color: #666; padding: 5px 0px 0px; } .b_title h2 { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } .b_title h2 a:link { color: #0084B4; } .b_title h2 a:hover { color: #0187C5; text-decoration: underline; } .b_title h2 a:visited, .b_title h2 a:active { color: #0187C5; } .b_attribution, cite { font-weight: normal; padding: 5px 0px 2px; font-size: 10px; color: #999; } li.b_pag { list-style-type: none; /*padding: 5px 5px 8px;*/ border-bottom: none !important; } .b_pag li { float: left; } li.b_algo { line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } a.sb_pagS { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } em { font-style: normal; } nav { padding: 10px 0px 0px; } nav ul li a:hover { color: #FFF; background: none repeat scroll 0% 0% #0084B4; } nav ul li a, nav ul li a:active, nav ul li a:visited { padding: 4px 8px; margin-right: 4px; font-size: 12px; color: #555; background: none repeat scroll 0% 0% #EEE; text-decoration: none; font-weight: normal; border-radius: 5px; } </style>', aol : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } .b_caption { padding: 5px 0px 0px; } .hac { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } .hac a:link { color: #0084B4; } .hac a:hover { color: #0187C5; text-decoration: underline; } .hac a:visited, .hac a:active { color: #0187C5; } .durl.find { padding: 10px 0px 2px; font-weight: normal; font-size: 10px !important; color: #999; } li p { color: #666; } #columnSearchB li[about] { line-height: 1.2; list-style-type: none; padding: 5px 5px 8px; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } em { font-style: normal; } #divnav { padding: 10px 0px 0px; } span.p_cur { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } </style>', hotbot : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } h3.web-url.resultTitle { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } h3.web-url.resultTitle a:link { color: #0084B4; } h3.web-url.resultTitle h2 a:hover { color: #0187C5; text-decoration: underline; } h3.web-url.resultTitle a:visited, h3.web-url.resultTitle a:active { color: #0187C5; } .web-description { color: #666; padding: 5px 0px 0px; } span.web-baseuri { display: inherit; font-weight: normal; padding: 5px 0px 2px; font-size: 10px; color: #999; } li.result { line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } #divnav { padding: 10px 0px 0px; } span.p_cur { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } </style>', goo : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } p.title.fsL1 { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } p.title.fsL1 a:link { color: #0084B4; } p.title.fsL1 a:hover { color: #0187C5; text-decoration: underline; } p.title.fsL1 a:visited, p.title.fsL1 a:active { color: #0187C5; } p.url.fsM.cH { display: inherit; font-weight: normal; padding: 10px 0px 2px; font-size: 10px; color: #999; } p.txt.fsM { color: #666; } div.result { line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } #divnav { padding: 10px 0px 0px; } #divnav li, #divnav .fsM { float: left; } span.p_cur { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } </style>' } $("head").append(css[engine]) console.log "style injected" googleSearch = (response) -> responseHTML = $(response.responseText).find(".srg").html() return unless responseHTML nav = $(response.responseText).find("#nav").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) $(".f.slp").remove() $("div.f.kv cite").each -> this.parentNode.innerHTML = this.innerHTML # $("#columnSearchB").css("display", "block") $("#divnav").contents().each -> if this.nodeType is 3 wrapTextNode(this, "strong", "p_cur") $("#pnnext").text("››").removeClass("pn").addClass("fl") $("#pnprev").text("‹‹").removeClass("pn").addClass("fl") $("#columnSearchB li div h3 a").each -> this.removeAttribute("onmousedown") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav a.fl").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") $("html").scrollTop(0) bingSearch = (response) -> return if $(response.responseText).find("li.b_no").html()? responseHTML = $(response.responseText).find("ol#b_results").html() $("#columnSearchB").html(responseHTML) $(".b_title h2").siblings().remove() $("li.b_ans, li.b_pag:first, nav h4.b_hide").remove() $(".b_caption").each -> for i in this.childNodes if i.nodeType isnt 3 return this.appendChild(i) $(".b_attribution cite").each -> this.parentNode.removeAttribute("u") this.parentNode.innerHTML = this.textContent $(".sw_prev").parent().html("‹‹").removeClass("sb_pagP").addClass("p") $(".sw_next").parent().html("››").removeClass("sb_pagN").addClass("p") $(".b_title a").each -> this.removeAttribute("h") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("nav ul li a").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.removeAttribute("h") $("html").scrollTop(0) aolSearch = (response) -> responseHTML = $(response.responseText).find(".MSL ul").html() return unless responseHTML for i in [".MSL.MSL2 ul", ".MSL.MSL3 ul"] res2 = $(response.responseText).find(i).html() break unless res2 responseHTML += res2 nav = $(response.responseText).find("#pagination ul").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) $(".moreResults").remove() $(".gspPageNext a:first-child").text("››") $(".gspPagePrev a:first-child").text("‹‹") $(".durl.find span:first-child").each -> this.parentNode.innerHTML = this.innerHTML $(".hac a").each -> this.removeAttribute("onclick") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav a").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.setAttribute("class", "p") $("#divnav span").each -> unless this.className this.setAttribute("class", "p_cur") $("html").scrollTop(0) hotbotSearch = (response) -> responseHTML = $(response.responseText).find("#web-results ol").html() return unless responseHTML nav = $(response.responseText).find(".pagination.pagBottom").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) # .web-baseuri倒序, 并删除<br /> $(".web-description").each -> for i in this.childNodes continue if i.tagName is "BR" this.insertBefore(i, this.firstChild) # .web-baseuri里hotbot只给domain不给完整url $(".web-baseuri").each -> href = getFirstChild(getFirstChild(this.parentNode.parentNode)) this.textContent = href.getAttribute("href").split("http://")[1] $("li.result a").each -> this.setAttribute("target", "_blank") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav a.next").text("››") $("#divnav a.previous").text("‹‹") $("#divnav a").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.setAttribute("class", "p") $("#divnav span.current").addClass("p_cur") $("html").scrollTop(0) hotbotGetKey = (resText) -> return resText.split("$('#keyvol').val('")[1].split("'")[0] gooSearch = (response) -> responseHTML = $(response.responseText).find(".sec4").html() return unless responseHTML nav = $(response.responseText).find(".nav").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) # 无结果时删除 div.error 显示的文字 $("#columnSearchB div.error").remove() $("p.num.fsM.cH").remove() $(".url.fsM.cH span.cM").each -> # this.parentNode.innerHTML = this.textContent this.parentNode.innerHTML = $.trim(this.textContent) $("p.title.fsL1 a").each -> this.removeAttribute("id") this.removeAttribute("class") this.removeAttribute("onclick") this.setAttribute("target", "_blank") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav .next").text("››") $("#divnav .prev").text("‹‹") $("#divnav .nextMax, #divnav .prevMax").parentsUntil("li").remove() # $("#divnav .nextMax").text("››") # $("#divnav .prevMax").text("‹‹") $("#divnav a").each -> this.removeAttribute("id") this.removeAttribute("class") href = this.getAttribute("href").split("http://search.goo.ne.jp")[1] this.setAttribute("data-src", href) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.setAttribute("class", "p") this.parentNode.outerHTML = this.outerHTML $("#divnav span").addClass("p_cur") $("#divnav a, #divnav span").appendTo("#divnav") $("#divnav .fsM, #divnav .num").remove() $("html").scrollTop(0) transAni = (flag) -> # legacy code # if flag # console.log "doSearch start" # $("#columnSearchB").progressbar({value: false}) # else # console.log "onload success" # $("#columnSearchB").progressbar("destroy") func = {} func["start"] = -> console.log "doSearch start" # $("#columnSearchB").progressbar({value: false}) pgsbarDiv() $("#pgsbarwrapper").progressbar({value: false}) func["onload"] = -> console.log "onload success" # $("#columnSearchB").progressbar("destroy") # $("#pgsbarwrapper").animate({"opacity" : "0"}, 1000) $("#pgsbarwrapper").progressbar("destroy") $("#pgsbarwrapper").remove() func["onerror"] = -> console.log "onerror no response" # $("#columnSearchB").progressbar("destroy") $("#pgsbarwrapper").progressbar("destroy") $("#pgsbarwrapper").remove() func[flag]() doSearchKai = (domain, sekw, func, key, kyfunc) -> # console.log "start" $("#columnSearchB").html("") # $("#columnSearchB").progressbar({value: false}) transAni "start" console.log domain unless key console.log domain + sekw GM_xmlhttpRequest( method: "GET" url: domain + sekw onload: (response) -> # $("#columnSearchB").progressbar("destroy") # console.log "success" transAni "onload" func response onerror: -> # $("#columnSearchB").progressbar("destroy") # console.log "no response" transAni "onerror" ) else GM_xmlhttpRequest( method: "GET" url: domain onload: (response) -> console.log "get keyvol" keyvol = kyfunc(response.responseText) console.log keyvol console.log domain + sekw + keyvol GM_xmlhttpRequest( method: "GET" url: domain + sekw + keyvol onload: (response) -> # $("#columnSearchB").progressbar("destroy") # console.log "success" transAni "onload" func response onerror: -> # $("#columnSearchB").progressbar("destroy") # console.log "no response" transAni "onerror" ) onerror: -> # $("#columnSearchB").progressbar("destroy") # console.log "homepage no response" transAni "onerror" ) # legacy func doSearch = (domain, sekw, func) -> console.log "start" $("#columnSearchB").html("") $("#columnSearchB").progressbar({value: false}) console.log(domain + sekw) GM_xmlhttpRequest( method: "GET" url: domain + sekw onload: (response) -> $("#columnSearchB").progressbar("destroy") console.log "success" func response onerror: -> $("#columnSearchB").progressbar("destroy") console.log "no response" ) # legcy func searchEngine = (se) -> engine = google : {} bing : {} aol : {} engine["google"] = domain : "https://www.google.com" sq : "/search?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "+-inurl:reviews" "+-inurl:comments" "+-inurl:characters" "+-inurl:persons" "+-inurl:collections" "+-inurl:wishes" "+-inurl:doings" "+-inurl:on_hold" "+-inurl:dropped" "+-inurl:board" "+-inurl:ep" "+-inurl:index" "&filter=0"] func : googleSearch engine["bing"] = domain : "http://cn.bing.com" sq : "/search?q=" params : ["+site:bangumi.tv/subject" "+-site:doujin.bangumi.tv" "+-site:bangumi.tv/subject/*/*" "+-inurl:topic" "&intlF=&upl=zh-chs&FORM=TIPCN1"] func : bingSearch engine["aol"] = domain : "http://search.aol.com/aol/" sq : "search?s_it=topsearchbox.search&v_t=na&q=" params : ["+-site%3Abangumi.tv%2Fsubject%2F*%2F*" "+-site%3Adoujin.bangumi.tv%2F*" "+site%3Abangumi.tv%2Fsubject" "&filter=false"] func : aolSearch engine["hotbot"] = domain : "http://www.hotbot.com" sq : "/search/web?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "&keyvol=<KEY>598"] func : hotbotSearch #--start searching--# injectStyle(se) console.log "css injected" $("head").append( '<link rel="stylesheet" type="text/css" href=' + '"http://code.jquery.com/ui/1.11.0/themes/smoothness/jquery-ui.css">') kw = $("#columnSearch > div > form > .searchInputL").val() doSearch(engine[se]["domain"], engine[se]["sq"] + kw + engine[se]["params"].join(""), engine[se]["func"]) console.log "keyword: ", kw window.addEventListener("click", (evt) -> href = evt.target.getAttribute("data-src") return unless href console.log href doSearch(engine[se]["domain"], href, engine[se]["func"])) # searchEngine("google") # searchEngine("bing") # searchEngine("aol") # hotbot的搜索结果还可以,但是需要一个由服务器产生的keyvol参数 # 或许是出于安全考虑,keyvol有时间(或者是次数)限制 # searchEngine("hotbot") # 增加一个engine[se]["key"] === true / false 来控制是否需要实现提取一个参数 # 同时增加一个kyfunc( key func ) 来取得key # 目前只有hotbot需要 key : true searchEngineKai = (se) -> engine = {} engine["google"] = domain : "https://www.google.com" sq : "/search?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "+-inurl:reviews" "+-inurl:comments" "+-inurl:characters" "+-inurl:persons" "+-inurl:collections" "+-inurl:wishes" "+-inurl:doings" "+-inurl:on_hold" "+-inurl:dropped" "+-inurl:board" "+-inurl:ep" "+-inurl:index" "&filter=0"] func : googleSearch key : false kyfunc : "" engine["bing"] = domain : "http://cn.bing.com" sq : "/search?q=" params : ["+site:bangumi.tv/subject" "+-site:doujin.bangumi.tv" "+-site:bangumi.tv/subject/*/*" "+-inurl:topic" "&intlF=&upl=zh-chs&FORM=TIPCN1"] func : bingSearch key : false kyfunc : "" engine["aol"] = domain : "http://search.aol.com/aol/" sq : "search?s_it=topsearchbox.search&v_t=na&q=" params : ["+-site%3Abangumi.tv%2Fsubject%2F*%2F*" "+-site%3Adoujin.bangumi.tv%2F*" "+site%3Abangumi.tv%2Fsubject" "&filter=false"] func : aolSearch key : false kyfunc : "" engine["hotbot"] = domain : "http://www.hotbot.com" sq : "/search/web?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "&keyvol="] func : hotbotSearch key : true kyfunc : hotbotGetKey engine["goo"] = domain : "http://search.goo.ne.jp" sq : "/web.jsp?MT=" params : ["+site:bangumi.tv/subject" "+-inurl:topic" "+-inurl:doujin" "+-inurl:ep" "&mode=0&IE=UTF-8&OE=UTF-8&from=s_b_top_web&PT="] func : gooSearch key : false kyfunc : "" #--start searching--# injectStyle(se) # legacy code # $("head").append( # '<link rel="stylesheet" type="text/css" href=' + # '"http://code.jquery.com/ui/1.11.0/themes/smoothness/jquery-ui.css">') kw = $("#columnSearch > div > form > .searchInputL").val() doSearchKai(engine[se]["domain"], engine[se]["sq"] + kw + engine[se]["params"].join(""), engine[se]["func"], engine[se]["key"], engine[se]["kyfunc"]) console.log "keyword: ", kw # legacy code # 如果只使用一个引擎可以直接addEvtListener # 但是多引擎会导致重复绑定,一旦点击,多个引擎一起搜索引起混乱 # window.addEventListener("click", (evt) -> # href = evt.target.getAttribute("data-src") # return unless href # console.log href # doSearchKai(engine[se]["domain"], # href, # engine[se]["func"], # false, # engine[se]["kyfunc"])) $("#columnSearchB").off() $("#columnSearchB").on "click", "a", (evt) -> href = evt.target.getAttribute("data-src") return unless href doSearchKai(engine[se]["domain"], href, engine[se]["func"], false, engine[se]["kyfunc"]) # searchEngineKai("google") # searchEngineKai("bing") # searchEngineKai("aol") # searchEngineKai("hotbot") # searchEngineKai("goo") $(document).ready -> $("head").append('<style type="text/css"> #engine { width: 100px; } #engine-menu { width: 98px !important; } #sewrapper { padding: 15px 0px 0px; } </style>') $("head").append( '<link rel="stylesheet" type="text/css" href=' + '"http://code.jquery.com/ui/1.11.0/themes/smoothness/jquery-ui.css">') enghtml = zh : '<div id="sewrapper"> <select name="engine" id="engine"> <option value="default">默认</option> <option value="google">谷歌</option> <option value="bing">必应</option> <option value="aol">奥尔</option> <option value="hotbot">哈霸</option> <option value="goo">古屋</option> </select> </div>' en : '<div id="sewrapper"> <select name="engine" id="engine"> <option value="default">default</option> <option value="google">Google</option> <option value="bing">Bing</option> <option value="aol">AOL</option> <option value="hotbot">HotBot</option> <option value="goo">goo</option> </select> </div>' $("#columnSearchA").append(enghtml[getLang()]) # $("#columnSearchA").append('<div id="sewrapper"> # <select name="engine" id="engine"> # <option value="default">默认</option> # <option value="google">谷歌</option> # <option value="bing">必应</option> # <option value="aol">奥尔</option> # <option value="hotbot">哈霸</option> # <option value="goo">古屋</option> # </select> # </div>') engine = GM_getValue("searchEngineName", "default") # menu显示所选择设定的搜索引擎 # 默认样式 用以下方法 # $("#engine option").filter((i, elem) -> # elem.getAttribute("value") is engine # .prop("selected", true) # jQuery UI用以下方法 $("#engine").val(engine) # init selectmenu $("#engine").selectmenu change: (evt, ui) -> console.log "engine changed" GM_setValue("searchEngineName", ui.item.value) location.reload() if ui.item.value is "default" searchEngineKai(ui.item.value) return if engine is "default" searchEngineKai(engine) getLang = -> try lang = window.navigator.language.split("-")[0] return "zh" if lang isnt "en" catch err console.log "cant find window.navigator.language" console.log err lang = "zh" return lang pgsbarDiv = -> $("body").append('<div id="pgsbarwrapper"></div>') left = Math.floor($(window).width() / 2) - 312 top = Math.floor($(window).height() * 3 / 8) - 12 left = Math.max(left, 110) # top = Math.max(top, 150) $("#pgsbarwrapper").css "position" : "fixed" "left" : left "top" : top "opacity" : "0.7" "width" : "500px"
true
# wrap a text node wrapTextNode = (node, tagname, klass) -> wrapper = document.createElement(tagname) node.parentNode.insertBefore(wrapper, node) wrapper.appendChild(node) if klass wrapper.className = klass return wrapper # get first child getFirstChild = (node) -> fc = node.firstChild while (fc isnt null and fc.nodeType isnt 1) fc = fc.nextSibling return fc # inject css style injectStyle = (engine) -> css = { google : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } h3.r{ font-weight: 100; font-size: 13px !important; padding: 5px 0px 0px; } h3 a:link { color: #0084B4; } h3 a:hover { color: #0187C5; text-decoration: underline; } h3 a:visited, h3 a:active { color: #0187C5; } div.f.kv { padding: 10px 0px 2px; font-size: 10px; color: #999; } span.st { color: #666; } li.g{ line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } em { font-weight: bold; /* em font color : red */ /*color: #DD4B39;*/ font-style: normal; } #divnav { padding: 10px 0px 0px; } #divnav a.fl:hover { color: #FFF; background: none repeat scroll 0% 0% #0084B4; } #divnav a.fl, #divnav a.fl:active, #divnav a.fl:visited { padding: 4px 8px; margin-right: 4px; font-size: 12px; color: #555; background: none repeat scroll 0% 0% #EEE; text-decoration: none; font-weight: normal; border-radius: 5px; } </style>', bing : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } .b_caption { color: #666; padding: 5px 0px 0px; } .b_title h2 { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } .b_title h2 a:link { color: #0084B4; } .b_title h2 a:hover { color: #0187C5; text-decoration: underline; } .b_title h2 a:visited, .b_title h2 a:active { color: #0187C5; } .b_attribution, cite { font-weight: normal; padding: 5px 0px 2px; font-size: 10px; color: #999; } li.b_pag { list-style-type: none; /*padding: 5px 5px 8px;*/ border-bottom: none !important; } .b_pag li { float: left; } li.b_algo { line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } a.sb_pagS { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } em { font-style: normal; } nav { padding: 10px 0px 0px; } nav ul li a:hover { color: #FFF; background: none repeat scroll 0% 0% #0084B4; } nav ul li a, nav ul li a:active, nav ul li a:visited { padding: 4px 8px; margin-right: 4px; font-size: 12px; color: #555; background: none repeat scroll 0% 0% #EEE; text-decoration: none; font-weight: normal; border-radius: 5px; } </style>', aol : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } .b_caption { padding: 5px 0px 0px; } .hac { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } .hac a:link { color: #0084B4; } .hac a:hover { color: #0187C5; text-decoration: underline; } .hac a:visited, .hac a:active { color: #0187C5; } .durl.find { padding: 10px 0px 2px; font-weight: normal; font-size: 10px !important; color: #999; } li p { color: #666; } #columnSearchB li[about] { line-height: 1.2; list-style-type: none; padding: 5px 5px 8px; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } em { font-style: normal; } #divnav { padding: 10px 0px 0px; } span.p_cur { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } </style>', hotbot : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } h3.web-url.resultTitle { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } h3.web-url.resultTitle a:link { color: #0084B4; } h3.web-url.resultTitle h2 a:hover { color: #0187C5; text-decoration: underline; } h3.web-url.resultTitle a:visited, h3.web-url.resultTitle a:active { color: #0187C5; } .web-description { color: #666; padding: 5px 0px 0px; } span.web-baseuri { display: inherit; font-weight: normal; padding: 5px 0px 2px; font-size: 10px; color: #999; } li.result { line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } #divnav { padding: 10px 0px 0px; } span.p_cur { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } </style>', goo : '<style type="text/css"> .ui-progressbar-value { background-color: #0084B4 !important; } p.title.fsL1 { font-weight: normal; font-size: 13px !important; padding: 5px 0px 0px; } p.title.fsL1 a:link { color: #0084B4; } p.title.fsL1 a:hover { color: #0187C5; text-decoration: underline; } p.title.fsL1 a:visited, p.title.fsL1 a:active { color: #0187C5; } p.url.fsM.cH { display: inherit; font-weight: normal; padding: 10px 0px 2px; font-size: 10px; color: #999; } p.txt.fsM { color: #666; } div.result { line-height: 1.2; list-style-type: none; border-bottom: 1px solid #EAEAEA; padding: 10px 5px 8px; position: relative; } #divnav { padding: 10px 0px 0px; } #divnav li, #divnav .fsM { float: left; } span.p_cur { margin-right: 4px; font-size: 12px; color: #FFF; font-weight: normal; padding: 4px 8px; display: inline; background: none repeat scroll 0% 0% #F09199; border-radius: 5px; } </style>' } $("head").append(css[engine]) console.log "style injected" googleSearch = (response) -> responseHTML = $(response.responseText).find(".srg").html() return unless responseHTML nav = $(response.responseText).find("#nav").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) $(".f.slp").remove() $("div.f.kv cite").each -> this.parentNode.innerHTML = this.innerHTML # $("#columnSearchB").css("display", "block") $("#divnav").contents().each -> if this.nodeType is 3 wrapTextNode(this, "strong", "p_cur") $("#pnnext").text("››").removeClass("pn").addClass("fl") $("#pnprev").text("‹‹").removeClass("pn").addClass("fl") $("#columnSearchB li div h3 a").each -> this.removeAttribute("onmousedown") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav a.fl").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") $("html").scrollTop(0) bingSearch = (response) -> return if $(response.responseText).find("li.b_no").html()? responseHTML = $(response.responseText).find("ol#b_results").html() $("#columnSearchB").html(responseHTML) $(".b_title h2").siblings().remove() $("li.b_ans, li.b_pag:first, nav h4.b_hide").remove() $(".b_caption").each -> for i in this.childNodes if i.nodeType isnt 3 return this.appendChild(i) $(".b_attribution cite").each -> this.parentNode.removeAttribute("u") this.parentNode.innerHTML = this.textContent $(".sw_prev").parent().html("‹‹").removeClass("sb_pagP").addClass("p") $(".sw_next").parent().html("››").removeClass("sb_pagN").addClass("p") $(".b_title a").each -> this.removeAttribute("h") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("nav ul li a").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.removeAttribute("h") $("html").scrollTop(0) aolSearch = (response) -> responseHTML = $(response.responseText).find(".MSL ul").html() return unless responseHTML for i in [".MSL.MSL2 ul", ".MSL.MSL3 ul"] res2 = $(response.responseText).find(i).html() break unless res2 responseHTML += res2 nav = $(response.responseText).find("#pagination ul").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) $(".moreResults").remove() $(".gspPageNext a:first-child").text("››") $(".gspPagePrev a:first-child").text("‹‹") $(".durl.find span:first-child").each -> this.parentNode.innerHTML = this.innerHTML $(".hac a").each -> this.removeAttribute("onclick") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav a").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.setAttribute("class", "p") $("#divnav span").each -> unless this.className this.setAttribute("class", "p_cur") $("html").scrollTop(0) hotbotSearch = (response) -> responseHTML = $(response.responseText).find("#web-results ol").html() return unless responseHTML nav = $(response.responseText).find(".pagination.pagBottom").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) # .web-baseuri倒序, 并删除<br /> $(".web-description").each -> for i in this.childNodes continue if i.tagName is "BR" this.insertBefore(i, this.firstChild) # .web-baseuri里hotbot只给domain不给完整url $(".web-baseuri").each -> href = getFirstChild(getFirstChild(this.parentNode.parentNode)) this.textContent = href.getAttribute("href").split("http://")[1] $("li.result a").each -> this.setAttribute("target", "_blank") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav a.next").text("››") $("#divnav a.previous").text("‹‹") $("#divnav a").each -> this.setAttribute("data-src", this.getAttribute("href")) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.setAttribute("class", "p") $("#divnav span.current").addClass("p_cur") $("html").scrollTop(0) hotbotGetKey = (resText) -> return resText.split("$('#keyvol').val('")[1].split("'")[0] gooSearch = (response) -> responseHTML = $(response.responseText).find(".sec4").html() return unless responseHTML nav = $(response.responseText).find(".nav").html() nav = "" unless nav nav = '<div id="divnav">' + nav + '</div>' $("#columnSearchB").html(responseHTML + nav) # 无结果时删除 div.error 显示的文字 $("#columnSearchB div.error").remove() $("p.num.fsM.cH").remove() $(".url.fsM.cH span.cM").each -> # this.parentNode.innerHTML = this.textContent this.parentNode.innerHTML = $.trim(this.textContent) $("p.title.fsL1 a").each -> this.removeAttribute("id") this.removeAttribute("class") this.removeAttribute("onclick") this.setAttribute("target", "_blank") href = this.getAttribute("href").split("http://bangumi.tv") this.setAttribute("href", href[1]) if href[1] $("#divnav .next").text("››") $("#divnav .prev").text("‹‹") $("#divnav .nextMax, #divnav .prevMax").parentsUntil("li").remove() # $("#divnav .nextMax").text("››") # $("#divnav .prevMax").text("‹‹") $("#divnav a").each -> this.removeAttribute("id") this.removeAttribute("class") href = this.getAttribute("href").split("http://search.goo.ne.jp")[1] this.setAttribute("data-src", href) this.setAttribute("onclick", "console.log(this.textContent)") this.setAttribute("href", "javascript:") this.setAttribute("class", "p") this.parentNode.outerHTML = this.outerHTML $("#divnav span").addClass("p_cur") $("#divnav a, #divnav span").appendTo("#divnav") $("#divnav .fsM, #divnav .num").remove() $("html").scrollTop(0) transAni = (flag) -> # legacy code # if flag # console.log "doSearch start" # $("#columnSearchB").progressbar({value: false}) # else # console.log "onload success" # $("#columnSearchB").progressbar("destroy") func = {} func["start"] = -> console.log "doSearch start" # $("#columnSearchB").progressbar({value: false}) pgsbarDiv() $("#pgsbarwrapper").progressbar({value: false}) func["onload"] = -> console.log "onload success" # $("#columnSearchB").progressbar("destroy") # $("#pgsbarwrapper").animate({"opacity" : "0"}, 1000) $("#pgsbarwrapper").progressbar("destroy") $("#pgsbarwrapper").remove() func["onerror"] = -> console.log "onerror no response" # $("#columnSearchB").progressbar("destroy") $("#pgsbarwrapper").progressbar("destroy") $("#pgsbarwrapper").remove() func[flag]() doSearchKai = (domain, sekw, func, key, kyfunc) -> # console.log "start" $("#columnSearchB").html("") # $("#columnSearchB").progressbar({value: false}) transAni "start" console.log domain unless key console.log domain + sekw GM_xmlhttpRequest( method: "GET" url: domain + sekw onload: (response) -> # $("#columnSearchB").progressbar("destroy") # console.log "success" transAni "onload" func response onerror: -> # $("#columnSearchB").progressbar("destroy") # console.log "no response" transAni "onerror" ) else GM_xmlhttpRequest( method: "GET" url: domain onload: (response) -> console.log "get keyvol" keyvol = kyfunc(response.responseText) console.log keyvol console.log domain + sekw + keyvol GM_xmlhttpRequest( method: "GET" url: domain + sekw + keyvol onload: (response) -> # $("#columnSearchB").progressbar("destroy") # console.log "success" transAni "onload" func response onerror: -> # $("#columnSearchB").progressbar("destroy") # console.log "no response" transAni "onerror" ) onerror: -> # $("#columnSearchB").progressbar("destroy") # console.log "homepage no response" transAni "onerror" ) # legacy func doSearch = (domain, sekw, func) -> console.log "start" $("#columnSearchB").html("") $("#columnSearchB").progressbar({value: false}) console.log(domain + sekw) GM_xmlhttpRequest( method: "GET" url: domain + sekw onload: (response) -> $("#columnSearchB").progressbar("destroy") console.log "success" func response onerror: -> $("#columnSearchB").progressbar("destroy") console.log "no response" ) # legcy func searchEngine = (se) -> engine = google : {} bing : {} aol : {} engine["google"] = domain : "https://www.google.com" sq : "/search?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "+-inurl:reviews" "+-inurl:comments" "+-inurl:characters" "+-inurl:persons" "+-inurl:collections" "+-inurl:wishes" "+-inurl:doings" "+-inurl:on_hold" "+-inurl:dropped" "+-inurl:board" "+-inurl:ep" "+-inurl:index" "&filter=0"] func : googleSearch engine["bing"] = domain : "http://cn.bing.com" sq : "/search?q=" params : ["+site:bangumi.tv/subject" "+-site:doujin.bangumi.tv" "+-site:bangumi.tv/subject/*/*" "+-inurl:topic" "&intlF=&upl=zh-chs&FORM=TIPCN1"] func : bingSearch engine["aol"] = domain : "http://search.aol.com/aol/" sq : "search?s_it=topsearchbox.search&v_t=na&q=" params : ["+-site%3Abangumi.tv%2Fsubject%2F*%2F*" "+-site%3Adoujin.bangumi.tv%2F*" "+site%3Abangumi.tv%2Fsubject" "&filter=false"] func : aolSearch engine["hotbot"] = domain : "http://www.hotbot.com" sq : "/search/web?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "&keyvol=PI:KEY:<KEY>END_PI598"] func : hotbotSearch #--start searching--# injectStyle(se) console.log "css injected" $("head").append( '<link rel="stylesheet" type="text/css" href=' + '"http://code.jquery.com/ui/1.11.0/themes/smoothness/jquery-ui.css">') kw = $("#columnSearch > div > form > .searchInputL").val() doSearch(engine[se]["domain"], engine[se]["sq"] + kw + engine[se]["params"].join(""), engine[se]["func"]) console.log "keyword: ", kw window.addEventListener("click", (evt) -> href = evt.target.getAttribute("data-src") return unless href console.log href doSearch(engine[se]["domain"], href, engine[se]["func"])) # searchEngine("google") # searchEngine("bing") # searchEngine("aol") # hotbot的搜索结果还可以,但是需要一个由服务器产生的keyvol参数 # 或许是出于安全考虑,keyvol有时间(或者是次数)限制 # searchEngine("hotbot") # 增加一个engine[se]["key"] === true / false 来控制是否需要实现提取一个参数 # 同时增加一个kyfunc( key func ) 来取得key # 目前只有hotbot需要 key : true searchEngineKai = (se) -> engine = {} engine["google"] = domain : "https://www.google.com" sq : "/search?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "+-inurl:reviews" "+-inurl:comments" "+-inurl:characters" "+-inurl:persons" "+-inurl:collections" "+-inurl:wishes" "+-inurl:doings" "+-inurl:on_hold" "+-inurl:dropped" "+-inurl:board" "+-inurl:ep" "+-inurl:index" "&filter=0"] func : googleSearch key : false kyfunc : "" engine["bing"] = domain : "http://cn.bing.com" sq : "/search?q=" params : ["+site:bangumi.tv/subject" "+-site:doujin.bangumi.tv" "+-site:bangumi.tv/subject/*/*" "+-inurl:topic" "&intlF=&upl=zh-chs&FORM=TIPCN1"] func : bingSearch key : false kyfunc : "" engine["aol"] = domain : "http://search.aol.com/aol/" sq : "search?s_it=topsearchbox.search&v_t=na&q=" params : ["+-site%3Abangumi.tv%2Fsubject%2F*%2F*" "+-site%3Adoujin.bangumi.tv%2F*" "+site%3Abangumi.tv%2Fsubject" "&filter=false"] func : aolSearch key : false kyfunc : "" engine["hotbot"] = domain : "http://www.hotbot.com" sq : "/search/web?q=" params : ["+-site:doujin.bangumi.tv" "+site:bangumi.tv/subject" "+-inurl:topic" "&keyvol="] func : hotbotSearch key : true kyfunc : hotbotGetKey engine["goo"] = domain : "http://search.goo.ne.jp" sq : "/web.jsp?MT=" params : ["+site:bangumi.tv/subject" "+-inurl:topic" "+-inurl:doujin" "+-inurl:ep" "&mode=0&IE=UTF-8&OE=UTF-8&from=s_b_top_web&PT="] func : gooSearch key : false kyfunc : "" #--start searching--# injectStyle(se) # legacy code # $("head").append( # '<link rel="stylesheet" type="text/css" href=' + # '"http://code.jquery.com/ui/1.11.0/themes/smoothness/jquery-ui.css">') kw = $("#columnSearch > div > form > .searchInputL").val() doSearchKai(engine[se]["domain"], engine[se]["sq"] + kw + engine[se]["params"].join(""), engine[se]["func"], engine[se]["key"], engine[se]["kyfunc"]) console.log "keyword: ", kw # legacy code # 如果只使用一个引擎可以直接addEvtListener # 但是多引擎会导致重复绑定,一旦点击,多个引擎一起搜索引起混乱 # window.addEventListener("click", (evt) -> # href = evt.target.getAttribute("data-src") # return unless href # console.log href # doSearchKai(engine[se]["domain"], # href, # engine[se]["func"], # false, # engine[se]["kyfunc"])) $("#columnSearchB").off() $("#columnSearchB").on "click", "a", (evt) -> href = evt.target.getAttribute("data-src") return unless href doSearchKai(engine[se]["domain"], href, engine[se]["func"], false, engine[se]["kyfunc"]) # searchEngineKai("google") # searchEngineKai("bing") # searchEngineKai("aol") # searchEngineKai("hotbot") # searchEngineKai("goo") $(document).ready -> $("head").append('<style type="text/css"> #engine { width: 100px; } #engine-menu { width: 98px !important; } #sewrapper { padding: 15px 0px 0px; } </style>') $("head").append( '<link rel="stylesheet" type="text/css" href=' + '"http://code.jquery.com/ui/1.11.0/themes/smoothness/jquery-ui.css">') enghtml = zh : '<div id="sewrapper"> <select name="engine" id="engine"> <option value="default">默认</option> <option value="google">谷歌</option> <option value="bing">必应</option> <option value="aol">奥尔</option> <option value="hotbot">哈霸</option> <option value="goo">古屋</option> </select> </div>' en : '<div id="sewrapper"> <select name="engine" id="engine"> <option value="default">default</option> <option value="google">Google</option> <option value="bing">Bing</option> <option value="aol">AOL</option> <option value="hotbot">HotBot</option> <option value="goo">goo</option> </select> </div>' $("#columnSearchA").append(enghtml[getLang()]) # $("#columnSearchA").append('<div id="sewrapper"> # <select name="engine" id="engine"> # <option value="default">默认</option> # <option value="google">谷歌</option> # <option value="bing">必应</option> # <option value="aol">奥尔</option> # <option value="hotbot">哈霸</option> # <option value="goo">古屋</option> # </select> # </div>') engine = GM_getValue("searchEngineName", "default") # menu显示所选择设定的搜索引擎 # 默认样式 用以下方法 # $("#engine option").filter((i, elem) -> # elem.getAttribute("value") is engine # .prop("selected", true) # jQuery UI用以下方法 $("#engine").val(engine) # init selectmenu $("#engine").selectmenu change: (evt, ui) -> console.log "engine changed" GM_setValue("searchEngineName", ui.item.value) location.reload() if ui.item.value is "default" searchEngineKai(ui.item.value) return if engine is "default" searchEngineKai(engine) getLang = -> try lang = window.navigator.language.split("-")[0] return "zh" if lang isnt "en" catch err console.log "cant find window.navigator.language" console.log err lang = "zh" return lang pgsbarDiv = -> $("body").append('<div id="pgsbarwrapper"></div>') left = Math.floor($(window).width() / 2) - 312 top = Math.floor($(window).height() * 3 / 8) - 12 left = Math.max(left, 110) # top = Math.max(top, 150) $("#pgsbarwrapper").css "position" : "fixed" "left" : left "top" : top "opacity" : "0.7" "width" : "500px"
[ { "context": "\n host: @hostEditor.getText()\n username: @usernameEditor.getText()\n password: @passwordEditor.g", "end": 12021, "score": 0.924532413482666, "start": 12012, "tag": "USERNAME", "value": "@username" }, { "context": "sername: @usernameEditor.getText()\n password: @passwordEditor.getText()\n port: @portEditor.getText()", "end": 12063, "score": 0.8556700348854065, "start": 12054, "tag": "PASSWORD", "value": "@password" } ]
lib/ftp-tree-view.coffee
carlosingles/ftp-tree-view
1
path = require 'path' shell = require 'shell' _ = require 'underscore-plus' {Emitter, Subscriber} = require 'emissary' {$, BufferedProcess, ScrollView, EditorView} = require 'atom' fs = require 'fs-plus' os = require 'os' Dialog = null # Defer requiring until actually needed AddDialog = null # Defer requiring until actually needed MoveDialog = null # Defer requiring until actually needed CopyDialog = null # Defer requiring until actually needed RenameDialog = null # Defer requiring until actually needed FTPDirectory = require './ftp-directory' FTPDirectoryView = require './ftp-directory-view' FTPFile = require './ftp-file' FTPFileView = require './ftp-file-view' FTPConfigurationView = require './ftp-configuration-view' LocalStorage = window.localStorage JSFtp = require('jsftp') module.exports = class FTPTreeView extends ScrollView client: null watchedFiles: [] @content: -> @div class: 'tree-view-resizer tool-panel', 'data-show-on-right-side': atom.config.get('ftp-tree-view.showOnRightSide'), => @div class: 'tree-view-scroller', outlet: 'scroller', style: 'padding-bottom: 26px;', => # Tabs @button class: 'btn-tab active icon icon-gear', click: 'changeToConfigruationTab', outlet: 'configurationTabButton', 'Configuration' @button class: 'btn-tab icon icon-x', click: 'changeToConnectionTab', outlet: 'connectionTabButton', 'No Connection' # Configuration Tab @div class: 'ftp-tree-view', outlet: 'configurationTab', => @div class: 'connection-panel panel', => # Saved Connections @div class: 'panel-heading', click: 'toggleServerList', => @span class: 'icon icon-chevron-down', outlet: 'serverListToggle', 'Saved Connections' @div class: 'panel-body no-padding', outlet: 'serverListPanel', => @subview 'savedConnections', new FTPConfigurationView() # Add Connection @div class: 'panel-heading', click: 'toggleAddConnection', => @span class: 'icon icon-chevron-down', outlet: 'addConnectionToggle', 'Add Connection' @div class: 'panel-body padded', outlet: 'addConnectionPanel', => @div class: 'block', => @label 'Connection Name' @subview 'nameEditor', new EditorView(mini: true) @div class: 'block', => @label 'Server' @subview 'hostEditor', new EditorView(mini: true) @div class: 'block', => @label 'Username' @subview 'usernameEditor', new EditorView(mini: true) @div class: 'block', => @label 'Password' @subview 'passwordEditor', new EditorView(mini: true) @div class: 'block', => @label 'Port' @subview 'portEditor', new EditorView(mini: true) @div class: 'block', => @label 'Local Path' @subview 'localDirEditor', new EditorView(mini: true) @div class: 'block', => @label 'Remote Path' @subview 'remoteDirEditor', new EditorView(mini: true) @button class: 'inline-block btn btn-success', click: 'addToServerList', 'Add' @button class: 'inline-block btn btn-info', click: 'openConfig', 'Open Config' # Connection Tab @div class: 'ftp-tree-view', style: 'display:none;', outlet: 'connectionTab', => @div class:'block', => @button class:'btn btn-error hide full-width', click: 'disconnectFromServer', outlet: 'disconnectButton', => @span class: 'icon icon-alignment-unalign', 'Disconnect' @ol class: 'ftp-tree-view full-menu list-tree has-collapsable-children focusable-panel', tabindex: -1, outlet: 'list' # Status bar @div class: 'status-bar tool-panel panel-bottom', style: 'top: -26px', => @div class: 'flexbox-repaint-hack', => @div class: 'status-bar-left', => @span class: 'message', outlet: 'currentStatus', 'No connection' @a class: 'pull-right hide', click: 'cancelClient', outlet: 'cancelClientLink', 'Cancel' @div class: 'tree-view-resize-handle', outlet: 'resizeHandle' initialize: (state) -> super focusAfterAttach = false root = null scrollLeftAfterAttach = -1 scrollTopAfterAttach = -1 selectedPath = null # watch all save events that = @ atom.project.eachBuffer (buffer) => @subscribe buffer, 'saved', => $.each @watchedFiles, (index, file) => relativePath = buffer.getUri().replace('/private'+os.tmpdir() + @client.host,'') if file.getPath() is relativePath # safe guard original file that.currentStatus.text('Protecting original file...') safeGaurdPath = file.getDirectory() + 'safesave-' + file.getName() that.client.rename file.getPath(), safeGaurdPath, (err, res) -> throw err if err that.currentStatus.text('Uploading new file...') that.client.put buffer.getPath(), file.getPath(), (hadError) -> that.currentStatus.text('Deleting original file...') that.client.raw.dele safeGaurdPath, (err, res) -> that.currentStatus.text('File uploaded successfully') @subscribe buffer, 'destroyed', => @unsubscribe(buffer) $.each @watchedFiles, (index, file) => relativePath = buffer.getUri().replace('/private'+os.tmpdir() + @client.host,'') if file.getPath() is relativePath @watchedFiles.splice(index, 1); @portEditor.setPlaceholderText('21') @localDirEditor.setPlaceholderText('none') @remoteDirEditor.setPlaceholderText('/') @on 'click', '.server-entry', (e) => @serverClicked(e) @on 'dblclick', '.server-entry', (e) => @connectToServer(e) @on 'dblclick', '.tree-view-resize-handle', => @resizeToFitContent() @on 'click', '.entry', (e) => return if e.shiftKey || e.metaKey @entryClicked(e) @on 'mousedown', '.entry', (e) => e.stopPropagation() currentTarget = $(e.currentTarget) # return early if we're opening a contextual menu (right click) during multi-select mode return if @multiSelectEnabled() && currentTarget.hasClass('selected') && # mouse right click or ctrl click as right click on darwin platforms (e.button is 2 || e.ctrlKey && process.platform is 'darwin') entryToSelect = currentTarget.view() if e.shiftKey @selectContinuousEntries(entryToSelect) @showMultiSelectMenu() # only allow ctrl click for multi selection on non darwin systems else if e.metaKey || (e.ctrlKey && process.platform isnt 'darwin') @selectMultipleEntries(entryToSelect) # only show the multi select menu if more then one file/directory is selected @showMultiSelectMenu() if @selectedPaths().length > 1 else @selectEntry(entryToSelect) @showFullMenu() @on 'mousedown', '.tree-view-resize-handle', (e) => @resizeStarted(e) @command 'ftp-tree-view:add-file', => @add(true) @command 'ftp-tree-view:add-folder', => @add(false) @command 'ftp-tree-view:duplicate', => @copySelectedEntry() @command 'ftp-tree-view:remove', => @removeSelectedEntries() @command 'ftp-tree-view:rename', => @renameSelectedEntry() @command 'ftp-tree-view:change-permissions', => @changePermissionsSelectedEntry() @command 'ftp-tree-view:expand-directory', => @expandDirectory() @command 'ftp-tree-view:collapse-directory', => @collapseDirectory() @command 'ftp-tree-view:open-selected-entry', => @openSelectedEntry(true) @command 'ftp-tree-view:move', => @moveSelectedEntry() @command 'ftp-tree-view:copy', => @copySelectedEntries() @command 'ftp-tree-view:copy-full-path', => @copySelectedEntryPath(false) @command 'tool-panel:unfocus', => @unfocus() @on 'ftp-tree-view:directory-modified', => if @hasFocus() @selectEntryForPath(@selectedPath) if @selectedPath else @selectActiveFile() @subscribe atom.config.observe 'ftp-tree-view.hideVcsIgnoredFiles', callNow: false, => @updateRoot() @subscribe atom.config.observe 'ftp-tree-view.hideIgnoredNames', callNow: false, => @updateRoot() @subscribe atom.config.observe 'core.ignoredNames', callNow: false, => @updateRoot() if atom.config.get('ftp-tree-view.hideIgnoredNames') @subscribe atom.config.observe 'ftp-tree-view.showOnRightSide', callNow: false, (newValue) => @onSideToggled(newValue) @updateRoot(state.directoryExpansionStates) @selectEntry(@root) if @root? @selectEntryForPath(state.selectedPath) if state.selectedPath @focusAfterAttach = state.hasFocus @scrollTopAfterAttach = state.scrollTop if state.scrollTop @scrollLeftAfterAttach = state.scrollLeft if state.scrollLeft @width(state.width) if state.width > 0 @attach() if state.attached changeToConfigruationTab: -> @configurationTab.show() @configurationTabButton.addClass('active') @connectionTab.hide() @connectionTabButton.removeClass('active') changeToConnectionTab: -> @connectionTab.show() @connectionTabButton.addClass('active') @configurationTab.hide() @configurationTabButton.removeClass('active') toggleServerList: -> @serverListToggle.toggleClass('icon-chevron-right').toggleClass('icon-chevron-down') @serverListPanel.toggle() toggleAddConnection: -> @addConnectionToggle.toggleClass('icon-chevron-right').toggleClass('icon-chevron-down') @addConnectionPanel.toggle() serverClicked: (e) -> entry = $(e.currentTarget).view() $('.server-entry').removeClass('selected') entry.addClass('selected') cancelClient: -> if @client.authenticating @disconnectFromServer('Connection cancelled') connectToServer: (e) -> unless @client @cancelClientLink.removeClass('hide') @currentStatus.text('Connecting...') entry = $(e.currentTarget).view() entry.children('.icon.name').removeClass('icon-server').addClass('icon-clock') @client = new JSFtp host: entry.server.host port: entry.server.port debugMode: false @client.on 'jsftp_debug', (eventType, data) -> console.log('DEBUG: ', eventType) console.log(JSON.stringify(data, null, 2)) that = @ timeout = setTimeout -> that.disconnectFromServer('Connection timed out') , 10000 @client.auth entry.server.username, entry.server.password, (err, data) -> clearTimeout(timeout) if err that.disconnectFromServer(err.message) return that.currentStatus.text('Connected - Listing index...') that.client.ls ".", (err, list) -> entry.children('.icon.name').removeClass('icon-clock').addClass('icon-server') throw err if err indexDirectory = new FTPDirectory({client: that.client, name: "/", isRoot: true, path: "", isExpanded: true, rawlist: list}) indexDirectory.parseRawList() root = new FTPDirectoryView(indexDirectory) that.disconnectButton.removeClass('hide') that.list.append(root) that.changeToConnectionTab() that.cancelClientLink.addClass('hide') that.connectionTabButton.removeClass('icon-x').addClass('icon-zap').text('Connected') that.currentStatus.text('Connected - ' + entry.server.host) entry.children('.icon.name').removeClass('icon-server').addClass('icon-zap') else if @client? @currentStatus.text('There is already an active connection') else @currentStatus.text('There is already a connection being attempted') addToServerList: -> that = @ serverConfig = name: @nameEditor.getText() host: @hostEditor.getText() username: @usernameEditor.getText() password: @passwordEditor.getText() port: @portEditor.getText() localPath: @localDirEditor.getText() remotePath: @remoteDirEditor.getText() ftpConfigPath = atom.getConfigDirPath() + '/packages/ftp-tree-view/ftp-tree-view-config.json' fs.open ftpConfigPath, 'a+', (err, fd) -> throw err if err fs.readFile ftpConfigPath, 'utf8', (err, data) -> throw err if err if data currentConfig = JSON.parse(data) currentConfig = {servers: []} unless currentConfig currentConfig.servers.push(serverConfig) fs.writeFile ftpConfigPath, JSON.stringify(currentConfig, undefined, 2), (err) -> throw err if err that.currentStatus.text('Server added') openConfig: -> ftpConfigPath = atom.getConfigDirPath() + '/packages/ftp-tree-view/ftp-tree-view-config.json' atom.workspaceView.open ftpConfigPath, {changeFocus: true} disconnectFromServer: (message) -> @disconnectButton.addClass('hide') @currentStatus.text('Disconnecting...') if @client.authenticating or !@client.authenticated @client = null else that = @ @client.raw.quit (err, data) -> throw err if err that.client = null message = 'Disconnected' unless message instanceof String @currentStatus.text(message) @list.empty() @cancelClientLink.addClass('hide') @connectionTabButton.removeClass('icon-zap').addClass('icon-x').text('No Connection') $('.ftp-configuration-list .icon').removeClass('icon-zap icon-clock').addClass('icon-server') @changeToConfigruationTab() afterAttach: (onDom) -> @focus() if @focusAfterAttach @scroller.scrollLeft(@scrollLeftAfterAttach) if @scrollLeftAfterAttach > 0 @scrollTop(@scrollTopAfterAttach) if @scrollTopAfterAttach > 0 serialize: -> directoryExpansionStates: @root?.directory.serializeExpansionStates() selectedPath: @selectedEntry()?.getPath() hasFocus: @hasFocus() attached: @hasParent() scrollLeft: @scroller.scrollLeft() scrollTop: @scrollTop() width: @width() deactivate: -> @remove() toggle: -> if @isVisible() @detach() else @show() show: -> @attach() unless @hasParent() @focus() attach: -> return unless atom.project.getPath() if atom.config.get('ftp-tree-view.showOnRightSide') @removeClass('panel-left') @addClass('panel-right') atom.workspaceView.appendToRight(this) else @removeClass('panel-right') @addClass('panel-left') atom.workspaceView.appendToLeft(this) detach: -> @scrollLeftAfterAttach = @scroller.scrollLeft() @scrollTopAfterAttach = @scrollTop() # Clean up copy and cut localStorage Variables LocalStorage['ftp-tree-view:cutPath'] = null LocalStorage['ftp-tree-view:copyPath'] = null super atom.workspaceView.focus() focus: -> @list.focus() unfocus: -> atom.workspaceView.focus() hasFocus: -> @list.is(':focus') or document.activeElement is @list[0] toggleFocus: -> if @hasFocus() @unfocus() else @show() entryClicked: (e) -> entry = $(e.currentTarget).view() switch e.originalEvent?.detail ? 1 when 1 @selectEntry(entry) if entry instanceof FTPDirectoryView entry.toggleExpansion() @currentStatus.text(entry.directory.getStringDetails()) else if entry instanceof FTPFileView @currentStatus.text(entry.file.getStringDetails()) when 2 if entry.is('.selected.file') @openSelectedEntry(true) else if entry.is('.selected.directory') entry.toggleExpansion() false resizeStarted: => $(document.body).on('mousemove', @resizeTreeView) $(document.body).on('mouseup', @resizeStopped) resizeStopped: => $(document.body).off('mousemove', @resizeTreeView) $(document.body).off('mouseup', @resizeStopped) resizeTreeView: ({pageX}) => if atom.config.get('ftp-tree-view.showOnRightSide') width = $(document.body).width() - pageX else width = pageX @width(width) resizeToFitContent: -> @width(1) # Shrink to measure the minimum width of list @width(@list.outerWidth()) updateRoot: (expandedEntries={}) -> @root?.remove() # @client.list (err, list) -> # throw err if err # hostname = currentView.hostEditor.getText() # root = new FTPDirectoryView(hostname, list) # currentView.list.append(root) # @client.end() if rootDirectory = atom.project.getRootDirectory() ## always return blank directory @root = null # directory = new FTPDirectory({directory: rootDirectory, isExpanded: true, expandedEntries, isRoot: true}) # @root = new FTPDirectoryView(directory) # @list.append(@root) else @root = null getActivePath: -> atom.workspace.getActivePaneItem()?.getPath?() selectActiveFile: -> if activeFilePath = @getActivePath() @selectEntryForPath(activeFilePath) else @deselect() revealActiveFile: -> return unless atom.project.getPath() @attach() @focus() return unless activeFilePath = @getActivePath() activePathComponents = atom.project.relativize(activeFilePath).split(path.sep) currentPath = atom.project.getPath().replace(new RegExp("#{_.escapeRegExp(path.sep)}$"), '') for pathComponent in activePathComponents currentPath += path.sep + pathComponent entry = @entryForPath(currentPath) if entry.hasClass('directory') entry.expand() else centeringOffset = (@scrollBottom() - @scrollTop()) / 2 @selectEntry(entry) @scrollToEntry(entry, centeringOffset) copySelectedEntryPath: (relativePath = false) -> if pathToCopy = @selectedPath pathToCopy = atom.project.relativize(pathToCopy) if relativePath atom.clipboard.write(pathToCopy) entryForPath: (entryPath) -> fn = (bestMatchEntry, element) -> entry = $(element).view() if entry.getPath() is entryPath entry else if entry.getPath().length > bestMatchEntry.getPath().length and entry.directory?.contains(entryPath) entry else bestMatchEntry @list.find(".entry").toArray().reduce(fn, @root) selectEntryForPath: (entryPath) -> @selectEntry(@entryForPath(entryPath)) moveDown: -> selectedEntry = @selectedEntry() if selectedEntry if selectedEntry.is('.expanded.directory') if @selectEntry(selectedEntry.find('.entry:first')) @scrollToEntry(@selectedEntry()) return until @selectEntry(selectedEntry.next('.entry')) selectedEntry = selectedEntry.parents('.entry:first') break unless selectedEntry.length else @selectEntry(@root) @scrollToEntry(@selectedEntry()) moveUp: -> selectedEntry = @selectedEntry() if selectedEntry if previousEntry = @selectEntry(selectedEntry.prev('.entry')) if previousEntry.is('.expanded.directory') @selectEntry(previousEntry.find('.entry:last')) else @selectEntry(selectedEntry.parents('.directory').first()) else @selectEntry(@list.find('.entry').last()) @scrollToEntry(@selectedEntry()) expandDirectory: -> selectedEntry = @selectedEntry() selectedEntry.view().expand() if selectedEntry instanceof FTPDirectoryView collapseDirectory: -> if directory = @selectedEntry()?.closest('.expanded.directory').view() directory.collapse() @selectEntry(directory) moveSelectedEntry: -> super renameSelectedEntry : -> selectedEntry = @selectedEntry() or @root RenameDialog ?= require './rename-dialog' if selectedEntry.directory? selectedPath = selectedEntry.directory.path + '/' + selectedEntry.directory.name isDirectory = true else selectedPath = selectedEntry.getPath() isDirectory = false that = @ dialog = new RenameDialog(selectedPath, isDirectory) dialog.on 'rename-entry', (event, originalPath, newPath) => that.currentStatus.text('Renaming file...') that.client.rename originalPath, newPath, (err, res) -> throw err if err selectedEntry.fileName.text(path.basename(newPath)) if !isDirectory selectedEntry.directoryName.text(path.basename(newPath)) if isDirectory that.currentStatus.text('Renamed file') dialog.attach() changePermissionsSelectedEntry: -> selectedEntry = @selectedEntry() console.log selectedEntry openSelectedEntry: (changeFocus) -> selectedEntry = @selectedEntry() if selectedEntry instanceof FTPDirectoryView selectedEntry.view().toggleExpansion() else if selectedEntry instanceof FTPFileView ftpTempStoragePath = os.tmpdir() + @client.host + '/' filePath = ftpTempStoragePath + selectedEntry.getPath() fs.makeTreeSync path.dirname(filePath) that = @ @currentStatus.text('Downloading file...') @client.get selectedEntry.getPath(), filePath, (hadErr) -> if hadErr console.log('There was an error retrieving the file.') else that.watchedFiles.push(selectedEntry) that.currentStatus.text('File opened successfully') atom.workspaceView.open filePath, {changeFocus} showSelectedEntryInFileManager: -> entry = @selectedEntry() return unless entry entryType = if entry instanceof DirectoryView then 'directory' else 'file' command = 'open' args = ['-R', entry.getPath()] errorLines = [] stderr = (lines) -> errorLines.push(lines) exit = (code) -> if code isnt 0 atom.confirm message: "Opening #{entryType} in Finder failed" detailedMessage: errorLines.join('\n') buttons: ['OK'] new BufferedProcess({command, args, stderr, exit}) copySelectedEntry: -> super removeSelectedEntries: -> if @hasFocus() selectedPaths = @selectedPaths() else if activePath = @getActivePath() selectedPaths = [activePath] return unless selectedPaths atom.confirm message: "Are you sure you want to delete the selected #{if selectedPaths.length > 1 then 'items' else 'item'}?" detailedMessage: "You are deleting:\n#{selectedPaths.join('\n')}" buttons: "Move to Trash": -> for selectedPath in selectedPaths shell.moveItemToTrash(selectedPath) "Cancel": null "Delete": => for selectedPath in selectedPaths @removeSync(selectedPath) removeSync: (pathToRemove) -> try fs.removeSync(pathToRemove) catch error if error.code is 'EACCES' and process.platform is 'darwin' runas = require 'runas' removed = runas('/bin/rm', ['-r', '-f', pathToRemove], admin: true) is 0 throw error unless removed else throw error # Public: Copy the path of the selected entry element. # Save the path in localStorage, so that copying from 2 different # instances of atom works as intended # # # Returns `copyPath`. copySelectedEntries: -> selectedPaths = @selectedPaths() return unless selectedPaths && selectedPaths.length > 0 # save to localStorage so we can paste across multiple open apps LocalStorage.removeItem('tree-view:cutPath') LocalStorage['tree-view:copyPath'] = JSON.stringify(selectedPaths) # Public: Copy the path of the selected entry element. # Save the path in localStorage, so that cutting from 2 different # instances of atom works as intended # # # Returns `cutPath` cutSelectedEntries: -> selectedPaths = @selectedPaths() return unless selectedPaths && selectedPaths.length > 0 # save to localStorage so we can paste across multiple open apps LocalStorage.removeItem('tree-view:copyPath') LocalStorage['tree-view:cutPath'] = JSON.stringify(selectedPaths) # Public: Paste a copied or cut item. # If a file is selected, the file's parent directory is used as the # paste destination. # # # Returns `destination newPath`. pasteEntries: -> entry = @selectedEntry() cutPaths = if LocalStorage['tree-view:cutPath'] then JSON.parse(LocalStorage['tree-view:cutPath']) else null copiedPaths = if LocalStorage['tree-view:copyPath'] then JSON.parse(LocalStorage['tree-view:copyPath']) else null initialPaths = copiedPaths || cutPaths for initialPath in initialPaths ? [] initialPathIsDirectory = fs.isDirectorySync(initialPath) if entry && initialPath basePath = atom.project.resolve(entry.getPath()) entryType = if entry instanceof DirectoryView then "directory" else "file" if entryType is 'file' basePath = path.dirname(basePath) newPath = path.join(basePath, path.basename(initialPath)) if copiedPaths # append a number to the file if an item with the same name exists fileCounter = 0 originalNewPath = newPath while fs.existsSync(newPath) if initialPathIsDirectory newPath = "#{originalNewPath}#{fileCounter.toString()}" else fileArr = originalNewPath.split('.') newPath = "#{fileArr[0]}#{fileCounter.toString()}.#{fileArr[1]}" fileCounter += 1 if fs.isDirectorySync(initialPath) # use fs.copy to copy directories since read/write will fail for directories fs.copySync(initialPath, newPath) else # read the old file and write a new one at target location fs.writeFileSync(newPath, fs.readFileSync(initialPath)) else if cutPaths # Only move the target if the cut target doesn't exists and if the newPath # is not within the initial path unless fs.existsSync(newPath) || !!newPath.match(new RegExp("^#{initialPath}")) fs.moveSync(initialPath, newPath) add: (isCreatingFile) -> selectedEntry = @selectedEntry() or @root selectedPath = selectedEntry.getPath() AddDialog ?= require './add-dialog' dialog = new AddDialog(selectedPath, isCreatingFile) dialog.on 'directory-created', (event, createdPath) => @entryForPath(createdPath).reload() @selectEntryForPath(createdPath) false dialog.on 'file-created', (event, createdPath) -> atom.workspace.open(createdPath) false dialog.attach() selectedEntry: -> @list.find('.selected')?.view() selectEntry: (entry) -> entry = entry?.view() return false unless entry? @selectedPath = entry.getPath() @deselect() entry.addClass('selected') deselect: -> @list.find('.selected').removeClass('selected') scrollTop: (top) -> if top? @scroller.scrollTop(top) else @scroller.scrollTop() scrollBottom: (bottom) -> if bottom? @scroller.scrollBottom(bottom) else @scroller.scrollBottom() scrollToEntry: (entry, offset = 0) -> displayElement = if entry instanceof DirectoryView then entry.header else entry top = displayElement.position().top bottom = top + displayElement.outerHeight() if bottom > @scrollBottom() @scrollBottom(bottom + offset) if top < @scrollTop() @scrollTop(top + offset) scrollToBottom: -> if lastEntry = @root?.find('.entry:last').view() @selectEntry(lastEntry) @scrollToEntry(lastEntry) scrollToTop: -> @selectEntry(@root) if @root? @scrollTop(0) toggleSide: -> atom.config.toggle('ftp-tree-view.showOnRightSide') onSideToggled: (newValue) -> @detach() @attach() @attr('data-show-on-right-side', newValue) # Public: Return an array of paths from all selected items # # Example: @selectedPaths() # => ['selected/path/one', 'selected/path/two', 'selected/path/three'] # Returns Array of selected item paths selectedPaths: -> $(item).view().getPath() for item in @list.find('.selected') # Public: Selects items within a range defined by a currently selected entry and # a new given entry. This is shift+click functionality # # Returns array of selected elements selectContinuousEntries: (entry)-> currentSelectedEntry = @selectedEntry() parentContainer = entry.parent() if $.contains(parentContainer[0], currentSelectedEntry[0]) entryIndex = parentContainer.indexOf(entry) selectedIndex = parentContainer.indexOf(currentSelectedEntry) elements = (parentContainer.children()[i] for i in [entryIndex..selectedIndex]) @deselect() for element in elements $(element).addClass('selected') elements # Public: Selects consecutive given entries without clearing previously selected # items. This is cmd+click functionality # # Returns given entry selectMultipleEntries: (entry)-> entry = entry?.view() return false unless entry? entry.addClass('selected') entry # Public: Toggle full-menu class on the main list element to display the full context # menu. # # Returns noop showFullMenu: -> @list.removeClass('multi-select').addClass('full-menu') # Public: Toggle multi-select class on the main list element to display the the # menu with only items that make sense for multi select functionality # # Returns noop showMultiSelectMenu: -> @list.removeClass('full-menu').addClass('multi-select') # Public: Check for multi-select class on the main list # # Returns boolean multiSelectEnabled: -> @list.hasClass('multi-select')
162648
path = require 'path' shell = require 'shell' _ = require 'underscore-plus' {Emitter, Subscriber} = require 'emissary' {$, BufferedProcess, ScrollView, EditorView} = require 'atom' fs = require 'fs-plus' os = require 'os' Dialog = null # Defer requiring until actually needed AddDialog = null # Defer requiring until actually needed MoveDialog = null # Defer requiring until actually needed CopyDialog = null # Defer requiring until actually needed RenameDialog = null # Defer requiring until actually needed FTPDirectory = require './ftp-directory' FTPDirectoryView = require './ftp-directory-view' FTPFile = require './ftp-file' FTPFileView = require './ftp-file-view' FTPConfigurationView = require './ftp-configuration-view' LocalStorage = window.localStorage JSFtp = require('jsftp') module.exports = class FTPTreeView extends ScrollView client: null watchedFiles: [] @content: -> @div class: 'tree-view-resizer tool-panel', 'data-show-on-right-side': atom.config.get('ftp-tree-view.showOnRightSide'), => @div class: 'tree-view-scroller', outlet: 'scroller', style: 'padding-bottom: 26px;', => # Tabs @button class: 'btn-tab active icon icon-gear', click: 'changeToConfigruationTab', outlet: 'configurationTabButton', 'Configuration' @button class: 'btn-tab icon icon-x', click: 'changeToConnectionTab', outlet: 'connectionTabButton', 'No Connection' # Configuration Tab @div class: 'ftp-tree-view', outlet: 'configurationTab', => @div class: 'connection-panel panel', => # Saved Connections @div class: 'panel-heading', click: 'toggleServerList', => @span class: 'icon icon-chevron-down', outlet: 'serverListToggle', 'Saved Connections' @div class: 'panel-body no-padding', outlet: 'serverListPanel', => @subview 'savedConnections', new FTPConfigurationView() # Add Connection @div class: 'panel-heading', click: 'toggleAddConnection', => @span class: 'icon icon-chevron-down', outlet: 'addConnectionToggle', 'Add Connection' @div class: 'panel-body padded', outlet: 'addConnectionPanel', => @div class: 'block', => @label 'Connection Name' @subview 'nameEditor', new EditorView(mini: true) @div class: 'block', => @label 'Server' @subview 'hostEditor', new EditorView(mini: true) @div class: 'block', => @label 'Username' @subview 'usernameEditor', new EditorView(mini: true) @div class: 'block', => @label 'Password' @subview 'passwordEditor', new EditorView(mini: true) @div class: 'block', => @label 'Port' @subview 'portEditor', new EditorView(mini: true) @div class: 'block', => @label 'Local Path' @subview 'localDirEditor', new EditorView(mini: true) @div class: 'block', => @label 'Remote Path' @subview 'remoteDirEditor', new EditorView(mini: true) @button class: 'inline-block btn btn-success', click: 'addToServerList', 'Add' @button class: 'inline-block btn btn-info', click: 'openConfig', 'Open Config' # Connection Tab @div class: 'ftp-tree-view', style: 'display:none;', outlet: 'connectionTab', => @div class:'block', => @button class:'btn btn-error hide full-width', click: 'disconnectFromServer', outlet: 'disconnectButton', => @span class: 'icon icon-alignment-unalign', 'Disconnect' @ol class: 'ftp-tree-view full-menu list-tree has-collapsable-children focusable-panel', tabindex: -1, outlet: 'list' # Status bar @div class: 'status-bar tool-panel panel-bottom', style: 'top: -26px', => @div class: 'flexbox-repaint-hack', => @div class: 'status-bar-left', => @span class: 'message', outlet: 'currentStatus', 'No connection' @a class: 'pull-right hide', click: 'cancelClient', outlet: 'cancelClientLink', 'Cancel' @div class: 'tree-view-resize-handle', outlet: 'resizeHandle' initialize: (state) -> super focusAfterAttach = false root = null scrollLeftAfterAttach = -1 scrollTopAfterAttach = -1 selectedPath = null # watch all save events that = @ atom.project.eachBuffer (buffer) => @subscribe buffer, 'saved', => $.each @watchedFiles, (index, file) => relativePath = buffer.getUri().replace('/private'+os.tmpdir() + @client.host,'') if file.getPath() is relativePath # safe guard original file that.currentStatus.text('Protecting original file...') safeGaurdPath = file.getDirectory() + 'safesave-' + file.getName() that.client.rename file.getPath(), safeGaurdPath, (err, res) -> throw err if err that.currentStatus.text('Uploading new file...') that.client.put buffer.getPath(), file.getPath(), (hadError) -> that.currentStatus.text('Deleting original file...') that.client.raw.dele safeGaurdPath, (err, res) -> that.currentStatus.text('File uploaded successfully') @subscribe buffer, 'destroyed', => @unsubscribe(buffer) $.each @watchedFiles, (index, file) => relativePath = buffer.getUri().replace('/private'+os.tmpdir() + @client.host,'') if file.getPath() is relativePath @watchedFiles.splice(index, 1); @portEditor.setPlaceholderText('21') @localDirEditor.setPlaceholderText('none') @remoteDirEditor.setPlaceholderText('/') @on 'click', '.server-entry', (e) => @serverClicked(e) @on 'dblclick', '.server-entry', (e) => @connectToServer(e) @on 'dblclick', '.tree-view-resize-handle', => @resizeToFitContent() @on 'click', '.entry', (e) => return if e.shiftKey || e.metaKey @entryClicked(e) @on 'mousedown', '.entry', (e) => e.stopPropagation() currentTarget = $(e.currentTarget) # return early if we're opening a contextual menu (right click) during multi-select mode return if @multiSelectEnabled() && currentTarget.hasClass('selected') && # mouse right click or ctrl click as right click on darwin platforms (e.button is 2 || e.ctrlKey && process.platform is 'darwin') entryToSelect = currentTarget.view() if e.shiftKey @selectContinuousEntries(entryToSelect) @showMultiSelectMenu() # only allow ctrl click for multi selection on non darwin systems else if e.metaKey || (e.ctrlKey && process.platform isnt 'darwin') @selectMultipleEntries(entryToSelect) # only show the multi select menu if more then one file/directory is selected @showMultiSelectMenu() if @selectedPaths().length > 1 else @selectEntry(entryToSelect) @showFullMenu() @on 'mousedown', '.tree-view-resize-handle', (e) => @resizeStarted(e) @command 'ftp-tree-view:add-file', => @add(true) @command 'ftp-tree-view:add-folder', => @add(false) @command 'ftp-tree-view:duplicate', => @copySelectedEntry() @command 'ftp-tree-view:remove', => @removeSelectedEntries() @command 'ftp-tree-view:rename', => @renameSelectedEntry() @command 'ftp-tree-view:change-permissions', => @changePermissionsSelectedEntry() @command 'ftp-tree-view:expand-directory', => @expandDirectory() @command 'ftp-tree-view:collapse-directory', => @collapseDirectory() @command 'ftp-tree-view:open-selected-entry', => @openSelectedEntry(true) @command 'ftp-tree-view:move', => @moveSelectedEntry() @command 'ftp-tree-view:copy', => @copySelectedEntries() @command 'ftp-tree-view:copy-full-path', => @copySelectedEntryPath(false) @command 'tool-panel:unfocus', => @unfocus() @on 'ftp-tree-view:directory-modified', => if @hasFocus() @selectEntryForPath(@selectedPath) if @selectedPath else @selectActiveFile() @subscribe atom.config.observe 'ftp-tree-view.hideVcsIgnoredFiles', callNow: false, => @updateRoot() @subscribe atom.config.observe 'ftp-tree-view.hideIgnoredNames', callNow: false, => @updateRoot() @subscribe atom.config.observe 'core.ignoredNames', callNow: false, => @updateRoot() if atom.config.get('ftp-tree-view.hideIgnoredNames') @subscribe atom.config.observe 'ftp-tree-view.showOnRightSide', callNow: false, (newValue) => @onSideToggled(newValue) @updateRoot(state.directoryExpansionStates) @selectEntry(@root) if @root? @selectEntryForPath(state.selectedPath) if state.selectedPath @focusAfterAttach = state.hasFocus @scrollTopAfterAttach = state.scrollTop if state.scrollTop @scrollLeftAfterAttach = state.scrollLeft if state.scrollLeft @width(state.width) if state.width > 0 @attach() if state.attached changeToConfigruationTab: -> @configurationTab.show() @configurationTabButton.addClass('active') @connectionTab.hide() @connectionTabButton.removeClass('active') changeToConnectionTab: -> @connectionTab.show() @connectionTabButton.addClass('active') @configurationTab.hide() @configurationTabButton.removeClass('active') toggleServerList: -> @serverListToggle.toggleClass('icon-chevron-right').toggleClass('icon-chevron-down') @serverListPanel.toggle() toggleAddConnection: -> @addConnectionToggle.toggleClass('icon-chevron-right').toggleClass('icon-chevron-down') @addConnectionPanel.toggle() serverClicked: (e) -> entry = $(e.currentTarget).view() $('.server-entry').removeClass('selected') entry.addClass('selected') cancelClient: -> if @client.authenticating @disconnectFromServer('Connection cancelled') connectToServer: (e) -> unless @client @cancelClientLink.removeClass('hide') @currentStatus.text('Connecting...') entry = $(e.currentTarget).view() entry.children('.icon.name').removeClass('icon-server').addClass('icon-clock') @client = new JSFtp host: entry.server.host port: entry.server.port debugMode: false @client.on 'jsftp_debug', (eventType, data) -> console.log('DEBUG: ', eventType) console.log(JSON.stringify(data, null, 2)) that = @ timeout = setTimeout -> that.disconnectFromServer('Connection timed out') , 10000 @client.auth entry.server.username, entry.server.password, (err, data) -> clearTimeout(timeout) if err that.disconnectFromServer(err.message) return that.currentStatus.text('Connected - Listing index...') that.client.ls ".", (err, list) -> entry.children('.icon.name').removeClass('icon-clock').addClass('icon-server') throw err if err indexDirectory = new FTPDirectory({client: that.client, name: "/", isRoot: true, path: "", isExpanded: true, rawlist: list}) indexDirectory.parseRawList() root = new FTPDirectoryView(indexDirectory) that.disconnectButton.removeClass('hide') that.list.append(root) that.changeToConnectionTab() that.cancelClientLink.addClass('hide') that.connectionTabButton.removeClass('icon-x').addClass('icon-zap').text('Connected') that.currentStatus.text('Connected - ' + entry.server.host) entry.children('.icon.name').removeClass('icon-server').addClass('icon-zap') else if @client? @currentStatus.text('There is already an active connection') else @currentStatus.text('There is already a connection being attempted') addToServerList: -> that = @ serverConfig = name: @nameEditor.getText() host: @hostEditor.getText() username: @usernameEditor.getText() password: <PASSWORD>Editor.getText() port: @portEditor.getText() localPath: @localDirEditor.getText() remotePath: @remoteDirEditor.getText() ftpConfigPath = atom.getConfigDirPath() + '/packages/ftp-tree-view/ftp-tree-view-config.json' fs.open ftpConfigPath, 'a+', (err, fd) -> throw err if err fs.readFile ftpConfigPath, 'utf8', (err, data) -> throw err if err if data currentConfig = JSON.parse(data) currentConfig = {servers: []} unless currentConfig currentConfig.servers.push(serverConfig) fs.writeFile ftpConfigPath, JSON.stringify(currentConfig, undefined, 2), (err) -> throw err if err that.currentStatus.text('Server added') openConfig: -> ftpConfigPath = atom.getConfigDirPath() + '/packages/ftp-tree-view/ftp-tree-view-config.json' atom.workspaceView.open ftpConfigPath, {changeFocus: true} disconnectFromServer: (message) -> @disconnectButton.addClass('hide') @currentStatus.text('Disconnecting...') if @client.authenticating or !@client.authenticated @client = null else that = @ @client.raw.quit (err, data) -> throw err if err that.client = null message = 'Disconnected' unless message instanceof String @currentStatus.text(message) @list.empty() @cancelClientLink.addClass('hide') @connectionTabButton.removeClass('icon-zap').addClass('icon-x').text('No Connection') $('.ftp-configuration-list .icon').removeClass('icon-zap icon-clock').addClass('icon-server') @changeToConfigruationTab() afterAttach: (onDom) -> @focus() if @focusAfterAttach @scroller.scrollLeft(@scrollLeftAfterAttach) if @scrollLeftAfterAttach > 0 @scrollTop(@scrollTopAfterAttach) if @scrollTopAfterAttach > 0 serialize: -> directoryExpansionStates: @root?.directory.serializeExpansionStates() selectedPath: @selectedEntry()?.getPath() hasFocus: @hasFocus() attached: @hasParent() scrollLeft: @scroller.scrollLeft() scrollTop: @scrollTop() width: @width() deactivate: -> @remove() toggle: -> if @isVisible() @detach() else @show() show: -> @attach() unless @hasParent() @focus() attach: -> return unless atom.project.getPath() if atom.config.get('ftp-tree-view.showOnRightSide') @removeClass('panel-left') @addClass('panel-right') atom.workspaceView.appendToRight(this) else @removeClass('panel-right') @addClass('panel-left') atom.workspaceView.appendToLeft(this) detach: -> @scrollLeftAfterAttach = @scroller.scrollLeft() @scrollTopAfterAttach = @scrollTop() # Clean up copy and cut localStorage Variables LocalStorage['ftp-tree-view:cutPath'] = null LocalStorage['ftp-tree-view:copyPath'] = null super atom.workspaceView.focus() focus: -> @list.focus() unfocus: -> atom.workspaceView.focus() hasFocus: -> @list.is(':focus') or document.activeElement is @list[0] toggleFocus: -> if @hasFocus() @unfocus() else @show() entryClicked: (e) -> entry = $(e.currentTarget).view() switch e.originalEvent?.detail ? 1 when 1 @selectEntry(entry) if entry instanceof FTPDirectoryView entry.toggleExpansion() @currentStatus.text(entry.directory.getStringDetails()) else if entry instanceof FTPFileView @currentStatus.text(entry.file.getStringDetails()) when 2 if entry.is('.selected.file') @openSelectedEntry(true) else if entry.is('.selected.directory') entry.toggleExpansion() false resizeStarted: => $(document.body).on('mousemove', @resizeTreeView) $(document.body).on('mouseup', @resizeStopped) resizeStopped: => $(document.body).off('mousemove', @resizeTreeView) $(document.body).off('mouseup', @resizeStopped) resizeTreeView: ({pageX}) => if atom.config.get('ftp-tree-view.showOnRightSide') width = $(document.body).width() - pageX else width = pageX @width(width) resizeToFitContent: -> @width(1) # Shrink to measure the minimum width of list @width(@list.outerWidth()) updateRoot: (expandedEntries={}) -> @root?.remove() # @client.list (err, list) -> # throw err if err # hostname = currentView.hostEditor.getText() # root = new FTPDirectoryView(hostname, list) # currentView.list.append(root) # @client.end() if rootDirectory = atom.project.getRootDirectory() ## always return blank directory @root = null # directory = new FTPDirectory({directory: rootDirectory, isExpanded: true, expandedEntries, isRoot: true}) # @root = new FTPDirectoryView(directory) # @list.append(@root) else @root = null getActivePath: -> atom.workspace.getActivePaneItem()?.getPath?() selectActiveFile: -> if activeFilePath = @getActivePath() @selectEntryForPath(activeFilePath) else @deselect() revealActiveFile: -> return unless atom.project.getPath() @attach() @focus() return unless activeFilePath = @getActivePath() activePathComponents = atom.project.relativize(activeFilePath).split(path.sep) currentPath = atom.project.getPath().replace(new RegExp("#{_.escapeRegExp(path.sep)}$"), '') for pathComponent in activePathComponents currentPath += path.sep + pathComponent entry = @entryForPath(currentPath) if entry.hasClass('directory') entry.expand() else centeringOffset = (@scrollBottom() - @scrollTop()) / 2 @selectEntry(entry) @scrollToEntry(entry, centeringOffset) copySelectedEntryPath: (relativePath = false) -> if pathToCopy = @selectedPath pathToCopy = atom.project.relativize(pathToCopy) if relativePath atom.clipboard.write(pathToCopy) entryForPath: (entryPath) -> fn = (bestMatchEntry, element) -> entry = $(element).view() if entry.getPath() is entryPath entry else if entry.getPath().length > bestMatchEntry.getPath().length and entry.directory?.contains(entryPath) entry else bestMatchEntry @list.find(".entry").toArray().reduce(fn, @root) selectEntryForPath: (entryPath) -> @selectEntry(@entryForPath(entryPath)) moveDown: -> selectedEntry = @selectedEntry() if selectedEntry if selectedEntry.is('.expanded.directory') if @selectEntry(selectedEntry.find('.entry:first')) @scrollToEntry(@selectedEntry()) return until @selectEntry(selectedEntry.next('.entry')) selectedEntry = selectedEntry.parents('.entry:first') break unless selectedEntry.length else @selectEntry(@root) @scrollToEntry(@selectedEntry()) moveUp: -> selectedEntry = @selectedEntry() if selectedEntry if previousEntry = @selectEntry(selectedEntry.prev('.entry')) if previousEntry.is('.expanded.directory') @selectEntry(previousEntry.find('.entry:last')) else @selectEntry(selectedEntry.parents('.directory').first()) else @selectEntry(@list.find('.entry').last()) @scrollToEntry(@selectedEntry()) expandDirectory: -> selectedEntry = @selectedEntry() selectedEntry.view().expand() if selectedEntry instanceof FTPDirectoryView collapseDirectory: -> if directory = @selectedEntry()?.closest('.expanded.directory').view() directory.collapse() @selectEntry(directory) moveSelectedEntry: -> super renameSelectedEntry : -> selectedEntry = @selectedEntry() or @root RenameDialog ?= require './rename-dialog' if selectedEntry.directory? selectedPath = selectedEntry.directory.path + '/' + selectedEntry.directory.name isDirectory = true else selectedPath = selectedEntry.getPath() isDirectory = false that = @ dialog = new RenameDialog(selectedPath, isDirectory) dialog.on 'rename-entry', (event, originalPath, newPath) => that.currentStatus.text('Renaming file...') that.client.rename originalPath, newPath, (err, res) -> throw err if err selectedEntry.fileName.text(path.basename(newPath)) if !isDirectory selectedEntry.directoryName.text(path.basename(newPath)) if isDirectory that.currentStatus.text('Renamed file') dialog.attach() changePermissionsSelectedEntry: -> selectedEntry = @selectedEntry() console.log selectedEntry openSelectedEntry: (changeFocus) -> selectedEntry = @selectedEntry() if selectedEntry instanceof FTPDirectoryView selectedEntry.view().toggleExpansion() else if selectedEntry instanceof FTPFileView ftpTempStoragePath = os.tmpdir() + @client.host + '/' filePath = ftpTempStoragePath + selectedEntry.getPath() fs.makeTreeSync path.dirname(filePath) that = @ @currentStatus.text('Downloading file...') @client.get selectedEntry.getPath(), filePath, (hadErr) -> if hadErr console.log('There was an error retrieving the file.') else that.watchedFiles.push(selectedEntry) that.currentStatus.text('File opened successfully') atom.workspaceView.open filePath, {changeFocus} showSelectedEntryInFileManager: -> entry = @selectedEntry() return unless entry entryType = if entry instanceof DirectoryView then 'directory' else 'file' command = 'open' args = ['-R', entry.getPath()] errorLines = [] stderr = (lines) -> errorLines.push(lines) exit = (code) -> if code isnt 0 atom.confirm message: "Opening #{entryType} in Finder failed" detailedMessage: errorLines.join('\n') buttons: ['OK'] new BufferedProcess({command, args, stderr, exit}) copySelectedEntry: -> super removeSelectedEntries: -> if @hasFocus() selectedPaths = @selectedPaths() else if activePath = @getActivePath() selectedPaths = [activePath] return unless selectedPaths atom.confirm message: "Are you sure you want to delete the selected #{if selectedPaths.length > 1 then 'items' else 'item'}?" detailedMessage: "You are deleting:\n#{selectedPaths.join('\n')}" buttons: "Move to Trash": -> for selectedPath in selectedPaths shell.moveItemToTrash(selectedPath) "Cancel": null "Delete": => for selectedPath in selectedPaths @removeSync(selectedPath) removeSync: (pathToRemove) -> try fs.removeSync(pathToRemove) catch error if error.code is 'EACCES' and process.platform is 'darwin' runas = require 'runas' removed = runas('/bin/rm', ['-r', '-f', pathToRemove], admin: true) is 0 throw error unless removed else throw error # Public: Copy the path of the selected entry element. # Save the path in localStorage, so that copying from 2 different # instances of atom works as intended # # # Returns `copyPath`. copySelectedEntries: -> selectedPaths = @selectedPaths() return unless selectedPaths && selectedPaths.length > 0 # save to localStorage so we can paste across multiple open apps LocalStorage.removeItem('tree-view:cutPath') LocalStorage['tree-view:copyPath'] = JSON.stringify(selectedPaths) # Public: Copy the path of the selected entry element. # Save the path in localStorage, so that cutting from 2 different # instances of atom works as intended # # # Returns `cutPath` cutSelectedEntries: -> selectedPaths = @selectedPaths() return unless selectedPaths && selectedPaths.length > 0 # save to localStorage so we can paste across multiple open apps LocalStorage.removeItem('tree-view:copyPath') LocalStorage['tree-view:cutPath'] = JSON.stringify(selectedPaths) # Public: Paste a copied or cut item. # If a file is selected, the file's parent directory is used as the # paste destination. # # # Returns `destination newPath`. pasteEntries: -> entry = @selectedEntry() cutPaths = if LocalStorage['tree-view:cutPath'] then JSON.parse(LocalStorage['tree-view:cutPath']) else null copiedPaths = if LocalStorage['tree-view:copyPath'] then JSON.parse(LocalStorage['tree-view:copyPath']) else null initialPaths = copiedPaths || cutPaths for initialPath in initialPaths ? [] initialPathIsDirectory = fs.isDirectorySync(initialPath) if entry && initialPath basePath = atom.project.resolve(entry.getPath()) entryType = if entry instanceof DirectoryView then "directory" else "file" if entryType is 'file' basePath = path.dirname(basePath) newPath = path.join(basePath, path.basename(initialPath)) if copiedPaths # append a number to the file if an item with the same name exists fileCounter = 0 originalNewPath = newPath while fs.existsSync(newPath) if initialPathIsDirectory newPath = "#{originalNewPath}#{fileCounter.toString()}" else fileArr = originalNewPath.split('.') newPath = "#{fileArr[0]}#{fileCounter.toString()}.#{fileArr[1]}" fileCounter += 1 if fs.isDirectorySync(initialPath) # use fs.copy to copy directories since read/write will fail for directories fs.copySync(initialPath, newPath) else # read the old file and write a new one at target location fs.writeFileSync(newPath, fs.readFileSync(initialPath)) else if cutPaths # Only move the target if the cut target doesn't exists and if the newPath # is not within the initial path unless fs.existsSync(newPath) || !!newPath.match(new RegExp("^#{initialPath}")) fs.moveSync(initialPath, newPath) add: (isCreatingFile) -> selectedEntry = @selectedEntry() or @root selectedPath = selectedEntry.getPath() AddDialog ?= require './add-dialog' dialog = new AddDialog(selectedPath, isCreatingFile) dialog.on 'directory-created', (event, createdPath) => @entryForPath(createdPath).reload() @selectEntryForPath(createdPath) false dialog.on 'file-created', (event, createdPath) -> atom.workspace.open(createdPath) false dialog.attach() selectedEntry: -> @list.find('.selected')?.view() selectEntry: (entry) -> entry = entry?.view() return false unless entry? @selectedPath = entry.getPath() @deselect() entry.addClass('selected') deselect: -> @list.find('.selected').removeClass('selected') scrollTop: (top) -> if top? @scroller.scrollTop(top) else @scroller.scrollTop() scrollBottom: (bottom) -> if bottom? @scroller.scrollBottom(bottom) else @scroller.scrollBottom() scrollToEntry: (entry, offset = 0) -> displayElement = if entry instanceof DirectoryView then entry.header else entry top = displayElement.position().top bottom = top + displayElement.outerHeight() if bottom > @scrollBottom() @scrollBottom(bottom + offset) if top < @scrollTop() @scrollTop(top + offset) scrollToBottom: -> if lastEntry = @root?.find('.entry:last').view() @selectEntry(lastEntry) @scrollToEntry(lastEntry) scrollToTop: -> @selectEntry(@root) if @root? @scrollTop(0) toggleSide: -> atom.config.toggle('ftp-tree-view.showOnRightSide') onSideToggled: (newValue) -> @detach() @attach() @attr('data-show-on-right-side', newValue) # Public: Return an array of paths from all selected items # # Example: @selectedPaths() # => ['selected/path/one', 'selected/path/two', 'selected/path/three'] # Returns Array of selected item paths selectedPaths: -> $(item).view().getPath() for item in @list.find('.selected') # Public: Selects items within a range defined by a currently selected entry and # a new given entry. This is shift+click functionality # # Returns array of selected elements selectContinuousEntries: (entry)-> currentSelectedEntry = @selectedEntry() parentContainer = entry.parent() if $.contains(parentContainer[0], currentSelectedEntry[0]) entryIndex = parentContainer.indexOf(entry) selectedIndex = parentContainer.indexOf(currentSelectedEntry) elements = (parentContainer.children()[i] for i in [entryIndex..selectedIndex]) @deselect() for element in elements $(element).addClass('selected') elements # Public: Selects consecutive given entries without clearing previously selected # items. This is cmd+click functionality # # Returns given entry selectMultipleEntries: (entry)-> entry = entry?.view() return false unless entry? entry.addClass('selected') entry # Public: Toggle full-menu class on the main list element to display the full context # menu. # # Returns noop showFullMenu: -> @list.removeClass('multi-select').addClass('full-menu') # Public: Toggle multi-select class on the main list element to display the the # menu with only items that make sense for multi select functionality # # Returns noop showMultiSelectMenu: -> @list.removeClass('full-menu').addClass('multi-select') # Public: Check for multi-select class on the main list # # Returns boolean multiSelectEnabled: -> @list.hasClass('multi-select')
true
path = require 'path' shell = require 'shell' _ = require 'underscore-plus' {Emitter, Subscriber} = require 'emissary' {$, BufferedProcess, ScrollView, EditorView} = require 'atom' fs = require 'fs-plus' os = require 'os' Dialog = null # Defer requiring until actually needed AddDialog = null # Defer requiring until actually needed MoveDialog = null # Defer requiring until actually needed CopyDialog = null # Defer requiring until actually needed RenameDialog = null # Defer requiring until actually needed FTPDirectory = require './ftp-directory' FTPDirectoryView = require './ftp-directory-view' FTPFile = require './ftp-file' FTPFileView = require './ftp-file-view' FTPConfigurationView = require './ftp-configuration-view' LocalStorage = window.localStorage JSFtp = require('jsftp') module.exports = class FTPTreeView extends ScrollView client: null watchedFiles: [] @content: -> @div class: 'tree-view-resizer tool-panel', 'data-show-on-right-side': atom.config.get('ftp-tree-view.showOnRightSide'), => @div class: 'tree-view-scroller', outlet: 'scroller', style: 'padding-bottom: 26px;', => # Tabs @button class: 'btn-tab active icon icon-gear', click: 'changeToConfigruationTab', outlet: 'configurationTabButton', 'Configuration' @button class: 'btn-tab icon icon-x', click: 'changeToConnectionTab', outlet: 'connectionTabButton', 'No Connection' # Configuration Tab @div class: 'ftp-tree-view', outlet: 'configurationTab', => @div class: 'connection-panel panel', => # Saved Connections @div class: 'panel-heading', click: 'toggleServerList', => @span class: 'icon icon-chevron-down', outlet: 'serverListToggle', 'Saved Connections' @div class: 'panel-body no-padding', outlet: 'serverListPanel', => @subview 'savedConnections', new FTPConfigurationView() # Add Connection @div class: 'panel-heading', click: 'toggleAddConnection', => @span class: 'icon icon-chevron-down', outlet: 'addConnectionToggle', 'Add Connection' @div class: 'panel-body padded', outlet: 'addConnectionPanel', => @div class: 'block', => @label 'Connection Name' @subview 'nameEditor', new EditorView(mini: true) @div class: 'block', => @label 'Server' @subview 'hostEditor', new EditorView(mini: true) @div class: 'block', => @label 'Username' @subview 'usernameEditor', new EditorView(mini: true) @div class: 'block', => @label 'Password' @subview 'passwordEditor', new EditorView(mini: true) @div class: 'block', => @label 'Port' @subview 'portEditor', new EditorView(mini: true) @div class: 'block', => @label 'Local Path' @subview 'localDirEditor', new EditorView(mini: true) @div class: 'block', => @label 'Remote Path' @subview 'remoteDirEditor', new EditorView(mini: true) @button class: 'inline-block btn btn-success', click: 'addToServerList', 'Add' @button class: 'inline-block btn btn-info', click: 'openConfig', 'Open Config' # Connection Tab @div class: 'ftp-tree-view', style: 'display:none;', outlet: 'connectionTab', => @div class:'block', => @button class:'btn btn-error hide full-width', click: 'disconnectFromServer', outlet: 'disconnectButton', => @span class: 'icon icon-alignment-unalign', 'Disconnect' @ol class: 'ftp-tree-view full-menu list-tree has-collapsable-children focusable-panel', tabindex: -1, outlet: 'list' # Status bar @div class: 'status-bar tool-panel panel-bottom', style: 'top: -26px', => @div class: 'flexbox-repaint-hack', => @div class: 'status-bar-left', => @span class: 'message', outlet: 'currentStatus', 'No connection' @a class: 'pull-right hide', click: 'cancelClient', outlet: 'cancelClientLink', 'Cancel' @div class: 'tree-view-resize-handle', outlet: 'resizeHandle' initialize: (state) -> super focusAfterAttach = false root = null scrollLeftAfterAttach = -1 scrollTopAfterAttach = -1 selectedPath = null # watch all save events that = @ atom.project.eachBuffer (buffer) => @subscribe buffer, 'saved', => $.each @watchedFiles, (index, file) => relativePath = buffer.getUri().replace('/private'+os.tmpdir() + @client.host,'') if file.getPath() is relativePath # safe guard original file that.currentStatus.text('Protecting original file...') safeGaurdPath = file.getDirectory() + 'safesave-' + file.getName() that.client.rename file.getPath(), safeGaurdPath, (err, res) -> throw err if err that.currentStatus.text('Uploading new file...') that.client.put buffer.getPath(), file.getPath(), (hadError) -> that.currentStatus.text('Deleting original file...') that.client.raw.dele safeGaurdPath, (err, res) -> that.currentStatus.text('File uploaded successfully') @subscribe buffer, 'destroyed', => @unsubscribe(buffer) $.each @watchedFiles, (index, file) => relativePath = buffer.getUri().replace('/private'+os.tmpdir() + @client.host,'') if file.getPath() is relativePath @watchedFiles.splice(index, 1); @portEditor.setPlaceholderText('21') @localDirEditor.setPlaceholderText('none') @remoteDirEditor.setPlaceholderText('/') @on 'click', '.server-entry', (e) => @serverClicked(e) @on 'dblclick', '.server-entry', (e) => @connectToServer(e) @on 'dblclick', '.tree-view-resize-handle', => @resizeToFitContent() @on 'click', '.entry', (e) => return if e.shiftKey || e.metaKey @entryClicked(e) @on 'mousedown', '.entry', (e) => e.stopPropagation() currentTarget = $(e.currentTarget) # return early if we're opening a contextual menu (right click) during multi-select mode return if @multiSelectEnabled() && currentTarget.hasClass('selected') && # mouse right click or ctrl click as right click on darwin platforms (e.button is 2 || e.ctrlKey && process.platform is 'darwin') entryToSelect = currentTarget.view() if e.shiftKey @selectContinuousEntries(entryToSelect) @showMultiSelectMenu() # only allow ctrl click for multi selection on non darwin systems else if e.metaKey || (e.ctrlKey && process.platform isnt 'darwin') @selectMultipleEntries(entryToSelect) # only show the multi select menu if more then one file/directory is selected @showMultiSelectMenu() if @selectedPaths().length > 1 else @selectEntry(entryToSelect) @showFullMenu() @on 'mousedown', '.tree-view-resize-handle', (e) => @resizeStarted(e) @command 'ftp-tree-view:add-file', => @add(true) @command 'ftp-tree-view:add-folder', => @add(false) @command 'ftp-tree-view:duplicate', => @copySelectedEntry() @command 'ftp-tree-view:remove', => @removeSelectedEntries() @command 'ftp-tree-view:rename', => @renameSelectedEntry() @command 'ftp-tree-view:change-permissions', => @changePermissionsSelectedEntry() @command 'ftp-tree-view:expand-directory', => @expandDirectory() @command 'ftp-tree-view:collapse-directory', => @collapseDirectory() @command 'ftp-tree-view:open-selected-entry', => @openSelectedEntry(true) @command 'ftp-tree-view:move', => @moveSelectedEntry() @command 'ftp-tree-view:copy', => @copySelectedEntries() @command 'ftp-tree-view:copy-full-path', => @copySelectedEntryPath(false) @command 'tool-panel:unfocus', => @unfocus() @on 'ftp-tree-view:directory-modified', => if @hasFocus() @selectEntryForPath(@selectedPath) if @selectedPath else @selectActiveFile() @subscribe atom.config.observe 'ftp-tree-view.hideVcsIgnoredFiles', callNow: false, => @updateRoot() @subscribe atom.config.observe 'ftp-tree-view.hideIgnoredNames', callNow: false, => @updateRoot() @subscribe atom.config.observe 'core.ignoredNames', callNow: false, => @updateRoot() if atom.config.get('ftp-tree-view.hideIgnoredNames') @subscribe atom.config.observe 'ftp-tree-view.showOnRightSide', callNow: false, (newValue) => @onSideToggled(newValue) @updateRoot(state.directoryExpansionStates) @selectEntry(@root) if @root? @selectEntryForPath(state.selectedPath) if state.selectedPath @focusAfterAttach = state.hasFocus @scrollTopAfterAttach = state.scrollTop if state.scrollTop @scrollLeftAfterAttach = state.scrollLeft if state.scrollLeft @width(state.width) if state.width > 0 @attach() if state.attached changeToConfigruationTab: -> @configurationTab.show() @configurationTabButton.addClass('active') @connectionTab.hide() @connectionTabButton.removeClass('active') changeToConnectionTab: -> @connectionTab.show() @connectionTabButton.addClass('active') @configurationTab.hide() @configurationTabButton.removeClass('active') toggleServerList: -> @serverListToggle.toggleClass('icon-chevron-right').toggleClass('icon-chevron-down') @serverListPanel.toggle() toggleAddConnection: -> @addConnectionToggle.toggleClass('icon-chevron-right').toggleClass('icon-chevron-down') @addConnectionPanel.toggle() serverClicked: (e) -> entry = $(e.currentTarget).view() $('.server-entry').removeClass('selected') entry.addClass('selected') cancelClient: -> if @client.authenticating @disconnectFromServer('Connection cancelled') connectToServer: (e) -> unless @client @cancelClientLink.removeClass('hide') @currentStatus.text('Connecting...') entry = $(e.currentTarget).view() entry.children('.icon.name').removeClass('icon-server').addClass('icon-clock') @client = new JSFtp host: entry.server.host port: entry.server.port debugMode: false @client.on 'jsftp_debug', (eventType, data) -> console.log('DEBUG: ', eventType) console.log(JSON.stringify(data, null, 2)) that = @ timeout = setTimeout -> that.disconnectFromServer('Connection timed out') , 10000 @client.auth entry.server.username, entry.server.password, (err, data) -> clearTimeout(timeout) if err that.disconnectFromServer(err.message) return that.currentStatus.text('Connected - Listing index...') that.client.ls ".", (err, list) -> entry.children('.icon.name').removeClass('icon-clock').addClass('icon-server') throw err if err indexDirectory = new FTPDirectory({client: that.client, name: "/", isRoot: true, path: "", isExpanded: true, rawlist: list}) indexDirectory.parseRawList() root = new FTPDirectoryView(indexDirectory) that.disconnectButton.removeClass('hide') that.list.append(root) that.changeToConnectionTab() that.cancelClientLink.addClass('hide') that.connectionTabButton.removeClass('icon-x').addClass('icon-zap').text('Connected') that.currentStatus.text('Connected - ' + entry.server.host) entry.children('.icon.name').removeClass('icon-server').addClass('icon-zap') else if @client? @currentStatus.text('There is already an active connection') else @currentStatus.text('There is already a connection being attempted') addToServerList: -> that = @ serverConfig = name: @nameEditor.getText() host: @hostEditor.getText() username: @usernameEditor.getText() password: PI:PASSWORD:<PASSWORD>END_PIEditor.getText() port: @portEditor.getText() localPath: @localDirEditor.getText() remotePath: @remoteDirEditor.getText() ftpConfigPath = atom.getConfigDirPath() + '/packages/ftp-tree-view/ftp-tree-view-config.json' fs.open ftpConfigPath, 'a+', (err, fd) -> throw err if err fs.readFile ftpConfigPath, 'utf8', (err, data) -> throw err if err if data currentConfig = JSON.parse(data) currentConfig = {servers: []} unless currentConfig currentConfig.servers.push(serverConfig) fs.writeFile ftpConfigPath, JSON.stringify(currentConfig, undefined, 2), (err) -> throw err if err that.currentStatus.text('Server added') openConfig: -> ftpConfigPath = atom.getConfigDirPath() + '/packages/ftp-tree-view/ftp-tree-view-config.json' atom.workspaceView.open ftpConfigPath, {changeFocus: true} disconnectFromServer: (message) -> @disconnectButton.addClass('hide') @currentStatus.text('Disconnecting...') if @client.authenticating or !@client.authenticated @client = null else that = @ @client.raw.quit (err, data) -> throw err if err that.client = null message = 'Disconnected' unless message instanceof String @currentStatus.text(message) @list.empty() @cancelClientLink.addClass('hide') @connectionTabButton.removeClass('icon-zap').addClass('icon-x').text('No Connection') $('.ftp-configuration-list .icon').removeClass('icon-zap icon-clock').addClass('icon-server') @changeToConfigruationTab() afterAttach: (onDom) -> @focus() if @focusAfterAttach @scroller.scrollLeft(@scrollLeftAfterAttach) if @scrollLeftAfterAttach > 0 @scrollTop(@scrollTopAfterAttach) if @scrollTopAfterAttach > 0 serialize: -> directoryExpansionStates: @root?.directory.serializeExpansionStates() selectedPath: @selectedEntry()?.getPath() hasFocus: @hasFocus() attached: @hasParent() scrollLeft: @scroller.scrollLeft() scrollTop: @scrollTop() width: @width() deactivate: -> @remove() toggle: -> if @isVisible() @detach() else @show() show: -> @attach() unless @hasParent() @focus() attach: -> return unless atom.project.getPath() if atom.config.get('ftp-tree-view.showOnRightSide') @removeClass('panel-left') @addClass('panel-right') atom.workspaceView.appendToRight(this) else @removeClass('panel-right') @addClass('panel-left') atom.workspaceView.appendToLeft(this) detach: -> @scrollLeftAfterAttach = @scroller.scrollLeft() @scrollTopAfterAttach = @scrollTop() # Clean up copy and cut localStorage Variables LocalStorage['ftp-tree-view:cutPath'] = null LocalStorage['ftp-tree-view:copyPath'] = null super atom.workspaceView.focus() focus: -> @list.focus() unfocus: -> atom.workspaceView.focus() hasFocus: -> @list.is(':focus') or document.activeElement is @list[0] toggleFocus: -> if @hasFocus() @unfocus() else @show() entryClicked: (e) -> entry = $(e.currentTarget).view() switch e.originalEvent?.detail ? 1 when 1 @selectEntry(entry) if entry instanceof FTPDirectoryView entry.toggleExpansion() @currentStatus.text(entry.directory.getStringDetails()) else if entry instanceof FTPFileView @currentStatus.text(entry.file.getStringDetails()) when 2 if entry.is('.selected.file') @openSelectedEntry(true) else if entry.is('.selected.directory') entry.toggleExpansion() false resizeStarted: => $(document.body).on('mousemove', @resizeTreeView) $(document.body).on('mouseup', @resizeStopped) resizeStopped: => $(document.body).off('mousemove', @resizeTreeView) $(document.body).off('mouseup', @resizeStopped) resizeTreeView: ({pageX}) => if atom.config.get('ftp-tree-view.showOnRightSide') width = $(document.body).width() - pageX else width = pageX @width(width) resizeToFitContent: -> @width(1) # Shrink to measure the minimum width of list @width(@list.outerWidth()) updateRoot: (expandedEntries={}) -> @root?.remove() # @client.list (err, list) -> # throw err if err # hostname = currentView.hostEditor.getText() # root = new FTPDirectoryView(hostname, list) # currentView.list.append(root) # @client.end() if rootDirectory = atom.project.getRootDirectory() ## always return blank directory @root = null # directory = new FTPDirectory({directory: rootDirectory, isExpanded: true, expandedEntries, isRoot: true}) # @root = new FTPDirectoryView(directory) # @list.append(@root) else @root = null getActivePath: -> atom.workspace.getActivePaneItem()?.getPath?() selectActiveFile: -> if activeFilePath = @getActivePath() @selectEntryForPath(activeFilePath) else @deselect() revealActiveFile: -> return unless atom.project.getPath() @attach() @focus() return unless activeFilePath = @getActivePath() activePathComponents = atom.project.relativize(activeFilePath).split(path.sep) currentPath = atom.project.getPath().replace(new RegExp("#{_.escapeRegExp(path.sep)}$"), '') for pathComponent in activePathComponents currentPath += path.sep + pathComponent entry = @entryForPath(currentPath) if entry.hasClass('directory') entry.expand() else centeringOffset = (@scrollBottom() - @scrollTop()) / 2 @selectEntry(entry) @scrollToEntry(entry, centeringOffset) copySelectedEntryPath: (relativePath = false) -> if pathToCopy = @selectedPath pathToCopy = atom.project.relativize(pathToCopy) if relativePath atom.clipboard.write(pathToCopy) entryForPath: (entryPath) -> fn = (bestMatchEntry, element) -> entry = $(element).view() if entry.getPath() is entryPath entry else if entry.getPath().length > bestMatchEntry.getPath().length and entry.directory?.contains(entryPath) entry else bestMatchEntry @list.find(".entry").toArray().reduce(fn, @root) selectEntryForPath: (entryPath) -> @selectEntry(@entryForPath(entryPath)) moveDown: -> selectedEntry = @selectedEntry() if selectedEntry if selectedEntry.is('.expanded.directory') if @selectEntry(selectedEntry.find('.entry:first')) @scrollToEntry(@selectedEntry()) return until @selectEntry(selectedEntry.next('.entry')) selectedEntry = selectedEntry.parents('.entry:first') break unless selectedEntry.length else @selectEntry(@root) @scrollToEntry(@selectedEntry()) moveUp: -> selectedEntry = @selectedEntry() if selectedEntry if previousEntry = @selectEntry(selectedEntry.prev('.entry')) if previousEntry.is('.expanded.directory') @selectEntry(previousEntry.find('.entry:last')) else @selectEntry(selectedEntry.parents('.directory').first()) else @selectEntry(@list.find('.entry').last()) @scrollToEntry(@selectedEntry()) expandDirectory: -> selectedEntry = @selectedEntry() selectedEntry.view().expand() if selectedEntry instanceof FTPDirectoryView collapseDirectory: -> if directory = @selectedEntry()?.closest('.expanded.directory').view() directory.collapse() @selectEntry(directory) moveSelectedEntry: -> super renameSelectedEntry : -> selectedEntry = @selectedEntry() or @root RenameDialog ?= require './rename-dialog' if selectedEntry.directory? selectedPath = selectedEntry.directory.path + '/' + selectedEntry.directory.name isDirectory = true else selectedPath = selectedEntry.getPath() isDirectory = false that = @ dialog = new RenameDialog(selectedPath, isDirectory) dialog.on 'rename-entry', (event, originalPath, newPath) => that.currentStatus.text('Renaming file...') that.client.rename originalPath, newPath, (err, res) -> throw err if err selectedEntry.fileName.text(path.basename(newPath)) if !isDirectory selectedEntry.directoryName.text(path.basename(newPath)) if isDirectory that.currentStatus.text('Renamed file') dialog.attach() changePermissionsSelectedEntry: -> selectedEntry = @selectedEntry() console.log selectedEntry openSelectedEntry: (changeFocus) -> selectedEntry = @selectedEntry() if selectedEntry instanceof FTPDirectoryView selectedEntry.view().toggleExpansion() else if selectedEntry instanceof FTPFileView ftpTempStoragePath = os.tmpdir() + @client.host + '/' filePath = ftpTempStoragePath + selectedEntry.getPath() fs.makeTreeSync path.dirname(filePath) that = @ @currentStatus.text('Downloading file...') @client.get selectedEntry.getPath(), filePath, (hadErr) -> if hadErr console.log('There was an error retrieving the file.') else that.watchedFiles.push(selectedEntry) that.currentStatus.text('File opened successfully') atom.workspaceView.open filePath, {changeFocus} showSelectedEntryInFileManager: -> entry = @selectedEntry() return unless entry entryType = if entry instanceof DirectoryView then 'directory' else 'file' command = 'open' args = ['-R', entry.getPath()] errorLines = [] stderr = (lines) -> errorLines.push(lines) exit = (code) -> if code isnt 0 atom.confirm message: "Opening #{entryType} in Finder failed" detailedMessage: errorLines.join('\n') buttons: ['OK'] new BufferedProcess({command, args, stderr, exit}) copySelectedEntry: -> super removeSelectedEntries: -> if @hasFocus() selectedPaths = @selectedPaths() else if activePath = @getActivePath() selectedPaths = [activePath] return unless selectedPaths atom.confirm message: "Are you sure you want to delete the selected #{if selectedPaths.length > 1 then 'items' else 'item'}?" detailedMessage: "You are deleting:\n#{selectedPaths.join('\n')}" buttons: "Move to Trash": -> for selectedPath in selectedPaths shell.moveItemToTrash(selectedPath) "Cancel": null "Delete": => for selectedPath in selectedPaths @removeSync(selectedPath) removeSync: (pathToRemove) -> try fs.removeSync(pathToRemove) catch error if error.code is 'EACCES' and process.platform is 'darwin' runas = require 'runas' removed = runas('/bin/rm', ['-r', '-f', pathToRemove], admin: true) is 0 throw error unless removed else throw error # Public: Copy the path of the selected entry element. # Save the path in localStorage, so that copying from 2 different # instances of atom works as intended # # # Returns `copyPath`. copySelectedEntries: -> selectedPaths = @selectedPaths() return unless selectedPaths && selectedPaths.length > 0 # save to localStorage so we can paste across multiple open apps LocalStorage.removeItem('tree-view:cutPath') LocalStorage['tree-view:copyPath'] = JSON.stringify(selectedPaths) # Public: Copy the path of the selected entry element. # Save the path in localStorage, so that cutting from 2 different # instances of atom works as intended # # # Returns `cutPath` cutSelectedEntries: -> selectedPaths = @selectedPaths() return unless selectedPaths && selectedPaths.length > 0 # save to localStorage so we can paste across multiple open apps LocalStorage.removeItem('tree-view:copyPath') LocalStorage['tree-view:cutPath'] = JSON.stringify(selectedPaths) # Public: Paste a copied or cut item. # If a file is selected, the file's parent directory is used as the # paste destination. # # # Returns `destination newPath`. pasteEntries: -> entry = @selectedEntry() cutPaths = if LocalStorage['tree-view:cutPath'] then JSON.parse(LocalStorage['tree-view:cutPath']) else null copiedPaths = if LocalStorage['tree-view:copyPath'] then JSON.parse(LocalStorage['tree-view:copyPath']) else null initialPaths = copiedPaths || cutPaths for initialPath in initialPaths ? [] initialPathIsDirectory = fs.isDirectorySync(initialPath) if entry && initialPath basePath = atom.project.resolve(entry.getPath()) entryType = if entry instanceof DirectoryView then "directory" else "file" if entryType is 'file' basePath = path.dirname(basePath) newPath = path.join(basePath, path.basename(initialPath)) if copiedPaths # append a number to the file if an item with the same name exists fileCounter = 0 originalNewPath = newPath while fs.existsSync(newPath) if initialPathIsDirectory newPath = "#{originalNewPath}#{fileCounter.toString()}" else fileArr = originalNewPath.split('.') newPath = "#{fileArr[0]}#{fileCounter.toString()}.#{fileArr[1]}" fileCounter += 1 if fs.isDirectorySync(initialPath) # use fs.copy to copy directories since read/write will fail for directories fs.copySync(initialPath, newPath) else # read the old file and write a new one at target location fs.writeFileSync(newPath, fs.readFileSync(initialPath)) else if cutPaths # Only move the target if the cut target doesn't exists and if the newPath # is not within the initial path unless fs.existsSync(newPath) || !!newPath.match(new RegExp("^#{initialPath}")) fs.moveSync(initialPath, newPath) add: (isCreatingFile) -> selectedEntry = @selectedEntry() or @root selectedPath = selectedEntry.getPath() AddDialog ?= require './add-dialog' dialog = new AddDialog(selectedPath, isCreatingFile) dialog.on 'directory-created', (event, createdPath) => @entryForPath(createdPath).reload() @selectEntryForPath(createdPath) false dialog.on 'file-created', (event, createdPath) -> atom.workspace.open(createdPath) false dialog.attach() selectedEntry: -> @list.find('.selected')?.view() selectEntry: (entry) -> entry = entry?.view() return false unless entry? @selectedPath = entry.getPath() @deselect() entry.addClass('selected') deselect: -> @list.find('.selected').removeClass('selected') scrollTop: (top) -> if top? @scroller.scrollTop(top) else @scroller.scrollTop() scrollBottom: (bottom) -> if bottom? @scroller.scrollBottom(bottom) else @scroller.scrollBottom() scrollToEntry: (entry, offset = 0) -> displayElement = if entry instanceof DirectoryView then entry.header else entry top = displayElement.position().top bottom = top + displayElement.outerHeight() if bottom > @scrollBottom() @scrollBottom(bottom + offset) if top < @scrollTop() @scrollTop(top + offset) scrollToBottom: -> if lastEntry = @root?.find('.entry:last').view() @selectEntry(lastEntry) @scrollToEntry(lastEntry) scrollToTop: -> @selectEntry(@root) if @root? @scrollTop(0) toggleSide: -> atom.config.toggle('ftp-tree-view.showOnRightSide') onSideToggled: (newValue) -> @detach() @attach() @attr('data-show-on-right-side', newValue) # Public: Return an array of paths from all selected items # # Example: @selectedPaths() # => ['selected/path/one', 'selected/path/two', 'selected/path/three'] # Returns Array of selected item paths selectedPaths: -> $(item).view().getPath() for item in @list.find('.selected') # Public: Selects items within a range defined by a currently selected entry and # a new given entry. This is shift+click functionality # # Returns array of selected elements selectContinuousEntries: (entry)-> currentSelectedEntry = @selectedEntry() parentContainer = entry.parent() if $.contains(parentContainer[0], currentSelectedEntry[0]) entryIndex = parentContainer.indexOf(entry) selectedIndex = parentContainer.indexOf(currentSelectedEntry) elements = (parentContainer.children()[i] for i in [entryIndex..selectedIndex]) @deselect() for element in elements $(element).addClass('selected') elements # Public: Selects consecutive given entries without clearing previously selected # items. This is cmd+click functionality # # Returns given entry selectMultipleEntries: (entry)-> entry = entry?.view() return false unless entry? entry.addClass('selected') entry # Public: Toggle full-menu class on the main list element to display the full context # menu. # # Returns noop showFullMenu: -> @list.removeClass('multi-select').addClass('full-menu') # Public: Toggle multi-select class on the main list element to display the the # menu with only items that make sense for multi select functionality # # Returns noop showMultiSelectMenu: -> @list.removeClass('full-menu').addClass('multi-select') # Public: Check for multi-select class on the main list # # Returns boolean multiSelectEnabled: -> @list.hasClass('multi-select')
[ { "context": "##############\ncfg = null\nauth = null\nauthCode = \"deadbeef\"\n\n###############################################", "end": 592, "score": 0.7186543345451355, "start": 584, "tag": "PASSWORD", "value": "deadbeef" } ]
networkmodule.coffee
JhonnyJason/service-sources-networkmodule
0
networkmodule = {name: "networkmodule"} ############################################################ #region printLogFunctions log = (arg) -> if allModules.debugmodule.modulesToDebug["networkmodule"]? then console.log "[networkmodule]: " + arg return ostr = (obj) -> JSON.stringify(obj, null, 4) olog = (obj) -> log "\n" + ostr(obj) print = (arg) -> console.log(arg) #endregion ############################################################ fetch = require("node-fetch").default ############################################################ cfg = null auth = null authCode = "deadbeef" ############################################################ networkmodule.initialize = -> log "networkmodule.initialize" cfg = allModules.configmodule auth = allModules.authmodule return ############################################################ postData = (url, data) -> options = method: 'POST' credentials: 'omit' body: JSON.stringify(data) headers: 'Content-Type': 'application/json' response = await fetch(url, options) if response.status == 403 then throw new Error("Unauthorized!") return response.json() ############################################################ #region exposedFunctions ############################################################ networkmodule.getTickers = (exchange, assetPairs)-> log "networkmodule.getTickers" throw new Error("Exchange does not exist") unless cfg[exchange]? assetPairs = cfg[exchange].assetPairs unless assetPairs? assetPairs = [assetPairs] unless Array.isArray(assetPairs) requestURL = cfg[exchange].observerURL + "/getLatestTickers" data = {authCode, assetPairs} return postData(requestURL, data) networkmodule.getBalances = (exchange, assets)-> log "networkmodule.getBalances" throw new Error("Exchange does not exist") unless cfg[exchange]? assets = cfg[exchange].assets unless assets? assets = [assets] unless Array.isArray(assets) requestURL = cfg[exchange].observerURL + "/getLatestBalances" data = {authCode, assets} return postData(requestURL, data) networkmodule.getOrders = (exchange, assetPairs)-> log "networkmodule.getOrders" throw new Error("Exchange does not exist") unless cfg[exchange]? assetPairs = cfg[exchange].assetPairs unless assetPairs? assetPairs = [assetPairs] unless Array.isArray(assetPairs) requestURL = cfg[exchange].observerURL + "/getLatestOrders" data = {authCode, assetPairs} return postData(requestURL, data) ############################################################ networkmodule.placeOrders = (exchange, orders)-> log "networkmodule.placeOrders" throw new Error("Exchange does not exist") unless cfg[exchange]? orders = [orders] unless Array.isArray(orders) signature = auth.createSignature(JSON.stringify(orders)) requestURL = cfg[exchange].traderURL + "/placeOrders" data = {orders,signature} return postData(requestURL, data) networkmodule.cancelOrders = (exchange, orders)-> log "networkmodule.cancelOrders" throw new Error("Exchange does not exist") unless cfg[exchange]? orders = [orders] unless Array.isArray(orders) signature = auth.createSignature(JSON.stringify(orders)) requestURL = cfg[exchange].traderURL + "/cancelOrders" data = {orders,signature} return postData(requestURL, data) #endregion module.exports = networkmodule
8239
networkmodule = {name: "networkmodule"} ############################################################ #region printLogFunctions log = (arg) -> if allModules.debugmodule.modulesToDebug["networkmodule"]? then console.log "[networkmodule]: " + arg return ostr = (obj) -> JSON.stringify(obj, null, 4) olog = (obj) -> log "\n" + ostr(obj) print = (arg) -> console.log(arg) #endregion ############################################################ fetch = require("node-fetch").default ############################################################ cfg = null auth = null authCode = "<PASSWORD>" ############################################################ networkmodule.initialize = -> log "networkmodule.initialize" cfg = allModules.configmodule auth = allModules.authmodule return ############################################################ postData = (url, data) -> options = method: 'POST' credentials: 'omit' body: JSON.stringify(data) headers: 'Content-Type': 'application/json' response = await fetch(url, options) if response.status == 403 then throw new Error("Unauthorized!") return response.json() ############################################################ #region exposedFunctions ############################################################ networkmodule.getTickers = (exchange, assetPairs)-> log "networkmodule.getTickers" throw new Error("Exchange does not exist") unless cfg[exchange]? assetPairs = cfg[exchange].assetPairs unless assetPairs? assetPairs = [assetPairs] unless Array.isArray(assetPairs) requestURL = cfg[exchange].observerURL + "/getLatestTickers" data = {authCode, assetPairs} return postData(requestURL, data) networkmodule.getBalances = (exchange, assets)-> log "networkmodule.getBalances" throw new Error("Exchange does not exist") unless cfg[exchange]? assets = cfg[exchange].assets unless assets? assets = [assets] unless Array.isArray(assets) requestURL = cfg[exchange].observerURL + "/getLatestBalances" data = {authCode, assets} return postData(requestURL, data) networkmodule.getOrders = (exchange, assetPairs)-> log "networkmodule.getOrders" throw new Error("Exchange does not exist") unless cfg[exchange]? assetPairs = cfg[exchange].assetPairs unless assetPairs? assetPairs = [assetPairs] unless Array.isArray(assetPairs) requestURL = cfg[exchange].observerURL + "/getLatestOrders" data = {authCode, assetPairs} return postData(requestURL, data) ############################################################ networkmodule.placeOrders = (exchange, orders)-> log "networkmodule.placeOrders" throw new Error("Exchange does not exist") unless cfg[exchange]? orders = [orders] unless Array.isArray(orders) signature = auth.createSignature(JSON.stringify(orders)) requestURL = cfg[exchange].traderURL + "/placeOrders" data = {orders,signature} return postData(requestURL, data) networkmodule.cancelOrders = (exchange, orders)-> log "networkmodule.cancelOrders" throw new Error("Exchange does not exist") unless cfg[exchange]? orders = [orders] unless Array.isArray(orders) signature = auth.createSignature(JSON.stringify(orders)) requestURL = cfg[exchange].traderURL + "/cancelOrders" data = {orders,signature} return postData(requestURL, data) #endregion module.exports = networkmodule
true
networkmodule = {name: "networkmodule"} ############################################################ #region printLogFunctions log = (arg) -> if allModules.debugmodule.modulesToDebug["networkmodule"]? then console.log "[networkmodule]: " + arg return ostr = (obj) -> JSON.stringify(obj, null, 4) olog = (obj) -> log "\n" + ostr(obj) print = (arg) -> console.log(arg) #endregion ############################################################ fetch = require("node-fetch").default ############################################################ cfg = null auth = null authCode = "PI:PASSWORD:<PASSWORD>END_PI" ############################################################ networkmodule.initialize = -> log "networkmodule.initialize" cfg = allModules.configmodule auth = allModules.authmodule return ############################################################ postData = (url, data) -> options = method: 'POST' credentials: 'omit' body: JSON.stringify(data) headers: 'Content-Type': 'application/json' response = await fetch(url, options) if response.status == 403 then throw new Error("Unauthorized!") return response.json() ############################################################ #region exposedFunctions ############################################################ networkmodule.getTickers = (exchange, assetPairs)-> log "networkmodule.getTickers" throw new Error("Exchange does not exist") unless cfg[exchange]? assetPairs = cfg[exchange].assetPairs unless assetPairs? assetPairs = [assetPairs] unless Array.isArray(assetPairs) requestURL = cfg[exchange].observerURL + "/getLatestTickers" data = {authCode, assetPairs} return postData(requestURL, data) networkmodule.getBalances = (exchange, assets)-> log "networkmodule.getBalances" throw new Error("Exchange does not exist") unless cfg[exchange]? assets = cfg[exchange].assets unless assets? assets = [assets] unless Array.isArray(assets) requestURL = cfg[exchange].observerURL + "/getLatestBalances" data = {authCode, assets} return postData(requestURL, data) networkmodule.getOrders = (exchange, assetPairs)-> log "networkmodule.getOrders" throw new Error("Exchange does not exist") unless cfg[exchange]? assetPairs = cfg[exchange].assetPairs unless assetPairs? assetPairs = [assetPairs] unless Array.isArray(assetPairs) requestURL = cfg[exchange].observerURL + "/getLatestOrders" data = {authCode, assetPairs} return postData(requestURL, data) ############################################################ networkmodule.placeOrders = (exchange, orders)-> log "networkmodule.placeOrders" throw new Error("Exchange does not exist") unless cfg[exchange]? orders = [orders] unless Array.isArray(orders) signature = auth.createSignature(JSON.stringify(orders)) requestURL = cfg[exchange].traderURL + "/placeOrders" data = {orders,signature} return postData(requestURL, data) networkmodule.cancelOrders = (exchange, orders)-> log "networkmodule.cancelOrders" throw new Error("Exchange does not exist") unless cfg[exchange]? orders = [orders] unless Array.isArray(orders) signature = auth.createSignature(JSON.stringify(orders)) requestURL = cfg[exchange].traderURL + "/cancelOrders" data = {orders,signature} return postData(requestURL, data) #endregion module.exports = networkmodule
[ { "context": "ező mozgékonyságát (nem mehet 0 alá).\"\"\"\n \"Garven Dreis\":\n text: \"\"\"Fókusz felhasználás után á", "end": 7495, "score": 0.9877935647964478, "start": 7483, "tag": "NAME", "value": "Garven Dreis" }, { "context": " Biggs is támadható helyette. [FAQ]\"\"\"\n \"Luke Skywalker\":\n text: \"\"\"Védekezéskor egy", "end": 7893, "score": 0.8162944912910461, "start": 7891, "tag": "NAME", "value": "ke" }, { "context": "odat átforgathatsz %EVADE%-re.\"\"\"\n '\"Dutch\" Vander':\n text: \"\"\"Miután feltettél egy célpo", "end": 8009, "score": 0.7036327123641968, "start": 8003, "tag": "NAME", "value": "Vander" }, { "context": " azonnal feltehet egy célpontbemérőt.\"\"\"\n \"Horton Salm\":\n text: \"\"\"2-3-as távolságban támadás", "end": 8198, "score": 0.9997265934944153, "start": 8187, "tag": "NAME", "value": "Horton Salm" }, { "context": "obhatja újra a támadó kockáit. [FAQ]\"\"\"\n '\"Mauler Mithel\"':\n text: \"\"\"Mikor 1-es távolságban tá", "end": 8873, "score": 0.9991351962089539, "start": 8860, "tag": "NAME", "value": "Mauler Mithel" }, { "context": "ével, 1 támadó kockáját újradobhatja.\"\"\"\n \"Maarek Stele\":\n text: \"\"\"Mikor támadásodból felford", "end": 9147, "score": 0.9966419339179993, "start": 9135, "tag": "NAME", "value": "Maarek Stele" }, { "context": "d át a védekezőnek. A többit dobd el.\"\"\"\n \"Darth Vader\":\n text: \"\"\"Az akció végrehajtása fázi", "end": 9332, "score": 0.9995790719985962, "start": 9321, "tag": "NAME", "value": "Darth Vader" }, { "context": "sa fázisban 2 akciót hajthat végre.\"\"\"\n \"\\\"Fel's Wrath\\\"\":\n text: \"\"\"Ha a hajóhoz tartozó sér", "end": 9436, "score": 0.9978413581848145, "start": 9425, "tag": "NAME", "value": "Fel's Wrath" }, { "context": "misül meg a harci fázis végéig. [FAQ]\"\"\"\n \"Turr Phennir\":\n text: \"\"\"Miután végrehajtottad a tá", "end": 9625, "score": 0.9997981786727905, "start": 9613, "tag": "NAME", "value": "Turr Phennir" }, { "context": "OOST% vagy %BARRELROLL% akciót. [FAQ]\"\"\"\n \"Soontir Fel\":\n text: \"\"\"Mikor kapsz egy stressz je", "end": 9773, "score": 0.9998008608818054, "start": 9762, "tag": "NAME", "value": "Soontir Fel" }, { "context": "lzőt, kaphatsz egy %FOCUS% jelzőt is.\"\"\"\n \"Tycho Celchu\":\n text: \"\"\"Akkor is végrehajthatsz ak", "end": 9885, "score": 0.9992993474006653, "start": 9873, "tag": "NAME", "value": "Tycho Celchu" }, { "context": "thatsz akciót, ha van stressz jelződ.\"\"\"\n \"Arvel Crynyd\":\n text: \"\"\"Olyan célpontot is válaszh", "end": 9988, "score": 0.9997712969779968, "start": 9976, "tag": "NAME", "value": "Arvel Crynyd" }, { "context": "ezel, ha az a tüzelési szögedben van.\"\"\"\n \"Chewbacca\":\n text: \"\"\"Ha kapsz egy felfordított ", "end": 10116, "score": 0.997859537601471, "start": 10107, "tag": "NAME", "value": "Chewbacca" }, { "context": "d le, így nem fejti ki hatását. [FAQ]\"\"\"\n \"Lando Calrissian\":\n text: \"\"\"Zöld manőver végrehajtása ", "end": 10256, "score": 0.9994847178459167, "start": 10240, "tag": "NAME", "value": "Lando Calrissian" }, { "context": "t egy ingyen akciót az akciósávjáról.\"\"\"\n \"Han Solo\":\n text: \"\"\"Támadáskor újradobhatsz a ", "end": 10439, "score": 0.9961886405944824, "start": 10431, "tag": "NAME", "value": "Han Solo" }, { "context": "ockákkal, de az összes lehetségessel.\"\"\"\n \"Kath Scarlet\":\n text: \"\"\"Támadásodkor a védekező ka", "end": 10552, "score": 0.9996963739395142, "start": 10540, "tag": "NAME", "value": "Kath Scarlet" }, { "context": " legalább egy %CRIT% találatot. [FAQ]\"\"\"\n \"Boba Fett\":\n text: \"\"\"Ha felfedsz egy (%BANKLEFT", "end": 10685, "score": 0.999884307384491, "start": 10676, "tag": "NAME", "value": "Boba Fett" }, { "context": "ó sebességű, de másik irányúra. [FAQ]\"\"\"\n \"Krassis Trelix\":\n text: \"\"\"Mikor támadsz a másodlagos", "end": 10851, "score": 0.9998226165771484, "start": 10837, "tag": "NAME", "value": "Krassis Trelix" }, { "context": "rrel, egy támadó kockát újradobhatsz.\"\"\"\n \"Ten Numb\":\n text: \"\"\"Támadásodkor egy %CRIT% do", "end": 10966, "score": 0.9992580413818359, "start": 10958, "tag": "NAME", "value": "Ten Numb" }, { "context": "d nem védhető ki védő kockával. [FAQ]\"\"\"\n \"Ibtisam\":\n text: \"\"\"Támadáskor vagy védekezésk", "end": 11077, "score": 0.999069333076477, "start": 11070, "tag": "NAME", "value": "Ibtisam" }, { "context": "essz jelződ, 1 kockádat újradobhatod.\"\"\"\n \"Roark Garnet\":\n text: '''A támadás fázis kezdetekor", "end": 11214, "score": 0.9998955726623535, "start": 11202, "tag": "NAME", "value": "Roark Garnet" }, { "context": "éig a hajó pilótája 12-esnek minősül.'''\n \"Kyle Katarn\":\n text: \"\"\"A támadás fázis kezdetekor", "end": 11385, "score": 0.9998936653137207, "start": 11374, "tag": "NAME", "value": "Kyle Katarn" }, { "context": "másik baráti hajóhoz 1-3 távolságban.\"\"\"\n \"Jan Ors\":\n text: \"\"\"Ha egy másik baráti hajó 1", "end": 11533, "score": 0.999859631061554, "start": 11526, "tag": "NAME", "value": "Jan Ors" }, { "context": "plusz egy kockával támadhasson. [FAQ]\"\"\"\n \"Captain Jonus\":\n text: \"\"\"Ha egy másik baráti hajó 1", "end": 11739, "score": 0.9998024702072144, "start": 11726, "tag": "NAME", "value": "Captain Jonus" }, { "context": " újradobhat akár 2 kockával is. [FAQ]\"\"\"\n \"Major Rhymer\":\n text: \"\"\"Mikor másodlagos fegyverre", "end": 11898, "score": 0.9686640501022339, "start": 11886, "tag": "NAME", "value": "Major Rhymer" }, { "context": "távját eggyel (az 1-3 határon belül).\"\"\"\n \"Captain Kagi\":\n text: \"\"\"Ha egy ellenséges hajó cél", "end": 12065, "score": 0.9998846650123596, "start": 12053, "tag": "NAME", "value": "Captain Kagi" }, { "context": "kell végezze, ha az lehetséges. [FAQ]\"\"\"\n \"Colonel Jendon\":\n text: \"\"\"A támadás fázis kezdetekor", "end": 12221, "score": 0.9999000430107117, "start": 12207, "tag": "NAME", "value": "Colonel Jendon" }, { "context": "volságban, ha neki még nincsen. [FAQ]\"\"\"\n \"Captain Yorr\":\n text: \"\"\"Ha egy másik baráti hajó 1", "end": 12387, "score": 0.9998959302902222, "start": 12375, "tag": "NAME", "value": "Captain Yorr" }, { "context": "sebb van, megkaphatod helyette. [FAQ]\"\"\"\n \"Lieutenant Lorrir\":\n text: \"\"\"%BARRELROLL% akció végreha", "end": 12562, "score": 0.9998995065689087, "start": 12545, "tag": "NAME", "value": "Lieutenant Lorrir" }, { "context": "BANKRIGHT% 1) sablont használd. [FAQ]\"\"\"\n \"Tetran Cowall\":\n text: \"\"\"Ha felfedsz egy (%UTURN%) ", "end": 12769, "score": 0.9998964071273804, "start": 12756, "tag": "NAME", "value": "Tetran Cowall" }, { "context": "-es, 3-as vagy 5-ös sebességet. [FAQ]\"\"\"\n \"Kir Kanos\":\n text: \"\"\" Ha 2-3-as távolságba táma", "end": 12902, "score": 0.9998912811279297, "start": 12893, "tag": "NAME", "value": "Kir Kanos" }, { "context": "hozzáadj egy 1 %HIT%-ot a dobásodhoz.\"\"\"\n \"Carnor Jax\":\n text: \"\"\"1-es távolságban lévő elle", "end": 13054, "score": 0.9998973608016968, "start": 13044, "tag": "NAME", "value": "Carnor Jax" }, { "context": "lthetnek %FOCUS% vagy %EVADE% jelzőt.\"\"\"\n \"Lieutenant Blount\":\n text: \"\"\"Támadásod akkor is találat", "end": 13243, "score": 0.9998825192451477, "start": 13226, "tag": "NAME", "value": "Lieutenant Blount" }, { "context": "lálatnak számít, ha a védő nem sérül.\"\"\"\n \"Airen Cracken\":\n text: \"\"\"Miután végrehajtottad a tá", "end": 13351, "score": 0.9998672604560852, "start": 13338, "tag": "NAME", "value": "Airen Cracken" }, { "context": "grehajthat egy ingyenes akciót. [FAQ]\"\"\"\n \"Colonel Vessery\":\n text: \"\"\"Támadáskor, a kocka dobás ", "end": 13541, "score": 0.9998767971992493, "start": 13526, "tag": "NAME", "value": "Colonel Vessery" }, { "context": "ajta piros célpontbemérő jelző. [FAQ]\"\"\"\n \"Rexler Brath\":\n text: \"\"\"Ha a támadásodra legalább ", "end": 13726, "score": 0.999890148639679, "start": 13714, "tag": "NAME", "value": "Rexler Brath" }, { "context": "elzőt, hogy felfordítsd azokat. [FAQ]\"\"\"\n \"Etahn A'baht\":\n text: \"\"\"Mikor egy ellenséges hajó ", "end": 13897, "score": 0.999856173992157, "start": 13885, "tag": "NAME", "value": "Etahn A'baht" }, { "context": "HIT% találata átforgatható %CRIT%-ra.\"\"\"\n \"Corran Horn\":\n text: \"\"\"A befejező fázis kezdetén ", "end": 14068, "score": 0.9997985363006592, "start": 14057, "tag": "NAME", "value": "Corran Horn" }, { "context": " talált, kaphatsz egy %FOCUS% jelzőt.\"\"\"\n \"Wes Janson\":\n text: \"\"\"Miután végrehajtottad a tá", "end": 14465, "score": 0.9998730421066284, "start": 14455, "tag": "NAME", "value": "Wes Janson" }, { "context": "ontbemérő jelzőt a védekezőről. [FAQ]\"\"\"\n \"Jek Porkins\":\n text: \"\"\"Mikor stressz jelzőt kapsz", "end": 14628, "score": 0.9998934864997864, "start": 14617, "tag": "NAME", "value": "Jek Porkins" }, { "context": "y lefordított sérülés kártyát. [FAQ]\"\"\"\n '\"Hobbie\" Klivian':\n text: \"\"\"Mikor szerzel vag", "end": 14811, "score": 0.9998538494110107, "start": 14805, "tag": "NAME", "value": "Hobbie" }, { "context": "dított sérülés kártyát. [FAQ]\"\"\"\n '\"Hobbie\" Klivian':\n text: \"\"\"Mikor szerzel vagy elkölte", "end": 14820, "score": 0.9996592402458191, "start": 14813, "tag": "NAME", "value": "Klivian" }, { "context": " egy stressz jelzőt a hajódról. [FAQ]\"\"\"\n \"Tarn Mison\":\n text: \"\"\"Mikor egy ellenfél téged j", "end": 14962, "score": 0.9998927116394043, "start": 14952, "tag": "NAME", "value": "Tarn Mison" }, { "context": "z egy célpontbemérőt a támadó hajóra.\"\"\"\n \"Jake Farrell\":\n text: \"\"\"Miután végrehajtasz egy %F", "end": 15100, "score": 0.999893069267273, "start": 15088, "tag": "NAME", "value": "Jake Farrell" }, { "context": "nes %BOOST% vagy %BARRELROLL% akciót.\"\"\"\n \"Gemmer Sojan\":\n text: \"\"\"Amíg 1-es távolságban vagy", "end": 15280, "score": 0.999894380569458, "start": 15268, "tag": "NAME", "value": "Gemmer Sojan" }, { "context": "tól, növeld az mozgékonyságod eggyel.\"\"\"\n \"Keyan Farlander\":\n text: \"\"\"Támadáskor eldobhatsz egy ", "end": 15415, "score": 0.9998976588249207, "start": 15400, "tag": "NAME", "value": "Keyan Farlander" }, { "context": " %FOCUS%-t %HIT%-ra változtass. [FAQ]\"\"\"\n \"Nera Dantels\":\n text: \"\"\"Végrehajthatsz %TORPEDO% m", "end": 15557, "score": 0.9998878240585327, "start": 15545, "tag": "NAME", "value": "Nera Dantels" }, { "context": "FT% 2) vagy (%BANKRIGHT% 2) manővert.\"\"\"\n \"Dash Rendar\":\n text: \"\"\"Figyelmen kívül hagyhatod ", "end": 16020, "score": 0.9943594932556152, "start": 16009, "tag": "NAME", "value": "Dash Rendar" }, { "context": "isban és akció végrehajtáskor. [FAQ]\"\"\"\n '\"Leebo\"':\n text: \"\"\"Mikor kapsz egy felfordít", "end": 16157, "score": 0.9968044757843018, "start": 16152, "tag": "NAME", "value": "Leebo" }, { "context": "hajts végre, a másikat dobd el. [FAQ]\"\"\"\n \"Eaden Vrill\":\n text: \"\"\"Mikor elsődleges fegyverre", "end": 16320, "score": 0.9997943639755249, "start": 16309, "tag": "NAME", "value": "Eaden Vrill" }, { "context": "ót, dobj eggyel több támadó kockával.\"\"\"\n \"Rear Admiral Chiraneau\":\n text: \"\"\"Mikor 1-2 távolságba támad", "end": 16470, "score": 0.9994180202484131, "start": 16448, "tag": "NAME", "value": "Rear Admiral Chiraneau" }, { "context": "ltoztathatsz egy %FOCUS%-t %CRIT%-re.\"\"\"\n \"Commander Kenkirk\":\n text: \"\"\"Ha már nincs pajzsod és le", "end": 16596, "score": 0.9998645782470703, "start": 16579, "tag": "NAME", "value": "Commander Kenkirk" }, { "context": "növeld a mozgékonyságod eggyel. [FAQ]\"\"\"\n \"Captain Oicunn\":\n text: \"\"\"Manőver végrehajtásod után", "end": 16738, "score": 0.9998512864112854, "start": 16724, "tag": "NAME", "value": "Captain Oicunn" }, { "context": "ző hajó elszenved egy sérülést. [FAQ]\"\"\"\n \"Prince Xizor\":\n text: \"\"\"Mikor védekezel, egy barát", "end": 16871, "score": 0.9998208284378052, "start": 16859, "tag": "NAME", "value": "Prince Xizor" }, { "context": "agy %CRIT% találatot helyetted. [FAQ]\"\"\"\n \"Guri\":\n text: \"\"\"A támadás fázis elején, ha", "end": 17037, "score": 0.999720573425293, "start": 17033, "tag": "NAME", "value": "Guri" }, { "context": "lságban, kaphatsz egy %FOCUS% jelzőt.\"\"\"\n \"Serissu\":\n text: \"\"\"Mikor egy másik baráti haj", "end": 17174, "score": 0.9961414337158203, "start": 17167, "tag": "NAME", "value": "Serissu" }, { "context": "an, újradobhat egy védekező kockával.\"\"\"\n \"Laetin A'shera\":\n text: \"\"\"Miután védekeztél egy táma", "end": 17314, "score": 0.9998135566711426, "start": 17300, "tag": "NAME", "value": "Laetin A'shera" }, { "context": "T% 3) vagy (%TURNRIGHT% 3) sablonnal.\"\"\"\n \"Boba Fett (Scum)\":\n text: \"\"\"Mikor támadsz vagy ", "end": 18043, "score": 0.9998643398284912, "start": 18034, "tag": "NAME", "value": "Boba Fett" }, { "context": "ellenséges hajó van 1-es távolságban.\"\"\"\n \"Kath Scarlet (Scum)\":\n text: \"\"\"Mikor támadszt a há", "end": 18199, "score": 0.9997318387031555, "start": 18187, "tag": "NAME", "value": "Kath Scarlet" }, { "context": ", plusz egy támadó kockával dobhatsz.\"\"\"\n \"Emon Azzameen\":\n text: \"\"\"Mikor bombát dobsz , haszn", "end": 18343, "score": 0.9996492266654968, "start": 18330, "tag": "NAME", "value": "Emon Azzameen" }, { "context": "blont a (%STRAIGHT% 1) helyett. [FAQ]\"\"\"\n \"Kavil\":\n text: \"\"\"Mikor a hajó tüzelési szög", "end": 18512, "score": 0.9998390078544617, "start": 18507, "tag": "NAME", "value": "Kavil" }, { "context": "támadsz, plusz egy kockával dobhatsz.\"\"\"\n \"Drea Renthal\":\n text: \"\"\"Miután elköltesz egy célpo", "end": 18633, "score": 0.999895453453064, "start": 18621, "tag": "NAME", "value": "Drea Renthal" }, { "context": "stressz jelzőért feltehetsz egy újat.\"\"\"\n \"Dace Bonearm\":\n text: \"\"\"Mikor egy ellenséges hajó ", "end": 18760, "score": 0.9998900294303894, "start": 18748, "tag": "NAME", "value": "Dace Bonearm" }, { "context": "ébe az a hajó elszenved egy sérülést.\"\"\"\n \"Palob Godalhi\":\n text: \"\"\"A támadás fázis elején, el", "end": 18968, "score": 0.9998966455459595, "start": 18955, "tag": "NAME", "value": "Palob Godalhi" }, { "context": "lenséges hajóról és magadra rakhatod.\"\"\"\n \"Torkil Mux\":\n text: \"\"\"Az aktivációs fázis végén ", "end": 19145, "score": 0.999873161315918, "start": 19135, "tag": "NAME", "value": "Torkil Mux" }, { "context": "-ás pilóta képességűnek kell kezelni.\"\"\"\n \"N'Dru Suhlak\":\n text: \"\"\"Mikor támadsz és nincs más", "end": 19341, "score": 0.9998708367347717, "start": 19329, "tag": "NAME", "value": "N'Dru Suhlak" }, { "context": ", plusz egy támadó kockával dobhatsz.\"\"\"\n \"Kaa'to Leeachos\":\n text: \"\"\"A támadás fázis elején, el", "end": 19486, "score": 0.9997959136962891, "start": 19471, "tag": "NAME", "value": "Kaa'to Leeachos" }, { "context": " 1-2 távolságban és magadra rakhatod.\"\"\"\n \"Commander Alozen\":\n text: \"\"\"A támadás fázis elején, fe", "end": 19666, "score": 0.9998310804367065, "start": 19650, "tag": "NAME", "value": "Commander Alozen" }, { "context": "l, a távolság bonuszokat duplázd meg.\"\"\"\n \"Miranda Doni\":\n text: \"\"\"Körönként egyszer támadásk", "end": 20288, "score": 0.9958831071853638, "start": 20276, "tag": "NAME", "value": "Miranda Doni" }, { "context": "sebességed eggyel (minimum 1 legyen).\"\"\"\n \"Zertik Strom\":\n text: \"\"\"Ellenséges hajó 1-es távol", "end": 20966, "score": 0.8596471548080444, "start": 20954, "tag": "NAME", "value": "Zertik Strom" }, { "context": "a távolság harci bónuszát támadáskor.\"\"\"\n \"Lieutenant Colzet\":\n text: \"\"\"A befejező fázis kezdetén,", "end": 21107, "score": 0.9998567700386047, "start": 21090, "tag": "NAME", "value": "Lieutenant Colzet" }, { "context": "s kártyát felfordíts a célzott hajón.\"\"\"\n \"Latts Razzi\":\n text: \"\"\"Mikor egy baráti hajó táma", "end": 21278, "score": 0.9998323321342468, "start": 21267, "tag": "NAME", "value": "Latts Razzi" }, { "context": "el csökkentsd a mozgékonyságát. [FAQ]\"\"\"\n \"Graz the Hunter\":\n text: \"\"\"Védekezéskor, ha a támadó ", "end": 21473, "score": 0.9975085258483887, "start": 21458, "tag": "NAME", "value": "Graz the Hunter" }, { "context": "gyel több védekező kockával dobhatsz.\"\"\"\n \"Esege Tuketu\":\n text: \"\"\"Ha egy másik baráti hajó t", "end": 21613, "score": 0.996039867401123, "start": 21601, "tag": "NAME", "value": "Esege Tuketu" }, { "context": "ak tekintheti a %FOCUS% jelződ. [FAQ]\"\"\"\n \"Moralo Eval\":\n text: \"\"\"Támadhatsz a %CANNON% máso", "end": 21754, "score": 0.9308900237083435, "start": 21743, "tag": "NAME", "value": "Moralo Eval" }, { "context": " bevethetsz akár 2 dokkolt hajót is.\"\"\"\n '\"Scourge\"':\n text: \"\"\"Mikor támadsz és a védeke", "end": 21997, "score": 0.9586576819419861, "start": 21990, "tag": "NAME", "value": "Scourge" }, { "context": "dsz, kezeld 1-es távolságként. [FAQ]\"\"\"\n \"Zuckuss\":\n text: \"\"\"Támadáskor plusz egy ko", "end": 22271, "score": 0.5685928463935852, "start": 22268, "tag": "NAME", "value": "uck" }, { "context": " védekező is egy kockával többel dob.\"\"\"\n \"Dengar\":\n text: \"\"\"Körönként egyszer védekezé", "end": 22410, "score": 0.9997484087944031, "start": 22404, "tag": "NAME", "value": "Dengar" }, { "context": "támadást ellene. [FAQ]\"\"\"\n # T-70\n \"Poe Dameron\":\n text: \"\"\"Támadáskor vagy védekezésk", "end": 22586, "score": 0.999839186668396, "start": 22575, "tag": "NAME", "value": "Poe Dameron" }, { "context": "támadáskor vagy védekezéskor. [FAQ!]'''\n 'Hera Syndulla':\n text: '''Mikor felfedsz egy zöld v", "end": 23864, "score": 0.7017480134963989, "start": 23853, "tag": "NAME", "value": "era Syndull" }, { "context": "TE% fejlesztés kártya akciót. [FAQ]\"\"\"\n '\"Wampa\"':\n text: \"\"\"Támadáskor, az eredmények", "end": 24178, "score": 0.5787127614021301, "start": 24174, "tag": "NAME", "value": "ampa" }, { "context": "tott sérülés kártyát. [FAQ/ERRATA]\"\"\"\n '\"Chaser\"':\n text: \"\"\"Mikor egy 1-es távolságba", "end": 24396, "score": 0.5678228139877319, "start": 24392, "tag": "NAME", "value": "aser" }, { "context": "US% jelzőt, kapsz egy %FOCUS% jelzőt.\"\"\"\n 'Ezra Bridger':\n text: \"\"\"Védekezéskor, ha stresszel", "end": 24548, "score": 0.9247499704360962, "start": 24536, "tag": "NAME", "value": "Ezra Bridger" }, { "context": ", a pilóta képességed 12-esnek számít'''\n \"Kanan Jarrus\":\n text: \"\"\"Mikor egy ellenséges hajó ", "end": 24939, "score": 0.9683760404586792, "start": 24927, "tag": "NAME", "value": "Kanan Jarrus" }, { "context": "t: \"\"\"Mikor egy ellenséges hajó 1-2 távolságban támad, elkölthetsz egy %FOCUS% jelzőt. Ha ezt teszed, a", "end": 25010, "score": 0.7171808481216431, "start": 25007, "tag": "NAME", "value": "mad" }, { "context": "eggyel kevesebb támadó kockával dob.\"\"\"\n '\"Chopper\"':\n text: \"\"\"A harci fázis kezdetén, m", "end": 25125, "score": 0.9780080914497375, "start": 25118, "tag": "NAME", "value": "Chopper" }, { "context": "l érintkezel, kap egy stressz jelzőt.\"\"\"\n 'Hera Syndulla (Attack Shuttle)':\n text: \"\"\"Mikor fel", "end": 25265, "score": 0.9827082753181458, "start": 25252, "tag": "NAME", "value": "Hera Syndulla" }, { "context": "a tárcsát egy ugyanolyan nehézségűre.\"\"\"\n 'Sabine Wren':\n text: \"\"\"Közvetlenül mielőtt felfed", "end": 25426, "score": 0.9995003938674927, "start": 25415, "tag": "NAME", "value": "Sabine Wren" }, { "context": "es %BOOST% vagy %BARRELROLL% akciót.\"\"\"\n '\"Zeb\" Orrelios':\n text: '''Mikor védekezel, ", "end": 25568, "score": 0.8271827697753906, "start": 25565, "tag": "NAME", "value": "Zeb" }, { "context": "vagy %BARRELROLL% akciót.\"\"\"\n '\"Zeb\" Orrelios':\n text: '''Mikor védekezel, a %CRIT% ", "end": 25578, "score": 0.552819013595581, "start": 25576, "tag": "NAME", "value": "os" }, { "context": "legesítheted, mint a %HIT% dobásokat.'''\n 'Tomax Bren':\n text: '''Körönként egyszer, miután ", "end": 25707, "score": 0.9996104836463928, "start": 25697, "tag": "NAME", "value": "Tomax Bren" }, { "context": " kártyát, fordítsd fel azt a kártyát.'''\n 'Ello Asty':\n text: '''Ha nem vagy stresszelve, k", "end": 25847, "score": 0.9983721971511841, "start": 25838, "tag": "NAME", "value": "Ello Asty" }, { "context": "és (%TROLLRIGHT%) menővert fehérként.'''\n \"Valen Rudor\":\n text: \"\"\"Védekezés után végrehajtha", "end": 25980, "score": 0.9986827969551086, "start": 25969, "tag": "NAME", "value": "Valen Rudor" }, { "context": "nséges hajónak 1-es távolságon belül.\"\"\"\n \"Tel Trevura\":\n text: \"\"\"Első alkalommal, mikor meg", "end": 26225, "score": 0.9970355033874512, "start": 26214, "tag": "NAME", "value": "Tel Trevura" }, { "context": "lapot lefordítva a hajódhoz. [FAQ]\"\"\"\n \"Manaroo\":\n text: \"\"\"A harci fázis kezdetén h", "end": 26399, "score": 0.5142993927001953, "start": 26397, "tag": "NAME", "value": "ar" }, { "context": "OMB% fejlesztés kártya akciót ingyen.'''\n \"Maarek Stele (TIE Defender)\":\n text: \"\"\"Mikor támad", "end": 26771, "score": 0.999344527721405, "start": 26759, "tag": "NAME", "value": "Maarek Stele" }, { "context": "d át a védekezőnek. A többit dobd el.\"\"\"\n \"Countess Ryad\":\n text: \"\"\"Mikor felfedsz egy (%STRAI", "end": 26973, "score": 0.9993234872817993, "start": 26960, "tag": "NAME", "value": "Countess Ryad" }, { "context": "rt, kezelheted (%KTURN%) manőverként.\"\"\"\n \"Poe Dameron (PS9)\":\n text: \"\"\"Támadáskor vagy véde", "end": 27096, "score": 0.9995719790458679, "start": 27085, "tag": "NAME", "value": "Poe Dameron" }, { "context": "ásod %HIT% vagy %EVADE% eredményre.\"\"\"\n \"Rey\":\n text: \"\"\"Támadáskor vagy védekezésk", "end": 27263, "score": 0.6352207660675049, "start": 27262, "tag": "NAME", "value": "y" }, { "context": "lyáról), végrehajthatsz egy támadást.'''\n 'Norra Wexley':\n text: '''Támadáskor vagy védekezésk", "end": 27759, "score": 0.9998937845230103, "start": 27747, "tag": "NAME", "value": "Norra Wexley" }, { "context": "FOCUS% eredményt adhass a dobásodhoz.'''\n 'Shara Bey':\n text: '''Ha egy 1-2-es távolságban ", "end": 27943, "score": 0.9998896718025208, "start": 27934, "tag": "NAME", "value": "Shara Bey" }, { "context": "emérő jelződet sajátjaként kezelheti.'''\n 'Thane Kyrell':\n text: '''Miután a tüzelési szögedbe", "end": 28102, "score": 0.9999019503593445, "start": 28090, "tag": "NAME", "value": "Thane Kyrell" }, { "context": "ót, végrehajthatsz egy ingyen akciót.'''\n 'Braylen Stramm':\n text: '''Egy manőver végrehajtása u", "end": 28290, "score": 0.9998790621757507, "start": 28276, "tag": "NAME", "value": "Braylen Stramm" }, { "context": "adj a dobásodhoz egy 1 %CRIT% kockát.'''\n 'Fenn Rau':\n text: '''Támadáskor vagy védekezésk", "end": 28746, "score": 0.9995511770248413, "start": 28738, "tag": "NAME", "value": "Fenn Rau" }, { "context": "l minden %FOCUS% és %EVADE% jelzőjét.'''\n 'Kad Solus':\n text: '''Miután végrehajtasz egy pi", "end": 29095, "score": 0.9993361830711365, "start": 29086, "tag": "NAME", "value": "Kad Solus" }, { "context": "ert, adj 2 %FOCUS% jelzőt a hajódhoz.'''\n 'Ketsu Onyo':\n text: '''A harci fázis kezdetén, vá", "end": 29214, "score": 0.9995967745780945, "start": 29204, "tag": "NAME", "value": "Ketsu Onyo" }, { "context": " szögedben, kap egy vonósugár jelzőt.'''\n 'Asajj Ventress':\n text: '''A harci fázis kezdetén, vá", "end": 29443, "score": 0.9997461438179016, "start": 29429, "tag": "NAME", "value": "Asajj Ventress" }, { "context": "si szögedben, kap egy stressz jelzőt.'''\n 'Sabine Wren (Scum)':\n text: '''Védekezéskor, ha a ", "end": 29633, "score": 0.9994857907295227, "start": 29622, "tag": "NAME", "value": "Sabine Wren" }, { "context": "kockát a dobásodhoz.'''\n # Wave X\n 'Sabine Wren (TIE Fighter)':\n text: '''Közvetlenül ", "end": 29835, "score": 0.9984849691390991, "start": 29824, "tag": "NAME", "value": "Sabine Wren" }, { "context": "legesítheted, mint a %HIT% dobásokat.'''\n 'Kylo Ren':\n text: '''Körönként, mikor először e", "end": 30142, "score": 0.9980335235595703, "start": 30134, "tag": "NAME", "value": "Kylo Ren" }, { "context": " '''Körönként, mikor először eltalálnak, adj egy \"Megmutatom a sötét oldalt\" feltétel kártyát a támadón", "end": 30215, "score": 0.8323698043823242, "start": 30212, "tag": "NAME", "value": "Meg" }, { "context": "oldalt\" feltétel kártyát a támadónak.'''\n 'Unkar Plutt':\n text: '''Az aktivációs fázis végén,", "end": 30292, "score": 0.9998562335968018, "start": 30281, "tag": "NAME", "value": "Unkar Plutt" }, { "context": "zőt minden hajónak amivel érintkezel.'''\n 'Cassian Andor':\n text: '''Az aktivációs fázis kezdet", "end": 30451, "score": 0.9998958706855774, "start": 30438, "tag": "NAME", "value": "Cassian Andor" }, { "context": "ávolságban lévő másik baráti hajóról.'''\n 'Bodhi Rook':\n text: '''Mikor egy baráti hajó célp", "end": 30603, "score": 0.9998809099197388, "start": 30593, "tag": "NAME", "value": "Bodhi Rook" }, { "context": "volságban van bármely baráti hajótól.'''\n 'Heff Tobber':\n text: '''Miután egy ellenséges hajó", "end": 30776, "score": 0.999829888343811, "start": 30765, "tag": "NAME", "value": "Heff Tobber" }, { "context": "szel, kapsz egy stressz jelzőt. [FAQ]'''\n 'Nien Nunb':\n text: '''Ha kapsz egy stressz jelző", "end": 31493, "score": 0.9998526573181152, "start": 31484, "tag": "NAME", "value": "Nien Nunb" }, { "context": "ságban, eldobhatod a stressz jelzőt.'''\n '\"Snap\" Wexley':\n text: '''Miután végrehajtasz egy 2,", "end": 31665, "score": 0.9651209115982056, "start": 31653, "tag": "NAME", "value": "Snap\" Wexley" }, { "context": "ajthatsz egy ingyenes %BOOST% akciót.'''\n 'Jess Pava':\n text: '''Támadáskor vagy védekezésk", "end": 31839, "score": 0.9997223019599915, "start": 31830, "tag": "NAME", "value": "Jess Pava" }, { "context": "ti hajó után újradobhatsz egy kockát.'''\n 'Ahsoka Tano':\n text: '''A harci fázis kezdetén, el", "end": 31993, "score": 0.9998552203178406, "start": 31982, "tag": "NAME", "value": "Ahsoka Tano" }, { "context": " végrehajthasson egy ingyenes akciót.'''\n 'Captain Rex':\n text: '''Miután végrehajtasz egy tá", "end": 32187, "score": 0.9974166750907898, "start": 32176, "tag": "NAME", "value": "Captain Rex" }, { "context": "gy, mintha 1-es távolságban lennének.'''\n 'Lieutenant Dormitz':\n text: '''A felrakás fázisban, a bar", "end": 32504, "score": 0.9998530149459839, "start": 32486, "tag": "NAME", "value": "Lieutenant Dormitz" }, { "context": "árhova rakhatod tőled 1-2 távolságra.'''\n 'Constable Zuvio':\n text: '''Mikor felfedsz egy hátra m", "end": 32632, "score": 0.9840466380119324, "start": 32617, "tag": "NAME", "value": "Constable Zuvio" }, { "context": "g>Akció:</strong>\" fejlécű bombákat).'''\n 'Sarco Plank':\n text: '''Védekezéskor, a mozgékonys", "end": 32820, "score": 0.9997825622558594, "start": 32809, "tag": "NAME", "value": "Sarco Plank" }, { "context": "me: '''Zealous Recruit (Lelkes újonc)'''\n 'Shadowport Hunter':\n name: '''Shadowport Hunter (Árnyékr", "end": 33077, "score": 0.9753937721252441, "start": 33060, "tag": "NAME", "value": "Shadowport Hunter" }, { "context": " 'Shadowport Hunter':\n name: '''Shadowport Hunter (Árnyékrév vadász)'''\n 'Genesis Red':\n ", "end": 33118, "score": 0.9898016452789307, "start": 33101, "tag": "NAME", "value": "Shadowport Hunter" }, { "context": "esz, amennyi a bemért hajónak is van.'''\n 'Quinn Jast':\n text: '''A harci fázis kezdetekor k", "end": 33350, "score": 0.9993467330932617, "start": 33340, "tag": "NAME", "value": "Quinn Jast" }, { "context": "%TORPEDO% vagy %MISSILE% fejlesztést.'''\n 'Inaldra':\n text: '''Támadáskor vagy védekezésk", "end": 33533, "score": 0.998742401599884, "start": 33526, "tag": "NAME", "value": "Inaldra" }, { "context": "zsot, hogy újradobj bármennyi kockát.'''\n 'Sunny Bounder':\n text: '''Körönként egyszer, miután ", "end": 33668, "score": 0.9971283078193665, "start": 33655, "tag": "NAME", "value": "Sunny Bounder" }, { "context": "ozzájuk még egy ugyanolyan eredményt.'''\n 'Lieutenant Kestal':\n text: '''Mikor támadsz, elkölthetsz", "end": 33867, "score": 0.9997469782829285, "start": 33850, "tag": "NAME", "value": "Lieutenant Kestal" }, { "context": "sz egy támadást egy másik fegyverrel.'''\n 'Viktor Hel':\n text: '''Védekezés után, ha nem pon", "end": 34199, "score": 0.9995293021202087, "start": 34189, "tag": "NAME", "value": "Viktor Hel" }, { "context": "l, a támadó kap egy stress jelzőt.'''\n 'Lowhhrick':\n text: '''Mikor egy másik baráti haj", "end": 34336, "score": 0.9244133830070496, "start": 34330, "tag": "USERNAME", "value": "hhrick" }, { "context": "t egy %EVADE% eredményt a dobásához.'''\n 'Wullffwarro':\n text: '''Támadáskor, ha nincs pajzs", "end": 34544, "score": 0.6417635679244995, "start": 34534, "tag": "NAME", "value": "ullffwarro" }, { "context": "lusz támadás kockával guríthatsz.'''\n 'Captain Nym (Scum)':\n text: '''Figyelmen kívül hag", "end": 34698, "score": 0.9061643481254578, "start": 34691, "tag": "NAME", "value": "ain Nym" }, { "context": "gy %EVADE% eredményt a dobásához.'''\n 'Captain Nym (Rebel)':\n text: '''Körönként egyszer,", "end": 34928, "score": 0.8677062392234802, "start": 34921, "tag": "NAME", "value": "ain Nym" }, { "context": " sablonokat a (%STRAIGHT% 1) helyett.'''\n 'Dalan Oberos':\n text: '''Ha nem vagy stresszes és f", "end": 35202, "score": 0.8851956129074097, "start": 35190, "tag": "NAME", "value": "Dalan Oberos" }, { "context": "d\" vagy \"Mimicked\" kondíciós kártyát.'''\n 'Captain Jostero':\n text: '''Körönként egyszer, mikor e", "end": 35635, "score": 0.9998737573623657, "start": 35620, "tag": "NAME", "value": "Captain Jostero" }, { "context": "rehajthatsz egy támadást ellene.'''\n 'Major Vynder':\n text: '''Védekezéskor, ha \"inaktív ", "end": 35822, "score": 0.7393633723258972, "start": 35816, "tag": "NAME", "value": "Vynder" }, { "context": "n a hajón, plusz 1 kockával dobhatsz.'''\n 'Lieutenant Karsabi':\n text: '''Mikor \"inaktív fegyverzet\"", "end": 35960, "score": 0.9999002814292908, "start": 35942, "tag": "NAME", "value": "Lieutenant Karsabi" }, { "context": "egy stressz jelzőt hogy levehesd azt.'''\n 'Torani Kulda':\n text: '''Miután végrehajtottál egy ", "end": 36118, "score": 0.9999030232429504, "start": 36106, "tag": "NAME", "value": "Torani Kulda" }, { "context": "z összes %FOCUS% és %EVADE% jelzőjét.'''\n 'Dalan Oberos (Kimogila)':\n text: '''A harci fázis k", "end": 36361, "score": 0.9998840689659119, "start": 36349, "tag": "NAME", "value": "Dalan Oberos" }, { "context": "ye tűzívedben van 1-3-as távolságban.'''\n 'Fenn Rau (Sheathipede)':\n text: '''Mikor egy el", "end": 36544, "score": 0.9998981952667236, "start": 36536, "tag": "NAME", "value": "Fenn Rau" }, { "context": "zőt, hogy módosítsa a támadó kockáit.'''\n 'Ezra Bridger (Sheathipede)':\n text: \"\"\"Vé", "end": 36828, "score": 0.5688064694404602, "start": 36826, "tag": "NAME", "value": "Ez" }, { "context": " hogy módosítsa a támadó kockáit.'''\n 'Ezra Bridger (Sheathipede)':\n text: \"\"\"Védekezéskor", "end": 36838, "score": 0.9267647862434387, "start": 36831, "tag": "NAME", "value": "Bridger" }, { "context": "yel kevesebb védekező kockával gurít.'''\n 'Kylo Ren (TIE Silencer)':\n text: '''Körönként m", "end": 37910, "score": 0.999372661113739, "start": 37902, "tag": "NAME", "value": "Kylo Ren" }, { "context": "vel kevesebb védekező kockával gurít.'''\n 'Kullbee Sperado':\n text: '''Miután végrehajtasz egy %B", "end": 38233, "score": 0.9980637431144714, "start": 38218, "tag": "NAME", "value": "Kullbee Sperado" }, { "context": "agy %FOCUS% dobásod %HIT% eredményre.'''\n 'Leevan Tenza':\n text: '''Miután végrehajtasz egy %B", "end": 38577, "score": 0.9990849494934082, "start": 38565, "tag": "NAME", "value": "Leevan Tenza" }, { "context": "jelzőt, hogy kapj egy kitérés jelzőt.'''\n 'Saw Gerrera':\n text: '''Mikor egy baráti hajó 1-2 ", "end": 38723, "score": 0.997279167175293, "start": 38712, "tag": "NAME", "value": "Saw Gerrera" }, { "context": "2-es távolságban lévő baráti hajónak.'''\n 'Captain Feroph':\n text: '''Védekezéskor, ha a támadón", "end": 39067, "score": 0.9995101094245911, "start": 39053, "tag": "NAME", "value": "Captain Feroph" }, { "context": " egy %EVADE% eredményt a dobásodhoz.'''\n '\"Vizier\"':\n text: '''Miután egy baráti hajó vé", "end": 39200, "score": 0.9959854483604431, "start": 39194, "tag": "NAME", "value": "Vizier" }, { "context": "ki egy %FOCUS% vagy %EVADE% jelződet.'''\n 'Magva Yarro':\n text: '''Mikor egy másik baráti haj", "end": 39426, "score": 0.9996222257614136, "start": 39415, "tag": "NAME", "value": "Magva Yarro" }, { "context": "cka eredményét érvényteleníteni kell.\"\"\"\n \"Proton Torpedoes\":\n text: \"\"\"<strong>Támadás (célpontbe", "end": 40085, "score": 0.9672722816467285, "start": 40069, "tag": "NAME", "value": "Proton Torpedoes" }, { "context": "ntsd eggyel a mozgékonyság értékedet.\"\"\"\n \"Gunner\":\n text: \"\"\"Miután végrehajtottál egy ", "end": 44232, "score": 0.6532736420631409, "start": 44226, "tag": "NAME", "value": "Gunner" }, { "context": "lsz egy érvényítetlen %CRIT%-t. [FAQ]\"\"\"\n \"Luke Skywalker\":\n text: \"\"\"<span class=\"card-restrict", "end": 46522, "score": 0.9967666864395142, "start": 46508, "tag": "NAME", "value": "Luke Skywalker" }, { "context": " másik támadást ebben a körben. [FAQ]\"\"\"\n \"Nien Nunb\":\n text: \"\"\"<span class=\"card-restrict", "end": 46855, "score": 0.9995195269584656, "start": 46846, "tag": "NAME", "value": "Nien Nunb" }, { "context": "anőverként kezelheted. [FAQ: ion is!]\"\"\"\n \"Chewbacca\":\n text: \"\"\"<span class=\"card-restrict", "end": 47036, "score": 0.9575600624084473, "start": 47027, "tag": "NAME", "value": "Chewbacca" }, { "context": "ajó milyen manővert fog végrehajtani.\"\"\"\n \"Proton Bombs\":\n text: \"\"\"Amikor felfeded a manővert", "end": 48827, "score": 0.6182936429977417, "start": 48815, "tag": "NAME", "value": "Proton Bombs" }, { "context": "ártyát. Aztán a jelzőt le kell venni.\"\"\"\n \"Adrenaline Rush\":\n name: \"Adrenaline Rush (Adrenalinlö", "end": 49136, "score": 0.9635754227638245, "start": 49121, "tag": "NAME", "value": "Adrenaline Rush" }, { "context": "\"\"\"\n \"Adrenaline Rush\":\n name: \"Adrenaline Rush (Adrenalinlöket)\"\n text: \"\"\"Amikor fel", "end": 49173, "score": 0.9901599287986755, "start": 49158, "tag": "NAME", "value": "Adrenaline Rush" }, { "context": "line Rush\":\n name: \"Adrenaline Rush (Adrenalinlöket)\"\n text: \"\"\"Amikor felfedsz e", "end": 49180, "score": 0.6216164231300354, "start": 49177, "tag": "NAME", "value": "ren" }, { "context": "Rush\":\n name: \"Adrenaline Rush (Adrenalinlöket)\"\n text: \"\"\"Amikor felfedsz egy pi", "end": 49185, "score": 0.6574175953865051, "start": 49182, "tag": "NAME", "value": "inl" }, { "context": " \"Sensor Jammer\":\n name: \"Sensor Jammer (Szenzorzavaró)\"\n text: \"\"\"Amikor véde", "end": 49640, "score": 0.6429779529571533, "start": 49634, "tag": "NAME", "value": "Jammer" }, { "context": "ensor Jammer\":\n name: \"Sensor Jammer (Szenzorzavaró)\"\n text: \"\"\"Amikor védekezel, megválto", "end": 49655, "score": 0.6890516877174377, "start": 49643, "tag": "NAME", "value": "zenzorzavaró" }, { "context": "tja újra ezt az átforgatott kockát.\"\"\"\n \"Darth Vader\":\n text: \"\"\"<span class=\"card-restrict", "end": 49845, "score": 0.6140934824943542, "start": 49835, "tag": "NAME", "value": "arth Vader" }, { "context": "cka eredményét érvényteleníteni kell.\"\"\"\n \"Wingman\":\n text: \"\"\"A harc fázis elején távolí", "end": 52067, "score": 0.7959149479866028, "start": 52060, "tag": "NAME", "value": "Wingman" }, { "context": "ül lévő másik baráti hajóról. [FAQ]\"\"\"\n \"Decoy\":\n text: \"\"\"A harci fázis kezdetén vál", "end": 52216, "score": 0.6029577255249023, "start": 52213, "tag": "NAME", "value": "coy" }, { "context": " képességeteket a fázis végéig.\"\"\"\n \"Outmaneuver\":\n text: \"\"\"Amikor a saját tüzelési", "end": 52384, "score": 0.5349598526954651, "start": 52382, "tag": "NAME", "value": "eu" }, { "context": "y kevesebb, 2 kockával dobhatsz újra.\"\"\"\n \"Flechette Torpedoes\":\n name: \"Flechette Torpedoes (Repeszt", "end": 52781, "score": 0.9998783469200134, "start": 52762, "tag": "NAME", "value": "Flechette Torpedoes" }, { "context": " \"Flechette Torpedoes\":\n name: \"Flechette Torpedoes (Repesztorpedók)\"\n text: \"\"\"<strong>Tá", "end": 52822, "score": 0.9998856782913208, "start": 52803, "tag": "NAME", "value": "Flechette Torpedoes" }, { "context": "\n name: \"Flechette Torpedoes (Repesztorpedók)\"\n text: \"\"\"<strong>Támadás (célpontbe", "end": 52838, "score": 0.5762631893157959, "start": 52833, "tag": "NAME", "value": "pedók" }, { "context": "gékonyságod értéke, de maximum 3-mal.\"\"\"\n \"Kyle Katarn\":\n text: \"\"\"<span class=\"card-restrict", "end": 56712, "score": 0.9999017715454102, "start": 56701, "tag": "NAME", "value": "Kyle Katarn" }, { "context": "jódról, rárakhatsz egy fókusz jelzőt.\"\"\"\n \"Jan Ors\":\n text: \"\"\"<span class=\"card-restrict", "end": 56894, "score": 0.9998580813407898, "start": 56887, "tag": "NAME", "value": "Jan Ors" }, { "context": "yett adhatsz neki egy kitérés jelzőt.\"\"\"\n \"Toryn Farr\":\n text: \"\"\"<span class=\"card-restrict", "end": 57160, "score": 0.9999035000801086, "start": 57150, "tag": "NAME", "value": "Toryn Farr" }, { "context": "obhass 1 felfordított sérüléskártyát.\"\"\"\n \"Carlist Rieekan\":\n text: \"\"\"<span class=\"card-restrict", "end": 58127, "score": 0.9999029636383057, "start": 58112, "tag": "NAME", "value": "Carlist Rieekan" }, { "context": "égét megnöveld \"12\"-re, a kör végéig.\"\"\"\n \"Jan Dodonna\":\n text: \"\"\"<span class=\"card-restrict", "end": 58432, "score": 0.9999017715454102, "start": 58421, "tag": "NAME", "value": "Jan Dodonna" }, { "context": "k bemérés jelzőt a választott hajóra.\"\"\"\n \"Raymus Antilles\":\n text: \"\"\"<span class=\"card-restrict", "end": 60480, "score": 0.9995182156562805, "start": 60465, "tag": "NAME", "value": "Raymus Antilles" }, { "context": "át az “Energia növelése” lépés során.\"\"\"\n \"Lando Calrissian\":\n text: \"\"\"<span class=\"card-restrict", "end": 61372, "score": 0.9996562600135803, "start": 61356, "tag": "NAME", "value": "Lando Calrissian" }, { "context": "térés jelzőt, ahány %EVADE%-t dobtál.\"\"\"\n \"Mara Jade\":\n text: \"\"\"<span class=\"card-restrict", "end": 61641, "score": 0.9998631477355957, "start": 61632, "tag": "NAME", "value": "Mara Jade" }, { "context": "k a mozgékonyságát csökkentsd eggyel.\"\"\"\n \"Ysanne Isard\":\n text: \"\"\"<span class=\"card-restrict", "end": 63387, "score": 0.9997460246086121, "start": 63375, "tag": "NAME", "value": "Ysanne Isard" }, { "context": "atsz egy ingyen kitérés akciót. [FAQ]\"\"\"\n \"Moff Jerjerrod\":\n text: \"\"\"<span class=\"card-restrict", "end": 63635, "score": 0.9998607635498047, "start": 63621, "tag": "NAME", "value": "Moff Jerjerrod" }, { "context": "rt. Ezután kapsz egy stressz jelzőt.\"\"\"\n \"Flechette Cannon\":\n text: \"\"\"<strong>Támad", "end": 65125, "score": 0.5915412306785583, "start": 65123, "tag": "NAME", "value": "le" }, { "context": "a eredményét érvényteleníteni kell.\"\"\"\n '\"Mangler\" Cannon':\n text: \"\"\"<strong>Támadás", "end": 65408, "score": 0.5297982096672058, "start": 65405, "tag": "NAME", "value": "ang" }, { "context": " fókusz jelzőt, vagy adsz neki egyet.\"\"\"\n \"Captain Needa\":\n text: \"\"\"<span class=\"card-restrict", "end": 70072, "score": 0.9984304904937744, "start": 70059, "tag": "NAME", "value": "Captain Needa" }, { "context": "lálat esetén 1 sérülést szenvedsz el.\"\"\"\n \"Admiral Ozzel\":\n text: \"\"\"<span class=\"card-restrict", "end": 70403, "score": 0.9994799494743347, "start": 70390, "tag": "NAME", "value": "Admiral Ozzel" }, { "context": "n levett pajzs után kapsz 1 energiát.\"\"\"\n \"Emperor Palpatine\":\n text: \"\"\"<span class=\"card-restrict", "end": 70650, "score": 0.9992280602455139, "start": 70633, "tag": "NAME", "value": "Emperor Palpatine" }, { "context": "ltoztatható a továbbiakban. [FAQ]\"\"\"\n \"Bossk\":\n text: \"\"\"<span class=\"card-restrict", "end": 70956, "score": 0.9521505236625671, "start": 70955, "tag": "NAME", "value": "k" }, { "context": "iósávod megkapja a %JAM% akció ikont.'''\n 'Rear Admiral Chiraneau':\n text: '''<span class=\"card-restrict", "end": 76516, "score": 0.9974023103713989, "start": 76494, "tag": "NAME", "value": "Rear Admiral Chiraneau" }, { "context": " aktiválódnak a harci fázisban. [FAQ]\"\"\"\n 'Kanan Jarrus':\n text: \"\"\"<span class=\"card-restrict", "end": 77477, "score": 0.8676118850708008, "start": 77465, "tag": "NAME", "value": "Kanan Jarrus" }, { "context": "s manővert, még ha stresszes is vagy.\"\"\"\n 'Ezra Bridger':\n text: \"\"\"<span class=\"card-restrict", "end": 78515, "score": 0.9680891036987305, "start": 78503, "tag": "NAME", "value": "Ezra Bridger" }, { "context": "%FOCUS% dobást %CRIT%-ra forgathatsz.\"\"\"\n 'Sabine Wren':\n text: \"\"\"<span class=\"card-restrict", "end": 78697, "score": 0.9939063787460327, "start": 78686, "tag": "NAME", "value": "Sabine Wren" }, { "context": "k újra kell dobnia azokat a kockákat.\"\"\"\n 'Rage':\n text: \"\"\"<strong>Akció:</strong> Ad", "end": 80633, "score": 0.8265207409858704, "start": 80629, "tag": "NAME", "value": "Rage" }, { "context": "kor újradobhatsz akár 3 kockát. [FAQ]\"\"\"\n \"Attanni Mindlink\":\n text: \"\"\"<span class=\"card-restrict", "end": 80828, "score": 0.9998207688331604, "start": 80812, "tag": "NAME", "value": "Attanni Mindlink" }, { "context": "ajta jelzőt, ha még nincs neki. [FAQ]\"\"\"\n \"Boba Fett\":\n text: \"\"\"<span class=\"card-restrict", "end": 81154, "score": 0.9998934864997864, "start": 81145, "tag": "NAME", "value": "Boba Fett" }, { "context": "ssz és eldobj egy fejlesztés kártyát.\"\"\"\n \"Dengar\":\n text: \"\"\"<span class=\"card-restrict", "end": 81424, "score": 0.9996767640113831, "start": 81418, "tag": "NAME", "value": "Dengar" }, { "context": "di pilóta, 2 kockát is újradobhatsz.\"\"\"\n '\"Gonk\"':\n text: \"\"\"<span class=\"card-restric", "end": 81626, "score": 0.99982088804245, "start": 81622, "tag": "NAME", "value": "Gonk" }, { "context": "ott sérülés kártyát.'''\n # Wave X\n 'Kylo Ren':\n text: '''<span class=\"card-restrict", "end": 85744, "score": 0.8011282086372375, "start": 85736, "tag": "NAME", "value": "Kylo Ren" }, { "context": " távolságban lévő ellenséges hajóhoz.'''\n 'Unkar Plutt':\n text: '''<span class=\"card-restrict", "end": 85982, "score": 0.9994937181472778, "start": 85971, "tag": "NAME", "value": "Unkar Plutt" }, { "context": "% eredményt %CRIT%-re változtathatsz.'''\n 'Jyn Erso':\n text: '''<span class=\"card-restrict", "end": 86523, "score": 0.999813437461853, "start": 86515, "tag": "NAME", "value": "Jyn Erso" }, { "context": "jó után. Maximum 3 jelzőt kaphat így.'''\n 'Cassian Andor':\n text: '''<span class=\"card-restrict", "end": 86848, "score": 0.999852180480957, "start": 86835, "tag": "NAME", "value": "Cassian Andor" }, { "context": "zőt minden hajónak 1 távolságban.'''\n 'Captain Rex':\n text: '''<span class=\"card-restrict", "end": 88989, "score": 0.8446791172027588, "start": 88982, "tag": "NAME", "value": "ain Rex" }, { "context": "tól 1-3 távolságban lévő ellenséget.'''\n 'Baze Malbus':\n text: '''<span class=\"card-restrict", "end": 91286, "score": 0.900750458240509, "start": 91276, "tag": "NAME", "value": "aze Malbus" }, { "context": "d az összes %FOCUS% dobásod %HIT%-re.'''\n 'BoShek':\n text: '''Mikor a hajó amivel érintk", "end": 92503, "score": 0.6827597618103027, "start": 92497, "tag": "NAME", "value": "BoShek" }, { "context": "hajó kívül esik a tüzelési szögeden).'''\n 'Cikatro Vizago':\n text: '''<span class=\"card-restrict", "end": 93099, "score": 0.999572217464447, "start": 93085, "tag": "NAME", "value": "Cikatro Vizago" }, { "context": "nannyi vagy kevesebb pontú kártyával.'''\n 'Azmorigan':\n text: '''<span class=\"card-restrict", "end": 93409, "score": 0.9629749059677124, "start": 93400, "tag": "NAME", "value": "Azmorigan" }, { "context": "egyél egy stressz jelzőt a hajódról.'''\n 'Cruise Missiles':\n text: '''<strong>Támadás (célpontbe", "end": 97775, "score": 0.9283769726753235, "start": 97761, "tag": "NAME", "value": "ruise Missiles" }, { "context": "a így tesz, dobd el ezt a kártyát.'''\n 'Harpoon Missiles':\n text: '''<strong>Támadás (célpontbe", "end": 98337, "score": 0.7915182709693909, "start": 98324, "tag": "NAME", "value": "poon Missiles" }, { "context": "CUS% dobásod átforgathatsd %CRIT%-re.'''\n 'Director Krennic':\n text: '''A hajók felhelyezése fázis", "end": 102983, "score": 0.8868467211723328, "start": 102967, "tag": "NAME", "value": "Director Krennic" }, { "context": "oz aminek 3 vagy kevesebb pajzsa van.'''\n 'Magva Yarro':\n text: '''<span class=\"card-restrict", "end": 103180, "score": 0.9997569918632507, "start": 103169, "tag": "NAME", "value": "Magva Yarro" }, { "context": "kció sávod megkapja a %EVADE% ikont.\"\"\"\n \"Moldy Crow\":\n text: \"\"\"<span class=\"card-restrict", "end": 113656, "score": 0.7609788179397583, "start": 113647, "tag": "NAME", "value": "oldy Crow" }, { "context": "ótaképzettséged \"4\" vagy kevesebb.\"\"\"\n \"Dodonna's Pride\":\n text: \"\"\"<span class=\"car", "end": 114324, "score": 0.5379618406295776, "start": 114322, "tag": "NAME", "value": "on" }, { "context": "gy ingyen %EVADE% akciót. [FAQ]\"\"\"\n \"Mist Hunter\":\n text: \"\"\"<span class=\"card-restrict", "end": 119596, "score": 0.5420317053794861, "start": 119591, "tag": "NAME", "value": "unter" }, { "context": "ap egy %CREW% és %ILLICIT% ikont.'''\n '''Kylo Ren's Shuttle''':\n text: '''<span class=\"c", "end": 124214, "score": 0.6300538182258606, "start": 124208, "tag": "NAME", "value": "lo Ren" }, { "context": "gyvereddel, egy baráti hajó 1-2-es távolságban a \"Director Krennic\" fejlesztéssel felszerelve, feltehet egy ", "end": 132452, "score": 0.8373009562492371, "start": 132444, "tag": "NAME", "value": "Director" }, { "context": "el, egy baráti hajó 1-2-es távolságban a \"Director Krennic\" fejlesztéssel felszerelve, feltehet egy célpontb", "end": 132460, "score": 0.9893801808357239, "start": 132453, "tag": "NAME", "value": "Krennic" } ]
coffeescripts/cards-hu.coffee
idavidka/xwing
100
exportObj = exports ? this exportObj.codeToLanguage ?= {} exportObj.codeToLanguage.hu = 'Magyar' exportObj.translations ?= {} # This is here mostly as a template for other languages. exportObj.translations.Magyar = action: "Barrel Roll": "Orsózás" "Boost": "Gyorsítás" "Evade": "Kitérés" "Focus": "Fókusz" "Target Lock": "Célpontbemérő" "Recover": "Recover" "Reinforce": "Reinforce" "Jam": "Jam" "Coordinate": "Coordinate" "Cloak": "Álcázás" "SLAM": "SLAM" slot: "Astromech": "Asztrodroid" "Bomb": "Bomba" "Cannon": "Ágyú" "Crew": "Személyzet" "Elite": "Elit" "Missile": "Rakéta" "System": "Rendszer" "Torpedo": "Torpedó" "Turret": "Löveg" "Cargo": "Rakomány" "Hardpoint": "Fegyverfelfüggesztés" "Team": "Csapat" "Illicit": "Illegális" "Salvaged Astromech": "Zsákmányolt Astromech" sources: # needed? "Core": "Core" "A-Wing Expansion Pack": "A-Wing Expansion Pack" "B-Wing Expansion Pack": "B-Wing Expansion Pack" "X-Wing Expansion Pack": "X-Wing Expansion Pack" "Y-Wing Expansion Pack": "Y-Wing Expansion Pack" "Millennium Falcon Expansion Pack": "Millennium Falcon Expansion Pack" "HWK-290 Expansion Pack": "HWK-290 Expansion Pack" "TIE Fighter Expansion Pack": "TIE Fighter Expansion Pack" "TIE Interceptor Expansion Pack": "TIE Interceptor Expansion Pack" "TIE Bomber Expansion Pack": "TIE Bomber Expansion Pack" "TIE Advanced Expansion Pack": "TIE Advanced Expansion Pack" "Lambda-Class Shuttle Expansion Pack": "Lambda-Class Shuttle Expansion Pack" "Slave I Expansion Pack": "Slave I Expansion Pack" "Imperial Aces Expansion Pack": "Imperial Aces Expansion Pack" "Rebel Transport Expansion Pack": "Rebel Transport Expansion Pack" "Z-95 Headhunter Expansion Pack": "Z-95 Headhunter Expansion Pack" "TIE Defender Expansion Pack": "TIE Defender Expansion Pack" "E-Wing Expansion Pack": "E-Wing Expansion Pack" "TIE Phantom Expansion Pack": "TIE Phantom Expansion Pack" "Tantive IV Expansion Pack": "Tantive IV Expansion Pack" "Rebel Aces Expansion Pack": "Rebel Aces Expansion Pack" "YT-2400 Freighter Expansion Pack": "YT-2400 Freighter Expansion Pack" "VT-49 Decimator Expansion Pack": "VT-49 Decimator Expansion Pack" "StarViper Expansion Pack": "StarViper Expansion Pack" "M3-A Interceptor Expansion Pack": "M3-A Interceptor Expansion Pack" "IG-2000 Expansion Pack": "IG-2000 Expansion Pack" "Most Wanted Expansion Pack": "Most Wanted Expansion Pack" "Imperial Raider Expansion Pack": "Imperial Raider Expansion Pack" "Hound's Tooth Expansion Pack": "Hound's Tooth Expansion Pack" "Kihraxz Fighter Expansion Pack": "Kihraxz Fighter Expansion Pack" "K-Wing Expansion Pack": "K-Wing Expansion Pack" "TIE Punisher Expansion Pack": "TIE Punisher Expansion Pack" "The Force Awakens Core Set": "The Force Awakens Core Set" ui: shipSelectorPlaceholder: "Válassz egy hajót" pilotSelectorPlaceholder: "Válassz egy pilótát" upgradePlaceholder: (translator, language, slot) -> "Nincs #{translator language, 'slot', slot} fejlesztés" modificationPlaceholder: "Nincs módosítás" titlePlaceholder: "Nincs nevesítés" upgradeHeader: (translator, language, slot) -> "#{translator language, 'slot', slot} fejlesztés" unreleased: "kiadatlan" epic: "epikus" limited: "limitált" byCSSSelector: # Warnings '.unreleased-content-used .translated': 'Ez a raj kiadatlan dolgokat használ!' '.epic-content-used .translated': 'Ez a raj Epic dolgokat használ!' '.illegal-epic-too-many-small-ships .translated': 'Nem szerepeltethetsz több mint 12 egyforma típusú kis hajót!' '.illegal-epic-too-many-large-ships .translated': 'Nem szerepeltethetsz több mint 6 egyforma típusú nagy hajót!' '.collection-invalid .translated': 'You cannot field this list with your collection!' # Type selector '.game-type-selector option[value="standard"]': 'Standard' '.game-type-selector option[value="custom"]': 'Egyéni' '.game-type-selector option[value="epic"]': 'Epikus' '.game-type-selector option[value="team-epic"]': 'Csapat epikus' # Card browser '.xwing-card-browser option[value="name"]': 'Név' '.xwing-card-browser option[value="source"]': 'Forrás' '.xwing-card-browser option[value="type-by-points"]': 'Típus (pont szerint)' '.xwing-card-browser option[value="type-by-name"]': 'Típus (név szerint)' '.xwing-card-browser .translate.select-a-card': 'Válassz egy kártyát a bal oldali listából.' '.xwing-card-browser .translate.sort-cards-by': 'Kártya rendezés' # Info well '.info-well .info-ship td.info-header': 'Hajó' '.info-well .info-skill td.info-header': 'Skill' '.info-well .info-actions td.info-header': 'Akciók' '.info-well .info-upgrades td.info-header': 'Fejlesztések' '.info-well .info-range td.info-header': 'Hatótáv' # Squadron edit buttons '.clear-squad' : 'Új raj' '.save-list' : 'Mentés' '.save-list-as' : 'Mentés mint…' '.delete-list' : 'Törlés' '.backend-list-my-squads' : 'Raj betöltése' '.view-as-text' : '<span class="hidden-phone"><i class="fa fa-print"></i>&nbsp;Nyomtatás/Nézet mint </span>szöveg' '.randomize' : 'Jó napom van!' '.randomize-options' : 'Véletlenszerű beállítások…' '.notes-container > span' : 'Raj jegyzet' # Print/View modal '.bbcode-list' : 'Másold a BBCode-t és illeszd a fórum hozzászólásba.<textarea></textarea><button class="btn btn-copy">Másolás</button>' '.html-list' : '<textarea></textarea><button class="btn btn-copy">Másolás</button>' '.vertical-space-checkbox' : """Legyen hely a sérülés/fejlesztés kártyáknak <input type="checkbox" class="toggle-vertical-space" />""" '.color-print-checkbox' : """Színes nyomtatás <input type="checkbox" class="toggle-color-print" />""" '.print-list' : '<i class="icon-print"></i>&nbsp;Nyomtatás' # Randomizer options '.do-randomize' : 'Jó napom van!' # Top tab bar '#empireTab' : 'Birodalom' '#rebelTab' : 'Lázadók' '#scumTab' : 'Söpredék' '#browserTab' : 'Kártyák' '#aboutTab' : 'Rólunk' singular: 'pilots': 'Pilóta' 'modifications': 'Módosítás' 'titles': 'Nevesítés' types: 'Pilot': 'Pilóta' 'Modification': 'Módosítás' 'Title': 'Nevesítés' exportObj.cardLoaders ?= {} exportObj.cardLoaders.Magyar = () -> exportObj.cardLanguage = 'Magyar' # Assumes cards-common has been loaded basic_cards = exportObj.basicCardData() exportObj.canonicalizeShipNames basic_cards # English names are loaded by default, so no update is needed exportObj.ships = basic_cards.ships # Names don't need updating, but text needs to be set pilot_translations = "Wedge Antilles": text: """Támadáskor eggyel csökkenti a védekező mozgékonyságát (nem mehet 0 alá).""" "Garven Dreis": text: """Fókusz felhasználás után áthelyezheted azt egy 1-2 távolságban lévő másik baráti hajóra (ahelyett, hogy eldobnád). [FAQ]""" "Biggs Darklighter": text: """A játék során egyszer, a harci fázis elején választhatsz egy másik baráti hajót 1-es távolságban. A kör végéig nem támadható a kiválasztott hajó, ha Biggs is támadható helyette. [FAQ]""" "Luke Skywalker": text: """Védekezéskor egy %FOCUS%-odat átforgathatsz %EVADE%-re.""" '"Dutch" Vander': text: """Miután feltettél egy célpontbemérőt, válassz egy másik baráti hajót 1-2 távolságban. A kiválasztott hajó azonnal feltehet egy célpontbemérőt.""" "Horton Salm": text: """2-3-as távolságban támadáskor, bármennyi üres kockát újradobhatsz.""" '"Winged Gundark"': text: """1-es távolságban támadáskor, 1 %HIT%-ot átfogathatsz %CRIT%-re.""" '"Night Beast"': text: """Miután végrehajtottál egy zöld manővert, végrehajthatsz egy ingyenes fókusz akciót. [FAQ]""" '"Backstabber"': text: """Mikor a védekező tüzelési szögén kívülről támadsz, plusz 1 támadó kockával dobhatsz. [FAQ]""" '"Dark Curse"': text: """Mikor védekezel, a téged támadó hajó nem használhatja a fókusz jelzőjét vagy dobhatja újra a támadó kockáit. [FAQ]""" '"Mauler Mithel"': text: """Mikor 1-es távolságban támadsz, 1 plusz támadó kockával dobhatsz.""" '"Howlrunner"': text: """Mikor 1-es távolságban lévő másik baráti hajó támad az elsődleges fegyverével, 1 támadó kockáját újradobhatja.""" "Maarek Stele": text: """Mikor támadásodból felfordítot sérüléskártyát húzna a védekező, húzz te 3-at, válassz ki egyet és add át a védekezőnek. A többit dobd el.""" "Darth Vader": text: """Az akció végrehajtása fázisban 2 akciót hajthat végre.""" "\"Fel's Wrath\"": text: """Ha a hajóhoz tartozó sérülés lapok száma egyenlő vagy meghaladja a hajó szerkezeti erősségét, nem semmisül meg a harci fázis végéig. [FAQ]""" "Turr Phennir": text: """Miután végrehajtottad a támadásod, végrehajthatsz egy ingyen %BOOST% vagy %BARRELROLL% akciót. [FAQ]""" "Soontir Fel": text: """Mikor kapsz egy stressz jelzőt, kaphatsz egy %FOCUS% jelzőt is.""" "Tycho Celchu": text: """Akkor is végrehajthatsz akciót, ha van stressz jelződ.""" "Arvel Crynyd": text: """Olyan célpontot is válaszhatsz, akivel érintkezel, ha az a tüzelési szögedben van.""" "Chewbacca": text: """Ha kapsz egy felfordított sérülés kártyát, fordítsd le, így nem fejti ki hatását. [FAQ]""" "Lando Calrissian": text: """Zöld manőver végrehajtása után válassz ki egy másik baráti hajót 1 távolságban. Ez a hajó végrehajthat egy ingyen akciót az akciósávjáról.""" "Han Solo": text: """Támadáskor újradobhatsz a kockákkal, de az összes lehetségessel.""" "Kath Scarlet": text: """Támadásodkor a védekező kap egy stresszt, ha kivéd legalább egy %CRIT% találatot. [FAQ]""" "Boba Fett": text: """Ha felfedsz egy (%BANKLEFT%) vagy (%BANKRIGHT%) manővert, átforgathatod hasonló sebességű, de másik irányúra. [FAQ]""" "Krassis Trelix": text: """Mikor támadsz a másodlagos fegyverrel, egy támadó kockát újradobhatsz.""" "Ten Numb": text: """Támadásodkor egy %CRIT% dobásod nem védhető ki védő kockával. [FAQ]""" "Ibtisam": text: """Támadáskor vagy védekezéskor, ha van legalább 1 stressz jelződ, 1 kockádat újradobhatod.""" "Roark Garnet": text: '''A támadás fázis kezdetekor válassz egy másik baráti hajót 1-3 távolságban. A fázis végéig a hajó pilótája 12-esnek minősül.''' "Kyle Katarn": text: """A támadás fázis kezdetekor hozzárendelheted egy %FOCUS% jelződ egy másik baráti hajóhoz 1-3 távolságban.""" "Jan Ors": text: """Ha egy másik baráti hajó 1-3 távolságban támad és nincs stressz jelződ, kaphatsz egy stressz jelzőt, hogy a másik hajó plusz egy kockával támadhasson. [FAQ]""" "Captain Jonus": text: """Ha egy másik baráti hajó 1-es távolságban támad a másodlagos fegyverével, újradobhat akár 2 kockával is. [FAQ]""" "Major Rhymer": text: """Mikor másodlagos fegyverrel támadsz, növelheted vagy csökkentheted a fegyver hatótávját eggyel (az 1-3 határon belül).""" "Captain Kagi": text: """Ha egy ellenséges hajó célpontbemérőt tesz más hajóra, a te hajódon kell végezze, ha az lehetséges. [FAQ]""" "Colonel Jendon": text: """A támadás fázis kezdetekor a célpontbemérőd átadhatod egy baráti hajónak 1-es távolságban, ha neki még nincsen. [FAQ]""" "Captain Yorr": text: """Ha egy másik baráti hajó 1-2 távolságban egy stressz jelzőt kap és neked 2 vagy kevesebb van, megkaphatod helyette. [FAQ]""" "Lieutenant Lorrir": text: """%BARRELROLL% akció végrehajtásakor, kaphatsz egy stressz jelzőt, hogy az (%STRAIGHT% 1) helyett a (%BANKLEFT% 1) vagy (%BANKRIGHT% 1) sablont használd. [FAQ]""" "Tetran Cowall": text: """Ha felfedsz egy (%UTURN%) manővert, választhatsz 1-es, 3-as vagy 5-ös sebességet. [FAQ]""" "Kir Kanos": text: """ Ha 2-3-as távolságba támadsz, elkölthetsz egy kitérés jelzőt, hogy hozzáadj egy 1 %HIT%-ot a dobásodhoz.""" "Carnor Jax": text: """1-es távolságban lévő ellenséges hajók, nem hajthatnak végre %FOCUS% vagy %EVADE% akciót és nem költhetnek %FOCUS% vagy %EVADE% jelzőt.""" "Lieutenant Blount": text: """Támadásod akkor is találatnak számít, ha a védő nem sérül.""" "Airen Cracken": text: """Miután végrehajtottad a támadásod, választhatsz egy másik baráti hajót 1-es távolságban. Ez a hajó végrehajthat egy ingyenes akciót. [FAQ]""" "Colonel Vessery": text: """Támadáskor, a kocka dobás után közvetlenül feltehetsz egy célpontbemérőt a védekezőre, ha már van rajta piros célpontbemérő jelző. [FAQ]""" "Rexler Brath": text: """Ha a támadásodra legalább 1 sérülés kártyát kap a védekező, elkölthetsz egy %FOCUS% jelzőt, hogy felfordítsd azokat. [FAQ]""" "Etahn A'baht": text: """Mikor egy ellenséges hajó a tüzelési szögedben 1-3 távolságban védekezik, a támadó 1 %HIT% találata átforgatható %CRIT%-ra.""" "Corran Horn": text: """A befejező fázis kezdetén végrehajthatsz egy támadást, de nem támadhatsz a következő körben. [FAQ]""" '"Echo"': text: """Mikor kijössz álcázásból, (%STRAIGHT% 2) helyett használhatod a (%BANKLEFT% 2) vagy (%BANKRIGHT% 2) sablont. [FAQ]""" '"Whisper"': text: """Ha támadásod talált, kaphatsz egy %FOCUS% jelzőt.""" "Wes Janson": text: """Miután végrehajtottad a támadást, levehetsz egy %FOCUS%, %EVADE% vagy kék célpontbemérő jelzőt a védekezőről. [FAQ]""" "Jek Porkins": text: """Mikor stressz jelzőt kapsz, leveheted egy támadó kocka gurításért cserébe. Ha a dobásod %HIT%, kapsz egy lefordított sérülés kártyát. [FAQ]""" '"Hobbie" Klivian': text: """Mikor szerzel vagy elköltesz egy célpontbemérőt, levehetsz egy stressz jelzőt a hajódról. [FAQ]""" "Tarn Mison": text: """Mikor egy ellenfél téged jelöl célpontjának, kaphatsz egy célpontbemérőt a támadó hajóra.""" "Jake Farrell": text: """Miután végrehajtasz egy %FOCUS% akciót vagy kapsz egy %FOCUS% jelzőt, végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.""" "Gemmer Sojan": text: """Amíg 1-es távolságban vagy egy ellenséges hajótól, növeld az mozgékonyságod eggyel.""" "Keyan Farlander": text: """Támadáskor eldobhatsz egy stressz jelzőt, hogy az összes %FOCUS%-t %HIT%-ra változtass. [FAQ]""" "Nera Dantels": text: """Végrehajthatsz %TORPEDO% másodlagos támadást a tüzelési szögeden kívüli ellenfélre is.""" "CR90 Corvette (Fore)": text: """Mikor támadsz az elsődleges fegyvereddel, elkölthetsz egy energiát, hogy dobj egy plusz támadó kockával.""" # "CR90 Corvette (Crippled Aft)": # text: """Nem választhatsz vagy hajthatsz végre (%STRAIGHT% 4), (%BANKLEFT% 2) vagy (%BANKRIGHT% 2) manővert.""" "Dash Rendar": text: """Figyelmen kívül hagyhatod az akadályokat az aktivációs fázisban és akció végrehajtáskor. [FAQ]""" '"Leebo"': text: """Mikor kapsz egy felfordított sérülés kártyát, húzz még egyet, válassz, egyet hajts végre, a másikat dobd el. [FAQ]""" "Eaden Vrill": text: """Mikor elsődleges fegyverrel támadsz egy stresszelt hajót, dobj eggyel több támadó kockával.""" "Rear Admiral Chiraneau": text: """Mikor 1-2 távolságba támadsz, megváltoztathatsz egy %FOCUS%-t %CRIT%-re.""" "Commander Kenkirk": text: """Ha már nincs pajzsod és legalább egy sérülés kártyád, növeld a mozgékonyságod eggyel. [FAQ]""" "Captain Oicunn": text: """Manőver végrehajtásod után minden veled érintkező hajó elszenved egy sérülést. [FAQ]""" "Prince Xizor": text: """Mikor védekezel, egy baráti hajó 1-es távolságban elszenvedhet egy kivédhetetlen %HIT% vagy %CRIT% találatot helyetted. [FAQ]""" "Guri": text: """A támadás fázis elején, ha ellenséges hajó van 1-es távolságban, kaphatsz egy %FOCUS% jelzőt.""" "Serissu": text: """Mikor egy másik baráti hajó védekezik 1-es távolságban, újradobhat egy védekező kockával.""" "Laetin A'shera": text: """Miután védekeztél egy támadás ellen és a támadás nem talált, kaphatsz egy %EVADE% jelzőt.""" "IG-88A": text: """Miután a támadásodban az ellenfél megsemmisült, visszatölthetsz egy pajzsot. [FAQ]""" "IG-88B": text: """Egyszer körönként, miután végrehajtottál egy támadást ami nem talált, végrehajthatsz egy támadás a felszerelt %CANNON% másodlagos fegyvereddel.""" "IG-88C": text: """Miután végrehajtottál egy %BOOST% akciót, végrehajthatsz egy ingyenes %EVADE% akciót.""" "IG-88D": text: """Mégrehajthatod a (%SLOOPLEFT% 3) vagy (%SLOOPRIGHT% 3) manővert a (%TURNLEFT% 3) vagy (%TURNRIGHT% 3) sablonnal.""" "Boba Fett (Scum)": text: """Mikor támadsz vagy védekezel, újradobhatsz annyi kockát, ahágy ellenséges hajó van 1-es távolságban.""" "Kath Scarlet (Scum)": text: """Mikor támadszt a hátsó kiegészítő tüzelési szögben, plusz egy támadó kockával dobhatsz.""" "Emon Azzameen": text: """Mikor bombát dobsz , használhatod a (%TURNLEFT% 3), (%STRAIGHT% 3) vagy (%TURNRIGHT% 3) sablont a (%STRAIGHT% 1) helyett. [FAQ]""" "Kavil": text: """Mikor a hajó tüzelési szögén kívül támadsz, plusz egy kockával dobhatsz.""" "Drea Renthal": text: """Miután elköltesz egy célpontbemérőt, egy stressz jelzőért feltehetsz egy újat.""" "Dace Bonearm": text: """Mikor egy ellenséges hajó 1-3 távolságban kap legalább egy ion jelzőt, és nincs stressz jelződ, egy stressz jelzőért cserébe az a hajó elszenved egy sérülést.""" "Palob Godalhi": text: """A támadás fázis elején, elvehetsz egy %FOCUS% vagy %EVADE% jelzőt egy 1-2 távolságban lévő ellenséges hajóról és magadra rakhatod.""" "Torkil Mux": text: """Az aktivációs fázis végén válassz egy ellenséges hajót 1-2 távolságban. A támadás fázis végéig azt a pilótát 0-ás pilóta képességűnek kell kezelni.""" "N'Dru Suhlak": text: """Mikor támadsz és nincs másik baráti hajó 1-2 távolságban, plusz egy támadó kockával dobhatsz.""" "Kaa'to Leeachos": text: """A támadás fázis elején, elvehetsz egy %FOCUS% vagy %EVADE% jelzőt egy másik baráti hajótól 1-2 távolságban és magadra rakhatod.""" "Commander Alozen": text: """A támadás fázis elején, feltehetsz egy célpontbemérőt 1-es távolságban lévő ellenséges hajóra.""" "Raider-class Corvette (Fore)": text: """Körönként egyszer, miután végrehajtottál egy elsődleges fegyver támadást, elkölthetsz 2 energiát, hogy végrehajts egy másik elsődleges fegyver támadást.""" "Bossk": text: """Mikor a támadásod talált, mielőtt a találatokat kiosztanád, 1 %CRIT% helyett 2 %HIT%-et oszthatsz. [FAQ]""" "Talonbane Cobra": text: """Mikor támadsz vagy védekezel, a távolság bonuszokat duplázd meg.""" "Miranda Doni": text: """Körönként egyszer támadáskor, elkölthetsz egy pajzsot, hogy plusz egy támadó kockával dobj <strong>vagy</strong> dobj egy kockával kevesebbel, hogy visszatölts egy pajzsot. [FAQ]""" '"Redline"': text: """Tarthatsz 2 célpontbemérőt egyazon hajón. Mikor felteszel egy célpontbemérőt, feltehetsz egy másodikat is arra a hajóra.""" '"Deathrain"': text: """Előre is tudsz bombát dobni. Bombázás után végrehajthatsz egy ingyenes %BARRELROLL% akciót.""" "Juno Eclipse": text: """Mikor felfeded a manővered, növelheted vagy csökkentheted a sebességed eggyel (minimum 1 legyen).""" "Zertik Strom": text: """Ellenséges hajó 1-es távolságban nem használhatja a távolság harci bónuszát támadáskor.""" "Lieutenant Colzet": text: """A befejező fázis kezdetén, elköltheted a célpontbemérődet, hogy egy lefordított sérülés kártyát felfordíts a célzott hajón.""" "Latts Razzi": text: """Mikor egy baráti hajó támad és célpontbemérőd van a védekezőn, elköltheted azt, hogy erre a támadásra eggyel csökkentsd a mozgékonyságát. [FAQ]""" "Graz the Hunter": text: """Védekezéskor, ha a támadó a tüzelési szögedben van, eggyel több védekező kockával dobhatsz.""" "Esege Tuketu": text: """Ha egy másik baráti hajó támad 1-2 távolságban, sajátjának tekintheti a %FOCUS% jelződ. [FAQ]""" "Moralo Eval": text: """Támadhatsz a %CANNON% másodlagos fegyvereddel a kiegészítő tüzelési szögeden is.""" 'Gozanti-class Cruiser': text: """Manőver végrehajtás után bevethetsz akár 2 dokkolt hajót is.""" '"Scourge"': text: """Mikor támadsz és a védekezőnek már van sérülés kártyája, plusz egy támadó kockával dobhatsz.""" "The Inquisitor": text: """Mikor az elsődleges fegyvereddel 2-3 távolságban támadsz, kezeld 1-es távolságként. [FAQ]""" "Zuckuss": text: """Támadáskor plusz egy kockával dobhatsz. Ha így teszel, a védekező is egy kockával többel dob.""" "Dengar": text: """Körönként egyszer védekezés után, ha a támadó a tüzelési szögedben van, végrehajthatsz egy támadást ellene. [FAQ]""" # T-70 "Poe Dameron": text: """Támadáskor vagy védekezéskor, ha van %FOCUS% jelződ, megváltoztathatod egy %FOCUS% dobásod %HIT% vagy %EVADE% eredményre.""" '"Blue Ace"': name: "Blue Ace (Kék Ász)" text: """Mikor végrehajtasz egy %BOOST% akciót, használhatod a (%TURNLEFT% 1) vagy (%TURNRIGHT% 1) sablont.""" # TIE/fo '"Omega Ace"': name: "Omega Ace (Omega Ász)" text: """Mikor támadsz, elkölthetsz egy fókusz jelzőt és a védekezőn lévő célpontbemérőt, hogy az összes kockát %CRIT%-re forgass.""" '"Epsilon Leader"': name: "Epsilon Leader (Epszilon vezér)" text: """A harci fázis kezdetén, levehetsz 1 stressz jelzőt minden 1-es távolságban lévő bartáti hajóról.""" '"Zeta Ace"': name: "Zeta Ace (Dzéta Ász)" text: """Mikor végrehajtasz egy %BARRELROLL% akciót, használhatod a (%STRAIGHT% 2) sablont a (%STRAIGHT% 1) helyett.""" '"Red Ace"': text: '''Minden körben az első alkalommal, mikor elvesztesz egy pajzs jelzőt, kapsz egy %EVADE% jelzőt.''' '"Omega Leader"': text: '''Az a hajó amin célpontbemérőed van, nem módosíthat kockát veled szemben támadáskor vagy védekezéskor. [FAQ!]''' 'Hera Syndulla': text: '''Mikor felfedsz egy zöld vagy piros manővert, átforgathatod a tárcsát egy ugyanolyan nehézségűre.''' '"Youngster"': text: """A baráti TIE vadászok 1-3 távolságon belül végrehajthatják az erre a hajóra felszerelt %ELITE% fejlesztés kártya akciót. [FAQ]""" '"Wampa"': text: """Támadáskor, az eredmények összehasonlítása kezdetén, törölheted az összes dobásod. Ha töröltél %CRIT% találatot, a védekező kap egy lefordított sérülés kártyát. [FAQ/ERRATA]""" '"Chaser"': text: """Mikor egy 1-es távolságban lévő másik baráti hajó elkölt egy %FOCUS% jelzőt, kapsz egy %FOCUS% jelzőt.""" 'Ezra Bridger': text: """Védekezéskor, ha stresszelve vagy, átfordíthatsz akár 2 %FOCUS% dobást %EVADE%-re.""" '"Zeta Leader"': text: '''Mikor támadsz és nem vagy stresszelve, kaphatsz egy stressz jelzőt, hogy plusz egy kockával dobj.''' '"Epsilon Ace"': text: '''Amíg nincs sérülés kártyád, a pilóta képességed 12-esnek számít''' "Kanan Jarrus": text: """Mikor egy ellenséges hajó 1-2 távolságban támad, elkölthetsz egy %FOCUS% jelzőt. Ha ezt teszed, a támadó eggyel kevesebb támadó kockával dob.""" '"Chopper"': text: """A harci fázis kezdetén, minden ellenséges hajó amivel érintkezel, kap egy stressz jelzőt.""" 'Hera Syndulla (Attack Shuttle)': text: """Mikor felfedsz egy zöld vagy piros manővert, átforgathatod a tárcsát egy ugyanolyan nehézségűre.""" 'Sabine Wren': text: """Közvetlenül mielőtt felfeded a tárcsád, végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.""" '"Zeb" Orrelios': text: '''Mikor védekezel, a %CRIT% dobásokat előbb semlegesítheted, mint a %HIT% dobásokat.''' 'Tomax Bren': text: '''Körönként egyszer, miután eldobtál egy %ELITE% fejlesztés kártyát, fordítsd fel azt a kártyát.''' 'Ello Asty': text: '''Ha nem vagy stresszelve, kezeld a (%TROLLLEFT%) és (%TROLLRIGHT%) menővert fehérként.''' "Valen Rudor": text: """Védekezés után végrehajthatsz egy ingyen akciót. [FAQ]""" "4-LOM": text: """A befejező fázis kezdetén, 1 stressz jelződet átadhatod egy ellenséges hajónak 1-es távolságon belül.""" "Tel Trevura": text: """Első alkalommal, mikor megsemmisülnél, dobj el minden addigi sérülés kártyád, és osszál 4 sérülés lapot lefordítva a hajódhoz. [FAQ]""" "Manaroo": text: """A harci fázis kezdetén hozzárendelheted az összes fókuszt, kitérés és kék célpontbemérő jelződet egy másik baráti hajónak 1-es távolságban. [FAQ]""" '"Deathfire"': text: '''Mikor felfeded a manőver tárcsád vagy miután végrehajtasz egy akciót, végrehajthatsz egy %BOMB% fejlesztés kártya akciót ingyen.''' "Maarek Stele (TIE Defender)": text: """Mikor támadásodból felfordítot sérüléskártyát húzna a védekező, húzz te 3-at, válassz ki egyet és add át a védekezőnek. A többit dobd el.""" "Countess Ryad": text: """Mikor felfedsz egy (%STRAIGHT%) manővert, kezelheted (%KTURN%) manőverként.""" "Poe Dameron (PS9)": text: """Támadáskor vagy védekezéskor, ha van %FOCUS% jelződ, megváltoztathatod egy %FOCUS% dobásod %HIT% vagy %EVADE% eredményre.""" "Rey": text: """Támadáskor vagy védekezéskor, ha az ellenséges hajó benne van a tüzelési szögedben, újradobhatsz akár 2 üres kockát is.""" 'Han Solo (TFA)': text: '''A hajók felhelyezésénél, bárhova elhelyezheted a hajót az ellenséges hajóktól legalább 3-as távolságra. [FAQ]''' 'Chewbacca (TFA)': text: '''Miután egy másik baráti hajó 1-3-as távolságban megsemmisül (de nem leesik a pályáról), végrehajthatsz egy támadást.''' 'Norra Wexley': text: '''Támadáskor vagy védekezéskor, elkölthetsz egy célpontbemérőt, ami az ellenfél hajóján van, hogy egy %FOCUS% eredményt adhass a dobásodhoz.''' 'Shara Bey': text: '''Ha egy 1-2-es távolságban lévő másik baráti hajó támad, a te kék célpontbemérő jelződet sajátjaként kezelheti.''' 'Thane Kyrell': text: '''Miután a tüzelési szögedben 1-3-as távolságban lévő ellenséges hajó megtámadott egy másik baráti hajót, végrehajthatsz egy ingyen akciót.''' 'Braylen Stramm': text: '''Egy manőver végrehajtása után dobhatsz egy támadókockával. Ha a dobás %HIT% vagy %CRIT%, vegyél le egy stressz jelzőt a hajódról.''' '"Quickdraw"': text: '''Körönként egyszer, mikor elvesztesz egy pajzsot, végrehajthatsz egy elsődleges fegyver támadást. [FAQ]''' '"Backdraft"': text: '''Mikor támadsz a kiegészítő tüzelési szögedben, adj a dobásodhoz egy 1 %CRIT% kockát.''' 'Fenn Rau': text: '''Támadáskor vagy védekezéskor, ha az ellenséges hajó 1-es távolságban van, további egy kockával dobhatsz.''' 'Old Teroch': text: '''A harci fázis elején, válaszhatsz egy ellenséges hajót 1-es távolságban. Ha benne vagy a tüzelési szögében, dobja el minden %FOCUS% és %EVADE% jelzőjét.''' 'Kad Solus': text: '''Miután végrehajtasz egy piros manővert, adj 2 %FOCUS% jelzőt a hajódhoz.''' 'Ketsu Onyo': text: '''A harci fázis kezdetén, választhatsz egy hajót 1-es távolságban és ha az benne van az elsődleges <strong>és</strong> a változtatható tüzelési szögedben, kap egy vonósugár jelzőt.''' 'Asajj Ventress': text: '''A harci fázis kezdetén, választhatsz egy hajót 1-2-es távolságban. Ha az benne van a változtatható tüzelési szögedben, kap egy stressz jelzőt.''' 'Sabine Wren (Scum)': text: '''Védekezéskor, ha a támadó 2-es távolságon és a változtatható tüzelési szögeden belül van, adhatsz egy %FOCUS% kockát a dobásodhoz.''' # Wave X 'Sabine Wren (TIE Fighter)': text: '''Közvetlenül mielőtt felfeded a tárcsád, végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.''' '"Zeb" Orrelios (TIE Fighter)': text: '''Mikor védekezel, a %CRIT% dobásokat előbb semlegesítheted, mint a %HIT% dobásokat.''' 'Kylo Ren': text: '''Körönként, mikor először eltalálnak, adj egy "Megmutatom a sötét oldalt" feltétel kártyát a támadónak.''' 'Unkar Plutt': text: '''Az aktivációs fázis végén, adnod <strong>kell</strong> egy vonósugár jelzőt minden hajónak amivel érintkezel.''' 'Cassian Andor': text: '''Az aktivációs fázis kezdetén, elvehetsz egy stressz jelzőt egy 1-2 távolságban lévő másik baráti hajóról.''' 'Bodhi Rook': text: '''Mikor egy baráti hajó célpontbemérőt rak fel, bemérhet egy ellenséges hajót amely 1-3 távolságban van bármely baráti hajótól.''' 'Heff Tobber': text: '''Miután egy ellenséges hajó végrehajtotta a manőverét, ami átfedést eredményezett a te hajóddal, végrehajthatsz egy ingyen akciót.''' '''"Duchess"''': text: '''Ha fel vagy szerelve egy "Adaptive Ailerons" fejlesztéssel, figyelmen kívül hagyhatod annak kártya képességét.''' '''"Pure Sabacc"''': text: '''Támadáskor, ha 1 vagy kevesebb sérülés kártyád van, plusz egy támadókockával dobhatsz.''' '''"Countdown"''': text: '''Védekezéskor, ha nem vagy stresszelve - az eredmény összehasonlítás lépésben -, elszenvedhetsz egy sérülést, hogy töröld az összes kockadobást. Ha így teszel, kapsz egy stressz jelzőt. [FAQ]''' 'Nien Nunb': text: '''Ha kapsz egy stressz jelzőt és van egy ellenséges hajó a tüzelési szögedben 1-es távolságban, eldobhatod a stressz jelzőt.''' '"Snap" Wexley': text: '''Miután végrehajtasz egy 2, 3 vagy 4-es sebességű manővert és nem érintkezel hajóval, végrehajthatsz egy ingyenes %BOOST% akciót.''' 'Jess Pava': text: '''Támadáskor vagy védekezéskor, minden 1-es távolságban lévő másik baráti hajó után újradobhatsz egy kockát.''' 'Ahsoka Tano': text: '''A harci fázis kezdetén, elkölthetsz 1 %FOCUS% jelzőt, hogy egy kiválasztott 1-es távolságban lévő baráti hajó végrehajthasson egy ingyenes akciót.''' 'Captain Rex': text: '''Miután végrehajtasz egy támadást, add a "Suppressive Fire" feltétel kártyát a védekezőhöz.''' 'Major Stridan': text: '''Az akciók és fejlesztés kártyáknál a 2-3 távolságban lévő baráti hajókat kezelheted úgy, mintha 1-es távolságban lennének.''' 'Lieutenant Dormitz': text: '''A felrakás fázisban, a baráti hajókat bárhova rakhatod tőled 1-2 távolságra.''' 'Constable Zuvio': text: '''Mikor felfedsz egy hátra manővert, dobhatsz bombát az elülső pöckök használatával (beleértve az "<strong>Akció:</strong>" fejlécű bombákat).''' 'Sarco Plank': text: '''Védekezéskor, a mozgékonyság értéked helyett dobhatsz annyi kockával amekkora sebességű manővert végeztél ebben a körben.''' 'Zealous Recruit': name: '''Zealous Recruit (Lelkes újonc)''' 'Shadowport Hunter': name: '''Shadowport Hunter (Árnyékrév vadász)''' 'Genesis Red': text: '''Miután feltettél egy célpontbemérőt adjál a hajódnak annyi %FOCUS% és %EVADE% jelzőt, ameddig annyi nem lesz, amennyi a bemért hajónak is van.''' 'Quinn Jast': text: '''A harci fázis kezdetekor kaphatsz egy "inaktív fegyverzet" jelzőt, hogy felfordíts egy már elhasznált %TORPEDO% vagy %MISSILE% fejlesztést.''' 'Inaldra': text: '''Támadáskor vagy védekezéskor elkölthetsz egy pajzsot, hogy újradobj bármennyi kockát.''' 'Sunny Bounder': text: '''Körönként egyszer, miután dobtál vagy újradobtál kockákat és az összes kockán ugyanaz az eredmény van, adj hozzájuk még egy ugyanolyan eredményt.''' 'Lieutenant Kestal': text: '''Mikor támadsz, elkölthetsz egy %FOCUS% jelzőt, hogy érvényteleníts a védekező összes üres és %FOCUS% eredményét.''' '"Double Edge"': text: '''Körönként egyszer, miután a támadásod a másodlagos fegyverrel nem talált, végrehajthatsz egy támadást egy másik fegyverrel.''' 'Viktor Hel': text: '''Védekezés után, ha nem pontosan 2 védekező kockával dobtál, a támadó kap egy stress jelzőt.''' 'Lowhhrick': text: '''Mikor egy másik baráti hajó 1-es távolságban védekezik, elkölthetsz egy erősítés jelzőt. Ha így teszel, a védekező hozzáadhat egy %EVADE% eredményt a dobásához.''' 'Wullffwarro': text: '''Támadáskor, ha nincs pajzsod és már van legalább 1 sérülés kártyád, egy plusz támadás kockával guríthatsz.''' 'Captain Nym (Scum)': text: '''Figyelmen kívül hagyhatod a baráti hajók bombáit. Mikor egy baráti hajó védekezik és a támadó egy baráti bombán át lő, a védekező hozzáadhat egy %EVADE% eredményt a dobásához.''' 'Captain Nym (Rebel)': text: '''Körönként egyszer, megakadályozhatod egy baráti bomba robbanását.''' 'Sol Sixxa': text: '''Bomba ledobásakor, használhatod a (%TURNLEFT% 1) vagy (%TURNRIGHT% 1) sablonokat a (%STRAIGHT% 1) helyett.''' 'Dalan Oberos': text: '''Ha nem vagy stresszes és forduló, bedöntés vagy Segnor csavar manővert fedsz fel, kezelheted úgy, mintha piros Tallon orsó manővert hajtanál végre az eredetileg forgatott manőver sablonjával.''' 'Thweek': text: '''A játék kezdetén még a hajók felhelyezése előtt választhatsz 1 ellenséges hajót és hozzárendelheted a "Shadowed" vagy "Mimicked" kondíciós kártyát.''' 'Captain Jostero': text: '''Körönként egyszer, mikor egy ellenséges hajó védekezés nélkül szenved sérülést vagy kritikus sérülést, végrehajthatsz egy támadást ellene.''' 'Major Vynder': text: '''Védekezéskor, ha "inaktív fegyverzet" jelző van a hajón, plusz 1 kockával dobhatsz.''' 'Lieutenant Karsabi': text: '''Mikor "inaktív fegyverzet" jelzőt kapsz és nem vagy stresszes, kaphatsz egy stressz jelzőt hogy levehesd azt.''' 'Torani Kulda': text: '''Miután végrehajtottál egy támadást, minden hajó amelyik benne van a bulleye tűzívedben 1-3 távolságban választhat, hogy elszenved egy sérülést vagy eldobja az összes %FOCUS% és %EVADE% jelzőjét.''' 'Dalan Oberos (Kimogila)': text: '''A harci fázis kezdetén feltehetsz egy célpontbemérőt egy ellenséges hajóra, amely a bullseye tűzívedben van 1-3-as távolságban.''' 'Fenn Rau (Sheathipede)': text: '''Mikor egy ellenséges hajó a tűzívedben 1-3 távolságban a harci fázisban aktiválódik és nem vagy stresszes, kaphatsz egy stressz jelzőt. Ha így teszel, az a hajó ebben a körben nem költhet el jelzőt, hogy módosítsa a támadó kockáit.''' 'Ezra Bridger (Sheathipede)': text: """Védekezéskor, ha stresszelve vagy, átfordíthatsz akár 2 %FOCUS% dobást %EVADE%-re.""" '"Zeb" Orrelios (Sheathipede)': text: '''Mikor védekezel, a %CRIT% dobásokat előbb semlegesítheted, mint a %HIT% dobásokat.''' 'AP-5': text: '''Mikor végrehajtasz egy koordinálás akciót, miután kiválasztottál egy baráti hajót és mielőtt az végrehajtaná az ingyenes akcióját, kaphatsz 2 stressz jelzőt, hogy levegyél róla 1 stressz jelzőt.''' '"Crimson Leader"': text: '''Támadáskor, ha a védekező benne van a tűzívedben, elkölthetsz egy %HIT% vagy %CRIT% dobásodat, hogy a védekezőhöz rendeld a "Rattled" kondíciós kártyát.''' '"Crimson Specialist"': text: '''Mikor felteszed a bomba jelzőt, amit a tárcsa felfedése után dobtál ki, a jelzőt a hajóval érintkezve bárhova teheted a pályára.''' '"Cobalt Leader"': text: '''Támadáskor, ha a védekező 1-es távolságban van egy bomba jelzőtől, eggyel kevesebb védekező kockával gurít.''' 'Kylo Ren (TIE Silencer)': text: '''Körönként mikor először ér találat, oszd ki a "I'll Show You the Dark Side" kondíciós kártyát a támadónak.''' 'Test Pilot "Blackout"': text: '''Támadáskor, ha a támadás akadályozott, a védekező kettővel kevesebb védekező kockával gurít.''' 'Kullbee Sperado': text: '''Miután végrehajtasz egy %BOOST% vagy %BARRELROLL% akciót, átforgathatod a "Servomotor S-foils" fejlesztés kártyád.''' 'Major Vermeil': text: '''Támadáskor, ha a védekezőnek nincs %FOCUS% vagy %EVADE% jelzője, átforgathatod az egyik üres vagy %FOCUS% dobásod %HIT% eredményre.''' 'Leevan Tenza': text: '''Miután végrehajtasz egy %BOOST% akciót, kaphatsz egy stressz jelzőt, hogy kapj egy kitérés jelzőt.''' 'Saw Gerrera': text: '''Mikor egy baráti hajó 1-2 távolságban támad, ha az stesszes vagy van legalább 1 sérülés kártyája, újradobhat 1 támadó kockát.''' 'Benthic Two-Tubes': text: '''Miután végrehajtasz egy %FOCUS% akciót, egy %FOCUS% jelződet átadhatod egy 1-2-es távolságban lévő baráti hajónak.''' 'Captain Feroph': text: '''Védekezéskor, ha a támadónak van zavarás jelzője, adj egy %EVADE% eredményt a dobásodhoz.''' '"Vizier"': text: '''Miután egy baráti hajó végrehajt egy 1-es sebességű manővert, ha 1-es távolságra van és nem került átfedésbe egy másik hajóval, átadhatod neki egy %FOCUS% vagy %EVADE% jelződet.''' 'Magva Yarro': text: '''Mikor egy másik baráti hajó 1-2 távolságban vedekezik, a támadója nem dobhatja újra csupán csak egy kockáját.''' 'Edrio Two-Tubes': text: '''Mikor az aktivációs fázisban aktiválódik a hajód, ha van legalább 1 fókusz jelződ, végrehajthatsz egy ingyenes akciót.''' upgrade_translations = "Ion Cannon Turret": text: """<strong>Támadás:</strong> támadj meg egy hajót (akkor is, ha a hajó kívül esik a tüzelési szögeden). Ha ez a támadás eltalálja a célpont hajót, az elszenved 1 sérülést és kap 1 ion jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.""" "Proton Torpedoes": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a lapot, hogy végrehajtsd a támadást. Egy %FOCUS% dobásod eredményét %CRIT%-ra módosíthatod.""" "R2 Astromech": text: """Minden egyes és kettes sebességű manőver zöldnek számít. [FAQ: ion is]""" "R2-D2": text: """Miután egy zöld manővert hajtasz végre, visszakapsz egy pajzs jelzőt. (Nem haladhatja meg a kezdeti értéket.) [FAQ]""" "R2-F2": text: """<strong>Akció:</strong> Növeld eggyel a mozgékonyság értékedet a kör végéig.""" "R5-D8": text: """<strong>Akció:</strong> Dobj egy védekező kockával. Ha az eredmény %EVADE% vagy %FOCUS% dobj el egy képpel lefelé lévő sérülés kártyát.""" "R5-K6": text: """Miután elhasználtad a célpontbemérő jelzőt, dobj egy védekező kockával. Ha az eredmény %EVADE%, azonnal visszateheted ugyanarra a hajóra a célbemérés jelzőt. Ezt a jelzőt nem használhatod el ebben a támadásban.""" "R5 Astromech": text: """A kör vége fázisban egy szöveggel felfelé lévő [Ship] típusú sérüléskártyát lefordíthatsz.""" "Determination": text: """Ha felfordított [Pilot] sérülés kártyát húznál, azonnal eldobhatod anélkül, hogy végrehajtanád.""" "Swarm Tactics": text: """A harci fázis kezdetén választhatsz egy baráti hajót, ami 1-es távolságon belül van. A fázis végéig a hajó pilótaképzettsége meg fog egyezni a tiéddel. [FAQ]""" "Squad Leader": text: """<strong>Akció:</strong> válassz egy hajót 1-2 távolságon belül, akinek a pilótaképzettsége alacsonyabb mint a sajátod. A választott hajó azonnal végrehajthat egy szabad akciót.""" "Expert Handling": text: """<strong>Akció:</strong> hajts végre egy ingyenes orsózás akciót. Ha nem rendelkezel %BARRELROLL% képességgel, kapsz egy stressz jelzőt. Ezután eltávolíthatsz egy ellenséges célpontbemérő jelzőt a hajódról. [FAQ]""" "Marksmanship": text: """<strong>Akció:</strong> amikor támadsz ebben a körben, egy %FOCUS% eredményt %CRIT% eredményre, az összes többi %FOCUS% dobásod pedig %HIT%-ra változtathatod. [FAQ]""" "Concussion Missiles": text: """<strong>Támadás (célpontbemérő):</strong> költs el a célpontbemérő jelzőt és dobd el ezt a kártyát is, hogy végrehajtsd a támadást. Egy üres dobást %HIT%-ra fordíthatsz.""" "Cluster Missiles": text: """<strong>Támadás (célpontbemérő):</strong> költs el a célpontbemérő jelzőt és dobd el ezt a kártyát is, hogy végrehajtsd a támadást kétszer. [FAQ]""" "Daredevil": text: """<strong>Akció:</strong>: Hajts végre egy fehér (%TURNLEFT% 1) vagy (%TURNRIGHT% 1) manővert. Ezután kapsz egy stressz jelzőt. Ha nem rendelkezel %BOOST% ikonnal, dobj két támadás kockával. Elszenveded az összes kidobott %HIT% és %CRIT% sérülést. [FAQ]""" "Elusiveness": text: """Amikor védekezel, kaphatsz egy stressz jelzőt, hogy kiválassz egy támadó kockát. A támadónak azt a kockát újra kell dobnia. Ha már legalább egy stressz jelzővel is rendelkezel, nem használhatod ezt a képességet.""" "Homing Missiles": text: """<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást. A védekező nem használhatja a kitérés jelzőket e támadás ellen. [FAQ]""" "Push the Limit": text: """Körönként egyszer, miután végrehajtottál egy akciót, végrehajthatsz egy szabad akciót az akciósávodról. Ezután kapsz egy stressz jelzőt. [FAQ]""" "Deadeye": text: """<span class="card-restriction">Csak kis hajó.</span>%LINEBREAK%Kezelheted a <strong>Támadás (célpontbemérő):</strong> fejlécet <strong>Támadás (fókusz):</strong> fejlécként. Amikor egy támadás azt kívánja, hogy elhasználj egy célpontbemérő jelzőt, akkor fókusz jelzőt is használhatsz helyette. [FAQ]""" "Expose": text: """<strong>Akció:</strong> A kör végéig növeld meg eggyel az elsődleges fegyvered értékét és csökkentsd eggyel a mozgékonyság értékedet.""" "Gunner": text: """Miután végrehajtottál egy támadást, ami nem talált, azonnal végrehajthatsz egy támadást az elsődleges fegyverrel. Nem hajthatsz végre másik támadást ebben a körben. [FAQ]""" "Ion Cannon": text: """<strong>Támadás:</strong> Támadj meg egy hajót. Ha ez a támadás eltalálja a célpont hajót, az kap egy sérülést és egy ion jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.""" "Heavy Laser Cannon": text: """<strong>Támadás:</strong> Támadj meg egy hajót. Közvetlenül a dobás után minden %CRIT% eredményt át kell fordítani %HIT% eredményre. [FAQ!!!]""" "Seismic Charges": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy letehess 1 Seismic Charges jelzőt.<br />Ez a jelző az aktivációs fázis végén felrobban.<br />Minden hajó 1-es távolságban elszenved 1 sérülést. Aztán a jelzőt le kell venni.""" "Mercenary Copilot": text: """Amikor 3-as távolságra támadsz, egy %HIT% eredményt %CRIT% eredményre változtathatsz.""" "Assault Missiles": text: """<strong>Támadás (célpontbemérő):</strong> dobd el a célpontbemérő jelzőt és dobd el ezt a kártyát is, hogy végrehajtsd a támadást. Ha ez a támadás talál, a védekezőtől egyes távolságra lévő összes hajó kap egy sérülést.""" "Veteran Instincts": name: "Veteran Instincts (Veterán ösztönök)" text: """Növeld kettővel a pilótaképzettség értékedet. [FAQ]""" "Proximity Mines": text: """<strong>Akció:</strong> Dobd el ezt a kártyát, hogy letehess egy Proximity Mine jelzőt.<br />Mikor egy hajó talpa vagy mozgássablonja átfedi a bomba jelzőt, a bomba felrobban. [FAQ]<br />Az a hajó amelyik át- vagy ráment a jelzőre dob 3 támadó kockával és elszenved minden %HIT% és %CRIT% eredményt. Aztán a jelzőt le kell venni.""" "Weapons Engineer": text: """Egyszerre két célpontbemérőd lehet (egy ellenséges hajóra csak egyet tehetsz). Amikor kapsz egy célpontbemérőt, bemérhetsz két ellenséges hajót.""" "Draw Their Fire": text: """Ha egy baráti hajót egyes távolságon belül eltalál egy támadás, dönthetsz úgy, hogy a célpont helyett bevállalsz egy érvényítetlen %CRIT%-t. [FAQ]""" "Luke Skywalker": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután végrehajtottál egy támadást, ami nem talált, azonnal végrehajthatsz egy támadást az elsődleges fegyverrel. Egy %FOCUS% eredményt %HIT% eredményre változtathatsz. Nem hajthatsz végre másik támadást ebben a körben. [FAQ]""" "Nien Nunb": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Az összes %STRAIGHT% manővert zöld manőverként kezelheted. [FAQ: ion is!]""" "Chewbacca": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Amikor sérülés kártyát húznál, azonnal eldobhatod azt a kártyát, és kapsz egy pajzs jelzőt. Ezután dobd el ezt a fejlesztés kártyát.""" "Advanced Proton Torpedoes": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Legfeljebb három üres dobásod eredményét %FOCUS%-ra módosíthatod.""" "Autoblaster": text: """<strong>Támadás:</strong> Támadj meg egy hajót.%LINEBREAK%A %HIT% dobásaidat nem érvényetelenítik a védő kockák. A védekező érvénytelenítheti a %CRIT% dobásokat a %HIT% előtt. [FAQ]""" "Fire-Control System": text: """Miután végrehajtasz egy támadást, tehetsz egy célpontbemérő jelzőt a védekező hajóra. [FAQ!]""" "Blaster Turret": text: """<strong>Támadás (fókusz):</strong> költs el egy fókusz jelzőt, hogy végrehajthass egy támadást egy hajó ellen (akkor is, ha a hajó kívül esik a tüzelési szögeden).""" "Recon Specialist": name: "Recon Specialist (Felderítő specialista)" text: """Amikor %FOCUS% akciót hajtasz végre, egy további %FOCUS% jelzőt tehetsz a hajódhoz.""" "Saboteur": text: """<strong>Akció:</strong>Válassz egy ellenséges hajót 1-es távolságon belül, és dobj egy támadó kockával. Ha az eredmény %HIT% vagy %CRIT%, válassz egyet a hajóhoz tartozó képpel lefordított sérülés kártyák közül, fordítsd fel, és hajtsátok végre a hatását. [FAQ?]""" "Intelligence Agent": text: """Az aktiválási fázis kezdetén válasz egy ellenséges hajót 1-2 távolságon belül. Megnézheted, hogy az a hajó milyen manővert fog végrehajtani.""" "Proton Bombs": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy letehess egy proton bomba jelzőt.<br />Ez a jelző az aktivációs fázis végén felrobban.<br />Minden 1-es távolságon belüli hajó kap 1 felfordított sérülés kártyát. Aztán a jelzőt le kell venni.""" "Adrenaline Rush": name: "Adrenaline Rush (Adrenalinlöket)" text: """Amikor felfedsz egy piros manővert, eldobhatod ezt a lapot, hogy az a manőver fehér színűnek számítson az aktiválási fázis végéig. [FAQ]""" "Advanced Sensors": text: """Közvetlen a manőver tárcsa felfedése előtt végrehajthatsz egy szabad akciót. Amennyiben használod ezt a képességet, hagyd ki ebből a körből az "Akció végrehajtása" fázist. [FAQ]""" "Sensor Jammer": name: "Sensor Jammer (Szenzorzavaró)" text: """Amikor védekezel, megváltoztathatod a támadó egyik %HIT% eredményét %FOCUS% eredményre. A támadó nem dobhatja újra ezt az átforgatott kockát.""" "Darth Vader": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Miután végrehajtottál egy támadást egy ellenséges hajó ellen, kioszthatsz magadnak két sérülést, hogy az a hajó kritikus találatot kapjon. [FAQ]""" "Rebel Captive": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Körönként egyszer az első hajó, aki ellened támadást intéz, azonnal kap egy stressz jelzőt. [FAQ]""" "Flight Instructor": text: '''Amikor védekezel, újradobhatod egyik %FOCUS% dobásod. Ha a támadó pilótaképzettsége "2" vagy alacsonyabb, egy üres eredményt dobhatsz újra.''' "Navigator": text: """Amikor felfeded a manővered, áttekerheted a tárcsádat egy másik, de az eredeti iránnyal egyező manőverre. Nem választhatsz piros manővert, ha már van rajtad egy stressz jelző. [FAQ]""" "Opportunist": text: """Amikor támadsz, és a védekező hajónak nincs se %FOCUS%, se %EVADE% jelzője, akkor kaphatsz egy stressz jelzőt, hogy plusz egy támadókockával guríts. Nem használhatod ezt a képességet, ha már van stressz jelződ.""" "Comms Booster": text: """<strong>Energia:</strong> Költs el egy energiát, így leveheted az összes stressz jelzőt egy 1-3 távolságra lévő baráti hajóról. Ezek után tégy egy fókusz jelzőt arra a hajóra.""" "Slicer Tools": text: """<strong>Akció:</strong> Válassz egy vagy több olyan ellenséges hajót 1-3 távolságon belül, amelyeken van stressz jelző. Minden ilyen kiválasztott hajó esetében elkölthetsz egy energia jelzőt, hogy annak a hajónak 1 pontnyi sérülést okozz.""" "Shield Projector": text: """Amikor egy ellenséges hajó eldönti, hogy vagy egy kis vagy egy nagy méretű hajót megtámad, elkölthetsz 3 energiát annak érdekében, rákényszerítsd azt a hajót (ha lehetséges) arra, hogy téged támadjon meg.""" "Ion Pulse Missiles": text: """<strong>Támadás (célpontbemérő)</strong>: dobd el ezt a kártyát, hogy végrehajtsd a támadást. Ha ez a támadás eltalálja a célpont hajót, az 1 sérülést szenved és kap 2 ion jelzőt. Ezután az <strong>összes</strong> kocka eredményét érvényteleníteni kell.""" "Wingman": text: """A harc fázis elején távolíts el 1 stressz jelzőt egy 1-es távolságon belül lévő másik baráti hajóról. [FAQ]""" "Decoy": text: """A harci fázis kezdetén választhatsz egy 1-2 távolságra lévő saját hajót. Cseréld ki a pilóta képességeteket a fázis végéig.""" "Outmaneuver": text: """Amikor a saját tüzelési szögeden belül támadsz, és kívül esel a támadott hajó tüzelési szögén (magyarul, ha hátba támadod), csökkentsd a mozgékonyságát 1-el (minimum 0-ig). [FAQ]""" "Predator": text: """Támadáskor újradobhatsz 1 kockát. Amennyiben a védekező pilóta képessége 2 vagy kevesebb, 2 kockával dobhatsz újra.""" "Flechette Torpedoes": name: "Flechette Torpedoes (Repesztorpedók)" text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Miután végrehajtottad a támadást, a védekező fél kap egy stressz jelzőt, ha a szerkezeti értéke 4-es vagy annál kevesebb. [FAQ]""" "R7 Astromech": text: """Körönként egyszer védekezéskor, ha van célpontbemérő jelződ a támadón, azt elköltve kiválaszthatsz akármennyi támadó kockát. A támadónak azokat újra kell dobnia.""" "R7-T1": text: """<strong>Action:</strong> Válassz 1 ellenséges hajót 1-2 távolságra. Ha benne vagy a tüzelési szögében, tehetsz rá célpontbemérőt. Ezután végrehajthatsz egy ingyenes %BOOST% akciót. [FAQ]""" "Tactician": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Miután végrehajtasz egy támadást egy 2-es távolságra és a tüzelési szögedben lévő hajón, az kap egy stressz jelzőt. [FAQ]""" "R2-D2 (Crew)": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Ha a kör végén nincs pajzsod, kapsz 1 pajzs jelzőt és dobnod kell egy támadókockával. %HIT% esetén véletlenszerűen fordítsd fel az egyik sebzés kártyádat és hajtsd végre. [FAQ]""" "C-3PO": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Egyszer egy körben, mielőtt akár egy védekező kockával is dobnál, hangosan megtippelheted, hogy hány %EVADE% fogsz dobni. Ha sikerült pontosan tippelned (mielőtt módosítottad volna a kockát), akkor az eredményhez hozzá adhatsz még egy plusz %EVADE%-t.""" "Single Turbolasers": text: """<strong>Támadás (Energia):</strong> költs el 2 energiát erről a kártyáról hogy ezzel a fegyverrel támadhass. A védekező mozgékonyság értéke megduplázódik e támadás ellen. Egy %FOCUS% dobásod átfordíthatod %HIT%-ra.""" "Quad Laser Cannons": text: """<strong>Támadás (energia):</strong> költs el 1 energiát erről a kártyáról, hogy támadhass ezzel a fegyverrel. Amennyiben nem találod el az ellenfelet, azonnal elkölthetsz még 1 energiát erről a kártyáról egy újabb támadáshoz.""" "Tibanna Gas Supplies": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%<strong>Energia:</strong> A kártya eldobásának fejében, kaphatsz 3 energiát.""" "Ionization Reactor": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%<strong>Energia:</strong> Költs el 5 energiát erről a kártyáról és dobd el ezt a kártyát, annak érdekében, hogy használhasd. Minden 1-es távolságban lévő másik hajó elszenved egy sérülést és kap egy ion jelzőt.""" "Engine Booster": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Rögtön mielőtt felfednéd a manőver tárcsádat, elkölthetsz egy energiát, ilyenkor végrehajthatsz egy fehér (%STRAIGHT% 1) manővert. Nem használhatod ezt a képességet, ha a manőver által ütköznél egy másik hajóval.""" "R3-A2": text: """Mikor kijelölöd a támadásod célpontját és a védő a tüzelési szögeden belül van, kaphatsz 1 stressz jelzőt azért, hogy a védő is kapjon 1-et. [FAQ]""" "R2-D6": text: """A fejlesztési sávod kap egy %ELITE% jelzőt.%LINEBREAK%Nem szerelheted fel, ha már van %ELITE% ikonod vagy a pilóta képességed 2 vagy kevesebb.""" "Enhanced Scopes": text: """Az Aktiválási fázis során, vedd úgy, hogy a pilótaképzettséged "0".""" "Chardaan Refit": text: """<span class="card-restriction">Csak A-Wing.</span>%LINEBREAK%Ennek a kártyának negatív csapat módosító értéke van.""" "Proton Rockets": text: """<strong>Támadás (fókusz):</strong> dobd el ezt a kártyát, hogy végrehajthasd a támadást. Annyi plusz kockával dobhatsz, mint amennyi a mozgékonyságod értéke, de maximum 3-mal.""" "Kyle Katarn": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután levettél egy stressz jelzőt a hajódról, rárakhatsz egy fókusz jelzőt.""" "Jan Ors": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Körönként egyszer, ha egy 1-3 távolságra lévő baráti hajó fókusz akciót hajtana végre vagy egy fókusz jelzőt kapna, ahelyett adhatsz neki egy kitérés jelzőt.""" "Toryn Farr": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadók.</span> %LINEBREAK%<strong>Akció:</strong> Költs el bármennyi energiát majd válassz ugyanennyi ellenséges hajót 1-2 távolságra. Vegyél le róluk minden fókusz, kitérés és kék bemérés jelzőt.""" "R4-D6": text: """Amikor eltalálnak és legalább három olyan %HIT% találat van, amit nem tudsz érvényteleníteni, változtasd meg őket addig, míg 2 nem marad. Minden egyes így érvénytelenített találatért kapsz 1 stressz jelzőt.""" "R5-P9": text: """A harci fázis végén elkölthetsz 1 fókusz jelzőt, hogy visszakapj 1 pajzsot (max. pajzs értékig).""" "WED-15 Repair Droid": text: """<span class="card-restriction">Csak óriás hajó.</span>%LINEBREAK%<strong>Akció:</strong> Költs el 1 energiát, hogy eldobhasd 1 lefordított sérülés kártyádat, vagy költs el 3-at, hogy eldobhass 1 felfordított sérüléskártyát.""" "Carlist Rieekan": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadók.</span> %LINEBREAK%Csak nagy hajók. Csak lázadók. Az aktiválási fázis elején, eldobhatod ez a kártyát, annak érdekében, hogy minden baráti hajó pilóta képzettségét megnöveld "12"-re, a kör végéig.""" "Jan Dodonna": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadók.</span> %LINEBREAK%Amikor egy 1 távolságra lévő másik baráti hajó támad, az egyik %HIT%-t %CRIT%-ra változtathatja.""" "Expanded Cargo Hold": text: """<span class="card-restriction">Csak GR-75.</span> Egy körben egyszer lehet csak igénybe venni. Ha kapnál egy felfordított sebzés kártyát (kritikus sebzés után), akkor eldöntheted, hogy azt az orr, vagy a tat pakliból veszed ki.""" "Backup Shield Generator": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Minden kör végén beválthatsz egy energiát egy pajzsra. (nem mehet a maximum érték fölé.)""" "EM Emitter": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Amikor egy támadás kereszttüzébe kerülsz, a védekező fél 3 kockával dobhat (1 helyett).""" "Frequency Jammer": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Amikor egy zavarás akciót hajtasz végre, válassz ki egy olyan ellenséges hajót aminek nincs stressz jelzője és legfeljebb 1-es távolságra van a zavart hajótól. Ez a hajó is kap egy stressz jelzőt.""" "Han Solo": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Amikor támadsz, és van célpont bemérése jelződ a védekező félen, felhasználhatód azt annak érdekében, hogy az összes %FOCUS% dobásod %HIT% találatra forgathasd.""" "Leia Organa": text: """<span class="card-restriction">Csak lázadó.</span>%LINEBREAK%Az aktivációs fázis elején eldobhatod a kártyát, így minden baráti hajó, amelyik piros manővert választott, fehérként használhatja azt a fázis végéig.""" "Targeting Coordinator": text: """<span class="card-restriction">Csak óriás hajó. Limitált. </span>%LINEBREAK%<strong>Energia:</strong> Költs el 1 energiát, válassz egy saját hajót 1-2 távolságra. Hajtsd végre egy cél bemérést, majd helyezz 1 kék bemérés jelzőt a választott hajóra.""" "Raymus Antilles": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadó.</span> %LINEBREAK%Az Aktiválási fázis elején válassz 1 ellenséges hajót 1-3 távolságra. Megnézheted a választott manőverét. Amennyiben az fehér, kap 1 stressz jelzőt.""" "Gunnery Team": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Egy körben egyszer, amikor másodlagos fegyverrel támadsz, elkölthetsz egy energiát annak érdekében, hogy egy üres kockát %HIT%-ra forgathass.""" "Sensor Team": text: """A célpont bemérését 1-5 távolságra lévő hajón is használhatod (1-3 helyett).""" "Engineering Team": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Az aktiválási fázis során, hogy ha egy %STRAIGHT% manővert fedsz fel, kapsz egy plusz energiát az “Energia növelése” lépés során.""" "Lando Calrissian": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%<strong>Akció:</strong> Dobj két védekező kockával. Annyi fókusz jelzőt adj a hajódnak, amennyi %FOCUS%-t, valamint annyi kitérés jelzőt, ahány %EVADE%-t dobtál.""" "Mara Jade": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%A harci fázis végén minden olyan 1 távolságra lévő ellenséges hajó, amin nincs stressz jelző, kap egy stressz jelzőt.""" "Fleet Officer": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%<strong>Akció:</strong>Válassz ki maximum 2 hajót 1-2 távolságon belül és adj nekik 1-1 fókusz jelzőt. Ezután kapsz egy stressz jelzőt.""" "Lone Wolf": text: """Amikor támadsz vagy védekezel, és nincs 1-2 távolságra tőled másik baráti hajó, újradobhatod egy üres dobásodat. [FAQ]""" "Stay On Target": text: """Amikor felfeded a manővertárcsád, átforgathatod a tárcsát egy másik, de ugyanekkora sebességű manőverre. A manővered pirosnak kell tekinteni. [FAQ]""" "Dash Rendar": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Akkor is támadhatsz, ha egy akadállyal fedésben vagy. A támadások nem akadályozottak.""" '"Leebo"': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%<strong>Akció:</strong> végrehajthatsz egy ingyen gyorsítás akciót. Ezután kapsz egy ion jelzőt.""" "Ruthlessness": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Ha olyan támadást hajtasz végre, ami talál, ki <strong>kell</strong> választanod egy másik hajót a védekezőtől 1 távolságra (másikat, mint tied). Az a hajó 1 sérülést szenved. (Megj.: ha nincs ellenséges hajó, akkor a baráti hajót kell választanod).""" "Intimidation": text: """Amíg egy ellenséges hajóval érintkezel, annak a hajónak a mozgékonyságát csökkentsd eggyel.""" "Ysanne Isard": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%A harci fázis elején, ha nincs pajzsod és legalább egy sérülés jelző van a hajódon, végrehajthatsz egy ingyen kitérés akciót. [FAQ]""" "Moff Jerjerrod": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Csak birodalmiak. Amikor kapnál egy felfordított sérülés kártyát, eldobhatod ezt vagy egy másik %CREW% fejlesztés kártyádat, hogy a sérülés kártyát lefelé fordítsd (a hatása így nem érvényesül).""" "Ion Torpedoes": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Ha ez a támadás talál, akkor a célpont és a tőle 1-es távolságra lévő hajók kapnak 1 ion jelzőt.""" "Bodyguard": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A harci fázis elején egy fókuszt elköltve kiválaszthatsz egy 1-es távolságra lévő baráti hajót, aminek a tiednél nagyobb a pilóta képzettsége. A kör végéig annak a hajónak növeld meg eggyel a mozgékonyságát.""" "Calculation": text: """Amikor támadsz, elkölthetsz egy fókusz jelzőt, hogy egy %FOCUS% dobásod %CRIT%-ra módosíts.""" "Accuracy Corrector": text: """Amikor támadsz, a "Támadó kocka módosítás" lépésben, törölheted az összes kockád eredményét. Ezután a dobásodhoz hozzáadhatsz 2 %HIT%-t. E támadás során a kockáid eredményét nem módosíthatod még egyszer. [FAQ]""" "Inertial Dampeners": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy végrehajts egy fehér (0 %STOP%) manővert. Ezután kapsz egy stressz jelzőt.""" "Flechette Cannon": text: """<strong>Támadás:</strong> Támadj meg egy hajót. Ha a támadás során a védő találatot kap, akkor 1 sérülést szenved, valamint, ha nincs rajta stressz jelző, akkor kap egyet. Ezután az összes kocka eredményét érvényteleníteni kell.""" '"Mangler" Cannon': text: """<strong>Támadás:</strong> Támadj meg egy hajót. Támadáskor egyik %HIT% találatod %CRIT%-re módosíthatod.""" "Dead Man's Switch": text: """Amikor megsemmisülsz, minden, tőled 1-es távolságra lévő hajó elszenved 1 sérülést. [FAQ]""" "Feedback Array": text: """A harci fázis alatt, ahelyett, hogy támadnál, kaphatsz egy ion jelzőt és elszenvedhetsz 1 sérülést, hogy kiválaszthass egy 1-es távolságra lévő ellenséges hajót. Az a hajó elszenved 1 sérülést. [FAQ: nem számít támadásnak]""" '"Hot Shot" Blaster': text: """<strong>Támadás:</strong>: dobd el ezt a kártyát, hogy megtámadhass 1 hajót (akkor is, ha a tüzelési szögeden kívülre esik).""" "Greedo": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Minden körben, amikor először támadsz, illetve minden körben, amikor először védekezel, az első sérülés kártyát fel kell fordítani.""" "Salvaged Astromech": text: """Amikor olyan felfordított sérülés kártyát kapsz, amin a <strong>Ship</strong> szó szerepel, azonnal dobd el (mielőtt kifejtené hatását). Ezután dobd el ezt a fejlesztés kártyát. [FAQ]""" "Bomb Loadout": text: """<span class="card-restriction">Csak Y-wing. Limitált.</span>%LINEBREAK%A fejlesztés sávod megkapja a %BOMB% fejlesztés ikont.""" '"Genius"': text: """Miután felfedted a tárcsád, végrehajtottad a manővert és nem ütköztél hajónak, eldobhatsz egy felszerelt <strong>Action:</strong> fejléc nélküli %BOMB% fejlesztés kártyát, hogy letehesd a hozzá tartozó bomba jelzőt. [FAQ]""" "Unhinged Astromech": text: """Az összes 3-as sebességű manővert vedd zöld színűnek.""" "R4-B11": text: """Ha támadsz, elköltheted a célponton lévő célpontbemérőd, hogy kiválassz bármennyi védő kockát. A védekezőnek ezeket újra kell dobnia.""" "Autoblaster Turret": text: """<strong>Támadás:</strong> Támadj meg egy hajót. A %HIT% dobásaid nem lehet a védekező kockákkal érvényteleníteni. A védő a %CRIT% dobásokat a %HIT%-ok előtt semlegesítheti.""" "R4 Agromech": text: """Támadáskor, miután felhasználtál egy fókusz jelzőt, célpontbemérőt helyezhetsz el a védekezőn. [FAQ]""" "K4 Security Droid": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Egy zöld manőver végrehajtása után végrehajthatsz egy célpont bemérése akciót.""" "Outlaw Tech": text: """<span class="card-restriction">Csak söpredék. Limitált.</span>%LINEBREAK%Miután végrehajtottál egy piros manővert, adhatsz a hajódnak egy fókusz jelzőt.""" "Advanced Targeting Computer": text: """<span class="card-restriction">Csak TIE Advanced.</span>%LINEBREAK%Amikor az elsődleges fegyvereddel támadsz, ha már elhelyeztél egy célpontbemérő jelzőt a célponton, akkor a dobásaidhoz adj 1 %CRIT% eredményt. Ha megteszed, e támadás során már nem költheted el a célbepontbemérésed. [FAQ]""" "Ion Cannon Battery": text: """<strong>Támadás (Energia):</strong> költs el 2 energiát erről a kártyáról hogy ezzel a fegyverrel támadhass. Ha ez a támadás talál, a védő egy kritikus sérülést szenved és kap egy ion jelzőt. Ezután töröld a dobásod minden eredményét.""" "Extra Munitions": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Amikor hozzárendeled ezt a kártyád a hajódhoz, tégy 1 hadianyag jelzőt minden a hajóra felszerelt %TORPEDO%, %MISSILE% és %BOMB% fejlesztés kártyára. Amikor azt az utasítást kapod, hogy dobd el a fejlesztés kártyádat, ahelyett az azon a kártyán található hadianyag jelzőt is eldobhatod.""" "Cluster Mines": text: """<strong>Akció:</strong> dobd el ezt a kártyát, hogy letehess 3 Cluster Mine jelzőt.<br />Amikor egy hajó talpa vagy manőver sablonja érinti ezt a jelzőt, a bomba felrobban. <br />Az érintett hajó dob 2 kockával és minden %HIT% és %CRIT% után sérülést szenved. Aztán az akna jelzőt le kell venni.""" "Glitterstim": text: """A harci fázis elején eldobhatod ezt a kártyát és kaphatsz 1 stressz jelzőt. Ha megteszed, a kör végéig mind támadásnál, mind védekezésnél minden %FOCUS% dobásod %HIT%-ra vagy %EVADE%-re módosíthatod.""" "Grand Moff Tarkin": text: """<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%Csak óriás hajók. Csak birodalmiak. A harci fázis elején kiválaszthatsz egy 1-4 távolságra lévő másik hajót. Vagy leveszel róla 1 fókusz jelzőt, vagy adsz neki egyet.""" "Captain Needa": text: """<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%Ha az Aktivációs fázis során átfedésbe kerülnél egy akadállyal, nem kapsz 1 felfordított sérülés kártyát. Helyette dobj 1 támadó kockával. %HIT% vagy %CRIT% találat esetén 1 sérülést szenvedsz el.""" "Admiral Ozzel": text: """<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%<strong>Energia:</strong> Maximum 3 pajzsot levehetsz a hajódról. Minden levett pajzs után kapsz 1 energiát.""" "Emperor Palpatine": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Körönként egyszer, mielőtt egy baráti hajó gurít, válassz egy dobás eredményt. Dobás után meg kell változtatnod egy kockát a választott eredményre. Ez a kocka nem változtatható a továbbiakban. [FAQ]""" "Bossk": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK% Ha egy támadásod nem talál és nincs rajtad stressz jelző, mindenképpen kapsz egy stressz jelzőt. Ezután tégy egy fókusz jelzőt a hajód mellé, majd alkalmazd a célpontbemérő akciót a védőn.""" "Lightning Reflexes": text: """<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Miután végrehajtottál egy fehér vagy zöld manővert, eldobhatod ezt a kártyát és megfordíthatod a hajód 180&deg;-kal. A „Pilóta Stresszhelyzetének ellenőrzése” lépés után 1 stressz jelzőt kapsz. [FAQ]""" "Twin Laser Turret": text: """<strong>Támadás:</strong> hajtsd végre ezt a támadást <strong>kétszer</strong> (akár a tüzelési szögeden kívül eső hajók ellen is). Minden alkalommal, ha a lövés talál, a védő 1 sérülést szenved el. Ezután az <strong>összes</strong> kocka eredményét hagyd figyelmen kívül. [FAQ]""" "Plasma Torpedoes": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Ha ez a támadás talál, a sebzés kiosztása után végy le egy pajzs jelzőt a védőről.""" "Ion Bombs": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy letehess egy 1 ion bomba jelzőt.<br />Ez a bomba az aktivációs fázis végén felrobban.<br />A bombától mért 1 távolságra minden hajó kap 2 ion jelzőt. Aztán a jelzőt le kell venni.""" "Conner Net": text: """<strong>Akció:</strong> dobd el ezt a kártyát, hogy letehess 1 Conner Net jelzőt.<br />Amikor egy hajó alapja vagy manőver sablonja érinti ezt a jelzőt, a bomba felrobban.<br />Az érintett hajó elszenved 1 sérülést és kap 2 ion jelzőt, valamint a kihagyja az akció végrehajtása lépést. Aztán a jelzőt le kell venni. [FAQ]""" "Bombardier": text: """Amikor ledobsz egy bombát, használhatod a (%STRAIGHT% 2) sablont a (%STRAIGHT% 1) helyett.""" 'Crack Shot': text: '''Ha egy hajót a tüzelési szögeden belül támadsz, az eredmény összehasonlítása lépés kezdetén, eldobhatod ezt a lapot, hogy az ellenfél egy %EVADE% dobás eredményét semlegesítsd. [FAQ]''' "Advanced Homing Missiles": text: """<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajthasd a támadást. Ha ez a támadás talál, ossz ki 1 felfordított sebzés kártyát a védőnek. Ezután az <strong>összes</strong> kocka eredményét hagyd figyelmen kívül.""" 'Agent Kallus': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Az első kör kezdetén válassz egy ellenséges kis vagy nagy hajót. Mikor azt a hajót támadod vagy védekezel ellene, egy %FOCUS% dobásod átforgathatod %HIT% vagy %EVADE% eredményre.''' 'XX-23 S-Thread Tracers': text: """<strong>Támadás (fókusz):</strong> dobd el ezt a kártyát, hogy végrehajthasd a támadást. Ha ez a támadás talál, minden baráti hajó 1-2-es távolságban kap egy célpontbemérőt a védekezőre. Ezután az <strong>összes</strong> kocka eredményét hagyd figyelmen kívül.""" "Tractor Beam": text: """<strong>Támadás:</strong> Támadj egy hajót.<br />Ha a támadás talált, a védekező kap egy tractor beam jelzőt. Aztán érvényteleníts minden kockadobást. [FAQ]""" "Cloaking Device": text: """<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%<strong>Akció:</strong> Hajts végre egy ingyenes álcázás akciót.<br>A kör végén, ha álcázva vagy, dobj egy támadó kockával. %FOCUS% eredménynél dobd el ezt a kártyát, majd fedd fel magad vagy dobd el az álcázás jelzőt.""" "Shield Technician": text: """<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Amikor végrehajtasz egy visszanyerés akciót, ahelyett, hogy elköltenéd az összes energiádat, te döntheted el, mennyi energiát használsz fel.""" "Weapons Guidance": name: "Weapons Guidance (Fegyvervezérlés)" text: """Támadáskor elkölthetsz egy fókusz jelzőt, hogy egy üres kockát %HIT%-ra forgass.""" "BB-8": text: """Mikor felfedsz egy zöld manővert, végrehajthatsz egy ingyen %BARRELROLL% akciót.""" "R5-X3": text: """Mielőtt felfeded a tárcsád, eldobhatod ezt a lapot, hogy figyelmen kívül hagyhatsd az akadályokat a kör végéig. [FAQ]""" "Wired": name: "Wired (Felpörögve)" text: """Támadáskor és védekezéskor, ha stresszes vagy, újradobhatsz egy vagy több %FOCUS% eredményt.""" 'Cool Hand': text: '''Mikor stressz jelzőt kapsz, eldobhatod ezt a kártyát, hogy kaphass %FOCUS% vagy %EVADE% jelzőt.''' 'Juke': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Támadáskor, ha van %EVADE% jelződ, megváltoztathatod a védekező egy %EVADE% dobását %FOCUS%-ra.''' 'Comm Relay': text: '''Nem lehet több, mint egy %EVADE% jelződ.%LINEBREAK%A befejező fázis alatt, ne távolítsd el a megmaradt %EVADE% jelződ.''' 'Dual Laser Turret': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%<strong>Támadás (energia):</strong> Költs el egy energiát erről a kártyáról, hogy végrehajtd ezt a támadást egy hajó ellen (akár a tüzelési szögeden kívül eső hajók ellen is).''' 'Broadcast Array': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Az akciósávod megkapja a %JAM% akció ikont.''' 'Rear Admiral Chiraneau': text: '''<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%<strong>Akció:</strong> Hajts végre egy fehér (%STRAIGHT% 1) manővert.''' 'Ordnance Experts': text: '''Egy körben egyszer, mikor egy baráti hajó 1-3 távolságban végrehajt egy támadást %TORPEDO% vagy %MISSILE% másodlagos fegyverrel, egy üres dobását %HIT%-re forgathatja.''' 'Docking Clamps': text: '''<span class="card-restriction">Csak Gozanti. Limitált.</span> %LIMITED%%LINEBREAK%Dokkolhatsz akár 4 TIE fighter, TIE interceptor, TIE bomber vagy TIE Advanced hajót. Az összes dokkolt hajónak egyforma típusúnak kell lennie.''' '"Zeb" Orrelios': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A tüzelési szögedben lévő ellenséges hajók amelyekkel érintkezel, nem számítanak érintkezésnek, mikor te vagy ők aktiválódnak a harci fázisban. [FAQ]""" 'Kanan Jarrus': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Körönként egyszer, miután egy baráti hajó 1-2 távolságban végrehajt egy fehér manővert, levehetsz egy stressz jelzőt róla. [FAQ]""" 'Reinforced Deflectors': text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Védekezés után, ha elszenvedtél 3 vagy több %HIT% vagy %CRIT% találatot a támadás alatt, visszatölthetsz 1 pajzsot. (Nem haladhatja meg a kezdeti értéket.) [FAQ]""" 'Dorsal Turret': text: """<strong>Támadás:</strong>Támadj meg egy hajót (akár a tüzelési szögeden kívül is).%LINEBREAK%Ha a célpont 1 távolságban van, plusz egy kockával dobhatsz.""" 'Targeting Astromech': text: '''Miután végrehajtasz egy piros menővert, felrakhatsz egy célpontbemérőt.''' 'Hera Syndulla': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Fel tudsz fedni és végrehajtani piros manővert, még ha stresszes is vagy.""" 'Ezra Bridger': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Támadáskor, ha stresszes vagy, egy %FOCUS% dobást %CRIT%-ra forgathatsz.""" 'Sabine Wren': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A fejlesztés sávod kap egy %BOMB% ikont. Körönként egyszer, mielőtt egy baráti bomba lekerül a játéktérről, válassz egy ellenséges hajót a jelzőtől 1 távolságra. Ez a hajó elszenved egy sérülést.""" '"Chopper"': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Végrehajthatsz akciókat, még ha stresszes vagy is.%LINEBREAK%Miután végrehajtasz egy akciót, miközben stresszes vagy, elszenvedsz egy sérülést.""" 'Construction Droid': text: '''<span class="card-restriction">Csak nagy hajók. Limitált.</span> %LIMITED%%LINEBREAK%Mikor végrehajtasz egy recover akciót, elkölthetsz egy energiát, hogy eldobhass egy lefordított sérülés kártyát.''' 'Cluster Bombs': text: '''Védekezés után eldobhatod ezt a kártyát. Ha ezt teszed, minden más hajó 1 távolságban dob 2 támadó kockával és elszenved minden (%HIT%) és (%CRIT%) találatot.''' "Adaptability": text: """<span class="card-restriction">Kettős kártya.</span>%LINEBREAK%<strong>A oldal:</strong> Növeld a pilóta képességed eggyel.%LINEBREAK%<strong>B oldal:</strong> Csökkentsd a pilóta képességed eggyel. [FAQ]""" "Electronic Baffle": text: """Mikor kapsz egy stressz vagy ion jelzőt, eldobhatod, ha elszenvedsz egy sérülést.""" "4-LOM": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor a támadókockák módosítása lépésben kaphatsz egy ion jelzőt, hogy kiválassz a támadó egy %FOCUS% vagy %EVADE% jelzőjét. Ez a jelző nem költhető el ebben a támadásban.""" "Zuckuss": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor, ha nem vagy stresszes, annyi stressz jelzőt kaphatsz, ahány védekező kockát kiválasztasz. A védekezőnek újra kell dobnia azokat a kockákat.""" 'Rage': text: """<strong>Akció:</strong> Adj egy %FOCUS% jelzőt a hajódhoz és kapsz 2 stressz jelzőt. A kör végéig támadáskor újradobhatsz akár 3 kockát. [FAQ]""" "Attanni Mindlink": text: """<span class="card-restriction">Csak söpredék. Csak 2 rajonként.</span>%LINEBREAK%Minden esetben mikor fókusz vagy stressz jelzőt kapsz, az összes többi baráti hajó, amely fel van szerelve Attanni Mindlink fejlesztéssel szintén megkapja ezt a fajta jelzőt, ha még nincs neki. [FAQ]""" "Boba Fett": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Miután végrehajtottál egy támadást, és a védekező kapott egy felfordított sérülés kártyát, eldobhatod azt, hogy helyette kiválassz és eldobj egy fejlesztés kártyát.""" "Dengar": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor újradobhatsz egy támadó kockát. Ha a védekező egyedi pilóta, 2 kockát is újradobhatsz.""" '"Gonk"': text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%<strong>Akció:</strong> Helyezz el egy pajzs jelzőt ezen a kártyán.<br /><strong>Akció:</strong> Vedd el a pajzs jelzőt a kártyáról és töltsd vissza vele a pajzsod (csak az eredeti értékig). [FAQ: különböő akciók]""" "R5-P8": text: """Körönként egyszer, védekezés után dobhatsz egy támadó kockával. %HIT% dobáskor a támadó leszenved egy sérülést. %CRIT% dobáskor mindketten elszenvedtek egy séerülést.""" 'Thermal Detonators': text: """Mikor felfeded manővertárcsád eldobhatod ezt a kártyát, hogy letehess egy Thermal Detonator jelzőt.<br>Ez a jelző felrobban az aktiválási fázis végén.<br> Mikor felrobban, minden hajó 1 távolságban elszenved 1 sérülést és kap egy stressz jelzőt. Aztán dobd el ezt a jelzőt.""" "Overclocked R4": text: """A harci fázis alatt, mikor elköltesz egy %FOCUS% jelzőt, egy stressz jelzővel együtt kaphatsz egy újabb %FOCUS% jelzőt.""" 'Systems Officer': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Miután végrehajtottál egy zöld menővert, válassz ki egy másik baráti hajót 1 távolságban. Az a hajó feltehet egy célpontbemérőt.''' 'Tail Gunner': name: "Tail Gunner (Faroklövész)" text: '''Mikor a hátsó kiegészítő tüzelési szögedből támadsz, csökkentd a védekező mozgékonyságát eggyel (nem mehet 0 alá).''' 'R3 Astromech': text: '''Körönként egyszer, mikor az elsődleges fegyvereddel támadsz, törölhetsz egy %FOCUS% dobásod a támadókockák módosítása lépésben, hogy kaphass egy %EVADE% jelzőt.''' 'Collision Detector': text: '''Mikor végrehajtasz egy %BOOST%, %BARRELROLL% vagy visszaálcázás műveletet, a hajód és a manőver sablonod átfedhet egy akadályt.%LINEBREAK%Mikor dobsz az akadály sérülésért figyelmen kívül hagyhatod a %CRIT% dobást.''' 'Sensor Cluster': text: '''Védekezéskor, elkölthetsz egy %FOCUS% jelzőt, hogy egy üres dobást %EVADE%-re forgass.''' 'Fearlessness': name: "Fearlessness (Vakmerőség)" text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor, ha a védekezővel egymás tüzelési szögében vagytok 1-es távolságon belül, hozzáadhatsz egy %HIT% eredményt a dobásodhoz.''' 'Ketsu Onyo': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A befejező fázis kezdetén, kiválaszthatsz egy ellenséges hajót a tüzelési szögedben 1-2 távolságban. Ez a hajó nem dobhatja el a vonósugár jelzőjét.''' 'Latts Razzi': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Védekezéskor levehetsz egy stressz jelzőt a támadóról, hogy hozzáadj 1 %EVADE% eredményt a dobásodhoz.''' 'IG-88D': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Megkapod a pilóta képességét minden más baráti hajónak amely a IG-2000 fejlesztés kártyával felszerelt (a saját képességed mellett).''' 'Rigged Cargo Chute': name: "Rigged Cargo Chute (Módosított rakománykatapult)" text: '''<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%<strong>Akció:</strong> dobd el ezt a kártyát, hogy letehess egy rakomány jelzőt.''' 'Seismic Torpedo': name: "Seismic Torpedo (Szeizmikus torpedó)" text: '''<strong>Akció:</strong>Dobd el ezt a lapot és válassz ki egy, 1-2-es távolságon belüli, a támadási szögedben lévő akadályt. Minden hajó, ami 1-es távolságban van az akadálytól, dob egy támadókockával és elszenvedi a dobott %HIT% vagy %CRIT% sérülést. Aztán vedd le az akadályt.''' 'Black Market Slicer Tools': name: "Black Market Slicer Tools (Illegális hackereszközök)" text: '''<strong>Akció:</strong>Válassz egy stresszelt ellenséges hajót 1-2-es távolságban és dobj egy támadókockával. %HIT% vagy %CRIT% dobásnál vedd le róla a stressz jelzőt és ossz ki neki egy lefordított sérülés kártyát.''' # Wave X 'Kylo Ren': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%<strong>Akció:</strong> Rendeld a "I'll Show You the Dark Side" állapot kártyát egy 1-3 távolságban lévő ellenséges hajóhoz.''' 'Unkar Plutt': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Miután végrehajtottál egy manővert amivel átfedésbe kerültél egy ellenséges hajóval, elszenvedhetsz egy sérülést, hogy végrehajts egy ingyenes akciót.''' 'A Score to Settle': text: '''A hajók felhelyezéskor, válassz ki egy ellenséges hajót és oszd neki a "A Debt to Pay" állapot kártyát.%LINEBREAK%Mikor a "A Debt to Pay" állapot kártyával rendelkező hajó támadásakor 1 %FOCUS% eredményt %CRIT%-re változtathatsz.''' 'Jyn Erso': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%<strong>Akció:</strong> Válassz ki egy baráti hajót 1-2 távolságban. Adj egy %FOCUS% jelzőt ennek a hajónak minden egyes, a tüzelési szögedben 1-3 távolságra lévő ellenséges hajó után. Maximum 3 jelzőt kaphat így.''' 'Cassian Andor': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A tervezési fázis végén, válassz egy ellenséges hajót 1-2 távolságban. Tippeld meg hangosan a hajó manőverét, aztán nézzétek meg. Ha jól tippeltél átforgathatod a tárcsádat.''' 'Finn': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor támadsz az elsődleges fegyvereddel vagy védekezel és az ellenséges hajó a tüzelési szögedben van, hozzáadhatsz egy üres kockát a dobásodhoz.''' 'Rey': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A befejező fázis kezdetekor, leteheted a hajód egy %FOCUS% jelzőjét erre a kártyára. A harci fázis kezdetén megkaphat a hajód 1 jelzőt erről a kártyáról.''' 'Burnout SLAM': text: '''<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Az akciósávod megkapja a %SLAM% ikont.%LINEBREAK%Miután végrehajtottál egy SLAM akciót, dobd el ezt a kártyát.''' 'Primed Thrusters': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%A stressz jelző nem akadályoz meg abban, hogy végrehajts egy %BOOST% vagy %BARRELROLL% akciót, hacsak nincs 3 vagy több stressz jelződ.''' 'Pattern Analyzer': text: '''Mikor végrehajtasz egy manővert, az "Akció végrehajtást" előbb megteheted, mint a "Stressz ellenőrzést".''' 'Snap Shot': text: '''Miután egy ellenséges hajó végrehajt egy manővert, végrehajthatsz egy támadást e hajó ellen. <strong>Támadás:</strong> Támadj egy hajót. Nem módosíthatod a dobásodat és nem támadhatsz újra ebben a fázisban.''' 'M9-G8': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor a hajó, amin célpontbemérőd van támad, kiválaszthatsz egy támadó kockát. A támadónak újra kell dobnia azt a kockát.%LINEBREAK%Feltehetsz egy célpontbemérőt egy másik baráti hajóra. [FAQ]''' 'EMP Device': text: '''A harci fázis alatt, ahelyett, hogy támadnál, eldobdhatod ezt a lapot, hogy kiossz 2 ion jelzőt minden hajónak 1 távolságban.''' 'Captain Rex': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután végrehajtottál egy támadást ami nem talált, adj egy %FOCUS% jelzőt a hajódhoz.''' 'General Hux': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%<strong>Akció:</strong> Válassz maximum 3 baráti hajót 1-2 távolságban. Adj 1 %FOCUS% jelzőt mindegyiknek és add a "Fanatical Devotion" állapot kártyát egyiküknek. Aztán kapsz egy stressz jelzőt.''' 'Operations Specialist': text: '''<span class="card-restriction">Limitált.</span>%LIMITED%%LINEBREAK%Miután egy baráti hajó 1-2 távolságban végrehajt egy támadást ami nem talált, a támadó hajó 1-3 távolságában lévő összes baráti hajó kaphat egy %FOCUS% jelzőt.''' 'Targeting Synchronizer': text: '''Mikor egy baráti hajó 1-2 távolságban támad egy hajót amin célpontbemérőd van, a baráti hajó kezelje a <strong>Támadás (célpontbemérő):</strong> fejlécet mint as <strong>Támadás:</strong>. Ha az instrukció célpontbemérő költést ír elő a hajónak, elköltheti a te célbepombemérésedet.''' 'Hyperwave Comm Scanner': text: '''A hajók lehelyezése lépés kezdetén kezelheted a pilóta képzettséged mint 0, 6 vagy 12 a lehelyezés végéig.%LINEBREAK%Az előkészítés alatt, miután egy másik baráti hajót leteszel 1-2 távolságban, adhatsz neki egy %FOCUS% vagy %EVADE% jelzőt.''' 'Trick Shot': text: '''Támadáskor, ha a támadás akadályon át történik, plusz 1 támadó kockával dobhatsz.''' 'Hotshot Co-pilot': text: '''Mikor támadsz egy elsődleges fegyverrel, a védekezőnek el kell költenie 1 %FOCUS% jelzőt, ha tud. Védekezéskor el kell költenie 1 %FOCUS% jelzőt, ha tud. [FAQ]''' '''Scavenger Crane''': text: '''Miután egy hajó 1-2 távolságban megsemmisül kiválaszthatsz egy felszerelt, de már eldobott %TORPEDO%, %MISSILE%, %BOMB%, %CANNON%, %TURRET% vagy módosítás fejlesztés kártyád és felfordíthatod. Aztán dobj egy támadó kockával. Üres dobásnál dobd el ezt a kártyát.''' 'Bodhi Rook': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor felteszel egy célpontbemérőt, bemérhetsz bármely baráti hajótól 1-3 távolságban lévő ellenséget.''' 'Baze Malbus': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután végrehajtottál egy támadást ami nem talált, azonnal végrehajthatsz egy támadást az elsődleges fegyvereddel egy másik hajó ellen. Nem támadhatsz többet ebben a körben.''' 'Inspiring Recruit': name: "Inspiring Recruit (Ösztönző kezdő)" text: '''Körönként egyszer, mikor egy baráti hajó 1-2-es távolságban levesz egy stressz jelzőt, levehet még egyet is.''' 'Swarm Leader': name: "Swarm Leader (Rajvezér)" text: '''Mikor végrehajtasz egy támadást az elsődleges fegyvereddel, kiválaszthatsz akár 2 másik baráti hajót amelyek tüzelési szögében 1-3 távolságban benne van a védekező. Vegyél le 1 %EVADE% jelzőt minden kiválasztott hajóról, hogy plusz 1 támadó kockával dobhass minden levett jelző után.''' 'Bistan': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor 1-2 távolságban támadsz, egy %HIT% dobást %CRIT%-re forgathatsz.''' 'Expertise': name: "Expertise (Szaktudás)" text: '''Támadáskor, ha nem vagy stresszes, átfogathatod az összes %FOCUS% dobásod %HIT%-re.''' 'BoShek': text: '''Mikor a hajó amivel érintkezel aktiválódik, megnézheted a kiválasztott manőverét. Ha így teszel, a gazdájának át kell forgatni a tárcsát egy szomszédos manőverre. A hajó ezt a manővert fedi fel és hajtja végre, még ha stresszes is.''' # C-ROC 'Heavy Laser Turret': text: '''<span class="card-restriction">Csak C-ROC Cruiser.</span>%LINEBREAK%<strong>Támadás (energia):</strong> Költs el 2 energiát erről a kártyáról, hogy végrehajtsd ezt a támadást egy hajó ellen (akkor is, ha a hajó kívül esik a tüzelési szögeden).''' 'Cikatro Vizago': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A befejező fázis kezdetén eldobhatod ezt a kártyát, hogy kicseréld egy felszerelt és még felfordított %ILLICIT% vagy %CARGO% kártyádat és másik hasonló típusú, ugyanannyi vagy kevesebb pontú kártyával.''' 'Azmorigan': text: '''<span class="card-restriction">Csak söpredék. Csak óriás hajók.</span>%LINEBREAK%A befejező fázis kezdetén elkölthetsz egy energiát, hogy kicseréld egy felszerelt és még felfordított %CREW% vagy %TEAM% kártyádat és másik hasonló típusú, ugyanannyi vagy kevesebb pontú kártyával.''' 'Quick-release Cargo Locks': text: '''<span class="card-restriction">Csak C-ROC Cruiser és GR-75 Medium Transport.</span>%LINEBREAK%Az aktivációs fázis végén eldobhatod ezt a kártyát, hogy lehelyezz egy konténer jelzőt.''' 'Supercharged Power Cells': text: '''Támadáskor eldobhatod ezt a kártyát, hogy további 2 kockával dobhass.''' 'ARC Caster': text: '''<span class="card-restriction">Csak lázadó és söpredék. Kettős kártya.</span>%LINEBREAK%<strong>A oldal:</strong>%LINEBREAK%<strong>Támadás:</strong> Támadj egy hajót. Ha a támadás talált választanod kell másik hajót 1-es távolságban a védekezőtől, ami elszenved egy sérülést. Eztán fordítsd le ezt a lapot.%LINEBREAK%<strong>B oldal:</strong>%LINEBREAK%(Újratöltés) A harci fázis kezdetén kaphatsz egy "inaktív fegyverzet" jelzőt, hogy átfordítsd ezt a kártyát.''' 'Wookiee Commandos': text: '''Támadáskor újradobhatod a %FOCUS% eredményeidet.''' 'Synced Turret': text: '''<strong>Támadás (célpontbemérő):</strong> támadj meg egy hajót (akkor is, ha a hajó kívül esik a tüzelési szögeden).%LINEBREAK% Ha támadó az elsődleges tüzelési szögedben van, újradobhatsz annyi kockát, amennyi az elsődleges fegyver értéked.''' 'Unguided Rockets': text: '''<strong>Támadás (fókusz):</strong> támadj meg egy hajót. A támadásod standard hatását csak a %FOCUS% jelző elköltésével módosíthatod.''' 'Intensity': text: '''<span class="card-restriction">Csak kis hajók. Kettős kártya.</span>%LINEBREAK%<strong>A oldal:</strong>Miután végrehajtottál egy gyorsítás vagy orsózás akciót, adhatsz egy %FOCUS% vagy %EVADE% a hajódhoz. Ha így teszel, fordítsd át ezt a kártyát.%LINEBREAK%<strong>B oldal:</strong> (Exhausted) A harci fázis végén elkölthetsz 1 %FOCUS% vagy %EVADE% jelzőt, hogy átfordítsd ezt a kártyát.''' 'Jabba the Hutt': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Mikor felszereled ezt a kártyát, helyezz 1 illicit jelzőt a rajod minden %ILLICIT% fejlesztés kártyájára. Mikor azt az utasítást kapod, hogy dobj el egy ilyen kártyát, helyette eldobhatod az rajta lévő illicit jelzőt.''' 'IG-RM Thug Droids': text: '''Támadáskor, átfordíthatsz egy %HIT% eredményt %CRIT%-re.''' 'Selflessness': text: '''<span class="card-restriction">Csak kis hajók. Csak lázadók.</span>%LINEBREAK%Mikor egy baráti hajót 1-es távolságban eltalálnak egy támadással, eldobhatod ezt a kártyát, hogy elszenvedd az összes kivédetlen %HIT% találatot a támadott hajó helyett.''' 'Breach Specialist': text: '''Mikor kiosztasz egy felfordított sérülés kártyát, elkölthetsz egy erősítés jelzőt, hogy lefordítsd (annak végrehajtása nélkül). Ha így teszel, a kör végéig így tehetsz az összes kiosztásra kerülő sérülés kártyával.''' 'Bomblet Generator': text: '''Mikor felfeded a manővered, ledobhatsz 1 Bomblet jelzőt.%LINEBREAK%Ez a jelző az aktivációs fázis végén robban.%LINEBREAK%<strong>Bomblet:</strong> Mikor ez a jelző robban minden hajó 1-es távolságban dob 2 támadó kockával és elszenved minden %HIT% és %CRIT% eredményt. Aztán a jelzőt le kell venni.''' 'Cad Bane': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A fejlesztés sávod megkapja a %BOMB% ikont. Körönként egyszer, mikor egy ellenséges hajó kockát dob egy bomba robbanás miatt, kiválaszthatsz bármennyi %FOCUS% vagy üres eredeményt. Ezeket újra kell dobni.''' 'Minefield Mapper': text: '''Az előkészítő fázisban, a hajók felhelyezése után eldobhatsz bármennyi %BOMB% fejlesztést. Helyezzd el az összes hozzájuk tartozó bomba jelzőt a játéktéren 3-as távolságon túl az ellenséges hajóktól.''' 'R4-E1': text: '''Végrehajthatod a %TORPEDO% és %BOMB% kártyádon lévő akciót, még ha stresszes is vagy. Miután így tettél, eldobhatod ezt a kártyát, hogy levegyél egy stressz jelzőt a hajódról.''' 'Cruise Missiles': text: '''<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást.%LINEBREAK% Annyival több támadó kockával dobhatsz, amekkora sebességű manővert hajtottál végre ebben a körben (de maximum 4).''' 'Ion Dischargers': text: '''Miután kaptál egy ion tokent, választhatsz egy ellenséges hajót 1-es távolságban. Ha így teszel, leveheted azt az ion jelzőt. Ekkor a választott ellenséges hajó eldöntheti, hogy átveszi-e tőled az iont. Ha így tesz, dobd el ezt a kártyát.''' 'Harpoon Missiles': text: '''<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást.%LINEBREAK%Ha a támadás talált, rendeld a "Harpooned!" kondíciós kártyát a védekezőhöz.''' 'Ordnance Silos': text: '''<span class="card-restriction">Csak B/SF-17 Bomber.</span>%LINEBREAK%Mikor felszereled a hajód ezzel a kártyával, helyezz 3 hadianyag jelzőt minden egyes felszerelt %BOMB% kártyához. Amikor azt az utasítást kapod, hogy dobd el a kártyát, eldobhatsz egy hadianyag jelzőt a kártya helyett.''' 'Trajectory Simulator': text: '''Kidobás helyett kilőheted a bombát a %STRAIGHT% 5 sablon használatával. Nem lőhetsz ki "<strong>Action:</strong>" fejléccel rendelkező bombát ily módon.''' 'Jamming Beam': text: '''<strong>Támadás:</strong> Támadj meg egy hajót.%LINEBREAK%Ha a támadás talált, rendelj a védekezőhöz 1 zavarás (jam) jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.''' 'Linked Battery': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Mikor az elsődleges vagy %CANNON% másodlagos fegyvereddel támadsz, újradobhatsz egy támadó kockádat.''' 'Saturation Salvo': text: '''Miután végrehajtottál egy támadást egy %TORPEDO% vagy %MISSILE% másodlagos fegyvereddel ami nem tálált, a védekezőtől 1-es távolságban lévő összes hajó, aminek mozgékonyság értéke kisebb, mint a %TORPEDO% vagy %MISSILE% kártya pontértéke, dob egy támadó kockával és elszenvedi a dobott %HIT% vagy %CRIT% sérülést.''' 'Contraband Cybernetics': text: '''Mikor az aktivációs fázisban te leszel az aktív hajó, eldobhatod ezt a kártyát, hogy kapj egy stressz jelzőt. Ha így teszel, a kör végéig végrehajthatsz akciókat és piros manővert még ha stresszes is vagy.''' 'Maul': text: '''<span class="card-restriction">Csak söpredék.</span> <span class="card-restriction">Figylemen kívül hagyhatod ezt a korlátozást, ha a csapat tagja "Ezra Bridger".</span>%LINEBREAK%Támadáskor, ha nem vagy stresszelve, kaphatsz annyi stressz jelzőt, amennyi kockát újradobsz. Miután a végrehajtott támadás talált, levehetsz 1 stressz jelzőt.''' 'Courier Droid': text: '''A hajók lehelyezése lépés kezdetén, eldöntheted, hogy "0" vagy "8" PS-űként kezeled a hajód, ezen lépés végéig.''' '"Chopper" (Astromech)': text: '''<strong>Akció: </strong>Dobj el egy felszerelt fejlesztés kártyát, hogy visszatölts egy pajzsot.''' 'Flight-Assist Astromech': text: '''Nem hajthatsz végre támadást a tűzíveden kívül.%LINEBREAK%Miután végrehajtottál egy manővert és a hajód nem kerül átfedésbe akadállyal vagy egy másik hajóval és nincs ellenséges hajó a tűzívedben 1-3-as távolságban végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.''' 'Advanced Optics': text: '''Nem lehet több, mint 1 %FOCUS% jelződ. A befejező fázisban ne vedd le a megmaradt %FOCUS% jelzőt a hajódról.''' 'Scrambler Missiles': text: '''<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást.%LINEBREAK% Ha a támdás talált, a védekező és attól minden 1-es távolságban lévő hajó kap egy jam jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.''' 'R5-TK': text: '''Baráti hajóra is tehetsz célpontbemérőt. Támadhatsz baráti hajót.''' 'Threat Tracker': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Mikor egy ellenséges hajó a tűzívedben 1-2-es távolságban a harci fázisban aktiválódik, elköltheted a rajta lévő célpontbemérődet, hogy végrehajts egy %BOOST% vagy %BARRELROLL% akciót, ha az rajta van az akciósávodon.''' 'Debris Gambit': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%<strong>Akció:</strong> Adjál 1 %EVADE% jelzőt a hajódhoz minden 1-es távolságban lévő akadály után, de maximum kettőt.''' 'Targeting Scrambler': text: '''A tervezési fázis kezdetén kaphatsz egy "inaktív fegyverzet" jelzőt, hogy választhass egy hajót 1-3 távolságban, amihez hozzárendeled a "Scrambled" kondíciót.''' 'Death Troopers': text: '''Miután egy másik baráti hajó 1-es távolságban védekezővé válik és benne vagy a támadó tűzívében 1-3-as távolságban, a támadó kap egy stressz jelzőt.''' 'Saw Gerrera': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Támadáskor elszenvedhetsz egy sérülést, hogy az összes %FOCUS% dobásod átforgathatsd %CRIT%-re.''' 'Director Krennic': text: '''A hajók felhelyezése fázisban, rendeld hozzá az "Optimized Prototype" kondíciót egy baráti Galactic Empire hajóhoz aminek 3 vagy kevesebb pajzsa van.''' 'Magva Yarro': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Védekezés után tehetsz egy célpontbemérőt a támadóra.''' 'Renegade Refit': text: '''<span class="card-restriction">Csak T-65 X-Wing és U-Wing.</span>%LINEBREAK%Felszrelhetsz két különböző módosítás fejlesztést.%LINEBREAK%Minden felszerelt %ELITE% fejlesztés 1 ponttal kevesebbe kerül (minimum 0).''' 'Tactical Officer': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Az akciósávod megkapja a %COORDINATE% akciót.''' 'ISB Slicer': text: '''Miután végrehajtottál egy zavarás akciót egy elleséges hajó ellen, választhatsz egy attól 1-es távolságban lévő hajót amin nincs zavarás jelző és adhatsz neki egyet.''' 'Thrust Corrector': text: '''Védekezéskor, ha 3 vagy kevesebb stressz jelződ van, kaphatsz 1 stressz jelzőt, hogy érvénytelenítsd az összes dobásod. Ha így teszel, adj 1 %EVADE% eredményt a dobásaidhoz. A kockáid nem módosíthatók újra ezen támadás alatt.%LINEBREAK%Ez a fejlesztés csak akkor szerelhető fel ha a szerkeszeti erősséged (hull) 4 vagy kisebb.''' modification_translations = "Stealth Device": name: "Stealth Device (Lopakodó eszköz)" text: """Növeld eggyel a mozgékonyság értékedet. Ha egy támadás eltalál, dobd el ezt a fejlesztés kártyát. [FAQ]""" "Shield Upgrade": text: """Növeld eggyel a pajzsod értékét.""" "Engine Upgrade": text: """Az akció sávod megkapja a %BOOST% akció ikont.""" "Anti-Pursuit Lasers": text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Miután egy ellenséges hajó végrehajtotta a manőverét, ami átlapolást eredményezett a te hajóddal, dobj egy támadó kockával. %HIT% vagy %CRIT% eredmény esetén az ellenséges hajó elszenved 1 sérülést. [FAQ]""" "Targeting Computer": text: """Az akciósávod megkapja a %TARGETLOCK% akció ikont.""" "Hull Upgrade": text: """Eggyel növeld a hajód szerkezeti értékét.""" "Munitions Failsafe": text: """Amikor egy olyan másodlagos fegyverrel támadsz, ami eldobatná veled a fegyver lapját, nem kell eldobnod, csak ha a támadásod talált.""" "Stygium Particle Accelerator": text: """Amikor végrehajtod az álcázás akciót vagy leveszed az álcát, végrehajthatsz egy szabad kitérés akciót. [FAQ]""" "Advanced Cloaking Device": text: """<span class="card-restriction">Csak TIE Phantom.</span>%LINEBREAK%Miután végrehajtottál egy támadást, végrehajthatsz egy szabad álcázás akciót. [FAQ]""" "Combat Retrofit": text: """<span class="card-restriction">Csak GR-75. Csak óriás hajók.</span>%LINEBREAK%Növeld a hajód szerkezeti értékét kettővel, a pajzsát meg eggyel.""" "B-Wing/E2": text: """<span class="card-restriction">Csak B-Wing.</span>%LINEBREAK%Csak B-Wing. Módosítás. A fejlesztés sávod megkapja a %CREW% fejlesztés ikont.""" "Countermeasures": text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%A harci fázis elején eldobhatod ezt a kártyát, hogy eggyel megnöveld a mozgékonyság értékedet a kör végéig. Levehetsz egy ellenséges célpontbemérő jelzőt a hajódról.""" "Experimental Interface": text: """Körönként egyszer, miután végrehajtottál egy akciót, végrehajthatsz egy ingyen akciót egy "<strong>Action:</strong>" fejléccel rendelkező fejlesztés kártyáról. Ezután kapsz egy stressz jelzőt. [FAQ]""" "Tactical Jammer": name: "Tactical Jammer (Taktikai blokkoló)" text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%A hajód képes az ellenfél támadásait akadályozni.""" "Autothrusters": text: """Védekezéskor, ha a támadó tüzelési szögében 2-es távolságon túl, vagy a tüzelési szögén kívül tartózkodsz, egy üres dobásod %EVADE%-re módosíthatod. Ezt a kártyát csak akkor szerelheted fel a hajódra, ha van %BOOST% képessége. [FAQ]""" "Advanced SLAM": text: """A SLAM akció végrehajtása után, ha a hajód nem kerül átfedésbe egy akadállyal vagy egy másik hajóval, végrehajthatsz egy ingyen akciót az akciósávodról. [FAQ]""" "Twin Ion Engine Mk. II": text: """<span class="card-restriction">Csak TIE.</span>%LINEBREAK%Minden enyhe fordulód (%BANKLEFT% vagy %BANKRIGHT%) zöld manővernek számít.""" "Maneuvering Fins": text: """<span class="card-restriction">Csak YV-666.</span>%LINEBREAK%A manővertárcsád felfedésekor, ha egy %TURNLEFT% vagy %TURNRIGHT% fordulót hajtanál végre, a tárcsád átforgathatod egy annak megfelelő sebességű %BANKLEFT% vagy %BANKRIGHT% manőverre.""" "Ion Projector": text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Ha egy ellenséges hajó olyan manővert hajt végre, ami miatt átfedésbe kerül a hajóddal, dobj 1 támadó kockával. %HIT% vagy %CRIT% dobás esetén az ellenséges hajó 1 ion jelzőt kap.""" 'Integrated Astromech': text: '''<span class="card-restriction">Csak X-wing.</span>%LINEBREAK%Mikor kapsz egy sérülés kártyát, eldobhatsz egy %ASTROMECH% fejlesztés kártyádat, hogy eldobhasd a sérülés kártyát. [FAQ]''' 'Optimized Generators': text: '''<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Körönként egyszer, mikor kiosztasz egy energiát egy felszerelt fejlesztés kártyádra, kapsz 2 energiát.''' 'Automated Protocols': text: '''<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Körönként egyszer, miután végrehajtottál egy akciót ami nem recover vagy reinforce akció, költhetsz egy energiát, hogy végrehajts egy ingyen recover vagy reinforce akciót.''' 'Ordnance Tubes': text: '''<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Kezelhetsz minden egyes %HARDPOINT% fejlesztés ikonodat mint %TORPEDO% vagy %MISSILE% ikon.%LINEBREAK%Mikor az at utasítás, hogy dobd el a %TORPEDO% vagy %MISSILE% kátyát, nem kell megtenned.''' 'Long-Range Scanners': text: '''Feltehetsz célpontbemérőt 3 vagy azon túli távolságban lévő hajóra. Viszont nem teheted meg 1-2 távolságban lévőkre. Csak akkor hasznáhatod ezt a lapot, ha %TORPEDO% és %MISSILE% ikon is van a fejlesztés sávodon.''' "Guidance Chips": text: """Körönként egyszer, mikor %TORPEDO% vagy %MISSILE% másodlagos fegyverrel támadsz, 1 dobást megváltoztathatsz %HIT% eredményre (vagy %CRIT%-re ha az elsődleges fegyver értéked 3 vagy nagyobb).""" 'Vectored Thrusters': name: "Vectored Thrusters (Vektorhajtómű)" text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%<em>(Vektorhajtómű)</em> Az akciósávod megkapja a %BARRELROLL% akció ikont.''' 'Smuggling Compartment': text: '''<span class="card-restriction">Csak YT-1300 és YT-2400.</span>%LINEBREAK%A fejlesztés sávod megkapja az %ILLICIT% ikont.%LINEBREAK%Felszerelhetsz még egy módosítás fejlesztést is ami nem több, mint 3 pont.''' 'Gyroscopic Targeting': name: "Gyroscopic Targeting (Giroszkópos célzórendszer)" text: '''<span class="card-restriction">Csak Lancer-class Pursuit Craft.</span>%LINEBREAK%Ha ebben a körben 3, 4 vagy 5-ös sebességű manővert hajtottál végre, a harci fázisod végén átforgathatod a változtatható tüzelési szöged.''' 'Captured TIE': text: '''<span class="card-restriction">Csak TIE Fighter. Csak lázadók.</span> %LINEBREAK%Kisebb pilótaképzettségű ellenséges hajók nem tudnak célpontként megjelölni. Miután végrehajtottál egy támadást vagy csak ez a hajó maradt, dobd el ezt a kártyát.''' 'Spacetug Tractor Array': text: '''<span class="card-restriction">Csak Quadjumper.</span>%LINEBREAK%<strong>Akció:</strong> Válassz egy hajót a tüzelési szögedban 1 távolságban és rakj rá egy vonósugár jelzőt. Ha ez baráti hajó, a vonósugár hatást érvényesítsd rajta, mintha ellenséges hajó lenne.''' 'Lightweight Frame': name: "Lightweight Frame (Könnyített szerkezet)" text: '''<span class="card-restriction">Csak TIE.</span>%LINEBREAK%Védekezéskor, védekező kockák dobása után, ha több támadó kocka volt, mint védekező, dobj még egy védekező kockával.%LINEBREAK%Nem használhatod, ha az mozgékonyságod 3 vagy nagyobb.''' 'Pulsed Ray Shield': text: '''<span class="card-restriction">Csak lázadó és söpredék.</span>%LINEBREAK%A befejező fázis alatt kaphatsz 1 ion jelzőt, hogy visszatölthess 1 pajzsot (az eredeti értékig). Csak akkor használhatod ezt a kártyát, ha a pajzs értéked 1.''' 'Deflective Plating': text: '''<span class="card-restriction">Csak B/SF-17 Bomber.</span>%LINEBREAK%Mikor egy baráti bomba felrobban, nem kell elszenvedned a hatását. Ha így teszel, dobbj egy támadó kockával. %HIT% eredménynél dobd el ezt a kártyát.''' 'Servomotor S-Foils': text: '''<span class="card-restriction">Csak T-65 X-Wing.</span> <span class="card-restriction">Kettős kártya.</span>%LINEBREAK%<strong>A oldal (Attack):</strong>Az akciósávod megkapja a %BARRELROLL% ikont. Ha nem vagy stresszes, mikor felfedsz egy (%TURNLEFT% 3) vagy (3 %TURNRIGHT%) manővert, kezelheted úgy mint piros (%TROLLLEFT% 3) vagy (%TROLLRIGHT% 3) a megfeleltethető irányban.%LINEBREAK%Az aktivációs fázis kezdetén átfordíthatod ezt a kártyát.%LINEBREAK%<strong>B oldal (Closed):</strong>Csökkentsd az elsődleges támadási értékedet eggyel. Az akciósávod megkapja a %BOOST% ikont. A (%BANKLEFT% 2) és (%BANKRIGHT% 2 ) mozgást kezeld zöldként.%LINEBREAK%Az aktivációs fázis kezdetén átfordíthatod ezt a kártyát.''' 'Multi-spectral Camouflage': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Miután kapsz egy piros célpontbemérő jelzőt, ha csak 1 ilyen jelződ van, dobj egy védekező kockával. %EVADE% dobás esetén vegyél le egy piros célpontbemérő jelzőt a hajódról.''' title_translations = "Slave I": text: """<span class="card-restriction">Csak Firespray-31.</span>%LINEBREAK%A fejlesztés sávod kap egy %TORPEDO% fejlesztés ikont.""" "Millennium Falcon": text: """<span class="card-restriction">Csak YT-1300.</span>%LINEBREAK%Az akció sávod megkapja a %EVADE% ikont.""" "Moldy Crow": text: """<span class="card-restriction">Csak HWK-290.</span>%LINEBREAK%A Befejező fázisban ne vedd le a hajóról az el nem használt fókusz jelzőket.""" "ST-321": text: """<span class="card-restriction">Csak Lambda-Class Shuttle.</span>%LINEBREAK%Amikor végrehajt egy célpont bemérése akciót, akkor a játéktéren lévő bármely ellenséges hajót bemérheti.""" "Royal Guard TIE": text: """<span class="card-restriction">Csak TIE Interceptor.</span>%LINEBREAK%A hajód 2 módosítás fejlesztés kártyát kaphat (1 helyett). Nem rendelheted ezt a kártyát a hajódhoz, ha a pilótaképzettséged "4" vagy kevesebb.""" "Dodonna's Pride": text: """<span class="card-restriction">Csak CR90 elülső része.</span>%LINEBREAK%Amikor egy összehangolt akciót hajtasz végre, 2 baráti hajót választhatsz 1 helyett. A választott hajók végrehajthatnak egy ingyen akciót.""" "A-Wing Test Pilot": text: """<span class="card-restriction">Csak A-Wing.</span>%LINEBREAK%A fejlesztés sávod kap egy %ELITE% ikont. Nem tehetsz a hajóra 2 ugyanolyan %ELITE% fejlesztés kártyát. Nem használhatod ezt a fejlesztés kártyát, ha a pilótád képzettsége "1" vagy kisebb.""" "Tantive IV": text: """<span class="card-restriction">Csak CR90 elülső része.</span>%LINEBREAK%Az elülső rész fejlesztés sávja kap 1 %CREW% és 1 %TEAM% ikont.""" "Bright Hope": text: """<span class="card-restriction">Csak GR-75.</span>%LINEBREAK%A hajó elülső részéhez rendelt megerősítés jelző két %EVADE%-t ad (egy helyett).""" "Quantum Storm": text: """<span class="card-restriction">Csak GR-75.</span>%LINEBREAK%Ha a befejező fázis kezdetekor 1 vagy kevesebb energia jelződ van, kapsz 1 energia jelzőt.""" "Dutyfree": text: """<span class="card-restriction">Csak GR-75.</span>%LINEBREAK%Amikor egy zavarás akciót hajtasz végre, 1-3 távolságra lévő ellenséges hajót választhatsz (1-2 távolságra lévő helyett).""" "Jaina's Light": text: """<span class="card-restriction">Csak a CR90 elülső része.</span>%LINEBREAK%Ha védekezel, támadásonként egyszer, ha felfordított sérülés kártyát kapnál (kritikus sebzés után), eldobhatod és új felfordított sérülés kártyát húzhatsz helyette.""" "Outrider": text: """<span class="card-restriction">Csak YT-2400.</span>%LINEBREAK%Amíg van egy %CANNON% fejlesztés kártyád a hajódon, nem támadhatsz az elsődleges fegyvereddel, viszont a tüzelési szögeden kívüli hajókat a másodlagos %CANNON% fegyvereddel megtámadhatod.""" "Dauntless": text: """<span class="card-restriction">Csak VT-49 Decimator.</span>%LINEBREAK%Ha egy manőver végrehajtása után átfedésbe kerülsz egy másik hajóval, végrehajthatsz 1 szabad akciót. Ezután kapsz egy stressz jelzőt. [FAQ]""" "Virago": text: """<span class="card-restriction">Csak StarViper.</span>%LINEBREAK%A fejlesztési sávod megkapja a %SYSTEM% és az %ILLICIT% fejlesztés ikonokat. Nem használhatod ezt a kártyát, ha a pilóta képességed 3 vagy kevesebb.""" '"Heavy Scyk" Interceptor (Cannon)': text: """<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%A fejlesztési sávod megkapja az %CANNON%, %TORPEDO% vagy %MISSILE% ikont.%LINEBREAK%Növeld a szerkeszeti erősséged (hull) eggyel. [FAQ]""" '"Heavy Scyk" Interceptor (Torpedo)': text: """<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%A fejlesztési sávod megkapja az %CANNON%, %TORPEDO% vagy %MISSILE% ikont.%LINEBREAK%Növeld a szerkeszeti erősséged (hull) eggyel. [FAQ]""" '"Heavy Scyk" Interceptor (Missile)': text: """<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%A fejlesztési sávod megkapja az %CANNON%, %TORPEDO% vagy %MISSILE% ikont.%LINEBREAK%Növeld a szerkeszeti erősséged (hull) eggyel. [FAQ]""" "IG-2000": text: """<span class="card-restriction">Csak Aggressor. Csak söpredék.</span>%LINEBREAK%Megkapod az összes IG-2000 fejlesztés kártyával rendelkező hajód pilóta képességét (a saját pilótaképességeden felül). [FAQ]""" "BTL-A4 Y-Wing": text: """<span class="card-restriction">Csak Y-Wing.</span>%LINEBREAK%Nem támadhatod meg a tüzelési íveden kívül eső hajókat. Miután támadtál az elsődleges fegyvereddel, azonnal támadhatsz a %TURRET% másodlagos fegyvereddel is.""" "Andrasta": text: """<span class="card-restriction">Csak Firespray-31.</span>%LINEBREAK%A fejlesztés sávod kap két további %BOMB% fejlesztés ikont.""" "TIE/x1": text: """<span class="card-restriction">Csak TIE Advanced.</span>%LINEBREAK%Az akció sávod megkapja a %SYSTEM% fejlesztés ikont. Ha a hajódra %SYSTEM% fejlesztés kártyát teszel, a hajó pontértéke 4-gyel csökken (minimum 0-ig). [FAQ]""" "Hound's Tooth": text: """<span class="card-restriction">Csak YV-666.</span>%LINEBREAK%Amikor ez a hajó megsemmisül, mielőtt levennéd a játéktérről, <strong>leteheted Nashtah Pup</strong> pilótát. Ebben a körben nem támadhat.""" "Ghost": text: """<span class="card-restriction">Csak VCX-100.</span>%LINEBREAK%Szerelj fel a <em>Phantom</em> kártyával egy baráti Attack Shuttle-t és dokkold a hajóhoz.%LINEBREAK%Miután végrehajtottál egy manővert, harcba küldheted, a hátsó bütykeidtől indítva.""" "Phantom": text: """Míg dokkolva vagy, a <em>Ghost</em> lőhet az elsődleges fegyverével a speciális tüzelési szögen és a harci fázis végén végrehajthat egy plusz támadást a felszerelt %TURRET% fegyverrel.Ha végrehatotta ezt a támadást, nem támadhat újra ebben a körben.""" "TIE/v1": text: """<span class="card-restriction">Csak TIE Advanced Prototype.</span>%LINEBREAK%Miután feltettél egy célbemérrőt, végrehajthatsz egy ingyen %EVADE% akciót. [FAQ]""" "Mist Hunter": text: """<span class="card-restriction">Csak G-1A starfighter.</span>%LINEBREAK%Az akciósávod megkapja a %BARRELROLL% ikont.%LINEBREAK%Fel <strong>kell</strong> szerelned 1 Tractor Beam fejlesztést (megfizetve a költségét).""" "Punishing One": text: """<span class="card-restriction">Csak JumpMaster 5000.</span>%LINEBREAK%Növeld az elsődleges fegyver értékét eggyel.""" "Assailer": text: """<span class="card-restriction">Csak Raider-osztályú korvett tat része.</span>%LINEBREAK%Védekezésnél, ha a becélzott részen van egy megerősítés jelző, 1 %FOCUS% dobásodat %EVADE%-re módosíthatod.""" "Instigator": text: """<span class="card-restriction">Csak Raider-osztályú korvett tat része.</span>%LINEBREAK%Miután végrehajtottál egy visszanyerés akciót, további 1 pajzsot kapsz.""" "Impetuous": text: """<span class="card-restriction">Csak Raider-osztályú korvett tat része.</span>%LINEBREAK%Ha egy támadásod során egy ellenséges hajó megsemmisül, utána végrehajthatsz egy célpont bemérése akciót.""" 'TIE/x7': text: '''<span class="card-restriction">Csak TIE Defender.</span>%LINEBREAK%A fejlesztés sávod elveszti a %CANNON% és %MISSILE% ikonokat.%LINEBREAK%Miután végrehajtottál egy 3, 4 vagy 5 sebességű manővert és nem kerülsz átfedésbe akadállyal vagy hajóval, végrehajthatsz egy ingyenes %EVADE% akciót.''' 'TIE/D': text: '''<span class="card-restriction">Csak TIE Defender.</span>%LINEBREAK%Körönként egyszer, miután végrehajtottál egy támadást a %CANNON% másodlagos fegyvereddel ami 3 vagy kevesebb pontba került, végrehajthatsz egy elsődleges fegyver támadást.''' 'TIE Shuttle': text: '''<span class="card-restriction">Csak TIE Bomber.</span>%LINEBREAK%A fejlesztés sávod elveszti az összes %TORPEDO%, %MISSILE% és %BOMB% ikont és kap 2 %CREW% ikont. Nem használhatsz 4 pontnál drágább %CREW% fejlesztést kártyát.''' 'Requiem': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Mikor harca küldesz egy hajót, kezeld a pilóta képzettségét 8-asnak a kör végéig.''' 'Vector': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Miután végrehajtottál egy manővert, harba indíthatod mind a 4 hajód, (nem csak 2-t).''' 'Suppressor': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Körönként egyszer, miután kiosztottál egy célpontbemérőt, levehetsz 1 %FOCUS%, %EVADE% vagy kék célpontbemérő jelzőt arról a hajóról.''' 'Black One': text: '''Miután végrehajtottál egy %BOOST% vagy %BARRELROLL%, levehetsz egy ellenséges célpontbemérőt egy 1 távolságban lévő baráti hajóról. Nem használhatod ezt a kártyát, ha a pilóta képzettsége 6 vagy alacsonyabb.''' 'Millennium Falcon (TFA)': text: '''Miután végrehajtottál egy 3-as sebességű (%BANKLEFT% vagy %BANKRIGHT%) manővert és nem érintkezel másik hajóval és nem vagy stresszes, kaphatsz egy stressz tokent, hogy 180 fokban megfordítsd a hajód''' 'Alliance Overhaul': name: "Alliance Overhaul (Szövetségi felújítás)" text: '''<span class="card-restriction">Csak ARC-170.</span>%LINEBREAK%Mikor az elsődleges fegyvereddel támadsz az elsődleges tüzelési szögedben, plusz 1 támadó kockával dobhatsz. Mikor a kiegészítő tüzelési szögedből támadsz 1 %FOCUS% találadod %CRIT%-re változtathatod.''' 'Special Ops Training': text: '''<span class="card-restriction">Csak TIE/sf.</span>%LINEBREAK%Mikor az elsődleges fegyvereddel támadsz az elsődleges tüzelési szögedben, plusz 1 támadó kockával dobhatsz. Ha nem így teszel, végrehajthatsz egy plusz támadást a hátsó tüzelési szögedből.''' 'Concord Dawn Protector': text: '''<span class="card-restriction">Csak Protectorate Starfighter.</span>%LINEBREAK%Védekezéskor, ha a támadóval egymás tüzelési szögében vagytok 1-es távolságon belül, adj egy %EVADE% eredményt a dobásodhoz.''' 'Shadow Caster': name: "Shadow Caster (Árnyékvető)" text: '''<span class="card-restriction">Csak Lancer-class Pursuit Craft.</span>%LINEBREAK%Miután végrehajtottál egy támadást ami talált és a védekező a változtatható tüzelési szögedben van 1-2 távolságban, adhatsz a védekezőnek egy vonósugár jelzőt.''' # Wave X '''Sabine's Masterpiece''': text: '''<span class="card-restriction">Csak TIE Fighter. Csak lázadók</span>%LINEBREAK%A fejlesztés sévod kap egy %CREW% és %ILLICIT% ikont.''' '''Kylo Ren's Shuttle''': text: '''<span class="card-restriction">Csak Upsilon-class Shuttle.</span>%LINEBREAK%A harci fázis végén válassz egy nem stresszelt ellenséges hajót 1-2 távolságban. A gazdájának stressz tokent kell adnia ennek vagy tőle 1-2 távolságban lévő hajónak, amit ő irányít.''' '''Pivot Wing''': name: "Pivot Wing (Támasztékszárny)" text: '''<span class="card-restriction">Csak U-Wing. Kettős kártya</span>%LINEBREAK%<strong>A oldal (támadás):</strong> Növeld a mozgékonyságod eggyel.%LINEBREAK%Miután végrehajtottál egy manővert átfogathatod a kártyát.%LINEBREAK%<strong>B oldal (landolás):</strong> Mikor felfedsz egy (0 %STOP%) manővert, elforgathatod a hajót 180 fokban.%LINEBREAK%Miután végrehajtottál egy manővert átfogathatod a kártyát.''' '''Adaptive Ailerons''': name: "Adaptive Ailerons (Adaptív csűrőlapok)" text: '''<span class="card-restriction">Csak TIE Striker.</span>%LINEBREAK%Közvetlenül a tárcsád felfedése előtt, ha nem vagy stresszelve, végre <strong>kell</strong> hajtanod egy fehér (%BANKLEFT% 1), (%STRAIGHT% 1) vagy (%BANKRIGHT% 1) manővert. [FAQ]''' # C-ROC '''Merchant One''': text: '''<span class="card-restriction">Csak C-ROC Cruiser.</span>%LINEBREAK%A fejlesztés sávod kap egy plusz %CREW% és %TEAM% ikont, de elveszti a %CARGO% ikont.''' '''"Light Scyk" Interceptor''': text: '''<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%Minden sérülés kártyát felfordítva kapsz. A (%BANKLEFT% és %BANKRIGHT%) manőverek zöldnek számítanak. Nem kaphatsz módosítás fejlesztést.''' '''Insatiable Worrt''': text: '''Miután végrehajtottad a recover akciót, szerzel 3 energiát.''' '''Broken Horn''': text: '''Védekezéskor, ha van reinforce jelződ, kaphatsz egy további %EVADE% eredményt. Ha így teszel, védekezés után dobd el a reinforce jelzőt.''' 'Havoc': text: '''<span class="card-restriction">Csak Scurrg H-6 Bomber.</span>%LINEBREAK%A fejlesztés sávod megkapja a %SYSTEM% és %SALVAGEDASTROMECH% ikont, de elveszti a %CREW% ikont. Csak egyedi %SALVAGEDASTROMECH% fejlesztés kártyákat használhatsz.''' 'Vaksai': text: '''<span class="card-restriction">Csak Kihraxz Fighter.</span>%LINEBREAK%Minden felrakott fejlesztés ára 1 ponttal csökken. Felszerelhetsz 3 különböző módosítás fejlesztést.''' 'StarViper Mk. II': text: '''<span class="card-restriction">Csak StarViper.</span>%LINEBREAK%Felszerelhetsz akár 2 különböző nevesítés fejlesztést. Mikor végrehajtasz egy orsózás akciót, a (%BANKLEFT% 1) vagy (%BANKRIGHT% 1) sablonokat <strong>kell</strong> használnod a (%STRAIGHT% 1) helyett.''' 'XG-1 Assault Configuration': text: '''<span class="card-restriction">Csak Alpha-class Star Wing.</span>%LINEBREAK%A fejlesztősávod megkap 2 %CANNON% ikont. Akkor is végrehajthatsz a 2 vagy kevesebb pontértékű %CANNON% másodlagos fegyvereddel támadást, ha "inaktív fegyverzet" jelző van rajtad.''' 'Enforcer': text: '''<span class="card-restriction">Csak M12-L Kimogila Fighter.</span>%LINEBREAK%Védekezéskor, ha a támadó a bullseye tűzívedben van, kap egy stressz jelzőt.''' 'Ghost (Phantom II)': text: '''<span class="card-restriction">Csak VCX-100.</span>%LINEBREAK%Equip the <em>Phantom II</em> title card to a friendly <em>Sheathipede</em>-class shuttle and dock it to this ship.%LINEBREAK%After you execute a maneuver, you may deploy it from your rear guides.''' 'Phantom II': text: '''Míg dokkolva vagy, a <em>Ghost</em> végrehajthat elsődleges fegyver támadást a speciális tűzívéből. Míg dokkolva vagy, az aktivációs fázis végén a <em>Ghost</em> végrehajthat egy ingyenes koordinálás akciót.''' 'First Order Vanguard': text: '''<span class="card-restriction">Csak TIE Silencer.</span>%LINEBREAK%Támadáskor, ha a védekező az egyetlen hajó a tűzívedben 1-3 távolságban, újradobhatsz 1 támadó kockát. Védekezéskor eldobhatod ezt a kártyát, hogy újradobd az összes védő kockádat.''' 'Os-1 Arsenal Loadout': text: '''<span class="card-restriction">Csak Alpha-class Star Wing.</span>%LINEBREAK%A fejlesztősávod kap egy-egy %TORPEDO% és %MISSILE% ikont. Akkor is végrehajthatsz %TORPEDO% és %MISSILE% másodlagos fegyver támadást bemért hajó ellen, ha "inaktív fegyverzet" jelződ van.''' 'Crossfire Formation': text: '''<span class="card-restriction">Csak B/SF-17 Bomber.</span>%LINEBREAK%Védekezéskor, ha legalább egy másik baráti Ellenállás hajó van 1-2-es távolságra a támadótól, adhatsz egy %FOCUS% eredmény a dobásodhoz.''' 'Advanced Ailerons': text: '''<span class="card-restriction">Csak TIE Reaper.</span>%LINEBREAK%Kezeld a (%BANKLEFT% 3) és (%BANKRIGHT% 3) manővert fehérként.%LINEBREAK%Tárcsa felfedés előtt, ha nem vagy stresszes, végre KELL hajtadod egy (%BANKLEFT% 1), (%STRAIGHT% 1) vagy (%BANKRIGHT% 1) manővert.''' condition_translations = '''I'll Show You the Dark Side''': text: '''Mikor a kártya kihelyezésre kerül, ha nem volt már játékban, a játékos aki hozzárendeli, keressen a sérülés pakliban egy <strong><em>Pilóta</em></strong> kártyát és csapja fel erre a kártyára. Aztán keverje meg a sérülés paklit.%LINEBREAK%Amikor kapsz egy kritikus sérülést támadás közben, az ezen lévő kritikus sérülést szenveded el. Ha nincs sérülés kártya ezen a kártyán, távolítsd el.''' 'Suppressive Fire': text: '''Ha más hajót támadsz mint "Captain Rex", egy támadó kockával kevesebbel dobsz.%LINEBREAK%Ha a támadásod célpontja "Captain Rex" vagy mikor "Captain Rex" megsemmisül, vedd le ezt a kártyát.%LINEBREAK%A harci fázis végén, ha Captain Rex nem hajtott végre támadást ebben a fázisban, vedd le a kártyát.''' 'Fanatical Devotion': text: '''Védekezéskor nem tudsz %FOCUS% jelzőt elkölteni.%LINEBREAK%Támadáskor, ha %FOCUS% jelzőt költenél, hogy az összes %FOCUS% dobást átfogasd %HIT%-re, tedd az első %FOCUS% dobásod félre. A félretett immár %HIT% dobás nem semlegesíthető védő kockával, de a védekező a %CRIT% dobásokat semlegesítheti elébb.%LINEBREAK%A befejező fázis alatt vedd le ezt a kártyát.''' 'A Debt to Pay': text: '''Az "A Score to Settle" fejlesztés kártyával rendelkező hajót támadva, átforgathatsz egy %FOCUS% dobást %CRIT%-re.''' 'Shadowed': text: '''"Thweek" úgy kezelendő, mintha rendelkezne a felrakás után pilóta erősségeddel. Az átvett PS érték nem változik, ha a hajónak változna a PS-e vagy megsemmisülne.''' 'Mimicked': text: '''"Thweek" úgy kezelendő, mintha rendelkezne a pilóta képességeddel. "Thweek" nem használhat kondíciós kártyát a szerzett pilóta képessége által. Valamint nem veszíti el ezt a képességet, ha a hajó megsemmisül.''' 'Harpooned!': text: '''Mikor egy támadásból találat ér, amiben legalább 1 kivédetlen %CRIT% van, minden 1-es távolságban lévő hajó elszenved 1 sérülést. Aztán dobd el ezt a lapot és kapsz egy lefordított sérülés kártyát.%LINEBREAK%Mikor megsemmisülsz, minden 1-es távolságban lévő hajó elszenved 1 sérülést%LINEBREAK%<strong>Akció:</strong> dobd el ezt a kártyát. Dobj egy támadás kockával, %HIT% vagy %CRIT% esetén elszenvedsz egy sérülést.''' 'Rattled': text: '''Mikor bombától szenvedsz sérülést, elszenvedsz egy további kritikus sérülést is. Aztán vedd le ezt a kártyát.%LINEBREAK%<strong>Akció:</strong> Dobj egy támadó kockával. %FOCUS% vagy %HIT% eredménynél vedd le ezt a kártyát.''' 'Scrambled': text: '''Mikor 1-es távolságban támadsz egy hajót, amint "Targeting Scrambler" fejlesztés van, nem módosíthatod a támadó kockáidat. A harci fázis végén vedd le ezt a kártyát.''' 'Optimized Prototype': text: '''Növeld a pajzs értéket eggyel.%LINEBREAK%Körönként egyszer, mikor végrehajtasz egy támadást az elsődleges fegyvereddel, elkölthetsz egy dobás eredményt, hogy levegyél egy pajzsot a védekezőről.%LINEBREAK%Miután végrehajtottál egy támadást az elsődleges fegyvereddel, egy baráti hajó 1-2-es távolságban a "Director Krennic" fejlesztéssel felszerelve, feltehet egy célpontbemérőt a védekezőre.''' exportObj.setupCardData basic_cards, pilot_translations, upgrade_translations, modification_translations, title_translations, condition_translations
18437
exportObj = exports ? this exportObj.codeToLanguage ?= {} exportObj.codeToLanguage.hu = 'Magyar' exportObj.translations ?= {} # This is here mostly as a template for other languages. exportObj.translations.Magyar = action: "Barrel Roll": "Orsózás" "Boost": "Gyorsítás" "Evade": "Kitérés" "Focus": "Fókusz" "Target Lock": "Célpontbemérő" "Recover": "Recover" "Reinforce": "Reinforce" "Jam": "Jam" "Coordinate": "Coordinate" "Cloak": "Álcázás" "SLAM": "SLAM" slot: "Astromech": "Asztrodroid" "Bomb": "Bomba" "Cannon": "Ágyú" "Crew": "Személyzet" "Elite": "Elit" "Missile": "Rakéta" "System": "Rendszer" "Torpedo": "Torpedó" "Turret": "Löveg" "Cargo": "Rakomány" "Hardpoint": "Fegyverfelfüggesztés" "Team": "Csapat" "Illicit": "Illegális" "Salvaged Astromech": "Zsákmányolt Astromech" sources: # needed? "Core": "Core" "A-Wing Expansion Pack": "A-Wing Expansion Pack" "B-Wing Expansion Pack": "B-Wing Expansion Pack" "X-Wing Expansion Pack": "X-Wing Expansion Pack" "Y-Wing Expansion Pack": "Y-Wing Expansion Pack" "Millennium Falcon Expansion Pack": "Millennium Falcon Expansion Pack" "HWK-290 Expansion Pack": "HWK-290 Expansion Pack" "TIE Fighter Expansion Pack": "TIE Fighter Expansion Pack" "TIE Interceptor Expansion Pack": "TIE Interceptor Expansion Pack" "TIE Bomber Expansion Pack": "TIE Bomber Expansion Pack" "TIE Advanced Expansion Pack": "TIE Advanced Expansion Pack" "Lambda-Class Shuttle Expansion Pack": "Lambda-Class Shuttle Expansion Pack" "Slave I Expansion Pack": "Slave I Expansion Pack" "Imperial Aces Expansion Pack": "Imperial Aces Expansion Pack" "Rebel Transport Expansion Pack": "Rebel Transport Expansion Pack" "Z-95 Headhunter Expansion Pack": "Z-95 Headhunter Expansion Pack" "TIE Defender Expansion Pack": "TIE Defender Expansion Pack" "E-Wing Expansion Pack": "E-Wing Expansion Pack" "TIE Phantom Expansion Pack": "TIE Phantom Expansion Pack" "Tantive IV Expansion Pack": "Tantive IV Expansion Pack" "Rebel Aces Expansion Pack": "Rebel Aces Expansion Pack" "YT-2400 Freighter Expansion Pack": "YT-2400 Freighter Expansion Pack" "VT-49 Decimator Expansion Pack": "VT-49 Decimator Expansion Pack" "StarViper Expansion Pack": "StarViper Expansion Pack" "M3-A Interceptor Expansion Pack": "M3-A Interceptor Expansion Pack" "IG-2000 Expansion Pack": "IG-2000 Expansion Pack" "Most Wanted Expansion Pack": "Most Wanted Expansion Pack" "Imperial Raider Expansion Pack": "Imperial Raider Expansion Pack" "Hound's Tooth Expansion Pack": "Hound's Tooth Expansion Pack" "Kihraxz Fighter Expansion Pack": "Kihraxz Fighter Expansion Pack" "K-Wing Expansion Pack": "K-Wing Expansion Pack" "TIE Punisher Expansion Pack": "TIE Punisher Expansion Pack" "The Force Awakens Core Set": "The Force Awakens Core Set" ui: shipSelectorPlaceholder: "Válassz egy hajót" pilotSelectorPlaceholder: "Válassz egy pilótát" upgradePlaceholder: (translator, language, slot) -> "Nincs #{translator language, 'slot', slot} fejlesztés" modificationPlaceholder: "Nincs módosítás" titlePlaceholder: "Nincs nevesítés" upgradeHeader: (translator, language, slot) -> "#{translator language, 'slot', slot} fejlesztés" unreleased: "kiadatlan" epic: "epikus" limited: "limitált" byCSSSelector: # Warnings '.unreleased-content-used .translated': 'Ez a raj kiadatlan dolgokat használ!' '.epic-content-used .translated': 'Ez a raj Epic dolgokat használ!' '.illegal-epic-too-many-small-ships .translated': 'Nem szerepeltethetsz több mint 12 egyforma típusú kis hajót!' '.illegal-epic-too-many-large-ships .translated': 'Nem szerepeltethetsz több mint 6 egyforma típusú nagy hajót!' '.collection-invalid .translated': 'You cannot field this list with your collection!' # Type selector '.game-type-selector option[value="standard"]': 'Standard' '.game-type-selector option[value="custom"]': 'Egyéni' '.game-type-selector option[value="epic"]': 'Epikus' '.game-type-selector option[value="team-epic"]': 'Csapat epikus' # Card browser '.xwing-card-browser option[value="name"]': 'Név' '.xwing-card-browser option[value="source"]': 'Forrás' '.xwing-card-browser option[value="type-by-points"]': 'Típus (pont szerint)' '.xwing-card-browser option[value="type-by-name"]': 'Típus (név szerint)' '.xwing-card-browser .translate.select-a-card': 'Válassz egy kártyát a bal oldali listából.' '.xwing-card-browser .translate.sort-cards-by': 'Kártya rendezés' # Info well '.info-well .info-ship td.info-header': 'Hajó' '.info-well .info-skill td.info-header': 'Skill' '.info-well .info-actions td.info-header': 'Akciók' '.info-well .info-upgrades td.info-header': 'Fejlesztések' '.info-well .info-range td.info-header': 'Hatótáv' # Squadron edit buttons '.clear-squad' : 'Új raj' '.save-list' : 'Mentés' '.save-list-as' : 'Mentés mint…' '.delete-list' : 'Törlés' '.backend-list-my-squads' : 'Raj betöltése' '.view-as-text' : '<span class="hidden-phone"><i class="fa fa-print"></i>&nbsp;Nyomtatás/Nézet mint </span>szöveg' '.randomize' : 'Jó napom van!' '.randomize-options' : 'Véletlenszerű beállítások…' '.notes-container > span' : 'Raj jegyzet' # Print/View modal '.bbcode-list' : 'Másold a BBCode-t és illeszd a fórum hozzászólásba.<textarea></textarea><button class="btn btn-copy">Másolás</button>' '.html-list' : '<textarea></textarea><button class="btn btn-copy">Másolás</button>' '.vertical-space-checkbox' : """Legyen hely a sérülés/fejlesztés kártyáknak <input type="checkbox" class="toggle-vertical-space" />""" '.color-print-checkbox' : """Színes nyomtatás <input type="checkbox" class="toggle-color-print" />""" '.print-list' : '<i class="icon-print"></i>&nbsp;Nyomtatás' # Randomizer options '.do-randomize' : 'Jó napom van!' # Top tab bar '#empireTab' : 'Birodalom' '#rebelTab' : 'Lázadók' '#scumTab' : 'Söpredék' '#browserTab' : 'Kártyák' '#aboutTab' : 'Rólunk' singular: 'pilots': 'Pilóta' 'modifications': 'Módosítás' 'titles': 'Nevesítés' types: 'Pilot': 'Pilóta' 'Modification': 'Módosítás' 'Title': 'Nevesítés' exportObj.cardLoaders ?= {} exportObj.cardLoaders.Magyar = () -> exportObj.cardLanguage = 'Magyar' # Assumes cards-common has been loaded basic_cards = exportObj.basicCardData() exportObj.canonicalizeShipNames basic_cards # English names are loaded by default, so no update is needed exportObj.ships = basic_cards.ships # Names don't need updating, but text needs to be set pilot_translations = "Wedge Antilles": text: """Támadáskor eggyel csökkenti a védekező mozgékonyságát (nem mehet 0 alá).""" "<NAME>": text: """Fókusz felhasználás után áthelyezheted azt egy 1-2 távolságban lévő másik baráti hajóra (ahelyett, hogy eldobnád). [FAQ]""" "Biggs Darklighter": text: """A játék során egyszer, a harci fázis elején választhatsz egy másik baráti hajót 1-es távolságban. A kör végéig nem támadható a kiválasztott hajó, ha Biggs is támadható helyette. [FAQ]""" "Lu<NAME> Skywalker": text: """Védekezéskor egy %FOCUS%-odat átforgathatsz %EVADE%-re.""" '"Dutch" <NAME>': text: """Miután feltettél egy célpontbemérőt, válassz egy másik baráti hajót 1-2 távolságban. A kiválasztott hajó azonnal feltehet egy célpontbemérőt.""" "<NAME>": text: """2-3-as távolságban támadáskor, bármennyi üres kockát újradobhatsz.""" '"Winged Gundark"': text: """1-es távolságban támadáskor, 1 %HIT%-ot átfogathatsz %CRIT%-re.""" '"Night Beast"': text: """Miután végrehajtottál egy zöld manővert, végrehajthatsz egy ingyenes fókusz akciót. [FAQ]""" '"Backstabber"': text: """Mikor a védekező tüzelési szögén kívülről támadsz, plusz 1 támadó kockával dobhatsz. [FAQ]""" '"Dark Curse"': text: """Mikor védekezel, a téged támadó hajó nem használhatja a fókusz jelzőjét vagy dobhatja újra a támadó kockáit. [FAQ]""" '"<NAME>"': text: """Mikor 1-es távolságban támadsz, 1 plusz támadó kockával dobhatsz.""" '"Howlrunner"': text: """Mikor 1-es távolságban lévő másik baráti hajó támad az elsődleges fegyverével, 1 támadó kockáját újradobhatja.""" "<NAME>": text: """Mikor támadásodból felfordítot sérüléskártyát húzna a védekező, húzz te 3-at, válassz ki egyet és add át a védekezőnek. A többit dobd el.""" "<NAME>": text: """Az akció végrehajtása fázisban 2 akciót hajthat végre.""" "\"<NAME>\"": text: """Ha a hajóhoz tartozó sérülés lapok száma egyenlő vagy meghaladja a hajó szerkezeti erősségét, nem semmisül meg a harci fázis végéig. [FAQ]""" "<NAME>": text: """Miután végrehajtottad a támadásod, végrehajthatsz egy ingyen %BOOST% vagy %BARRELROLL% akciót. [FAQ]""" "<NAME>": text: """Mikor kapsz egy stressz jelzőt, kaphatsz egy %FOCUS% jelzőt is.""" "<NAME>": text: """Akkor is végrehajthatsz akciót, ha van stressz jelződ.""" "<NAME>": text: """Olyan célpontot is válaszhatsz, akivel érintkezel, ha az a tüzelési szögedben van.""" "<NAME>": text: """Ha kapsz egy felfordított sérülés kártyát, fordítsd le, így nem fejti ki hatását. [FAQ]""" "<NAME>": text: """Zöld manőver végrehajtása után válassz ki egy másik baráti hajót 1 távolságban. Ez a hajó végrehajthat egy ingyen akciót az akciósávjáról.""" "<NAME>": text: """Támadáskor újradobhatsz a kockákkal, de az összes lehetségessel.""" "<NAME>": text: """Támadásodkor a védekező kap egy stresszt, ha kivéd legalább egy %CRIT% találatot. [FAQ]""" "<NAME>": text: """Ha felfedsz egy (%BANKLEFT%) vagy (%BANKRIGHT%) manővert, átforgathatod hasonló sebességű, de másik irányúra. [FAQ]""" "<NAME>": text: """Mikor támadsz a másodlagos fegyverrel, egy támadó kockát újradobhatsz.""" "<NAME>": text: """Támadásodkor egy %CRIT% dobásod nem védhető ki védő kockával. [FAQ]""" "<NAME>": text: """Támadáskor vagy védekezéskor, ha van legalább 1 stressz jelződ, 1 kockádat újradobhatod.""" "<NAME>": text: '''A támadás fázis kezdetekor válassz egy másik baráti hajót 1-3 távolságban. A fázis végéig a hajó pilótája 12-esnek minősül.''' "<NAME>": text: """A támadás fázis kezdetekor hozzárendelheted egy %FOCUS% jelződ egy másik baráti hajóhoz 1-3 távolságban.""" "<NAME>": text: """Ha egy másik baráti hajó 1-3 távolságban támad és nincs stressz jelződ, kaphatsz egy stressz jelzőt, hogy a másik hajó plusz egy kockával támadhasson. [FAQ]""" "<NAME>": text: """Ha egy másik baráti hajó 1-es távolságban támad a másodlagos fegyverével, újradobhat akár 2 kockával is. [FAQ]""" "<NAME>": text: """Mikor másodlagos fegyverrel támadsz, növelheted vagy csökkentheted a fegyver hatótávját eggyel (az 1-3 határon belül).""" "<NAME>": text: """Ha egy ellenséges hajó célpontbemérőt tesz más hajóra, a te hajódon kell végezze, ha az lehetséges. [FAQ]""" "<NAME>": text: """A támadás fázis kezdetekor a célpontbemérőd átadhatod egy baráti hajónak 1-es távolságban, ha neki még nincsen. [FAQ]""" "<NAME>": text: """Ha egy másik baráti hajó 1-2 távolságban egy stressz jelzőt kap és neked 2 vagy kevesebb van, megkaphatod helyette. [FAQ]""" "<NAME>": text: """%BARRELROLL% akció végrehajtásakor, kaphatsz egy stressz jelzőt, hogy az (%STRAIGHT% 1) helyett a (%BANKLEFT% 1) vagy (%BANKRIGHT% 1) sablont használd. [FAQ]""" "<NAME>": text: """Ha felfedsz egy (%UTURN%) manővert, választhatsz 1-es, 3-as vagy 5-ös sebességet. [FAQ]""" "<NAME>": text: """ Ha 2-3-as távolságba támadsz, elkölthetsz egy kitérés jelzőt, hogy hozzáadj egy 1 %HIT%-ot a dobásodhoz.""" "<NAME>": text: """1-es távolságban lévő ellenséges hajók, nem hajthatnak végre %FOCUS% vagy %EVADE% akciót és nem költhetnek %FOCUS% vagy %EVADE% jelzőt.""" "<NAME>": text: """Támadásod akkor is találatnak számít, ha a védő nem sérül.""" "<NAME>": text: """Miután végrehajtottad a támadásod, választhatsz egy másik baráti hajót 1-es távolságban. Ez a hajó végrehajthat egy ingyenes akciót. [FAQ]""" "<NAME>": text: """Támadáskor, a kocka dobás után közvetlenül feltehetsz egy célpontbemérőt a védekezőre, ha már van rajta piros célpontbemérő jelző. [FAQ]""" "<NAME>": text: """Ha a támadásodra legalább 1 sérülés kártyát kap a védekező, elkölthetsz egy %FOCUS% jelzőt, hogy felfordítsd azokat. [FAQ]""" "<NAME>": text: """Mikor egy ellenséges hajó a tüzelési szögedben 1-3 távolságban védekezik, a támadó 1 %HIT% találata átforgatható %CRIT%-ra.""" "<NAME>": text: """A befejező fázis kezdetén végrehajthatsz egy támadást, de nem támadhatsz a következő körben. [FAQ]""" '"Echo"': text: """Mikor kijössz álcázásból, (%STRAIGHT% 2) helyett használhatod a (%BANKLEFT% 2) vagy (%BANKRIGHT% 2) sablont. [FAQ]""" '"Whisper"': text: """Ha támadásod talált, kaphatsz egy %FOCUS% jelzőt.""" "<NAME>": text: """Miután végrehajtottad a támadást, levehetsz egy %FOCUS%, %EVADE% vagy kék célpontbemérő jelzőt a védekezőről. [FAQ]""" "<NAME>": text: """Mikor stressz jelzőt kapsz, leveheted egy támadó kocka gurításért cserébe. Ha a dobásod %HIT%, kapsz egy lefordított sérülés kártyát. [FAQ]""" '"<NAME>" <NAME>': text: """Mikor szerzel vagy elköltesz egy célpontbemérőt, levehetsz egy stressz jelzőt a hajódról. [FAQ]""" "<NAME>": text: """Mikor egy ellenfél téged jelöl célpontjának, kaphatsz egy célpontbemérőt a támadó hajóra.""" "<NAME>": text: """Miután végrehajtasz egy %FOCUS% akciót vagy kapsz egy %FOCUS% jelzőt, végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.""" "<NAME>": text: """Amíg 1-es távolságban vagy egy ellenséges hajótól, növeld az mozgékonyságod eggyel.""" "<NAME>": text: """Támadáskor eldobhatsz egy stressz jelzőt, hogy az összes %FOCUS%-t %HIT%-ra változtass. [FAQ]""" "<NAME>": text: """Végrehajthatsz %TORPEDO% másodlagos támadást a tüzelési szögeden kívüli ellenfélre is.""" "CR90 Corvette (Fore)": text: """Mikor támadsz az elsődleges fegyvereddel, elkölthetsz egy energiát, hogy dobj egy plusz támadó kockával.""" # "CR90 Corvette (Crippled Aft)": # text: """Nem választhatsz vagy hajthatsz végre (%STRAIGHT% 4), (%BANKLEFT% 2) vagy (%BANKRIGHT% 2) manővert.""" "<NAME>": text: """Figyelmen kívül hagyhatod az akadályokat az aktivációs fázisban és akció végrehajtáskor. [FAQ]""" '"<NAME>"': text: """Mikor kapsz egy felfordított sérülés kártyát, húzz még egyet, válassz, egyet hajts végre, a másikat dobd el. [FAQ]""" "<NAME>": text: """Mikor elsődleges fegyverrel támadsz egy stresszelt hajót, dobj eggyel több támadó kockával.""" "<NAME>": text: """Mikor 1-2 távolságba támadsz, megváltoztathatsz egy %FOCUS%-t %CRIT%-re.""" "<NAME>": text: """Ha már nincs pajzsod és legalább egy sérülés kártyád, növeld a mozgékonyságod eggyel. [FAQ]""" "<NAME>": text: """Manőver végrehajtásod után minden veled érintkező hajó elszenved egy sérülést. [FAQ]""" "<NAME>": text: """Mikor védekezel, egy baráti hajó 1-es távolságban elszenvedhet egy kivédhetetlen %HIT% vagy %CRIT% találatot helyetted. [FAQ]""" "<NAME>": text: """A támadás fázis elején, ha ellenséges hajó van 1-es távolságban, kaphatsz egy %FOCUS% jelzőt.""" "<NAME>": text: """Mikor egy másik baráti hajó védekezik 1-es távolságban, újradobhat egy védekező kockával.""" "<NAME>": text: """Miután védekeztél egy támadás ellen és a támadás nem talált, kaphatsz egy %EVADE% jelzőt.""" "IG-88A": text: """Miután a támadásodban az ellenfél megsemmisült, visszatölthetsz egy pajzsot. [FAQ]""" "IG-88B": text: """Egyszer körönként, miután végrehajtottál egy támadást ami nem talált, végrehajthatsz egy támadás a felszerelt %CANNON% másodlagos fegyvereddel.""" "IG-88C": text: """Miután végrehajtottál egy %BOOST% akciót, végrehajthatsz egy ingyenes %EVADE% akciót.""" "IG-88D": text: """Mégrehajthatod a (%SLOOPLEFT% 3) vagy (%SLOOPRIGHT% 3) manővert a (%TURNLEFT% 3) vagy (%TURNRIGHT% 3) sablonnal.""" "<NAME> (Scum)": text: """Mikor támadsz vagy védekezel, újradobhatsz annyi kockát, ahágy ellenséges hajó van 1-es távolságban.""" "<NAME> (Scum)": text: """Mikor támadszt a hátsó kiegészítő tüzelési szögben, plusz egy támadó kockával dobhatsz.""" "<NAME>": text: """Mikor bombát dobsz , használhatod a (%TURNLEFT% 3), (%STRAIGHT% 3) vagy (%TURNRIGHT% 3) sablont a (%STRAIGHT% 1) helyett. [FAQ]""" "<NAME>": text: """Mikor a hajó tüzelési szögén kívül támadsz, plusz egy kockával dobhatsz.""" "<NAME>": text: """Miután elköltesz egy célpontbemérőt, egy stressz jelzőért feltehetsz egy újat.""" "<NAME>": text: """Mikor egy ellenséges hajó 1-3 távolságban kap legalább egy ion jelzőt, és nincs stressz jelződ, egy stressz jelzőért cserébe az a hajó elszenved egy sérülést.""" "<NAME>": text: """A támadás fázis elején, elvehetsz egy %FOCUS% vagy %EVADE% jelzőt egy 1-2 távolságban lévő ellenséges hajóról és magadra rakhatod.""" "<NAME>": text: """Az aktivációs fázis végén válassz egy ellenséges hajót 1-2 távolságban. A támadás fázis végéig azt a pilótát 0-ás pilóta képességűnek kell kezelni.""" "<NAME>": text: """Mikor támadsz és nincs másik baráti hajó 1-2 távolságban, plusz egy támadó kockával dobhatsz.""" "<NAME>": text: """A támadás fázis elején, elvehetsz egy %FOCUS% vagy %EVADE% jelzőt egy másik baráti hajótól 1-2 távolságban és magadra rakhatod.""" "<NAME>": text: """A támadás fázis elején, feltehetsz egy célpontbemérőt 1-es távolságban lévő ellenséges hajóra.""" "Raider-class Corvette (Fore)": text: """Körönként egyszer, miután végrehajtottál egy elsődleges fegyver támadást, elkölthetsz 2 energiát, hogy végrehajts egy másik elsődleges fegyver támadást.""" "Bossk": text: """Mikor a támadásod talált, mielőtt a találatokat kiosztanád, 1 %CRIT% helyett 2 %HIT%-et oszthatsz. [FAQ]""" "Talonbane Cobra": text: """Mikor támadsz vagy védekezel, a távolság bonuszokat duplázd meg.""" "<NAME>": text: """Körönként egyszer támadáskor, elkölthetsz egy pajzsot, hogy plusz egy támadó kockával dobj <strong>vagy</strong> dobj egy kockával kevesebbel, hogy visszatölts egy pajzsot. [FAQ]""" '"Redline"': text: """Tarthatsz 2 célpontbemérőt egyazon hajón. Mikor felteszel egy célpontbemérőt, feltehetsz egy másodikat is arra a hajóra.""" '"Deathrain"': text: """Előre is tudsz bombát dobni. Bombázás után végrehajthatsz egy ingyenes %BARRELROLL% akciót.""" "Juno Eclipse": text: """Mikor felfeded a manővered, növelheted vagy csökkentheted a sebességed eggyel (minimum 1 legyen).""" "<NAME>": text: """Ellenséges hajó 1-es távolságban nem használhatja a távolság harci bónuszát támadáskor.""" "<NAME>": text: """A befejező fázis kezdetén, elköltheted a célpontbemérődet, hogy egy lefordított sérülés kártyát felfordíts a célzott hajón.""" "<NAME>": text: """Mikor egy baráti hajó támad és célpontbemérőd van a védekezőn, elköltheted azt, hogy erre a támadásra eggyel csökkentsd a mozgékonyságát. [FAQ]""" "<NAME>": text: """Védekezéskor, ha a támadó a tüzelési szögedben van, eggyel több védekező kockával dobhatsz.""" "<NAME>": text: """Ha egy másik baráti hajó támad 1-2 távolságban, sajátjának tekintheti a %FOCUS% jelződ. [FAQ]""" "<NAME>": text: """Támadhatsz a %CANNON% másodlagos fegyvereddel a kiegészítő tüzelési szögeden is.""" 'Gozanti-class Cruiser': text: """Manőver végrehajtás után bevethetsz akár 2 dokkolt hajót is.""" '"<NAME>"': text: """Mikor támadsz és a védekezőnek már van sérülés kártyája, plusz egy támadó kockával dobhatsz.""" "The Inquisitor": text: """Mikor az elsődleges fegyvereddel 2-3 távolságban támadsz, kezeld 1-es távolságként. [FAQ]""" "Z<NAME>uss": text: """Támadáskor plusz egy kockával dobhatsz. Ha így teszel, a védekező is egy kockával többel dob.""" "<NAME>": text: """Körönként egyszer védekezés után, ha a támadó a tüzelési szögedben van, végrehajthatsz egy támadást ellene. [FAQ]""" # T-70 "<NAME>": text: """Támadáskor vagy védekezéskor, ha van %FOCUS% jelződ, megváltoztathatod egy %FOCUS% dobásod %HIT% vagy %EVADE% eredményre.""" '"Blue Ace"': name: "Blue Ace (Kék Ász)" text: """Mikor végrehajtasz egy %BOOST% akciót, használhatod a (%TURNLEFT% 1) vagy (%TURNRIGHT% 1) sablont.""" # TIE/fo '"Omega Ace"': name: "Omega Ace (Omega Ász)" text: """Mikor támadsz, elkölthetsz egy fókusz jelzőt és a védekezőn lévő célpontbemérőt, hogy az összes kockát %CRIT%-re forgass.""" '"Epsilon Leader"': name: "Epsilon Leader (Epszilon vezér)" text: """A harci fázis kezdetén, levehetsz 1 stressz jelzőt minden 1-es távolságban lévő bartáti hajóról.""" '"Zeta Ace"': name: "Zeta Ace (Dzéta Ász)" text: """Mikor végrehajtasz egy %BARRELROLL% akciót, használhatod a (%STRAIGHT% 2) sablont a (%STRAIGHT% 1) helyett.""" '"Red Ace"': text: '''Minden körben az első alkalommal, mikor elvesztesz egy pajzs jelzőt, kapsz egy %EVADE% jelzőt.''' '"Omega Leader"': text: '''Az a hajó amin célpontbemérőed van, nem módosíthat kockát veled szemben támadáskor vagy védekezéskor. [FAQ!]''' 'H<NAME>a': text: '''Mikor felfedsz egy zöld vagy piros manővert, átforgathatod a tárcsát egy ugyanolyan nehézségűre.''' '"Youngster"': text: """A baráti TIE vadászok 1-3 távolságon belül végrehajthatják az erre a hajóra felszerelt %ELITE% fejlesztés kártya akciót. [FAQ]""" '"W<NAME>"': text: """Támadáskor, az eredmények összehasonlítása kezdetén, törölheted az összes dobásod. Ha töröltél %CRIT% találatot, a védekező kap egy lefordított sérülés kártyát. [FAQ/ERRATA]""" '"Ch<NAME>"': text: """Mikor egy 1-es távolságban lévő másik baráti hajó elkölt egy %FOCUS% jelzőt, kapsz egy %FOCUS% jelzőt.""" '<NAME>': text: """Védekezéskor, ha stresszelve vagy, átfordíthatsz akár 2 %FOCUS% dobást %EVADE%-re.""" '"Zeta Leader"': text: '''Mikor támadsz és nem vagy stresszelve, kaphatsz egy stressz jelzőt, hogy plusz egy kockával dobj.''' '"Epsilon Ace"': text: '''Amíg nincs sérülés kártyád, a pilóta képességed 12-esnek számít''' "<NAME>": text: """Mikor egy ellenséges hajó 1-2 távolságban tá<NAME>, elkölthetsz egy %FOCUS% jelzőt. Ha ezt teszed, a támadó eggyel kevesebb támadó kockával dob.""" '"<NAME>"': text: """A harci fázis kezdetén, minden ellenséges hajó amivel érintkezel, kap egy stressz jelzőt.""" '<NAME> (Attack Shuttle)': text: """Mikor felfedsz egy zöld vagy piros manővert, átforgathatod a tárcsát egy ugyanolyan nehézségűre.""" '<NAME>': text: """Közvetlenül mielőtt felfeded a tárcsád, végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.""" '"<NAME>" Orreli<NAME>': text: '''Mikor védekezel, a %CRIT% dobásokat előbb semlegesítheted, mint a %HIT% dobásokat.''' '<NAME>': text: '''Körönként egyszer, miután eldobtál egy %ELITE% fejlesztés kártyát, fordítsd fel azt a kártyát.''' '<NAME>': text: '''Ha nem vagy stresszelve, kezeld a (%TROLLLEFT%) és (%TROLLRIGHT%) menővert fehérként.''' "<NAME>": text: """Védekezés után végrehajthatsz egy ingyen akciót. [FAQ]""" "4-LOM": text: """A befejező fázis kezdetén, 1 stressz jelződet átadhatod egy ellenséges hajónak 1-es távolságon belül.""" "<NAME>": text: """Első alkalommal, mikor megsemmisülnél, dobj el minden addigi sérülés kártyád, és osszál 4 sérülés lapot lefordítva a hajódhoz. [FAQ]""" "Man<NAME>oo": text: """A harci fázis kezdetén hozzárendelheted az összes fókuszt, kitérés és kék célpontbemérő jelződet egy másik baráti hajónak 1-es távolságban. [FAQ]""" '"Deathfire"': text: '''Mikor felfeded a manőver tárcsád vagy miután végrehajtasz egy akciót, végrehajthatsz egy %BOMB% fejlesztés kártya akciót ingyen.''' "<NAME> (TIE Defender)": text: """Mikor támadásodból felfordítot sérüléskártyát húzna a védekező, húzz te 3-at, válassz ki egyet és add át a védekezőnek. A többit dobd el.""" "<NAME>": text: """Mikor felfedsz egy (%STRAIGHT%) manővert, kezelheted (%KTURN%) manőverként.""" "<NAME> (PS9)": text: """Támadáskor vagy védekezéskor, ha van %FOCUS% jelződ, megváltoztathatod egy %FOCUS% dobásod %HIT% vagy %EVADE% eredményre.""" "Re<NAME>": text: """Támadáskor vagy védekezéskor, ha az ellenséges hajó benne van a tüzelési szögedben, újradobhatsz akár 2 üres kockát is.""" 'Han Solo (TFA)': text: '''A hajók felhelyezésénél, bárhova elhelyezheted a hajót az ellenséges hajóktól legalább 3-as távolságra. [FAQ]''' 'Chewbacca (TFA)': text: '''Miután egy másik baráti hajó 1-3-as távolságban megsemmisül (de nem leesik a pályáról), végrehajthatsz egy támadást.''' '<NAME>': text: '''Támadáskor vagy védekezéskor, elkölthetsz egy célpontbemérőt, ami az ellenfél hajóján van, hogy egy %FOCUS% eredményt adhass a dobásodhoz.''' '<NAME>': text: '''Ha egy 1-2-es távolságban lévő másik baráti hajó támad, a te kék célpontbemérő jelződet sajátjaként kezelheti.''' '<NAME>': text: '''Miután a tüzelési szögedben 1-3-as távolságban lévő ellenséges hajó megtámadott egy másik baráti hajót, végrehajthatsz egy ingyen akciót.''' '<NAME>': text: '''Egy manőver végrehajtása után dobhatsz egy támadókockával. Ha a dobás %HIT% vagy %CRIT%, vegyél le egy stressz jelzőt a hajódról.''' '"Quickdraw"': text: '''Körönként egyszer, mikor elvesztesz egy pajzsot, végrehajthatsz egy elsődleges fegyver támadást. [FAQ]''' '"Backdraft"': text: '''Mikor támadsz a kiegészítő tüzelési szögedben, adj a dobásodhoz egy 1 %CRIT% kockát.''' '<NAME>': text: '''Támadáskor vagy védekezéskor, ha az ellenséges hajó 1-es távolságban van, további egy kockával dobhatsz.''' 'Old Teroch': text: '''A harci fázis elején, válaszhatsz egy ellenséges hajót 1-es távolságban. Ha benne vagy a tüzelési szögében, dobja el minden %FOCUS% és %EVADE% jelzőjét.''' '<NAME>': text: '''Miután végrehajtasz egy piros manővert, adj 2 %FOCUS% jelzőt a hajódhoz.''' '<NAME>': text: '''A harci fázis kezdetén, választhatsz egy hajót 1-es távolságban és ha az benne van az elsődleges <strong>és</strong> a változtatható tüzelési szögedben, kap egy vonósugár jelzőt.''' '<NAME>': text: '''A harci fázis kezdetén, választhatsz egy hajót 1-2-es távolságban. Ha az benne van a változtatható tüzelési szögedben, kap egy stressz jelzőt.''' '<NAME> (Scum)': text: '''Védekezéskor, ha a támadó 2-es távolságon és a változtatható tüzelési szögeden belül van, adhatsz egy %FOCUS% kockát a dobásodhoz.''' # Wave X '<NAME> (TIE Fighter)': text: '''Közvetlenül mielőtt felfeded a tárcsád, végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.''' '"Zeb" Orrelios (TIE Fighter)': text: '''Mikor védekezel, a %CRIT% dobásokat előbb semlegesítheted, mint a %HIT% dobásokat.''' '<NAME>': text: '''Körönként, mikor először eltalálnak, adj egy "<NAME>mutatom a sötét oldalt" feltétel kártyát a támadónak.''' '<NAME>': text: '''Az aktivációs fázis végén, adnod <strong>kell</strong> egy vonósugár jelzőt minden hajónak amivel érintkezel.''' '<NAME>': text: '''Az aktivációs fázis kezdetén, elvehetsz egy stressz jelzőt egy 1-2 távolságban lévő másik baráti hajóról.''' '<NAME>': text: '''Mikor egy baráti hajó célpontbemérőt rak fel, bemérhet egy ellenséges hajót amely 1-3 távolságban van bármely baráti hajótól.''' '<NAME>': text: '''Miután egy ellenséges hajó végrehajtotta a manőverét, ami átfedést eredményezett a te hajóddal, végrehajthatsz egy ingyen akciót.''' '''"Duchess"''': text: '''Ha fel vagy szerelve egy "Adaptive Ailerons" fejlesztéssel, figyelmen kívül hagyhatod annak kártya képességét.''' '''"Pure Sabacc"''': text: '''Támadáskor, ha 1 vagy kevesebb sérülés kártyád van, plusz egy támadókockával dobhatsz.''' '''"Countdown"''': text: '''Védekezéskor, ha nem vagy stresszelve - az eredmény összehasonlítás lépésben -, elszenvedhetsz egy sérülést, hogy töröld az összes kockadobást. Ha így teszel, kapsz egy stressz jelzőt. [FAQ]''' '<NAME>': text: '''Ha kapsz egy stressz jelzőt és van egy ellenséges hajó a tüzelési szögedben 1-es távolságban, eldobhatod a stressz jelzőt.''' '"<NAME>': text: '''Miután végrehajtasz egy 2, 3 vagy 4-es sebességű manővert és nem érintkezel hajóval, végrehajthatsz egy ingyenes %BOOST% akciót.''' '<NAME>': text: '''Támadáskor vagy védekezéskor, minden 1-es távolságban lévő másik baráti hajó után újradobhatsz egy kockát.''' '<NAME>': text: '''A harci fázis kezdetén, elkölthetsz 1 %FOCUS% jelzőt, hogy egy kiválasztott 1-es távolságban lévő baráti hajó végrehajthasson egy ingyenes akciót.''' '<NAME>': text: '''Miután végrehajtasz egy támadást, add a "Suppressive Fire" feltétel kártyát a védekezőhöz.''' 'Major Stridan': text: '''Az akciók és fejlesztés kártyáknál a 2-3 távolságban lévő baráti hajókat kezelheted úgy, mintha 1-es távolságban lennének.''' '<NAME>': text: '''A felrakás fázisban, a baráti hajókat bárhova rakhatod tőled 1-2 távolságra.''' '<NAME>': text: '''Mikor felfedsz egy hátra manővert, dobhatsz bombát az elülső pöckök használatával (beleértve az "<strong>Akció:</strong>" fejlécű bombákat).''' '<NAME>': text: '''Védekezéskor, a mozgékonyság értéked helyett dobhatsz annyi kockával amekkora sebességű manővert végeztél ebben a körben.''' 'Zealous Recruit': name: '''Zealous Recruit (Lelkes újonc)''' '<NAME>': name: '''<NAME> (Árnyékrév vadász)''' 'Genesis Red': text: '''Miután feltettél egy célpontbemérőt adjál a hajódnak annyi %FOCUS% és %EVADE% jelzőt, ameddig annyi nem lesz, amennyi a bemért hajónak is van.''' '<NAME>': text: '''A harci fázis kezdetekor kaphatsz egy "inaktív fegyverzet" jelzőt, hogy felfordíts egy már elhasznált %TORPEDO% vagy %MISSILE% fejlesztést.''' '<NAME>': text: '''Támadáskor vagy védekezéskor elkölthetsz egy pajzsot, hogy újradobj bármennyi kockát.''' '<NAME>': text: '''Körönként egyszer, miután dobtál vagy újradobtál kockákat és az összes kockán ugyanaz az eredmény van, adj hozzájuk még egy ugyanolyan eredményt.''' '<NAME>': text: '''Mikor támadsz, elkölthetsz egy %FOCUS% jelzőt, hogy érvényteleníts a védekező összes üres és %FOCUS% eredményét.''' '"Double Edge"': text: '''Körönként egyszer, miután a támadásod a másodlagos fegyverrel nem talált, végrehajthatsz egy támadást egy másik fegyverrel.''' '<NAME>': text: '''Védekezés után, ha nem pontosan 2 védekező kockával dobtál, a támadó kap egy stress jelzőt.''' 'Lowhhrick': text: '''Mikor egy másik baráti hajó 1-es távolságban védekezik, elkölthetsz egy erősítés jelzőt. Ha így teszel, a védekező hozzáadhat egy %EVADE% eredményt a dobásához.''' 'W<NAME>': text: '''Támadáskor, ha nincs pajzsod és már van legalább 1 sérülés kártyád, egy plusz támadás kockával guríthatsz.''' 'Capt<NAME> (Scum)': text: '''Figyelmen kívül hagyhatod a baráti hajók bombáit. Mikor egy baráti hajó védekezik és a támadó egy baráti bombán át lő, a védekező hozzáadhat egy %EVADE% eredményt a dobásához.''' 'Capt<NAME> (Rebel)': text: '''Körönként egyszer, megakadályozhatod egy baráti bomba robbanását.''' 'Sol Sixxa': text: '''Bomba ledobásakor, használhatod a (%TURNLEFT% 1) vagy (%TURNRIGHT% 1) sablonokat a (%STRAIGHT% 1) helyett.''' '<NAME>': text: '''Ha nem vagy stresszes és forduló, bedöntés vagy Segnor csavar manővert fedsz fel, kezelheted úgy, mintha piros Tallon orsó manővert hajtanál végre az eredetileg forgatott manőver sablonjával.''' 'Thweek': text: '''A játék kezdetén még a hajók felhelyezése előtt választhatsz 1 ellenséges hajót és hozzárendelheted a "Shadowed" vagy "Mimicked" kondíciós kártyát.''' '<NAME>': text: '''Körönként egyszer, mikor egy ellenséges hajó védekezés nélkül szenved sérülést vagy kritikus sérülést, végrehajthatsz egy támadást ellene.''' 'Major <NAME>': text: '''Védekezéskor, ha "inaktív fegyverzet" jelző van a hajón, plusz 1 kockával dobhatsz.''' '<NAME>': text: '''Mikor "inaktív fegyverzet" jelzőt kapsz és nem vagy stresszes, kaphatsz egy stressz jelzőt hogy levehesd azt.''' '<NAME>': text: '''Miután végrehajtottál egy támadást, minden hajó amelyik benne van a bulleye tűzívedben 1-3 távolságban választhat, hogy elszenved egy sérülést vagy eldobja az összes %FOCUS% és %EVADE% jelzőjét.''' '<NAME> (Kimogila)': text: '''A harci fázis kezdetén feltehetsz egy célpontbemérőt egy ellenséges hajóra, amely a bullseye tűzívedben van 1-3-as távolságban.''' '<NAME> (Sheathipede)': text: '''Mikor egy ellenséges hajó a tűzívedben 1-3 távolságban a harci fázisban aktiválódik és nem vagy stresszes, kaphatsz egy stressz jelzőt. Ha így teszel, az a hajó ebben a körben nem költhet el jelzőt, hogy módosítsa a támadó kockáit.''' '<NAME>ra <NAME> (Sheathipede)': text: """Védekezéskor, ha stresszelve vagy, átfordíthatsz akár 2 %FOCUS% dobást %EVADE%-re.""" '"Zeb" Orrelios (Sheathipede)': text: '''Mikor védekezel, a %CRIT% dobásokat előbb semlegesítheted, mint a %HIT% dobásokat.''' 'AP-5': text: '''Mikor végrehajtasz egy koordinálás akciót, miután kiválasztottál egy baráti hajót és mielőtt az végrehajtaná az ingyenes akcióját, kaphatsz 2 stressz jelzőt, hogy levegyél róla 1 stressz jelzőt.''' '"Crimson Leader"': text: '''Támadáskor, ha a védekező benne van a tűzívedben, elkölthetsz egy %HIT% vagy %CRIT% dobásodat, hogy a védekezőhöz rendeld a "Rattled" kondíciós kártyát.''' '"Crimson Specialist"': text: '''Mikor felteszed a bomba jelzőt, amit a tárcsa felfedése után dobtál ki, a jelzőt a hajóval érintkezve bárhova teheted a pályára.''' '"Cobalt Leader"': text: '''Támadáskor, ha a védekező 1-es távolságban van egy bomba jelzőtől, eggyel kevesebb védekező kockával gurít.''' '<NAME> (TIE Silencer)': text: '''Körönként mikor először ér találat, oszd ki a "I'll Show You the Dark Side" kondíciós kártyát a támadónak.''' 'Test Pilot "Blackout"': text: '''Támadáskor, ha a támadás akadályozott, a védekező kettővel kevesebb védekező kockával gurít.''' '<NAME>': text: '''Miután végrehajtasz egy %BOOST% vagy %BARRELROLL% akciót, átforgathatod a "Servomotor S-foils" fejlesztés kártyád.''' 'Major Vermeil': text: '''Támadáskor, ha a védekezőnek nincs %FOCUS% vagy %EVADE% jelzője, átforgathatod az egyik üres vagy %FOCUS% dobásod %HIT% eredményre.''' '<NAME>': text: '''Miután végrehajtasz egy %BOOST% akciót, kaphatsz egy stressz jelzőt, hogy kapj egy kitérés jelzőt.''' '<NAME>': text: '''Mikor egy baráti hajó 1-2 távolságban támad, ha az stesszes vagy van legalább 1 sérülés kártyája, újradobhat 1 támadó kockát.''' 'Benthic Two-Tubes': text: '''Miután végrehajtasz egy %FOCUS% akciót, egy %FOCUS% jelződet átadhatod egy 1-2-es távolságban lévő baráti hajónak.''' '<NAME>': text: '''Védekezéskor, ha a támadónak van zavarás jelzője, adj egy %EVADE% eredményt a dobásodhoz.''' '"<NAME>"': text: '''Miután egy baráti hajó végrehajt egy 1-es sebességű manővert, ha 1-es távolságra van és nem került átfedésbe egy másik hajóval, átadhatod neki egy %FOCUS% vagy %EVADE% jelződet.''' '<NAME>': text: '''Mikor egy másik baráti hajó 1-2 távolságban vedekezik, a támadója nem dobhatja újra csupán csak egy kockáját.''' 'Edrio Two-Tubes': text: '''Mikor az aktivációs fázisban aktiválódik a hajód, ha van legalább 1 fókusz jelződ, végrehajthatsz egy ingyenes akciót.''' upgrade_translations = "Ion Cannon Turret": text: """<strong>Támadás:</strong> támadj meg egy hajót (akkor is, ha a hajó kívül esik a tüzelési szögeden). Ha ez a támadás eltalálja a célpont hajót, az elszenved 1 sérülést és kap 1 ion jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.""" "<NAME>": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a lapot, hogy végrehajtsd a támadást. Egy %FOCUS% dobásod eredményét %CRIT%-ra módosíthatod.""" "R2 Astromech": text: """Minden egyes és kettes sebességű manőver zöldnek számít. [FAQ: ion is]""" "R2-D2": text: """Miután egy zöld manővert hajtasz végre, visszakapsz egy pajzs jelzőt. (Nem haladhatja meg a kezdeti értéket.) [FAQ]""" "R2-F2": text: """<strong>Akció:</strong> Növeld eggyel a mozgékonyság értékedet a kör végéig.""" "R5-D8": text: """<strong>Akció:</strong> Dobj egy védekező kockával. Ha az eredmény %EVADE% vagy %FOCUS% dobj el egy képpel lefelé lévő sérülés kártyát.""" "R5-K6": text: """Miután elhasználtad a célpontbemérő jelzőt, dobj egy védekező kockával. Ha az eredmény %EVADE%, azonnal visszateheted ugyanarra a hajóra a célbemérés jelzőt. Ezt a jelzőt nem használhatod el ebben a támadásban.""" "R5 Astromech": text: """A kör vége fázisban egy szöveggel felfelé lévő [Ship] típusú sérüléskártyát lefordíthatsz.""" "Determination": text: """Ha felfordított [Pilot] sérülés kártyát húznál, azonnal eldobhatod anélkül, hogy végrehajtanád.""" "Swarm Tactics": text: """A harci fázis kezdetén választhatsz egy baráti hajót, ami 1-es távolságon belül van. A fázis végéig a hajó pilótaképzettsége meg fog egyezni a tiéddel. [FAQ]""" "Squad Leader": text: """<strong>Akció:</strong> válassz egy hajót 1-2 távolságon belül, akinek a pilótaképzettsége alacsonyabb mint a sajátod. A választott hajó azonnal végrehajthat egy szabad akciót.""" "Expert Handling": text: """<strong>Akció:</strong> hajts végre egy ingyenes orsózás akciót. Ha nem rendelkezel %BARRELROLL% képességgel, kapsz egy stressz jelzőt. Ezután eltávolíthatsz egy ellenséges célpontbemérő jelzőt a hajódról. [FAQ]""" "Marksmanship": text: """<strong>Akció:</strong> amikor támadsz ebben a körben, egy %FOCUS% eredményt %CRIT% eredményre, az összes többi %FOCUS% dobásod pedig %HIT%-ra változtathatod. [FAQ]""" "Concussion Missiles": text: """<strong>Támadás (célpontbemérő):</strong> költs el a célpontbemérő jelzőt és dobd el ezt a kártyát is, hogy végrehajtsd a támadást. Egy üres dobást %HIT%-ra fordíthatsz.""" "Cluster Missiles": text: """<strong>Támadás (célpontbemérő):</strong> költs el a célpontbemérő jelzőt és dobd el ezt a kártyát is, hogy végrehajtsd a támadást kétszer. [FAQ]""" "Daredevil": text: """<strong>Akció:</strong>: Hajts végre egy fehér (%TURNLEFT% 1) vagy (%TURNRIGHT% 1) manővert. Ezután kapsz egy stressz jelzőt. Ha nem rendelkezel %BOOST% ikonnal, dobj két támadás kockával. Elszenveded az összes kidobott %HIT% és %CRIT% sérülést. [FAQ]""" "Elusiveness": text: """Amikor védekezel, kaphatsz egy stressz jelzőt, hogy kiválassz egy támadó kockát. A támadónak azt a kockát újra kell dobnia. Ha már legalább egy stressz jelzővel is rendelkezel, nem használhatod ezt a képességet.""" "Homing Missiles": text: """<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást. A védekező nem használhatja a kitérés jelzőket e támadás ellen. [FAQ]""" "Push the Limit": text: """Körönként egyszer, miután végrehajtottál egy akciót, végrehajthatsz egy szabad akciót az akciósávodról. Ezután kapsz egy stressz jelzőt. [FAQ]""" "Deadeye": text: """<span class="card-restriction">Csak kis hajó.</span>%LINEBREAK%Kezelheted a <strong>Támadás (célpontbemérő):</strong> fejlécet <strong>Támadás (fókusz):</strong> fejlécként. Amikor egy támadás azt kívánja, hogy elhasználj egy célpontbemérő jelzőt, akkor fókusz jelzőt is használhatsz helyette. [FAQ]""" "Expose": text: """<strong>Akció:</strong> A kör végéig növeld meg eggyel az elsődleges fegyvered értékét és csökkentsd eggyel a mozgékonyság értékedet.""" "<NAME>": text: """Miután végrehajtottál egy támadást, ami nem talált, azonnal végrehajthatsz egy támadást az elsődleges fegyverrel. Nem hajthatsz végre másik támadást ebben a körben. [FAQ]""" "Ion Cannon": text: """<strong>Támadás:</strong> Támadj meg egy hajót. Ha ez a támadás eltalálja a célpont hajót, az kap egy sérülést és egy ion jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.""" "Heavy Laser Cannon": text: """<strong>Támadás:</strong> Támadj meg egy hajót. Közvetlenül a dobás után minden %CRIT% eredményt át kell fordítani %HIT% eredményre. [FAQ!!!]""" "Seismic Charges": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy letehess 1 Seismic Charges jelzőt.<br />Ez a jelző az aktivációs fázis végén felrobban.<br />Minden hajó 1-es távolságban elszenved 1 sérülést. Aztán a jelzőt le kell venni.""" "Mercenary Copilot": text: """Amikor 3-as távolságra támadsz, egy %HIT% eredményt %CRIT% eredményre változtathatsz.""" "Assault Missiles": text: """<strong>Támadás (célpontbemérő):</strong> dobd el a célpontbemérő jelzőt és dobd el ezt a kártyát is, hogy végrehajtsd a támadást. Ha ez a támadás talál, a védekezőtől egyes távolságra lévő összes hajó kap egy sérülést.""" "Veteran Instincts": name: "Veteran Instincts (Veterán ösztönök)" text: """Növeld kettővel a pilótaképzettség értékedet. [FAQ]""" "Proximity Mines": text: """<strong>Akció:</strong> Dobd el ezt a kártyát, hogy letehess egy Proximity Mine jelzőt.<br />Mikor egy hajó talpa vagy mozgássablonja átfedi a bomba jelzőt, a bomba felrobban. [FAQ]<br />Az a hajó amelyik át- vagy ráment a jelzőre dob 3 támadó kockával és elszenved minden %HIT% és %CRIT% eredményt. Aztán a jelzőt le kell venni.""" "Weapons Engineer": text: """Egyszerre két célpontbemérőd lehet (egy ellenséges hajóra csak egyet tehetsz). Amikor kapsz egy célpontbemérőt, bemérhetsz két ellenséges hajót.""" "Draw Their Fire": text: """Ha egy baráti hajót egyes távolságon belül eltalál egy támadás, dönthetsz úgy, hogy a célpont helyett bevállalsz egy érvényítetlen %CRIT%-t. [FAQ]""" "<NAME>": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután végrehajtottál egy támadást, ami nem talált, azonnal végrehajthatsz egy támadást az elsődleges fegyverrel. Egy %FOCUS% eredményt %HIT% eredményre változtathatsz. Nem hajthatsz végre másik támadást ebben a körben. [FAQ]""" "<NAME>": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Az összes %STRAIGHT% manővert zöld manőverként kezelheted. [FAQ: ion is!]""" "<NAME>": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Amikor sérülés kártyát húznál, azonnal eldobhatod azt a kártyát, és kapsz egy pajzs jelzőt. Ezután dobd el ezt a fejlesztés kártyát.""" "Advanced Proton Torpedoes": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Legfeljebb három üres dobásod eredményét %FOCUS%-ra módosíthatod.""" "Autoblaster": text: """<strong>Támadás:</strong> Támadj meg egy hajót.%LINEBREAK%A %HIT% dobásaidat nem érvényetelenítik a védő kockák. A védekező érvénytelenítheti a %CRIT% dobásokat a %HIT% előtt. [FAQ]""" "Fire-Control System": text: """Miután végrehajtasz egy támadást, tehetsz egy célpontbemérő jelzőt a védekező hajóra. [FAQ!]""" "Blaster Turret": text: """<strong>Támadás (fókusz):</strong> költs el egy fókusz jelzőt, hogy végrehajthass egy támadást egy hajó ellen (akkor is, ha a hajó kívül esik a tüzelési szögeden).""" "Recon Specialist": name: "Recon Specialist (Felderítő specialista)" text: """Amikor %FOCUS% akciót hajtasz végre, egy további %FOCUS% jelzőt tehetsz a hajódhoz.""" "Saboteur": text: """<strong>Akció:</strong>Válassz egy ellenséges hajót 1-es távolságon belül, és dobj egy támadó kockával. Ha az eredmény %HIT% vagy %CRIT%, válassz egyet a hajóhoz tartozó képpel lefordított sérülés kártyák közül, fordítsd fel, és hajtsátok végre a hatását. [FAQ?]""" "Intelligence Agent": text: """Az aktiválási fázis kezdetén válasz egy ellenséges hajót 1-2 távolságon belül. Megnézheted, hogy az a hajó milyen manővert fog végrehajtani.""" "<NAME>": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy letehess egy proton bomba jelzőt.<br />Ez a jelző az aktivációs fázis végén felrobban.<br />Minden 1-es távolságon belüli hajó kap 1 felfordított sérülés kártyát. Aztán a jelzőt le kell venni.""" "<NAME>": name: "<NAME> (Ad<NAME>al<NAME>öket)" text: """Amikor felfedsz egy piros manővert, eldobhatod ezt a lapot, hogy az a manőver fehér színűnek számítson az aktiválási fázis végéig. [FAQ]""" "Advanced Sensors": text: """Közvetlen a manőver tárcsa felfedése előtt végrehajthatsz egy szabad akciót. Amennyiben használod ezt a képességet, hagyd ki ebből a körből az "Akció végrehajtása" fázist. [FAQ]""" "Sensor Jammer": name: "Sensor <NAME> (S<NAME>)" text: """Amikor védekezel, megváltoztathatod a támadó egyik %HIT% eredményét %FOCUS% eredményre. A támadó nem dobhatja újra ezt az átforgatott kockát.""" "D<NAME>": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Miután végrehajtottál egy támadást egy ellenséges hajó ellen, kioszthatsz magadnak két sérülést, hogy az a hajó kritikus találatot kapjon. [FAQ]""" "Rebel Captive": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Körönként egyszer az első hajó, aki ellened támadást intéz, azonnal kap egy stressz jelzőt. [FAQ]""" "Flight Instructor": text: '''Amikor védekezel, újradobhatod egyik %FOCUS% dobásod. Ha a támadó pilótaképzettsége "2" vagy alacsonyabb, egy üres eredményt dobhatsz újra.''' "Navigator": text: """Amikor felfeded a manővered, áttekerheted a tárcsádat egy másik, de az eredeti iránnyal egyező manőverre. Nem választhatsz piros manővert, ha már van rajtad egy stressz jelző. [FAQ]""" "Opportunist": text: """Amikor támadsz, és a védekező hajónak nincs se %FOCUS%, se %EVADE% jelzője, akkor kaphatsz egy stressz jelzőt, hogy plusz egy támadókockával guríts. Nem használhatod ezt a képességet, ha már van stressz jelződ.""" "Comms Booster": text: """<strong>Energia:</strong> Költs el egy energiát, így leveheted az összes stressz jelzőt egy 1-3 távolságra lévő baráti hajóról. Ezek után tégy egy fókusz jelzőt arra a hajóra.""" "Slicer Tools": text: """<strong>Akció:</strong> Válassz egy vagy több olyan ellenséges hajót 1-3 távolságon belül, amelyeken van stressz jelző. Minden ilyen kiválasztott hajó esetében elkölthetsz egy energia jelzőt, hogy annak a hajónak 1 pontnyi sérülést okozz.""" "Shield Projector": text: """Amikor egy ellenséges hajó eldönti, hogy vagy egy kis vagy egy nagy méretű hajót megtámad, elkölthetsz 3 energiát annak érdekében, rákényszerítsd azt a hajót (ha lehetséges) arra, hogy téged támadjon meg.""" "Ion Pulse Missiles": text: """<strong>Támadás (célpontbemérő)</strong>: dobd el ezt a kártyát, hogy végrehajtsd a támadást. Ha ez a támadás eltalálja a célpont hajót, az 1 sérülést szenved és kap 2 ion jelzőt. Ezután az <strong>összes</strong> kocka eredményét érvényteleníteni kell.""" "<NAME>": text: """A harc fázis elején távolíts el 1 stressz jelzőt egy 1-es távolságon belül lévő másik baráti hajóról. [FAQ]""" "De<NAME>": text: """A harci fázis kezdetén választhatsz egy 1-2 távolságra lévő saját hajót. Cseréld ki a pilóta képességeteket a fázis végéig.""" "Outman<NAME>ver": text: """Amikor a saját tüzelési szögeden belül támadsz, és kívül esel a támadott hajó tüzelési szögén (magyarul, ha hátba támadod), csökkentsd a mozgékonyságát 1-el (minimum 0-ig). [FAQ]""" "Predator": text: """Támadáskor újradobhatsz 1 kockát. Amennyiben a védekező pilóta képessége 2 vagy kevesebb, 2 kockával dobhatsz újra.""" "<NAME>": name: "<NAME> (Repesztor<NAME>)" text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Miután végrehajtottad a támadást, a védekező fél kap egy stressz jelzőt, ha a szerkezeti értéke 4-es vagy annál kevesebb. [FAQ]""" "R7 Astromech": text: """Körönként egyszer védekezéskor, ha van célpontbemérő jelződ a támadón, azt elköltve kiválaszthatsz akármennyi támadó kockát. A támadónak azokat újra kell dobnia.""" "R7-T1": text: """<strong>Action:</strong> Válassz 1 ellenséges hajót 1-2 távolságra. Ha benne vagy a tüzelési szögében, tehetsz rá célpontbemérőt. Ezután végrehajthatsz egy ingyenes %BOOST% akciót. [FAQ]""" "Tactician": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Miután végrehajtasz egy támadást egy 2-es távolságra és a tüzelési szögedben lévő hajón, az kap egy stressz jelzőt. [FAQ]""" "R2-D2 (Crew)": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Ha a kör végén nincs pajzsod, kapsz 1 pajzs jelzőt és dobnod kell egy támadókockával. %HIT% esetén véletlenszerűen fordítsd fel az egyik sebzés kártyádat és hajtsd végre. [FAQ]""" "C-3PO": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Egyszer egy körben, mielőtt akár egy védekező kockával is dobnál, hangosan megtippelheted, hogy hány %EVADE% fogsz dobni. Ha sikerült pontosan tippelned (mielőtt módosítottad volna a kockát), akkor az eredményhez hozzá adhatsz még egy plusz %EVADE%-t.""" "Single Turbolasers": text: """<strong>Támadás (Energia):</strong> költs el 2 energiát erről a kártyáról hogy ezzel a fegyverrel támadhass. A védekező mozgékonyság értéke megduplázódik e támadás ellen. Egy %FOCUS% dobásod átfordíthatod %HIT%-ra.""" "Quad Laser Cannons": text: """<strong>Támadás (energia):</strong> költs el 1 energiát erről a kártyáról, hogy támadhass ezzel a fegyverrel. Amennyiben nem találod el az ellenfelet, azonnal elkölthetsz még 1 energiát erről a kártyáról egy újabb támadáshoz.""" "Tibanna Gas Supplies": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%<strong>Energia:</strong> A kártya eldobásának fejében, kaphatsz 3 energiát.""" "Ionization Reactor": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%<strong>Energia:</strong> Költs el 5 energiát erről a kártyáról és dobd el ezt a kártyát, annak érdekében, hogy használhasd. Minden 1-es távolságban lévő másik hajó elszenved egy sérülést és kap egy ion jelzőt.""" "Engine Booster": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Rögtön mielőtt felfednéd a manőver tárcsádat, elkölthetsz egy energiát, ilyenkor végrehajthatsz egy fehér (%STRAIGHT% 1) manővert. Nem használhatod ezt a képességet, ha a manőver által ütköznél egy másik hajóval.""" "R3-A2": text: """Mikor kijelölöd a támadásod célpontját és a védő a tüzelési szögeden belül van, kaphatsz 1 stressz jelzőt azért, hogy a védő is kapjon 1-et. [FAQ]""" "R2-D6": text: """A fejlesztési sávod kap egy %ELITE% jelzőt.%LINEBREAK%Nem szerelheted fel, ha már van %ELITE% ikonod vagy a pilóta képességed 2 vagy kevesebb.""" "Enhanced Scopes": text: """Az Aktiválási fázis során, vedd úgy, hogy a pilótaképzettséged "0".""" "Chardaan Refit": text: """<span class="card-restriction">Csak A-Wing.</span>%LINEBREAK%Ennek a kártyának negatív csapat módosító értéke van.""" "Proton Rockets": text: """<strong>Támadás (fókusz):</strong> dobd el ezt a kártyát, hogy végrehajthasd a támadást. Annyi plusz kockával dobhatsz, mint amennyi a mozgékonyságod értéke, de maximum 3-mal.""" "<NAME>": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután levettél egy stressz jelzőt a hajódról, rárakhatsz egy fókusz jelzőt.""" "<NAME>": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Körönként egyszer, ha egy 1-3 távolságra lévő baráti hajó fókusz akciót hajtana végre vagy egy fókusz jelzőt kapna, ahelyett adhatsz neki egy kitérés jelzőt.""" "<NAME>": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadók.</span> %LINEBREAK%<strong>Akció:</strong> Költs el bármennyi energiát majd válassz ugyanennyi ellenséges hajót 1-2 távolságra. Vegyél le róluk minden fókusz, kitérés és kék bemérés jelzőt.""" "R4-D6": text: """Amikor eltalálnak és legalább három olyan %HIT% találat van, amit nem tudsz érvényteleníteni, változtasd meg őket addig, míg 2 nem marad. Minden egyes így érvénytelenített találatért kapsz 1 stressz jelzőt.""" "R5-P9": text: """A harci fázis végén elkölthetsz 1 fókusz jelzőt, hogy visszakapj 1 pajzsot (max. pajzs értékig).""" "WED-15 Repair Droid": text: """<span class="card-restriction">Csak óriás hajó.</span>%LINEBREAK%<strong>Akció:</strong> Költs el 1 energiát, hogy eldobhasd 1 lefordított sérülés kártyádat, vagy költs el 3-at, hogy eldobhass 1 felfordított sérüléskártyát.""" "<NAME>": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadók.</span> %LINEBREAK%Csak nagy hajók. Csak lázadók. Az aktiválási fázis elején, eldobhatod ez a kártyát, annak érdekében, hogy minden baráti hajó pilóta képzettségét megnöveld "12"-re, a kör végéig.""" "<NAME>": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadók.</span> %LINEBREAK%Amikor egy 1 távolságra lévő másik baráti hajó támad, az egyik %HIT%-t %CRIT%-ra változtathatja.""" "Expanded Cargo Hold": text: """<span class="card-restriction">Csak GR-75.</span> Egy körben egyszer lehet csak igénybe venni. Ha kapnál egy felfordított sebzés kártyát (kritikus sebzés után), akkor eldöntheted, hogy azt az orr, vagy a tat pakliból veszed ki.""" "Backup Shield Generator": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Minden kör végén beválthatsz egy energiát egy pajzsra. (nem mehet a maximum érték fölé.)""" "EM Emitter": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Amikor egy támadás kereszttüzébe kerülsz, a védekező fél 3 kockával dobhat (1 helyett).""" "Frequency Jammer": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Amikor egy zavarás akciót hajtasz végre, válassz ki egy olyan ellenséges hajót aminek nincs stressz jelzője és legfeljebb 1-es távolságra van a zavart hajótól. Ez a hajó is kap egy stressz jelzőt.""" "Han Solo": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Amikor támadsz, és van célpont bemérése jelződ a védekező félen, felhasználhatód azt annak érdekében, hogy az összes %FOCUS% dobásod %HIT% találatra forgathasd.""" "Leia Organa": text: """<span class="card-restriction">Csak lázadó.</span>%LINEBREAK%Az aktivációs fázis elején eldobhatod a kártyát, így minden baráti hajó, amelyik piros manővert választott, fehérként használhatja azt a fázis végéig.""" "Targeting Coordinator": text: """<span class="card-restriction">Csak óriás hajó. Limitált. </span>%LINEBREAK%<strong>Energia:</strong> Költs el 1 energiát, válassz egy saját hajót 1-2 távolságra. Hajtsd végre egy cél bemérést, majd helyezz 1 kék bemérés jelzőt a választott hajóra.""" "<NAME>": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadó.</span> %LINEBREAK%Az Aktiválási fázis elején válassz 1 ellenséges hajót 1-3 távolságra. Megnézheted a választott manőverét. Amennyiben az fehér, kap 1 stressz jelzőt.""" "Gunnery Team": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Egy körben egyszer, amikor másodlagos fegyverrel támadsz, elkölthetsz egy energiát annak érdekében, hogy egy üres kockát %HIT%-ra forgathass.""" "Sensor Team": text: """A célpont bemérését 1-5 távolságra lévő hajón is használhatod (1-3 helyett).""" "Engineering Team": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Az aktiválási fázis során, hogy ha egy %STRAIGHT% manővert fedsz fel, kapsz egy plusz energiát az “Energia növelése” lépés során.""" "<NAME>": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%<strong>Akció:</strong> Dobj két védekező kockával. Annyi fókusz jelzőt adj a hajódnak, amennyi %FOCUS%-t, valamint annyi kitérés jelzőt, ahány %EVADE%-t dobtál.""" "<NAME>": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%A harci fázis végén minden olyan 1 távolságra lévő ellenséges hajó, amin nincs stressz jelző, kap egy stressz jelzőt.""" "Fleet Officer": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%<strong>Akció:</strong>Válassz ki maximum 2 hajót 1-2 távolságon belül és adj nekik 1-1 fókusz jelzőt. Ezután kapsz egy stressz jelzőt.""" "Lone Wolf": text: """Amikor támadsz vagy védekezel, és nincs 1-2 távolságra tőled másik baráti hajó, újradobhatod egy üres dobásodat. [FAQ]""" "Stay On Target": text: """Amikor felfeded a manővertárcsád, átforgathatod a tárcsát egy másik, de ugyanekkora sebességű manőverre. A manővered pirosnak kell tekinteni. [FAQ]""" "Dash Rendar": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Akkor is támadhatsz, ha egy akadállyal fedésben vagy. A támadások nem akadályozottak.""" '"Leebo"': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%<strong>Akció:</strong> végrehajthatsz egy ingyen gyorsítás akciót. Ezután kapsz egy ion jelzőt.""" "Ruthlessness": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Ha olyan támadást hajtasz végre, ami talál, ki <strong>kell</strong> választanod egy másik hajót a védekezőtől 1 távolságra (másikat, mint tied). Az a hajó 1 sérülést szenved. (Megj.: ha nincs ellenséges hajó, akkor a baráti hajót kell választanod).""" "Intimidation": text: """Amíg egy ellenséges hajóval érintkezel, annak a hajónak a mozgékonyságát csökkentsd eggyel.""" "<NAME>": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%A harci fázis elején, ha nincs pajzsod és legalább egy sérülés jelző van a hajódon, végrehajthatsz egy ingyen kitérés akciót. [FAQ]""" "<NAME>": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Csak birodalmiak. Amikor kapnál egy felfordított sérülés kártyát, eldobhatod ezt vagy egy másik %CREW% fejlesztés kártyádat, hogy a sérülés kártyát lefelé fordítsd (a hatása így nem érvényesül).""" "Ion Torpedoes": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Ha ez a támadás talál, akkor a célpont és a tőle 1-es távolságra lévő hajók kapnak 1 ion jelzőt.""" "Bodyguard": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A harci fázis elején egy fókuszt elköltve kiválaszthatsz egy 1-es távolságra lévő baráti hajót, aminek a tiednél nagyobb a pilóta képzettsége. A kör végéig annak a hajónak növeld meg eggyel a mozgékonyságát.""" "Calculation": text: """Amikor támadsz, elkölthetsz egy fókusz jelzőt, hogy egy %FOCUS% dobásod %CRIT%-ra módosíts.""" "Accuracy Corrector": text: """Amikor támadsz, a "Támadó kocka módosítás" lépésben, törölheted az összes kockád eredményét. Ezután a dobásodhoz hozzáadhatsz 2 %HIT%-t. E támadás során a kockáid eredményét nem módosíthatod még egyszer. [FAQ]""" "Inertial Dampeners": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy végrehajts egy fehér (0 %STOP%) manővert. Ezután kapsz egy stressz jelzőt.""" "F<NAME>chette Cannon": text: """<strong>Támadás:</strong> Támadj meg egy hajót. Ha a támadás során a védő találatot kap, akkor 1 sérülést szenved, valamint, ha nincs rajta stressz jelző, akkor kap egyet. Ezután az összes kocka eredményét érvényteleníteni kell.""" '"M<NAME>ler" Cannon': text: """<strong>Támadás:</strong> Támadj meg egy hajót. Támadáskor egyik %HIT% találatod %CRIT%-re módosíthatod.""" "Dead Man's Switch": text: """Amikor megsemmisülsz, minden, tőled 1-es távolságra lévő hajó elszenved 1 sérülést. [FAQ]""" "Feedback Array": text: """A harci fázis alatt, ahelyett, hogy támadnál, kaphatsz egy ion jelzőt és elszenvedhetsz 1 sérülést, hogy kiválaszthass egy 1-es távolságra lévő ellenséges hajót. Az a hajó elszenved 1 sérülést. [FAQ: nem számít támadásnak]""" '"Hot Shot" Blaster': text: """<strong>Támadás:</strong>: dobd el ezt a kártyát, hogy megtámadhass 1 hajót (akkor is, ha a tüzelési szögeden kívülre esik).""" "Greedo": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Minden körben, amikor először támadsz, illetve minden körben, amikor először védekezel, az első sérülés kártyát fel kell fordítani.""" "Salvaged Astromech": text: """Amikor olyan felfordított sérülés kártyát kapsz, amin a <strong>Ship</strong> szó szerepel, azonnal dobd el (mielőtt kifejtené hatását). Ezután dobd el ezt a fejlesztés kártyát. [FAQ]""" "Bomb Loadout": text: """<span class="card-restriction">Csak Y-wing. Limitált.</span>%LINEBREAK%A fejlesztés sávod megkapja a %BOMB% fejlesztés ikont.""" '"Genius"': text: """Miután felfedted a tárcsád, végrehajtottad a manővert és nem ütköztél hajónak, eldobhatsz egy felszerelt <strong>Action:</strong> fejléc nélküli %BOMB% fejlesztés kártyát, hogy letehesd a hozzá tartozó bomba jelzőt. [FAQ]""" "Unhinged Astromech": text: """Az összes 3-as sebességű manővert vedd zöld színűnek.""" "R4-B11": text: """Ha támadsz, elköltheted a célponton lévő célpontbemérőd, hogy kiválassz bármennyi védő kockát. A védekezőnek ezeket újra kell dobnia.""" "Autoblaster Turret": text: """<strong>Támadás:</strong> Támadj meg egy hajót. A %HIT% dobásaid nem lehet a védekező kockákkal érvényteleníteni. A védő a %CRIT% dobásokat a %HIT%-ok előtt semlegesítheti.""" "R4 Agromech": text: """Támadáskor, miután felhasználtál egy fókusz jelzőt, célpontbemérőt helyezhetsz el a védekezőn. [FAQ]""" "K4 Security Droid": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Egy zöld manőver végrehajtása után végrehajthatsz egy célpont bemérése akciót.""" "Outlaw Tech": text: """<span class="card-restriction">Csak söpredék. Limitált.</span>%LINEBREAK%Miután végrehajtottál egy piros manővert, adhatsz a hajódnak egy fókusz jelzőt.""" "Advanced Targeting Computer": text: """<span class="card-restriction">Csak TIE Advanced.</span>%LINEBREAK%Amikor az elsődleges fegyvereddel támadsz, ha már elhelyeztél egy célpontbemérő jelzőt a célponton, akkor a dobásaidhoz adj 1 %CRIT% eredményt. Ha megteszed, e támadás során már nem költheted el a célbepontbemérésed. [FAQ]""" "Ion Cannon Battery": text: """<strong>Támadás (Energia):</strong> költs el 2 energiát erről a kártyáról hogy ezzel a fegyverrel támadhass. Ha ez a támadás talál, a védő egy kritikus sérülést szenved és kap egy ion jelzőt. Ezután töröld a dobásod minden eredményét.""" "Extra Munitions": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Amikor hozzárendeled ezt a kártyád a hajódhoz, tégy 1 hadianyag jelzőt minden a hajóra felszerelt %TORPEDO%, %MISSILE% és %BOMB% fejlesztés kártyára. Amikor azt az utasítást kapod, hogy dobd el a fejlesztés kártyádat, ahelyett az azon a kártyán található hadianyag jelzőt is eldobhatod.""" "Cluster Mines": text: """<strong>Akció:</strong> dobd el ezt a kártyát, hogy letehess 3 Cluster Mine jelzőt.<br />Amikor egy hajó talpa vagy manőver sablonja érinti ezt a jelzőt, a bomba felrobban. <br />Az érintett hajó dob 2 kockával és minden %HIT% és %CRIT% után sérülést szenved. Aztán az akna jelzőt le kell venni.""" "Glitterstim": text: """A harci fázis elején eldobhatod ezt a kártyát és kaphatsz 1 stressz jelzőt. Ha megteszed, a kör végéig mind támadásnál, mind védekezésnél minden %FOCUS% dobásod %HIT%-ra vagy %EVADE%-re módosíthatod.""" "Grand Moff Tarkin": text: """<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%Csak óriás hajók. Csak birodalmiak. A harci fázis elején kiválaszthatsz egy 1-4 távolságra lévő másik hajót. Vagy leveszel róla 1 fókusz jelzőt, vagy adsz neki egyet.""" "<NAME>": text: """<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%Ha az Aktivációs fázis során átfedésbe kerülnél egy akadállyal, nem kapsz 1 felfordított sérülés kártyát. Helyette dobj 1 támadó kockával. %HIT% vagy %CRIT% találat esetén 1 sérülést szenvedsz el.""" "<NAME>": text: """<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%<strong>Energia:</strong> Maximum 3 pajzsot levehetsz a hajódról. Minden levett pajzs után kapsz 1 energiát.""" "<NAME>": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Körönként egyszer, mielőtt egy baráti hajó gurít, válassz egy dobás eredményt. Dobás után meg kell változtatnod egy kockát a választott eredményre. Ez a kocka nem változtatható a továbbiakban. [FAQ]""" "Boss<NAME>": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK% Ha egy támadásod nem talál és nincs rajtad stressz jelző, mindenképpen kapsz egy stressz jelzőt. Ezután tégy egy fókusz jelzőt a hajód mellé, majd alkalmazd a célpontbemérő akciót a védőn.""" "Lightning Reflexes": text: """<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Miután végrehajtottál egy fehér vagy zöld manővert, eldobhatod ezt a kártyát és megfordíthatod a hajód 180&deg;-kal. A „Pilóta Stresszhelyzetének ellenőrzése” lépés után 1 stressz jelzőt kapsz. [FAQ]""" "Twin Laser Turret": text: """<strong>Támadás:</strong> hajtsd végre ezt a támadást <strong>kétszer</strong> (akár a tüzelési szögeden kívül eső hajók ellen is). Minden alkalommal, ha a lövés talál, a védő 1 sérülést szenved el. Ezután az <strong>összes</strong> kocka eredményét hagyd figyelmen kívül. [FAQ]""" "Plasma Torpedoes": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Ha ez a támadás talál, a sebzés kiosztása után végy le egy pajzs jelzőt a védőről.""" "Ion Bombs": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy letehess egy 1 ion bomba jelzőt.<br />Ez a bomba az aktivációs fázis végén felrobban.<br />A bombától mért 1 távolságra minden hajó kap 2 ion jelzőt. Aztán a jelzőt le kell venni.""" "Conner Net": text: """<strong>Akció:</strong> dobd el ezt a kártyát, hogy letehess 1 Conner Net jelzőt.<br />Amikor egy hajó alapja vagy manőver sablonja érinti ezt a jelzőt, a bomba felrobban.<br />Az érintett hajó elszenved 1 sérülést és kap 2 ion jelzőt, valamint a kihagyja az akció végrehajtása lépést. Aztán a jelzőt le kell venni. [FAQ]""" "Bombardier": text: """Amikor ledobsz egy bombát, használhatod a (%STRAIGHT% 2) sablont a (%STRAIGHT% 1) helyett.""" 'Crack Shot': text: '''Ha egy hajót a tüzelési szögeden belül támadsz, az eredmény összehasonlítása lépés kezdetén, eldobhatod ezt a lapot, hogy az ellenfél egy %EVADE% dobás eredményét semlegesítsd. [FAQ]''' "Advanced Homing Missiles": text: """<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajthasd a támadást. Ha ez a támadás talál, ossz ki 1 felfordított sebzés kártyát a védőnek. Ezután az <strong>összes</strong> kocka eredményét hagyd figyelmen kívül.""" 'Agent Kallus': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Az első kör kezdetén válassz egy ellenséges kis vagy nagy hajót. Mikor azt a hajót támadod vagy védekezel ellene, egy %FOCUS% dobásod átforgathatod %HIT% vagy %EVADE% eredményre.''' 'XX-23 S-Thread Tracers': text: """<strong>Támadás (fókusz):</strong> dobd el ezt a kártyát, hogy végrehajthasd a támadást. Ha ez a támadás talál, minden baráti hajó 1-2-es távolságban kap egy célpontbemérőt a védekezőre. Ezután az <strong>összes</strong> kocka eredményét hagyd figyelmen kívül.""" "Tractor Beam": text: """<strong>Támadás:</strong> Támadj egy hajót.<br />Ha a támadás talált, a védekező kap egy tractor beam jelzőt. Aztán érvényteleníts minden kockadobást. [FAQ]""" "Cloaking Device": text: """<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%<strong>Akció:</strong> Hajts végre egy ingyenes álcázás akciót.<br>A kör végén, ha álcázva vagy, dobj egy támadó kockával. %FOCUS% eredménynél dobd el ezt a kártyát, majd fedd fel magad vagy dobd el az álcázás jelzőt.""" "Shield Technician": text: """<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Amikor végrehajtasz egy visszanyerés akciót, ahelyett, hogy elköltenéd az összes energiádat, te döntheted el, mennyi energiát használsz fel.""" "Weapons Guidance": name: "Weapons Guidance (Fegyvervezérlés)" text: """Támadáskor elkölthetsz egy fókusz jelzőt, hogy egy üres kockát %HIT%-ra forgass.""" "BB-8": text: """Mikor felfedsz egy zöld manővert, végrehajthatsz egy ingyen %BARRELROLL% akciót.""" "R5-X3": text: """Mielőtt felfeded a tárcsád, eldobhatod ezt a lapot, hogy figyelmen kívül hagyhatsd az akadályokat a kör végéig. [FAQ]""" "Wired": name: "Wired (Felpörögve)" text: """Támadáskor és védekezéskor, ha stresszes vagy, újradobhatsz egy vagy több %FOCUS% eredményt.""" 'Cool Hand': text: '''Mikor stressz jelzőt kapsz, eldobhatod ezt a kártyát, hogy kaphass %FOCUS% vagy %EVADE% jelzőt.''' 'Juke': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Támadáskor, ha van %EVADE% jelződ, megváltoztathatod a védekező egy %EVADE% dobását %FOCUS%-ra.''' 'Comm Relay': text: '''Nem lehet több, mint egy %EVADE% jelződ.%LINEBREAK%A befejező fázis alatt, ne távolítsd el a megmaradt %EVADE% jelződ.''' 'Dual Laser Turret': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%<strong>Támadás (energia):</strong> Költs el egy energiát erről a kártyáról, hogy végrehajtd ezt a támadást egy hajó ellen (akár a tüzelési szögeden kívül eső hajók ellen is).''' 'Broadcast Array': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Az akciósávod megkapja a %JAM% akció ikont.''' '<NAME>': text: '''<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%<strong>Akció:</strong> Hajts végre egy fehér (%STRAIGHT% 1) manővert.''' 'Ordnance Experts': text: '''Egy körben egyszer, mikor egy baráti hajó 1-3 távolságban végrehajt egy támadást %TORPEDO% vagy %MISSILE% másodlagos fegyverrel, egy üres dobását %HIT%-re forgathatja.''' 'Docking Clamps': text: '''<span class="card-restriction">Csak Gozanti. Limitált.</span> %LIMITED%%LINEBREAK%Dokkolhatsz akár 4 TIE fighter, TIE interceptor, TIE bomber vagy TIE Advanced hajót. Az összes dokkolt hajónak egyforma típusúnak kell lennie.''' '"Zeb" Orrelios': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A tüzelési szögedben lévő ellenséges hajók amelyekkel érintkezel, nem számítanak érintkezésnek, mikor te vagy ők aktiválódnak a harci fázisban. [FAQ]""" '<NAME>': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Körönként egyszer, miután egy baráti hajó 1-2 távolságban végrehajt egy fehér manővert, levehetsz egy stressz jelzőt róla. [FAQ]""" 'Reinforced Deflectors': text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Védekezés után, ha elszenvedtél 3 vagy több %HIT% vagy %CRIT% találatot a támadás alatt, visszatölthetsz 1 pajzsot. (Nem haladhatja meg a kezdeti értéket.) [FAQ]""" 'Dorsal Turret': text: """<strong>Támadás:</strong>Támadj meg egy hajót (akár a tüzelési szögeden kívül is).%LINEBREAK%Ha a célpont 1 távolságban van, plusz egy kockával dobhatsz.""" 'Targeting Astromech': text: '''Miután végrehajtasz egy piros menővert, felrakhatsz egy célpontbemérőt.''' 'Hera Syndulla': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Fel tudsz fedni és végrehajtani piros manővert, még ha stresszes is vagy.""" '<NAME>': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Támadáskor, ha stresszes vagy, egy %FOCUS% dobást %CRIT%-ra forgathatsz.""" '<NAME>': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A fejlesztés sávod kap egy %BOMB% ikont. Körönként egyszer, mielőtt egy baráti bomba lekerül a játéktérről, válassz egy ellenséges hajót a jelzőtől 1 távolságra. Ez a hajó elszenved egy sérülést.""" '"Chopper"': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Végrehajthatsz akciókat, még ha stresszes vagy is.%LINEBREAK%Miután végrehajtasz egy akciót, miközben stresszes vagy, elszenvedsz egy sérülést.""" 'Construction Droid': text: '''<span class="card-restriction">Csak nagy hajók. Limitált.</span> %LIMITED%%LINEBREAK%Mikor végrehajtasz egy recover akciót, elkölthetsz egy energiát, hogy eldobhass egy lefordított sérülés kártyát.''' 'Cluster Bombs': text: '''Védekezés után eldobhatod ezt a kártyát. Ha ezt teszed, minden más hajó 1 távolságban dob 2 támadó kockával és elszenved minden (%HIT%) és (%CRIT%) találatot.''' "Adaptability": text: """<span class="card-restriction">Kettős kártya.</span>%LINEBREAK%<strong>A oldal:</strong> Növeld a pilóta képességed eggyel.%LINEBREAK%<strong>B oldal:</strong> Csökkentsd a pilóta képességed eggyel. [FAQ]""" "Electronic Baffle": text: """Mikor kapsz egy stressz vagy ion jelzőt, eldobhatod, ha elszenvedsz egy sérülést.""" "4-LOM": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor a támadókockák módosítása lépésben kaphatsz egy ion jelzőt, hogy kiválassz a támadó egy %FOCUS% vagy %EVADE% jelzőjét. Ez a jelző nem költhető el ebben a támadásban.""" "Zuckuss": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor, ha nem vagy stresszes, annyi stressz jelzőt kaphatsz, ahány védekező kockát kiválasztasz. A védekezőnek újra kell dobnia azokat a kockákat.""" '<NAME>': text: """<strong>Akció:</strong> Adj egy %FOCUS% jelzőt a hajódhoz és kapsz 2 stressz jelzőt. A kör végéig támadáskor újradobhatsz akár 3 kockát. [FAQ]""" "<NAME>": text: """<span class="card-restriction">Csak söpredék. Csak 2 rajonként.</span>%LINEBREAK%Minden esetben mikor fókusz vagy stressz jelzőt kapsz, az összes többi baráti hajó, amely fel van szerelve Attanni Mindlink fejlesztéssel szintén megkapja ezt a fajta jelzőt, ha még nincs neki. [FAQ]""" "<NAME>": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Miután végrehajtottál egy támadást, és a védekező kapott egy felfordított sérülés kártyát, eldobhatod azt, hogy helyette kiválassz és eldobj egy fejlesztés kártyát.""" "<NAME>": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor újradobhatsz egy támadó kockát. Ha a védekező egyedi pilóta, 2 kockát is újradobhatsz.""" '"<NAME>"': text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%<strong>Akció:</strong> Helyezz el egy pajzs jelzőt ezen a kártyán.<br /><strong>Akció:</strong> Vedd el a pajzs jelzőt a kártyáról és töltsd vissza vele a pajzsod (csak az eredeti értékig). [FAQ: különböő akciók]""" "R5-P8": text: """Körönként egyszer, védekezés után dobhatsz egy támadó kockával. %HIT% dobáskor a támadó leszenved egy sérülést. %CRIT% dobáskor mindketten elszenvedtek egy séerülést.""" 'Thermal Detonators': text: """Mikor felfeded manővertárcsád eldobhatod ezt a kártyát, hogy letehess egy Thermal Detonator jelzőt.<br>Ez a jelző felrobban az aktiválási fázis végén.<br> Mikor felrobban, minden hajó 1 távolságban elszenved 1 sérülést és kap egy stressz jelzőt. Aztán dobd el ezt a jelzőt.""" "Overclocked R4": text: """A harci fázis alatt, mikor elköltesz egy %FOCUS% jelzőt, egy stressz jelzővel együtt kaphatsz egy újabb %FOCUS% jelzőt.""" 'Systems Officer': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Miután végrehajtottál egy zöld menővert, válassz ki egy másik baráti hajót 1 távolságban. Az a hajó feltehet egy célpontbemérőt.''' 'Tail Gunner': name: "Tail Gunner (Faroklövész)" text: '''Mikor a hátsó kiegészítő tüzelési szögedből támadsz, csökkentd a védekező mozgékonyságát eggyel (nem mehet 0 alá).''' 'R3 Astromech': text: '''Körönként egyszer, mikor az elsődleges fegyvereddel támadsz, törölhetsz egy %FOCUS% dobásod a támadókockák módosítása lépésben, hogy kaphass egy %EVADE% jelzőt.''' 'Collision Detector': text: '''Mikor végrehajtasz egy %BOOST%, %BARRELROLL% vagy visszaálcázás műveletet, a hajód és a manőver sablonod átfedhet egy akadályt.%LINEBREAK%Mikor dobsz az akadály sérülésért figyelmen kívül hagyhatod a %CRIT% dobást.''' 'Sensor Cluster': text: '''Védekezéskor, elkölthetsz egy %FOCUS% jelzőt, hogy egy üres dobást %EVADE%-re forgass.''' 'Fearlessness': name: "Fearlessness (Vakmerőség)" text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor, ha a védekezővel egymás tüzelési szögében vagytok 1-es távolságon belül, hozzáadhatsz egy %HIT% eredményt a dobásodhoz.''' 'Ketsu Onyo': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A befejező fázis kezdetén, kiválaszthatsz egy ellenséges hajót a tüzelési szögedben 1-2 távolságban. Ez a hajó nem dobhatja el a vonósugár jelzőjét.''' 'Latts Razzi': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Védekezéskor levehetsz egy stressz jelzőt a támadóról, hogy hozzáadj 1 %EVADE% eredményt a dobásodhoz.''' 'IG-88D': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Megkapod a pilóta képességét minden más baráti hajónak amely a IG-2000 fejlesztés kártyával felszerelt (a saját képességed mellett).''' 'Rigged Cargo Chute': name: "Rigged Cargo Chute (Módosított rakománykatapult)" text: '''<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%<strong>Akció:</strong> dobd el ezt a kártyát, hogy letehess egy rakomány jelzőt.''' 'Seismic Torpedo': name: "Seismic Torpedo (Szeizmikus torpedó)" text: '''<strong>Akció:</strong>Dobd el ezt a lapot és válassz ki egy, 1-2-es távolságon belüli, a támadási szögedben lévő akadályt. Minden hajó, ami 1-es távolságban van az akadálytól, dob egy támadókockával és elszenvedi a dobott %HIT% vagy %CRIT% sérülést. Aztán vedd le az akadályt.''' 'Black Market Slicer Tools': name: "Black Market Slicer Tools (Illegális hackereszközök)" text: '''<strong>Akció:</strong>Válassz egy stresszelt ellenséges hajót 1-2-es távolságban és dobj egy támadókockával. %HIT% vagy %CRIT% dobásnál vedd le róla a stressz jelzőt és ossz ki neki egy lefordított sérülés kártyát.''' # Wave X '<NAME>': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%<strong>Akció:</strong> Rendeld a "I'll Show You the Dark Side" állapot kártyát egy 1-3 távolságban lévő ellenséges hajóhoz.''' '<NAME>': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Miután végrehajtottál egy manővert amivel átfedésbe kerültél egy ellenséges hajóval, elszenvedhetsz egy sérülést, hogy végrehajts egy ingyenes akciót.''' 'A Score to Settle': text: '''A hajók felhelyezéskor, válassz ki egy ellenséges hajót és oszd neki a "A Debt to Pay" állapot kártyát.%LINEBREAK%Mikor a "A Debt to Pay" állapot kártyával rendelkező hajó támadásakor 1 %FOCUS% eredményt %CRIT%-re változtathatsz.''' '<NAME>': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%<strong>Akció:</strong> Válassz ki egy baráti hajót 1-2 távolságban. Adj egy %FOCUS% jelzőt ennek a hajónak minden egyes, a tüzelési szögedben 1-3 távolságra lévő ellenséges hajó után. Maximum 3 jelzőt kaphat így.''' '<NAME>': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A tervezési fázis végén, válassz egy ellenséges hajót 1-2 távolságban. Tippeld meg hangosan a hajó manőverét, aztán nézzétek meg. Ha jól tippeltél átforgathatod a tárcsádat.''' 'Finn': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor támadsz az elsődleges fegyvereddel vagy védekezel és az ellenséges hajó a tüzelési szögedben van, hozzáadhatsz egy üres kockát a dobásodhoz.''' 'Rey': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A befejező fázis kezdetekor, leteheted a hajód egy %FOCUS% jelzőjét erre a kártyára. A harci fázis kezdetén megkaphat a hajód 1 jelzőt erről a kártyáról.''' 'Burnout SLAM': text: '''<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Az akciósávod megkapja a %SLAM% ikont.%LINEBREAK%Miután végrehajtottál egy SLAM akciót, dobd el ezt a kártyát.''' 'Primed Thrusters': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%A stressz jelző nem akadályoz meg abban, hogy végrehajts egy %BOOST% vagy %BARRELROLL% akciót, hacsak nincs 3 vagy több stressz jelződ.''' 'Pattern Analyzer': text: '''Mikor végrehajtasz egy manővert, az "Akció végrehajtást" előbb megteheted, mint a "Stressz ellenőrzést".''' 'Snap Shot': text: '''Miután egy ellenséges hajó végrehajt egy manővert, végrehajthatsz egy támadást e hajó ellen. <strong>Támadás:</strong> Támadj egy hajót. Nem módosíthatod a dobásodat és nem támadhatsz újra ebben a fázisban.''' 'M9-G8': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor a hajó, amin célpontbemérőd van támad, kiválaszthatsz egy támadó kockát. A támadónak újra kell dobnia azt a kockát.%LINEBREAK%Feltehetsz egy célpontbemérőt egy másik baráti hajóra. [FAQ]''' 'EMP Device': text: '''A harci fázis alatt, ahelyett, hogy támadnál, eldobdhatod ezt a lapot, hogy kiossz 2 ion jelzőt minden hajónak 1 távolságban.''' 'Capt<NAME>': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután végrehajtottál egy támadást ami nem talált, adj egy %FOCUS% jelzőt a hajódhoz.''' 'General Hux': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%<strong>Akció:</strong> Válassz maximum 3 baráti hajót 1-2 távolságban. Adj 1 %FOCUS% jelzőt mindegyiknek és add a "Fanatical Devotion" állapot kártyát egyiküknek. Aztán kapsz egy stressz jelzőt.''' 'Operations Specialist': text: '''<span class="card-restriction">Limitált.</span>%LIMITED%%LINEBREAK%Miután egy baráti hajó 1-2 távolságban végrehajt egy támadást ami nem talált, a támadó hajó 1-3 távolságában lévő összes baráti hajó kaphat egy %FOCUS% jelzőt.''' 'Targeting Synchronizer': text: '''Mikor egy baráti hajó 1-2 távolságban támad egy hajót amin célpontbemérőd van, a baráti hajó kezelje a <strong>Támadás (célpontbemérő):</strong> fejlécet mint as <strong>Támadás:</strong>. Ha az instrukció célpontbemérő költést ír elő a hajónak, elköltheti a te célbepombemérésedet.''' 'Hyperwave Comm Scanner': text: '''A hajók lehelyezése lépés kezdetén kezelheted a pilóta képzettséged mint 0, 6 vagy 12 a lehelyezés végéig.%LINEBREAK%Az előkészítés alatt, miután egy másik baráti hajót leteszel 1-2 távolságban, adhatsz neki egy %FOCUS% vagy %EVADE% jelzőt.''' 'Trick Shot': text: '''Támadáskor, ha a támadás akadályon át történik, plusz 1 támadó kockával dobhatsz.''' 'Hotshot Co-pilot': text: '''Mikor támadsz egy elsődleges fegyverrel, a védekezőnek el kell költenie 1 %FOCUS% jelzőt, ha tud. Védekezéskor el kell költenie 1 %FOCUS% jelzőt, ha tud. [FAQ]''' '''Scavenger Crane''': text: '''Miután egy hajó 1-2 távolságban megsemmisül kiválaszthatsz egy felszerelt, de már eldobott %TORPEDO%, %MISSILE%, %BOMB%, %CANNON%, %TURRET% vagy módosítás fejlesztés kártyád és felfordíthatod. Aztán dobj egy támadó kockával. Üres dobásnál dobd el ezt a kártyát.''' 'Bodhi Rook': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor felteszel egy célpontbemérőt, bemérhetsz bármely baráti hajótól 1-3 távolságban lévő ellenséget.''' 'B<NAME>': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután végrehajtottál egy támadást ami nem talált, azonnal végrehajthatsz egy támadást az elsődleges fegyvereddel egy másik hajó ellen. Nem támadhatsz többet ebben a körben.''' 'Inspiring Recruit': name: "Inspiring Recruit (Ösztönző kezdő)" text: '''Körönként egyszer, mikor egy baráti hajó 1-2-es távolságban levesz egy stressz jelzőt, levehet még egyet is.''' 'Swarm Leader': name: "Swarm Leader (Rajvezér)" text: '''Mikor végrehajtasz egy támadást az elsődleges fegyvereddel, kiválaszthatsz akár 2 másik baráti hajót amelyek tüzelési szögében 1-3 távolságban benne van a védekező. Vegyél le 1 %EVADE% jelzőt minden kiválasztott hajóról, hogy plusz 1 támadó kockával dobhass minden levett jelző után.''' 'Bistan': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor 1-2 távolságban támadsz, egy %HIT% dobást %CRIT%-re forgathatsz.''' 'Expertise': name: "Expertise (Szaktudás)" text: '''Támadáskor, ha nem vagy stresszes, átfogathatod az összes %FOCUS% dobásod %HIT%-re.''' '<NAME>': text: '''Mikor a hajó amivel érintkezel aktiválódik, megnézheted a kiválasztott manőverét. Ha így teszel, a gazdájának át kell forgatni a tárcsát egy szomszédos manőverre. A hajó ezt a manővert fedi fel és hajtja végre, még ha stresszes is.''' # C-ROC 'Heavy Laser Turret': text: '''<span class="card-restriction">Csak C-ROC Cruiser.</span>%LINEBREAK%<strong>Támadás (energia):</strong> Költs el 2 energiát erről a kártyáról, hogy végrehajtsd ezt a támadást egy hajó ellen (akkor is, ha a hajó kívül esik a tüzelési szögeden).''' '<NAME>': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A befejező fázis kezdetén eldobhatod ezt a kártyát, hogy kicseréld egy felszerelt és még felfordított %ILLICIT% vagy %CARGO% kártyádat és másik hasonló típusú, ugyanannyi vagy kevesebb pontú kártyával.''' '<NAME>': text: '''<span class="card-restriction">Csak söpredék. Csak óriás hajók.</span>%LINEBREAK%A befejező fázis kezdetén elkölthetsz egy energiát, hogy kicseréld egy felszerelt és még felfordított %CREW% vagy %TEAM% kártyádat és másik hasonló típusú, ugyanannyi vagy kevesebb pontú kártyával.''' 'Quick-release Cargo Locks': text: '''<span class="card-restriction">Csak C-ROC Cruiser és GR-75 Medium Transport.</span>%LINEBREAK%Az aktivációs fázis végén eldobhatod ezt a kártyát, hogy lehelyezz egy konténer jelzőt.''' 'Supercharged Power Cells': text: '''Támadáskor eldobhatod ezt a kártyát, hogy további 2 kockával dobhass.''' 'ARC Caster': text: '''<span class="card-restriction">Csak lázadó és söpredék. Kettős kártya.</span>%LINEBREAK%<strong>A oldal:</strong>%LINEBREAK%<strong>Támadás:</strong> Támadj egy hajót. Ha a támadás talált választanod kell másik hajót 1-es távolságban a védekezőtől, ami elszenved egy sérülést. Eztán fordítsd le ezt a lapot.%LINEBREAK%<strong>B oldal:</strong>%LINEBREAK%(Újratöltés) A harci fázis kezdetén kaphatsz egy "inaktív fegyverzet" jelzőt, hogy átfordítsd ezt a kártyát.''' 'Wookiee Commandos': text: '''Támadáskor újradobhatod a %FOCUS% eredményeidet.''' 'Synced Turret': text: '''<strong>Támadás (célpontbemérő):</strong> támadj meg egy hajót (akkor is, ha a hajó kívül esik a tüzelési szögeden).%LINEBREAK% Ha támadó az elsődleges tüzelési szögedben van, újradobhatsz annyi kockát, amennyi az elsődleges fegyver értéked.''' 'Unguided Rockets': text: '''<strong>Támadás (fókusz):</strong> támadj meg egy hajót. A támadásod standard hatását csak a %FOCUS% jelző elköltésével módosíthatod.''' 'Intensity': text: '''<span class="card-restriction">Csak kis hajók. Kettős kártya.</span>%LINEBREAK%<strong>A oldal:</strong>Miután végrehajtottál egy gyorsítás vagy orsózás akciót, adhatsz egy %FOCUS% vagy %EVADE% a hajódhoz. Ha így teszel, fordítsd át ezt a kártyát.%LINEBREAK%<strong>B oldal:</strong> (Exhausted) A harci fázis végén elkölthetsz 1 %FOCUS% vagy %EVADE% jelzőt, hogy átfordítsd ezt a kártyát.''' 'Jabba the Hutt': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Mikor felszereled ezt a kártyát, helyezz 1 illicit jelzőt a rajod minden %ILLICIT% fejlesztés kártyájára. Mikor azt az utasítást kapod, hogy dobj el egy ilyen kártyát, helyette eldobhatod az rajta lévő illicit jelzőt.''' 'IG-RM Thug Droids': text: '''Támadáskor, átfordíthatsz egy %HIT% eredményt %CRIT%-re.''' 'Selflessness': text: '''<span class="card-restriction">Csak kis hajók. Csak lázadók.</span>%LINEBREAK%Mikor egy baráti hajót 1-es távolságban eltalálnak egy támadással, eldobhatod ezt a kártyát, hogy elszenvedd az összes kivédetlen %HIT% találatot a támadott hajó helyett.''' 'Breach Specialist': text: '''Mikor kiosztasz egy felfordított sérülés kártyát, elkölthetsz egy erősítés jelzőt, hogy lefordítsd (annak végrehajtása nélkül). Ha így teszel, a kör végéig így tehetsz az összes kiosztásra kerülő sérülés kártyával.''' 'Bomblet Generator': text: '''Mikor felfeded a manővered, ledobhatsz 1 Bomblet jelzőt.%LINEBREAK%Ez a jelző az aktivációs fázis végén robban.%LINEBREAK%<strong>Bomblet:</strong> Mikor ez a jelző robban minden hajó 1-es távolságban dob 2 támadó kockával és elszenved minden %HIT% és %CRIT% eredményt. Aztán a jelzőt le kell venni.''' 'Cad Bane': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A fejlesztés sávod megkapja a %BOMB% ikont. Körönként egyszer, mikor egy ellenséges hajó kockát dob egy bomba robbanás miatt, kiválaszthatsz bármennyi %FOCUS% vagy üres eredeményt. Ezeket újra kell dobni.''' 'Minefield Mapper': text: '''Az előkészítő fázisban, a hajók felhelyezése után eldobhatsz bármennyi %BOMB% fejlesztést. Helyezzd el az összes hozzájuk tartozó bomba jelzőt a játéktéren 3-as távolságon túl az ellenséges hajóktól.''' 'R4-E1': text: '''Végrehajthatod a %TORPEDO% és %BOMB% kártyádon lévő akciót, még ha stresszes is vagy. Miután így tettél, eldobhatod ezt a kártyát, hogy levegyél egy stressz jelzőt a hajódról.''' 'C<NAME>': text: '''<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást.%LINEBREAK% Annyival több támadó kockával dobhatsz, amekkora sebességű manővert hajtottál végre ebben a körben (de maximum 4).''' 'Ion Dischargers': text: '''Miután kaptál egy ion tokent, választhatsz egy ellenséges hajót 1-es távolságban. Ha így teszel, leveheted azt az ion jelzőt. Ekkor a választott ellenséges hajó eldöntheti, hogy átveszi-e tőled az iont. Ha így tesz, dobd el ezt a kártyát.''' 'Har<NAME>': text: '''<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást.%LINEBREAK%Ha a támadás talált, rendeld a "Harpooned!" kondíciós kártyát a védekezőhöz.''' 'Ordnance Silos': text: '''<span class="card-restriction">Csak B/SF-17 Bomber.</span>%LINEBREAK%Mikor felszereled a hajód ezzel a kártyával, helyezz 3 hadianyag jelzőt minden egyes felszerelt %BOMB% kártyához. Amikor azt az utasítást kapod, hogy dobd el a kártyát, eldobhatsz egy hadianyag jelzőt a kártya helyett.''' 'Trajectory Simulator': text: '''Kidobás helyett kilőheted a bombát a %STRAIGHT% 5 sablon használatával. Nem lőhetsz ki "<strong>Action:</strong>" fejléccel rendelkező bombát ily módon.''' 'Jamming Beam': text: '''<strong>Támadás:</strong> Támadj meg egy hajót.%LINEBREAK%Ha a támadás talált, rendelj a védekezőhöz 1 zavarás (jam) jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.''' 'Linked Battery': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Mikor az elsődleges vagy %CANNON% másodlagos fegyvereddel támadsz, újradobhatsz egy támadó kockádat.''' 'Saturation Salvo': text: '''Miután végrehajtottál egy támadást egy %TORPEDO% vagy %MISSILE% másodlagos fegyvereddel ami nem tálált, a védekezőtől 1-es távolságban lévő összes hajó, aminek mozgékonyság értéke kisebb, mint a %TORPEDO% vagy %MISSILE% kártya pontértéke, dob egy támadó kockával és elszenvedi a dobott %HIT% vagy %CRIT% sérülést.''' 'Contraband Cybernetics': text: '''Mikor az aktivációs fázisban te leszel az aktív hajó, eldobhatod ezt a kártyát, hogy kapj egy stressz jelzőt. Ha így teszel, a kör végéig végrehajthatsz akciókat és piros manővert még ha stresszes is vagy.''' 'Maul': text: '''<span class="card-restriction">Csak söpredék.</span> <span class="card-restriction">Figylemen kívül hagyhatod ezt a korlátozást, ha a csapat tagja "Ezra Bridger".</span>%LINEBREAK%Támadáskor, ha nem vagy stresszelve, kaphatsz annyi stressz jelzőt, amennyi kockát újradobsz. Miután a végrehajtott támadás talált, levehetsz 1 stressz jelzőt.''' 'Courier Droid': text: '''A hajók lehelyezése lépés kezdetén, eldöntheted, hogy "0" vagy "8" PS-űként kezeled a hajód, ezen lépés végéig.''' '"Chopper" (Astromech)': text: '''<strong>Akció: </strong>Dobj el egy felszerelt fejlesztés kártyát, hogy visszatölts egy pajzsot.''' 'Flight-Assist Astromech': text: '''Nem hajthatsz végre támadást a tűzíveden kívül.%LINEBREAK%Miután végrehajtottál egy manővert és a hajód nem kerül átfedésbe akadállyal vagy egy másik hajóval és nincs ellenséges hajó a tűzívedben 1-3-as távolságban végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.''' 'Advanced Optics': text: '''Nem lehet több, mint 1 %FOCUS% jelződ. A befejező fázisban ne vedd le a megmaradt %FOCUS% jelzőt a hajódról.''' 'Scrambler Missiles': text: '''<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást.%LINEBREAK% Ha a támdás talált, a védekező és attól minden 1-es távolságban lévő hajó kap egy jam jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.''' 'R5-TK': text: '''Baráti hajóra is tehetsz célpontbemérőt. Támadhatsz baráti hajót.''' 'Threat Tracker': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Mikor egy ellenséges hajó a tűzívedben 1-2-es távolságban a harci fázisban aktiválódik, elköltheted a rajta lévő célpontbemérődet, hogy végrehajts egy %BOOST% vagy %BARRELROLL% akciót, ha az rajta van az akciósávodon.''' 'Debris Gambit': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%<strong>Akció:</strong> Adjál 1 %EVADE% jelzőt a hajódhoz minden 1-es távolságban lévő akadály után, de maximum kettőt.''' 'Targeting Scrambler': text: '''A tervezési fázis kezdetén kaphatsz egy "inaktív fegyverzet" jelzőt, hogy választhass egy hajót 1-3 távolságban, amihez hozzárendeled a "Scrambled" kondíciót.''' 'Death Troopers': text: '''Miután egy másik baráti hajó 1-es távolságban védekezővé válik és benne vagy a támadó tűzívében 1-3-as távolságban, a támadó kap egy stressz jelzőt.''' 'Saw Gerrera': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Támadáskor elszenvedhetsz egy sérülést, hogy az összes %FOCUS% dobásod átforgathatsd %CRIT%-re.''' '<NAME>': text: '''A hajók felhelyezése fázisban, rendeld hozzá az "Optimized Prototype" kondíciót egy baráti Galactic Empire hajóhoz aminek 3 vagy kevesebb pajzsa van.''' '<NAME>': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Védekezés után tehetsz egy célpontbemérőt a támadóra.''' 'Renegade Refit': text: '''<span class="card-restriction">Csak T-65 X-Wing és U-Wing.</span>%LINEBREAK%Felszrelhetsz két különböző módosítás fejlesztést.%LINEBREAK%Minden felszerelt %ELITE% fejlesztés 1 ponttal kevesebbe kerül (minimum 0).''' 'Tactical Officer': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Az akciósávod megkapja a %COORDINATE% akciót.''' 'ISB Slicer': text: '''Miután végrehajtottál egy zavarás akciót egy elleséges hajó ellen, választhatsz egy attól 1-es távolságban lévő hajót amin nincs zavarás jelző és adhatsz neki egyet.''' 'Thrust Corrector': text: '''Védekezéskor, ha 3 vagy kevesebb stressz jelződ van, kaphatsz 1 stressz jelzőt, hogy érvénytelenítsd az összes dobásod. Ha így teszel, adj 1 %EVADE% eredményt a dobásaidhoz. A kockáid nem módosíthatók újra ezen támadás alatt.%LINEBREAK%Ez a fejlesztés csak akkor szerelhető fel ha a szerkeszeti erősséged (hull) 4 vagy kisebb.''' modification_translations = "Stealth Device": name: "Stealth Device (Lopakodó eszköz)" text: """Növeld eggyel a mozgékonyság értékedet. Ha egy támadás eltalál, dobd el ezt a fejlesztés kártyát. [FAQ]""" "Shield Upgrade": text: """Növeld eggyel a pajzsod értékét.""" "Engine Upgrade": text: """Az akció sávod megkapja a %BOOST% akció ikont.""" "Anti-Pursuit Lasers": text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Miután egy ellenséges hajó végrehajtotta a manőverét, ami átlapolást eredményezett a te hajóddal, dobj egy támadó kockával. %HIT% vagy %CRIT% eredmény esetén az ellenséges hajó elszenved 1 sérülést. [FAQ]""" "Targeting Computer": text: """Az akciósávod megkapja a %TARGETLOCK% akció ikont.""" "Hull Upgrade": text: """Eggyel növeld a hajód szerkezeti értékét.""" "Munitions Failsafe": text: """Amikor egy olyan másodlagos fegyverrel támadsz, ami eldobatná veled a fegyver lapját, nem kell eldobnod, csak ha a támadásod talált.""" "Stygium Particle Accelerator": text: """Amikor végrehajtod az álcázás akciót vagy leveszed az álcát, végrehajthatsz egy szabad kitérés akciót. [FAQ]""" "Advanced Cloaking Device": text: """<span class="card-restriction">Csak TIE Phantom.</span>%LINEBREAK%Miután végrehajtottál egy támadást, végrehajthatsz egy szabad álcázás akciót. [FAQ]""" "Combat Retrofit": text: """<span class="card-restriction">Csak GR-75. Csak óriás hajók.</span>%LINEBREAK%Növeld a hajód szerkezeti értékét kettővel, a pajzsát meg eggyel.""" "B-Wing/E2": text: """<span class="card-restriction">Csak B-Wing.</span>%LINEBREAK%Csak B-Wing. Módosítás. A fejlesztés sávod megkapja a %CREW% fejlesztés ikont.""" "Countermeasures": text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%A harci fázis elején eldobhatod ezt a kártyát, hogy eggyel megnöveld a mozgékonyság értékedet a kör végéig. Levehetsz egy ellenséges célpontbemérő jelzőt a hajódról.""" "Experimental Interface": text: """Körönként egyszer, miután végrehajtottál egy akciót, végrehajthatsz egy ingyen akciót egy "<strong>Action:</strong>" fejléccel rendelkező fejlesztés kártyáról. Ezután kapsz egy stressz jelzőt. [FAQ]""" "Tactical Jammer": name: "Tactical Jammer (Taktikai blokkoló)" text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%A hajód képes az ellenfél támadásait akadályozni.""" "Autothrusters": text: """Védekezéskor, ha a támadó tüzelési szögében 2-es távolságon túl, vagy a tüzelési szögén kívül tartózkodsz, egy üres dobásod %EVADE%-re módosíthatod. Ezt a kártyát csak akkor szerelheted fel a hajódra, ha van %BOOST% képessége. [FAQ]""" "Advanced SLAM": text: """A SLAM akció végrehajtása után, ha a hajód nem kerül átfedésbe egy akadállyal vagy egy másik hajóval, végrehajthatsz egy ingyen akciót az akciósávodról. [FAQ]""" "Twin Ion Engine Mk. II": text: """<span class="card-restriction">Csak TIE.</span>%LINEBREAK%Minden enyhe fordulód (%BANKLEFT% vagy %BANKRIGHT%) zöld manővernek számít.""" "Maneuvering Fins": text: """<span class="card-restriction">Csak YV-666.</span>%LINEBREAK%A manővertárcsád felfedésekor, ha egy %TURNLEFT% vagy %TURNRIGHT% fordulót hajtanál végre, a tárcsád átforgathatod egy annak megfelelő sebességű %BANKLEFT% vagy %BANKRIGHT% manőverre.""" "Ion Projector": text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Ha egy ellenséges hajó olyan manővert hajt végre, ami miatt átfedésbe kerül a hajóddal, dobj 1 támadó kockával. %HIT% vagy %CRIT% dobás esetén az ellenséges hajó 1 ion jelzőt kap.""" 'Integrated Astromech': text: '''<span class="card-restriction">Csak X-wing.</span>%LINEBREAK%Mikor kapsz egy sérülés kártyát, eldobhatsz egy %ASTROMECH% fejlesztés kártyádat, hogy eldobhasd a sérülés kártyát. [FAQ]''' 'Optimized Generators': text: '''<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Körönként egyszer, mikor kiosztasz egy energiát egy felszerelt fejlesztés kártyádra, kapsz 2 energiát.''' 'Automated Protocols': text: '''<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Körönként egyszer, miután végrehajtottál egy akciót ami nem recover vagy reinforce akció, költhetsz egy energiát, hogy végrehajts egy ingyen recover vagy reinforce akciót.''' 'Ordnance Tubes': text: '''<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Kezelhetsz minden egyes %HARDPOINT% fejlesztés ikonodat mint %TORPEDO% vagy %MISSILE% ikon.%LINEBREAK%Mikor az at utasítás, hogy dobd el a %TORPEDO% vagy %MISSILE% kátyát, nem kell megtenned.''' 'Long-Range Scanners': text: '''Feltehetsz célpontbemérőt 3 vagy azon túli távolságban lévő hajóra. Viszont nem teheted meg 1-2 távolságban lévőkre. Csak akkor hasznáhatod ezt a lapot, ha %TORPEDO% és %MISSILE% ikon is van a fejlesztés sávodon.''' "Guidance Chips": text: """Körönként egyszer, mikor %TORPEDO% vagy %MISSILE% másodlagos fegyverrel támadsz, 1 dobást megváltoztathatsz %HIT% eredményre (vagy %CRIT%-re ha az elsődleges fegyver értéked 3 vagy nagyobb).""" 'Vectored Thrusters': name: "Vectored Thrusters (Vektorhajtómű)" text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%<em>(Vektorhajtómű)</em> Az akciósávod megkapja a %BARRELROLL% akció ikont.''' 'Smuggling Compartment': text: '''<span class="card-restriction">Csak YT-1300 és YT-2400.</span>%LINEBREAK%A fejlesztés sávod megkapja az %ILLICIT% ikont.%LINEBREAK%Felszerelhetsz még egy módosítás fejlesztést is ami nem több, mint 3 pont.''' 'Gyroscopic Targeting': name: "Gyroscopic Targeting (Giroszkópos célzórendszer)" text: '''<span class="card-restriction">Csak Lancer-class Pursuit Craft.</span>%LINEBREAK%Ha ebben a körben 3, 4 vagy 5-ös sebességű manővert hajtottál végre, a harci fázisod végén átforgathatod a változtatható tüzelési szöged.''' 'Captured TIE': text: '''<span class="card-restriction">Csak TIE Fighter. Csak lázadók.</span> %LINEBREAK%Kisebb pilótaképzettségű ellenséges hajók nem tudnak célpontként megjelölni. Miután végrehajtottál egy támadást vagy csak ez a hajó maradt, dobd el ezt a kártyát.''' 'Spacetug Tractor Array': text: '''<span class="card-restriction">Csak Quadjumper.</span>%LINEBREAK%<strong>Akció:</strong> Válassz egy hajót a tüzelési szögedban 1 távolságban és rakj rá egy vonósugár jelzőt. Ha ez baráti hajó, a vonósugár hatást érvényesítsd rajta, mintha ellenséges hajó lenne.''' 'Lightweight Frame': name: "Lightweight Frame (Könnyített szerkezet)" text: '''<span class="card-restriction">Csak TIE.</span>%LINEBREAK%Védekezéskor, védekező kockák dobása után, ha több támadó kocka volt, mint védekező, dobj még egy védekező kockával.%LINEBREAK%Nem használhatod, ha az mozgékonyságod 3 vagy nagyobb.''' 'Pulsed Ray Shield': text: '''<span class="card-restriction">Csak lázadó és söpredék.</span>%LINEBREAK%A befejező fázis alatt kaphatsz 1 ion jelzőt, hogy visszatölthess 1 pajzsot (az eredeti értékig). Csak akkor használhatod ezt a kártyát, ha a pajzs értéked 1.''' 'Deflective Plating': text: '''<span class="card-restriction">Csak B/SF-17 Bomber.</span>%LINEBREAK%Mikor egy baráti bomba felrobban, nem kell elszenvedned a hatását. Ha így teszel, dobbj egy támadó kockával. %HIT% eredménynél dobd el ezt a kártyát.''' 'Servomotor S-Foils': text: '''<span class="card-restriction">Csak T-65 X-Wing.</span> <span class="card-restriction">Kettős kártya.</span>%LINEBREAK%<strong>A oldal (Attack):</strong>Az akciósávod megkapja a %BARRELROLL% ikont. Ha nem vagy stresszes, mikor felfedsz egy (%TURNLEFT% 3) vagy (3 %TURNRIGHT%) manővert, kezelheted úgy mint piros (%TROLLLEFT% 3) vagy (%TROLLRIGHT% 3) a megfeleltethető irányban.%LINEBREAK%Az aktivációs fázis kezdetén átfordíthatod ezt a kártyát.%LINEBREAK%<strong>B oldal (Closed):</strong>Csökkentsd az elsődleges támadási értékedet eggyel. Az akciósávod megkapja a %BOOST% ikont. A (%BANKLEFT% 2) és (%BANKRIGHT% 2 ) mozgást kezeld zöldként.%LINEBREAK%Az aktivációs fázis kezdetén átfordíthatod ezt a kártyát.''' 'Multi-spectral Camouflage': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Miután kapsz egy piros célpontbemérő jelzőt, ha csak 1 ilyen jelződ van, dobj egy védekező kockával. %EVADE% dobás esetén vegyél le egy piros célpontbemérő jelzőt a hajódról.''' title_translations = "Slave I": text: """<span class="card-restriction">Csak Firespray-31.</span>%LINEBREAK%A fejlesztés sávod kap egy %TORPEDO% fejlesztés ikont.""" "Millennium Falcon": text: """<span class="card-restriction">Csak YT-1300.</span>%LINEBREAK%Az akció sávod megkapja a %EVADE% ikont.""" "M<NAME>": text: """<span class="card-restriction">Csak HWK-290.</span>%LINEBREAK%A Befejező fázisban ne vedd le a hajóról az el nem használt fókusz jelzőket.""" "ST-321": text: """<span class="card-restriction">Csak Lambda-Class Shuttle.</span>%LINEBREAK%Amikor végrehajt egy célpont bemérése akciót, akkor a játéktéren lévő bármely ellenséges hajót bemérheti.""" "Royal Guard TIE": text: """<span class="card-restriction">Csak TIE Interceptor.</span>%LINEBREAK%A hajód 2 módosítás fejlesztés kártyát kaphat (1 helyett). Nem rendelheted ezt a kártyát a hajódhoz, ha a pilótaképzettséged "4" vagy kevesebb.""" "Dod<NAME>na's Pride": text: """<span class="card-restriction">Csak CR90 elülső része.</span>%LINEBREAK%Amikor egy összehangolt akciót hajtasz végre, 2 baráti hajót választhatsz 1 helyett. A választott hajók végrehajthatnak egy ingyen akciót.""" "A-Wing Test Pilot": text: """<span class="card-restriction">Csak A-Wing.</span>%LINEBREAK%A fejlesztés sávod kap egy %ELITE% ikont. Nem tehetsz a hajóra 2 ugyanolyan %ELITE% fejlesztés kártyát. Nem használhatod ezt a fejlesztés kártyát, ha a pilótád képzettsége "1" vagy kisebb.""" "Tantive IV": text: """<span class="card-restriction">Csak CR90 elülső része.</span>%LINEBREAK%Az elülső rész fejlesztés sávja kap 1 %CREW% és 1 %TEAM% ikont.""" "Bright Hope": text: """<span class="card-restriction">Csak GR-75.</span>%LINEBREAK%A hajó elülső részéhez rendelt megerősítés jelző két %EVADE%-t ad (egy helyett).""" "Quantum Storm": text: """<span class="card-restriction">Csak GR-75.</span>%LINEBREAK%Ha a befejező fázis kezdetekor 1 vagy kevesebb energia jelződ van, kapsz 1 energia jelzőt.""" "Dutyfree": text: """<span class="card-restriction">Csak GR-75.</span>%LINEBREAK%Amikor egy zavarás akciót hajtasz végre, 1-3 távolságra lévő ellenséges hajót választhatsz (1-2 távolságra lévő helyett).""" "Jaina's Light": text: """<span class="card-restriction">Csak a CR90 elülső része.</span>%LINEBREAK%Ha védekezel, támadásonként egyszer, ha felfordított sérülés kártyát kapnál (kritikus sebzés után), eldobhatod és új felfordított sérülés kártyát húzhatsz helyette.""" "Outrider": text: """<span class="card-restriction">Csak YT-2400.</span>%LINEBREAK%Amíg van egy %CANNON% fejlesztés kártyád a hajódon, nem támadhatsz az elsődleges fegyvereddel, viszont a tüzelési szögeden kívüli hajókat a másodlagos %CANNON% fegyvereddel megtámadhatod.""" "Dauntless": text: """<span class="card-restriction">Csak VT-49 Decimator.</span>%LINEBREAK%Ha egy manőver végrehajtása után átfedésbe kerülsz egy másik hajóval, végrehajthatsz 1 szabad akciót. Ezután kapsz egy stressz jelzőt. [FAQ]""" "Virago": text: """<span class="card-restriction">Csak StarViper.</span>%LINEBREAK%A fejlesztési sávod megkapja a %SYSTEM% és az %ILLICIT% fejlesztés ikonokat. Nem használhatod ezt a kártyát, ha a pilóta képességed 3 vagy kevesebb.""" '"Heavy Scyk" Interceptor (Cannon)': text: """<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%A fejlesztési sávod megkapja az %CANNON%, %TORPEDO% vagy %MISSILE% ikont.%LINEBREAK%Növeld a szerkeszeti erősséged (hull) eggyel. [FAQ]""" '"Heavy Scyk" Interceptor (Torpedo)': text: """<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%A fejlesztési sávod megkapja az %CANNON%, %TORPEDO% vagy %MISSILE% ikont.%LINEBREAK%Növeld a szerkeszeti erősséged (hull) eggyel. [FAQ]""" '"Heavy Scyk" Interceptor (Missile)': text: """<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%A fejlesztési sávod megkapja az %CANNON%, %TORPEDO% vagy %MISSILE% ikont.%LINEBREAK%Növeld a szerkeszeti erősséged (hull) eggyel. [FAQ]""" "IG-2000": text: """<span class="card-restriction">Csak Aggressor. Csak söpredék.</span>%LINEBREAK%Megkapod az összes IG-2000 fejlesztés kártyával rendelkező hajód pilóta képességét (a saját pilótaképességeden felül). [FAQ]""" "BTL-A4 Y-Wing": text: """<span class="card-restriction">Csak Y-Wing.</span>%LINEBREAK%Nem támadhatod meg a tüzelési íveden kívül eső hajókat. Miután támadtál az elsődleges fegyvereddel, azonnal támadhatsz a %TURRET% másodlagos fegyvereddel is.""" "Andrasta": text: """<span class="card-restriction">Csak Firespray-31.</span>%LINEBREAK%A fejlesztés sávod kap két további %BOMB% fejlesztés ikont.""" "TIE/x1": text: """<span class="card-restriction">Csak TIE Advanced.</span>%LINEBREAK%Az akció sávod megkapja a %SYSTEM% fejlesztés ikont. Ha a hajódra %SYSTEM% fejlesztés kártyát teszel, a hajó pontértéke 4-gyel csökken (minimum 0-ig). [FAQ]""" "Hound's Tooth": text: """<span class="card-restriction">Csak YV-666.</span>%LINEBREAK%Amikor ez a hajó megsemmisül, mielőtt levennéd a játéktérről, <strong>leteheted Nashtah Pup</strong> pilótát. Ebben a körben nem támadhat.""" "Ghost": text: """<span class="card-restriction">Csak VCX-100.</span>%LINEBREAK%Szerelj fel a <em>Phantom</em> kártyával egy baráti Attack Shuttle-t és dokkold a hajóhoz.%LINEBREAK%Miután végrehajtottál egy manővert, harcba küldheted, a hátsó bütykeidtől indítva.""" "Phantom": text: """Míg dokkolva vagy, a <em>Ghost</em> lőhet az elsődleges fegyverével a speciális tüzelési szögen és a harci fázis végén végrehajthat egy plusz támadást a felszerelt %TURRET% fegyverrel.Ha végrehatotta ezt a támadást, nem támadhat újra ebben a körben.""" "TIE/v1": text: """<span class="card-restriction">Csak TIE Advanced Prototype.</span>%LINEBREAK%Miután feltettél egy célbemérrőt, végrehajthatsz egy ingyen %EVADE% akciót. [FAQ]""" "Mist H<NAME>": text: """<span class="card-restriction">Csak G-1A starfighter.</span>%LINEBREAK%Az akciósávod megkapja a %BARRELROLL% ikont.%LINEBREAK%Fel <strong>kell</strong> szerelned 1 Tractor Beam fejlesztést (megfizetve a költségét).""" "Punishing One": text: """<span class="card-restriction">Csak JumpMaster 5000.</span>%LINEBREAK%Növeld az elsődleges fegyver értékét eggyel.""" "Assailer": text: """<span class="card-restriction">Csak Raider-osztályú korvett tat része.</span>%LINEBREAK%Védekezésnél, ha a becélzott részen van egy megerősítés jelző, 1 %FOCUS% dobásodat %EVADE%-re módosíthatod.""" "Instigator": text: """<span class="card-restriction">Csak Raider-osztályú korvett tat része.</span>%LINEBREAK%Miután végrehajtottál egy visszanyerés akciót, további 1 pajzsot kapsz.""" "Impetuous": text: """<span class="card-restriction">Csak Raider-osztályú korvett tat része.</span>%LINEBREAK%Ha egy támadásod során egy ellenséges hajó megsemmisül, utána végrehajthatsz egy célpont bemérése akciót.""" 'TIE/x7': text: '''<span class="card-restriction">Csak TIE Defender.</span>%LINEBREAK%A fejlesztés sávod elveszti a %CANNON% és %MISSILE% ikonokat.%LINEBREAK%Miután végrehajtottál egy 3, 4 vagy 5 sebességű manővert és nem kerülsz átfedésbe akadállyal vagy hajóval, végrehajthatsz egy ingyenes %EVADE% akciót.''' 'TIE/D': text: '''<span class="card-restriction">Csak TIE Defender.</span>%LINEBREAK%Körönként egyszer, miután végrehajtottál egy támadást a %CANNON% másodlagos fegyvereddel ami 3 vagy kevesebb pontba került, végrehajthatsz egy elsődleges fegyver támadást.''' 'TIE Shuttle': text: '''<span class="card-restriction">Csak TIE Bomber.</span>%LINEBREAK%A fejlesztés sávod elveszti az összes %TORPEDO%, %MISSILE% és %BOMB% ikont és kap 2 %CREW% ikont. Nem használhatsz 4 pontnál drágább %CREW% fejlesztést kártyát.''' 'Requiem': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Mikor harca küldesz egy hajót, kezeld a pilóta képzettségét 8-asnak a kör végéig.''' 'Vector': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Miután végrehajtottál egy manővert, harba indíthatod mind a 4 hajód, (nem csak 2-t).''' 'Suppressor': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Körönként egyszer, miután kiosztottál egy célpontbemérőt, levehetsz 1 %FOCUS%, %EVADE% vagy kék célpontbemérő jelzőt arról a hajóról.''' 'Black One': text: '''Miután végrehajtottál egy %BOOST% vagy %BARRELROLL%, levehetsz egy ellenséges célpontbemérőt egy 1 távolságban lévő baráti hajóról. Nem használhatod ezt a kártyát, ha a pilóta képzettsége 6 vagy alacsonyabb.''' 'Millennium Falcon (TFA)': text: '''Miután végrehajtottál egy 3-as sebességű (%BANKLEFT% vagy %BANKRIGHT%) manővert és nem érintkezel másik hajóval és nem vagy stresszes, kaphatsz egy stressz tokent, hogy 180 fokban megfordítsd a hajód''' 'Alliance Overhaul': name: "Alliance Overhaul (Szövetségi felújítás)" text: '''<span class="card-restriction">Csak ARC-170.</span>%LINEBREAK%Mikor az elsődleges fegyvereddel támadsz az elsődleges tüzelési szögedben, plusz 1 támadó kockával dobhatsz. Mikor a kiegészítő tüzelési szögedből támadsz 1 %FOCUS% találadod %CRIT%-re változtathatod.''' 'Special Ops Training': text: '''<span class="card-restriction">Csak TIE/sf.</span>%LINEBREAK%Mikor az elsődleges fegyvereddel támadsz az elsődleges tüzelési szögedben, plusz 1 támadó kockával dobhatsz. Ha nem így teszel, végrehajthatsz egy plusz támadást a hátsó tüzelési szögedből.''' 'Concord Dawn Protector': text: '''<span class="card-restriction">Csak Protectorate Starfighter.</span>%LINEBREAK%Védekezéskor, ha a támadóval egymás tüzelési szögében vagytok 1-es távolságon belül, adj egy %EVADE% eredményt a dobásodhoz.''' 'Shadow Caster': name: "Shadow Caster (Árnyékvető)" text: '''<span class="card-restriction">Csak Lancer-class Pursuit Craft.</span>%LINEBREAK%Miután végrehajtottál egy támadást ami talált és a védekező a változtatható tüzelési szögedben van 1-2 távolságban, adhatsz a védekezőnek egy vonósugár jelzőt.''' # Wave X '''Sabine's Masterpiece''': text: '''<span class="card-restriction">Csak TIE Fighter. Csak lázadók</span>%LINEBREAK%A fejlesztés sévod kap egy %CREW% és %ILLICIT% ikont.''' '''Ky<NAME>'s Shuttle''': text: '''<span class="card-restriction">Csak Upsilon-class Shuttle.</span>%LINEBREAK%A harci fázis végén válassz egy nem stresszelt ellenséges hajót 1-2 távolságban. A gazdájának stressz tokent kell adnia ennek vagy tőle 1-2 távolságban lévő hajónak, amit ő irányít.''' '''Pivot Wing''': name: "Pivot Wing (Támasztékszárny)" text: '''<span class="card-restriction">Csak U-Wing. Kettős kártya</span>%LINEBREAK%<strong>A oldal (támadás):</strong> Növeld a mozgékonyságod eggyel.%LINEBREAK%Miután végrehajtottál egy manővert átfogathatod a kártyát.%LINEBREAK%<strong>B oldal (landolás):</strong> Mikor felfedsz egy (0 %STOP%) manővert, elforgathatod a hajót 180 fokban.%LINEBREAK%Miután végrehajtottál egy manővert átfogathatod a kártyát.''' '''Adaptive Ailerons''': name: "Adaptive Ailerons (Adaptív csűrőlapok)" text: '''<span class="card-restriction">Csak TIE Striker.</span>%LINEBREAK%Közvetlenül a tárcsád felfedése előtt, ha nem vagy stresszelve, végre <strong>kell</strong> hajtanod egy fehér (%BANKLEFT% 1), (%STRAIGHT% 1) vagy (%BANKRIGHT% 1) manővert. [FAQ]''' # C-ROC '''Merchant One''': text: '''<span class="card-restriction">Csak C-ROC Cruiser.</span>%LINEBREAK%A fejlesztés sávod kap egy plusz %CREW% és %TEAM% ikont, de elveszti a %CARGO% ikont.''' '''"Light Scyk" Interceptor''': text: '''<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%Minden sérülés kártyát felfordítva kapsz. A (%BANKLEFT% és %BANKRIGHT%) manőverek zöldnek számítanak. Nem kaphatsz módosítás fejlesztést.''' '''Insatiable Worrt''': text: '''Miután végrehajtottad a recover akciót, szerzel 3 energiát.''' '''Broken Horn''': text: '''Védekezéskor, ha van reinforce jelződ, kaphatsz egy további %EVADE% eredményt. Ha így teszel, védekezés után dobd el a reinforce jelzőt.''' 'Havoc': text: '''<span class="card-restriction">Csak Scurrg H-6 Bomber.</span>%LINEBREAK%A fejlesztés sávod megkapja a %SYSTEM% és %SALVAGEDASTROMECH% ikont, de elveszti a %CREW% ikont. Csak egyedi %SALVAGEDASTROMECH% fejlesztés kártyákat használhatsz.''' 'Vaksai': text: '''<span class="card-restriction">Csak Kihraxz Fighter.</span>%LINEBREAK%Minden felrakott fejlesztés ára 1 ponttal csökken. Felszerelhetsz 3 különböző módosítás fejlesztést.''' 'StarViper Mk. II': text: '''<span class="card-restriction">Csak StarViper.</span>%LINEBREAK%Felszerelhetsz akár 2 különböző nevesítés fejlesztést. Mikor végrehajtasz egy orsózás akciót, a (%BANKLEFT% 1) vagy (%BANKRIGHT% 1) sablonokat <strong>kell</strong> használnod a (%STRAIGHT% 1) helyett.''' 'XG-1 Assault Configuration': text: '''<span class="card-restriction">Csak Alpha-class Star Wing.</span>%LINEBREAK%A fejlesztősávod megkap 2 %CANNON% ikont. Akkor is végrehajthatsz a 2 vagy kevesebb pontértékű %CANNON% másodlagos fegyvereddel támadást, ha "inaktív fegyverzet" jelző van rajtad.''' 'Enforcer': text: '''<span class="card-restriction">Csak M12-L Kimogila Fighter.</span>%LINEBREAK%Védekezéskor, ha a támadó a bullseye tűzívedben van, kap egy stressz jelzőt.''' 'Ghost (Phantom II)': text: '''<span class="card-restriction">Csak VCX-100.</span>%LINEBREAK%Equip the <em>Phantom II</em> title card to a friendly <em>Sheathipede</em>-class shuttle and dock it to this ship.%LINEBREAK%After you execute a maneuver, you may deploy it from your rear guides.''' 'Phantom II': text: '''Míg dokkolva vagy, a <em>Ghost</em> végrehajthat elsődleges fegyver támadást a speciális tűzívéből. Míg dokkolva vagy, az aktivációs fázis végén a <em>Ghost</em> végrehajthat egy ingyenes koordinálás akciót.''' 'First Order Vanguard': text: '''<span class="card-restriction">Csak TIE Silencer.</span>%LINEBREAK%Támadáskor, ha a védekező az egyetlen hajó a tűzívedben 1-3 távolságban, újradobhatsz 1 támadó kockát. Védekezéskor eldobhatod ezt a kártyát, hogy újradobd az összes védő kockádat.''' 'Os-1 Arsenal Loadout': text: '''<span class="card-restriction">Csak Alpha-class Star Wing.</span>%LINEBREAK%A fejlesztősávod kap egy-egy %TORPEDO% és %MISSILE% ikont. Akkor is végrehajthatsz %TORPEDO% és %MISSILE% másodlagos fegyver támadást bemért hajó ellen, ha "inaktív fegyverzet" jelződ van.''' 'Crossfire Formation': text: '''<span class="card-restriction">Csak B/SF-17 Bomber.</span>%LINEBREAK%Védekezéskor, ha legalább egy másik baráti Ellenállás hajó van 1-2-es távolságra a támadótól, adhatsz egy %FOCUS% eredmény a dobásodhoz.''' 'Advanced Ailerons': text: '''<span class="card-restriction">Csak TIE Reaper.</span>%LINEBREAK%Kezeld a (%BANKLEFT% 3) és (%BANKRIGHT% 3) manővert fehérként.%LINEBREAK%Tárcsa felfedés előtt, ha nem vagy stresszes, végre KELL hajtadod egy (%BANKLEFT% 1), (%STRAIGHT% 1) vagy (%BANKRIGHT% 1) manővert.''' condition_translations = '''I'll Show You the Dark Side''': text: '''Mikor a kártya kihelyezésre kerül, ha nem volt már játékban, a játékos aki hozzárendeli, keressen a sérülés pakliban egy <strong><em>Pilóta</em></strong> kártyát és csapja fel erre a kártyára. Aztán keverje meg a sérülés paklit.%LINEBREAK%Amikor kapsz egy kritikus sérülést támadás közben, az ezen lévő kritikus sérülést szenveded el. Ha nincs sérülés kártya ezen a kártyán, távolítsd el.''' 'Suppressive Fire': text: '''Ha más hajót támadsz mint "Captain Rex", egy támadó kockával kevesebbel dobsz.%LINEBREAK%Ha a támadásod célpontja "Captain Rex" vagy mikor "Captain Rex" megsemmisül, vedd le ezt a kártyát.%LINEBREAK%A harci fázis végén, ha Captain Rex nem hajtott végre támadást ebben a fázisban, vedd le a kártyát.''' 'Fanatical Devotion': text: '''Védekezéskor nem tudsz %FOCUS% jelzőt elkölteni.%LINEBREAK%Támadáskor, ha %FOCUS% jelzőt költenél, hogy az összes %FOCUS% dobást átfogasd %HIT%-re, tedd az első %FOCUS% dobásod félre. A félretett immár %HIT% dobás nem semlegesíthető védő kockával, de a védekező a %CRIT% dobásokat semlegesítheti elébb.%LINEBREAK%A befejező fázis alatt vedd le ezt a kártyát.''' 'A Debt to Pay': text: '''Az "A Score to Settle" fejlesztés kártyával rendelkező hajót támadva, átforgathatsz egy %FOCUS% dobást %CRIT%-re.''' 'Shadowed': text: '''"Thweek" úgy kezelendő, mintha rendelkezne a felrakás után pilóta erősségeddel. Az átvett PS érték nem változik, ha a hajónak változna a PS-e vagy megsemmisülne.''' 'Mimicked': text: '''"Thweek" úgy kezelendő, mintha rendelkezne a pilóta képességeddel. "Thweek" nem használhat kondíciós kártyát a szerzett pilóta képessége által. Valamint nem veszíti el ezt a képességet, ha a hajó megsemmisül.''' 'Harpooned!': text: '''Mikor egy támadásból találat ér, amiben legalább 1 kivédetlen %CRIT% van, minden 1-es távolságban lévő hajó elszenved 1 sérülést. Aztán dobd el ezt a lapot és kapsz egy lefordított sérülés kártyát.%LINEBREAK%Mikor megsemmisülsz, minden 1-es távolságban lévő hajó elszenved 1 sérülést%LINEBREAK%<strong>Akció:</strong> dobd el ezt a kártyát. Dobj egy támadás kockával, %HIT% vagy %CRIT% esetén elszenvedsz egy sérülést.''' 'Rattled': text: '''Mikor bombától szenvedsz sérülést, elszenvedsz egy további kritikus sérülést is. Aztán vedd le ezt a kártyát.%LINEBREAK%<strong>Akció:</strong> Dobj egy támadó kockával. %FOCUS% vagy %HIT% eredménynél vedd le ezt a kártyát.''' 'Scrambled': text: '''Mikor 1-es távolságban támadsz egy hajót, amint "Targeting Scrambler" fejlesztés van, nem módosíthatod a támadó kockáidat. A harci fázis végén vedd le ezt a kártyát.''' 'Optimized Prototype': text: '''Növeld a pajzs értéket eggyel.%LINEBREAK%Körönként egyszer, mikor végrehajtasz egy támadást az elsődleges fegyvereddel, elkölthetsz egy dobás eredményt, hogy levegyél egy pajzsot a védekezőről.%LINEBREAK%Miután végrehajtottál egy támadást az elsődleges fegyvereddel, egy baráti hajó 1-2-es távolságban a "<NAME> <NAME>" fejlesztéssel felszerelve, feltehet egy célpontbemérőt a védekezőre.''' exportObj.setupCardData basic_cards, pilot_translations, upgrade_translations, modification_translations, title_translations, condition_translations
true
exportObj = exports ? this exportObj.codeToLanguage ?= {} exportObj.codeToLanguage.hu = 'Magyar' exportObj.translations ?= {} # This is here mostly as a template for other languages. exportObj.translations.Magyar = action: "Barrel Roll": "Orsózás" "Boost": "Gyorsítás" "Evade": "Kitérés" "Focus": "Fókusz" "Target Lock": "Célpontbemérő" "Recover": "Recover" "Reinforce": "Reinforce" "Jam": "Jam" "Coordinate": "Coordinate" "Cloak": "Álcázás" "SLAM": "SLAM" slot: "Astromech": "Asztrodroid" "Bomb": "Bomba" "Cannon": "Ágyú" "Crew": "Személyzet" "Elite": "Elit" "Missile": "Rakéta" "System": "Rendszer" "Torpedo": "Torpedó" "Turret": "Löveg" "Cargo": "Rakomány" "Hardpoint": "Fegyverfelfüggesztés" "Team": "Csapat" "Illicit": "Illegális" "Salvaged Astromech": "Zsákmányolt Astromech" sources: # needed? "Core": "Core" "A-Wing Expansion Pack": "A-Wing Expansion Pack" "B-Wing Expansion Pack": "B-Wing Expansion Pack" "X-Wing Expansion Pack": "X-Wing Expansion Pack" "Y-Wing Expansion Pack": "Y-Wing Expansion Pack" "Millennium Falcon Expansion Pack": "Millennium Falcon Expansion Pack" "HWK-290 Expansion Pack": "HWK-290 Expansion Pack" "TIE Fighter Expansion Pack": "TIE Fighter Expansion Pack" "TIE Interceptor Expansion Pack": "TIE Interceptor Expansion Pack" "TIE Bomber Expansion Pack": "TIE Bomber Expansion Pack" "TIE Advanced Expansion Pack": "TIE Advanced Expansion Pack" "Lambda-Class Shuttle Expansion Pack": "Lambda-Class Shuttle Expansion Pack" "Slave I Expansion Pack": "Slave I Expansion Pack" "Imperial Aces Expansion Pack": "Imperial Aces Expansion Pack" "Rebel Transport Expansion Pack": "Rebel Transport Expansion Pack" "Z-95 Headhunter Expansion Pack": "Z-95 Headhunter Expansion Pack" "TIE Defender Expansion Pack": "TIE Defender Expansion Pack" "E-Wing Expansion Pack": "E-Wing Expansion Pack" "TIE Phantom Expansion Pack": "TIE Phantom Expansion Pack" "Tantive IV Expansion Pack": "Tantive IV Expansion Pack" "Rebel Aces Expansion Pack": "Rebel Aces Expansion Pack" "YT-2400 Freighter Expansion Pack": "YT-2400 Freighter Expansion Pack" "VT-49 Decimator Expansion Pack": "VT-49 Decimator Expansion Pack" "StarViper Expansion Pack": "StarViper Expansion Pack" "M3-A Interceptor Expansion Pack": "M3-A Interceptor Expansion Pack" "IG-2000 Expansion Pack": "IG-2000 Expansion Pack" "Most Wanted Expansion Pack": "Most Wanted Expansion Pack" "Imperial Raider Expansion Pack": "Imperial Raider Expansion Pack" "Hound's Tooth Expansion Pack": "Hound's Tooth Expansion Pack" "Kihraxz Fighter Expansion Pack": "Kihraxz Fighter Expansion Pack" "K-Wing Expansion Pack": "K-Wing Expansion Pack" "TIE Punisher Expansion Pack": "TIE Punisher Expansion Pack" "The Force Awakens Core Set": "The Force Awakens Core Set" ui: shipSelectorPlaceholder: "Válassz egy hajót" pilotSelectorPlaceholder: "Válassz egy pilótát" upgradePlaceholder: (translator, language, slot) -> "Nincs #{translator language, 'slot', slot} fejlesztés" modificationPlaceholder: "Nincs módosítás" titlePlaceholder: "Nincs nevesítés" upgradeHeader: (translator, language, slot) -> "#{translator language, 'slot', slot} fejlesztés" unreleased: "kiadatlan" epic: "epikus" limited: "limitált" byCSSSelector: # Warnings '.unreleased-content-used .translated': 'Ez a raj kiadatlan dolgokat használ!' '.epic-content-used .translated': 'Ez a raj Epic dolgokat használ!' '.illegal-epic-too-many-small-ships .translated': 'Nem szerepeltethetsz több mint 12 egyforma típusú kis hajót!' '.illegal-epic-too-many-large-ships .translated': 'Nem szerepeltethetsz több mint 6 egyforma típusú nagy hajót!' '.collection-invalid .translated': 'You cannot field this list with your collection!' # Type selector '.game-type-selector option[value="standard"]': 'Standard' '.game-type-selector option[value="custom"]': 'Egyéni' '.game-type-selector option[value="epic"]': 'Epikus' '.game-type-selector option[value="team-epic"]': 'Csapat epikus' # Card browser '.xwing-card-browser option[value="name"]': 'Név' '.xwing-card-browser option[value="source"]': 'Forrás' '.xwing-card-browser option[value="type-by-points"]': 'Típus (pont szerint)' '.xwing-card-browser option[value="type-by-name"]': 'Típus (név szerint)' '.xwing-card-browser .translate.select-a-card': 'Válassz egy kártyát a bal oldali listából.' '.xwing-card-browser .translate.sort-cards-by': 'Kártya rendezés' # Info well '.info-well .info-ship td.info-header': 'Hajó' '.info-well .info-skill td.info-header': 'Skill' '.info-well .info-actions td.info-header': 'Akciók' '.info-well .info-upgrades td.info-header': 'Fejlesztések' '.info-well .info-range td.info-header': 'Hatótáv' # Squadron edit buttons '.clear-squad' : 'Új raj' '.save-list' : 'Mentés' '.save-list-as' : 'Mentés mint…' '.delete-list' : 'Törlés' '.backend-list-my-squads' : 'Raj betöltése' '.view-as-text' : '<span class="hidden-phone"><i class="fa fa-print"></i>&nbsp;Nyomtatás/Nézet mint </span>szöveg' '.randomize' : 'Jó napom van!' '.randomize-options' : 'Véletlenszerű beállítások…' '.notes-container > span' : 'Raj jegyzet' # Print/View modal '.bbcode-list' : 'Másold a BBCode-t és illeszd a fórum hozzászólásba.<textarea></textarea><button class="btn btn-copy">Másolás</button>' '.html-list' : '<textarea></textarea><button class="btn btn-copy">Másolás</button>' '.vertical-space-checkbox' : """Legyen hely a sérülés/fejlesztés kártyáknak <input type="checkbox" class="toggle-vertical-space" />""" '.color-print-checkbox' : """Színes nyomtatás <input type="checkbox" class="toggle-color-print" />""" '.print-list' : '<i class="icon-print"></i>&nbsp;Nyomtatás' # Randomizer options '.do-randomize' : 'Jó napom van!' # Top tab bar '#empireTab' : 'Birodalom' '#rebelTab' : 'Lázadók' '#scumTab' : 'Söpredék' '#browserTab' : 'Kártyák' '#aboutTab' : 'Rólunk' singular: 'pilots': 'Pilóta' 'modifications': 'Módosítás' 'titles': 'Nevesítés' types: 'Pilot': 'Pilóta' 'Modification': 'Módosítás' 'Title': 'Nevesítés' exportObj.cardLoaders ?= {} exportObj.cardLoaders.Magyar = () -> exportObj.cardLanguage = 'Magyar' # Assumes cards-common has been loaded basic_cards = exportObj.basicCardData() exportObj.canonicalizeShipNames basic_cards # English names are loaded by default, so no update is needed exportObj.ships = basic_cards.ships # Names don't need updating, but text needs to be set pilot_translations = "Wedge Antilles": text: """Támadáskor eggyel csökkenti a védekező mozgékonyságát (nem mehet 0 alá).""" "PI:NAME:<NAME>END_PI": text: """Fókusz felhasználás után áthelyezheted azt egy 1-2 távolságban lévő másik baráti hajóra (ahelyett, hogy eldobnád). [FAQ]""" "Biggs Darklighter": text: """A játék során egyszer, a harci fázis elején választhatsz egy másik baráti hajót 1-es távolságban. A kör végéig nem támadható a kiválasztott hajó, ha Biggs is támadható helyette. [FAQ]""" "LuPI:NAME:<NAME>END_PI Skywalker": text: """Védekezéskor egy %FOCUS%-odat átforgathatsz %EVADE%-re.""" '"Dutch" PI:NAME:<NAME>END_PI': text: """Miután feltettél egy célpontbemérőt, válassz egy másik baráti hajót 1-2 távolságban. A kiválasztott hajó azonnal feltehet egy célpontbemérőt.""" "PI:NAME:<NAME>END_PI": text: """2-3-as távolságban támadáskor, bármennyi üres kockát újradobhatsz.""" '"Winged Gundark"': text: """1-es távolságban támadáskor, 1 %HIT%-ot átfogathatsz %CRIT%-re.""" '"Night Beast"': text: """Miután végrehajtottál egy zöld manővert, végrehajthatsz egy ingyenes fókusz akciót. [FAQ]""" '"Backstabber"': text: """Mikor a védekező tüzelési szögén kívülről támadsz, plusz 1 támadó kockával dobhatsz. [FAQ]""" '"Dark Curse"': text: """Mikor védekezel, a téged támadó hajó nem használhatja a fókusz jelzőjét vagy dobhatja újra a támadó kockáit. [FAQ]""" '"PI:NAME:<NAME>END_PI"': text: """Mikor 1-es távolságban támadsz, 1 plusz támadó kockával dobhatsz.""" '"Howlrunner"': text: """Mikor 1-es távolságban lévő másik baráti hajó támad az elsődleges fegyverével, 1 támadó kockáját újradobhatja.""" "PI:NAME:<NAME>END_PI": text: """Mikor támadásodból felfordítot sérüléskártyát húzna a védekező, húzz te 3-at, válassz ki egyet és add át a védekezőnek. A többit dobd el.""" "PI:NAME:<NAME>END_PI": text: """Az akció végrehajtása fázisban 2 akciót hajthat végre.""" "\"PI:NAME:<NAME>END_PI\"": text: """Ha a hajóhoz tartozó sérülés lapok száma egyenlő vagy meghaladja a hajó szerkezeti erősségét, nem semmisül meg a harci fázis végéig. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Miután végrehajtottad a támadásod, végrehajthatsz egy ingyen %BOOST% vagy %BARRELROLL% akciót. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Mikor kapsz egy stressz jelzőt, kaphatsz egy %FOCUS% jelzőt is.""" "PI:NAME:<NAME>END_PI": text: """Akkor is végrehajthatsz akciót, ha van stressz jelződ.""" "PI:NAME:<NAME>END_PI": text: """Olyan célpontot is válaszhatsz, akivel érintkezel, ha az a tüzelési szögedben van.""" "PI:NAME:<NAME>END_PI": text: """Ha kapsz egy felfordított sérülés kártyát, fordítsd le, így nem fejti ki hatását. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Zöld manőver végrehajtása után válassz ki egy másik baráti hajót 1 távolságban. Ez a hajó végrehajthat egy ingyen akciót az akciósávjáról.""" "PI:NAME:<NAME>END_PI": text: """Támadáskor újradobhatsz a kockákkal, de az összes lehetségessel.""" "PI:NAME:<NAME>END_PI": text: """Támadásodkor a védekező kap egy stresszt, ha kivéd legalább egy %CRIT% találatot. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Ha felfedsz egy (%BANKLEFT%) vagy (%BANKRIGHT%) manővert, átforgathatod hasonló sebességű, de másik irányúra. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Mikor támadsz a másodlagos fegyverrel, egy támadó kockát újradobhatsz.""" "PI:NAME:<NAME>END_PI": text: """Támadásodkor egy %CRIT% dobásod nem védhető ki védő kockával. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Támadáskor vagy védekezéskor, ha van legalább 1 stressz jelződ, 1 kockádat újradobhatod.""" "PI:NAME:<NAME>END_PI": text: '''A támadás fázis kezdetekor válassz egy másik baráti hajót 1-3 távolságban. A fázis végéig a hajó pilótája 12-esnek minősül.''' "PI:NAME:<NAME>END_PI": text: """A támadás fázis kezdetekor hozzárendelheted egy %FOCUS% jelződ egy másik baráti hajóhoz 1-3 távolságban.""" "PI:NAME:<NAME>END_PI": text: """Ha egy másik baráti hajó 1-3 távolságban támad és nincs stressz jelződ, kaphatsz egy stressz jelzőt, hogy a másik hajó plusz egy kockával támadhasson. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Ha egy másik baráti hajó 1-es távolságban támad a másodlagos fegyverével, újradobhat akár 2 kockával is. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Mikor másodlagos fegyverrel támadsz, növelheted vagy csökkentheted a fegyver hatótávját eggyel (az 1-3 határon belül).""" "PI:NAME:<NAME>END_PI": text: """Ha egy ellenséges hajó célpontbemérőt tesz más hajóra, a te hajódon kell végezze, ha az lehetséges. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """A támadás fázis kezdetekor a célpontbemérőd átadhatod egy baráti hajónak 1-es távolságban, ha neki még nincsen. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Ha egy másik baráti hajó 1-2 távolságban egy stressz jelzőt kap és neked 2 vagy kevesebb van, megkaphatod helyette. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """%BARRELROLL% akció végrehajtásakor, kaphatsz egy stressz jelzőt, hogy az (%STRAIGHT% 1) helyett a (%BANKLEFT% 1) vagy (%BANKRIGHT% 1) sablont használd. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Ha felfedsz egy (%UTURN%) manővert, választhatsz 1-es, 3-as vagy 5-ös sebességet. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """ Ha 2-3-as távolságba támadsz, elkölthetsz egy kitérés jelzőt, hogy hozzáadj egy 1 %HIT%-ot a dobásodhoz.""" "PI:NAME:<NAME>END_PI": text: """1-es távolságban lévő ellenséges hajók, nem hajthatnak végre %FOCUS% vagy %EVADE% akciót és nem költhetnek %FOCUS% vagy %EVADE% jelzőt.""" "PI:NAME:<NAME>END_PI": text: """Támadásod akkor is találatnak számít, ha a védő nem sérül.""" "PI:NAME:<NAME>END_PI": text: """Miután végrehajtottad a támadásod, választhatsz egy másik baráti hajót 1-es távolságban. Ez a hajó végrehajthat egy ingyenes akciót. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Támadáskor, a kocka dobás után közvetlenül feltehetsz egy célpontbemérőt a védekezőre, ha már van rajta piros célpontbemérő jelző. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Ha a támadásodra legalább 1 sérülés kártyát kap a védekező, elkölthetsz egy %FOCUS% jelzőt, hogy felfordítsd azokat. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Mikor egy ellenséges hajó a tüzelési szögedben 1-3 távolságban védekezik, a támadó 1 %HIT% találata átforgatható %CRIT%-ra.""" "PI:NAME:<NAME>END_PI": text: """A befejező fázis kezdetén végrehajthatsz egy támadást, de nem támadhatsz a következő körben. [FAQ]""" '"Echo"': text: """Mikor kijössz álcázásból, (%STRAIGHT% 2) helyett használhatod a (%BANKLEFT% 2) vagy (%BANKRIGHT% 2) sablont. [FAQ]""" '"Whisper"': text: """Ha támadásod talált, kaphatsz egy %FOCUS% jelzőt.""" "PI:NAME:<NAME>END_PI": text: """Miután végrehajtottad a támadást, levehetsz egy %FOCUS%, %EVADE% vagy kék célpontbemérő jelzőt a védekezőről. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Mikor stressz jelzőt kapsz, leveheted egy támadó kocka gurításért cserébe. Ha a dobásod %HIT%, kapsz egy lefordított sérülés kártyát. [FAQ]""" '"PI:NAME:<NAME>END_PI" PI:NAME:<NAME>END_PI': text: """Mikor szerzel vagy elköltesz egy célpontbemérőt, levehetsz egy stressz jelzőt a hajódról. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Mikor egy ellenfél téged jelöl célpontjának, kaphatsz egy célpontbemérőt a támadó hajóra.""" "PI:NAME:<NAME>END_PI": text: """Miután végrehajtasz egy %FOCUS% akciót vagy kapsz egy %FOCUS% jelzőt, végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.""" "PI:NAME:<NAME>END_PI": text: """Amíg 1-es távolságban vagy egy ellenséges hajótól, növeld az mozgékonyságod eggyel.""" "PI:NAME:<NAME>END_PI": text: """Támadáskor eldobhatsz egy stressz jelzőt, hogy az összes %FOCUS%-t %HIT%-ra változtass. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Végrehajthatsz %TORPEDO% másodlagos támadást a tüzelési szögeden kívüli ellenfélre is.""" "CR90 Corvette (Fore)": text: """Mikor támadsz az elsődleges fegyvereddel, elkölthetsz egy energiát, hogy dobj egy plusz támadó kockával.""" # "CR90 Corvette (Crippled Aft)": # text: """Nem választhatsz vagy hajthatsz végre (%STRAIGHT% 4), (%BANKLEFT% 2) vagy (%BANKRIGHT% 2) manővert.""" "PI:NAME:<NAME>END_PI": text: """Figyelmen kívül hagyhatod az akadályokat az aktivációs fázisban és akció végrehajtáskor. [FAQ]""" '"PI:NAME:<NAME>END_PI"': text: """Mikor kapsz egy felfordított sérülés kártyát, húzz még egyet, válassz, egyet hajts végre, a másikat dobd el. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Mikor elsődleges fegyverrel támadsz egy stresszelt hajót, dobj eggyel több támadó kockával.""" "PI:NAME:<NAME>END_PI": text: """Mikor 1-2 távolságba támadsz, megváltoztathatsz egy %FOCUS%-t %CRIT%-re.""" "PI:NAME:<NAME>END_PI": text: """Ha már nincs pajzsod és legalább egy sérülés kártyád, növeld a mozgékonyságod eggyel. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Manőver végrehajtásod után minden veled érintkező hajó elszenved egy sérülést. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Mikor védekezel, egy baráti hajó 1-es távolságban elszenvedhet egy kivédhetetlen %HIT% vagy %CRIT% találatot helyetted. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """A támadás fázis elején, ha ellenséges hajó van 1-es távolságban, kaphatsz egy %FOCUS% jelzőt.""" "PI:NAME:<NAME>END_PI": text: """Mikor egy másik baráti hajó védekezik 1-es távolságban, újradobhat egy védekező kockával.""" "PI:NAME:<NAME>END_PI": text: """Miután védekeztél egy támadás ellen és a támadás nem talált, kaphatsz egy %EVADE% jelzőt.""" "IG-88A": text: """Miután a támadásodban az ellenfél megsemmisült, visszatölthetsz egy pajzsot. [FAQ]""" "IG-88B": text: """Egyszer körönként, miután végrehajtottál egy támadást ami nem talált, végrehajthatsz egy támadás a felszerelt %CANNON% másodlagos fegyvereddel.""" "IG-88C": text: """Miután végrehajtottál egy %BOOST% akciót, végrehajthatsz egy ingyenes %EVADE% akciót.""" "IG-88D": text: """Mégrehajthatod a (%SLOOPLEFT% 3) vagy (%SLOOPRIGHT% 3) manővert a (%TURNLEFT% 3) vagy (%TURNRIGHT% 3) sablonnal.""" "PI:NAME:<NAME>END_PI (Scum)": text: """Mikor támadsz vagy védekezel, újradobhatsz annyi kockát, ahágy ellenséges hajó van 1-es távolságban.""" "PI:NAME:<NAME>END_PI (Scum)": text: """Mikor támadszt a hátsó kiegészítő tüzelési szögben, plusz egy támadó kockával dobhatsz.""" "PI:NAME:<NAME>END_PI": text: """Mikor bombát dobsz , használhatod a (%TURNLEFT% 3), (%STRAIGHT% 3) vagy (%TURNRIGHT% 3) sablont a (%STRAIGHT% 1) helyett. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Mikor a hajó tüzelési szögén kívül támadsz, plusz egy kockával dobhatsz.""" "PI:NAME:<NAME>END_PI": text: """Miután elköltesz egy célpontbemérőt, egy stressz jelzőért feltehetsz egy újat.""" "PI:NAME:<NAME>END_PI": text: """Mikor egy ellenséges hajó 1-3 távolságban kap legalább egy ion jelzőt, és nincs stressz jelződ, egy stressz jelzőért cserébe az a hajó elszenved egy sérülést.""" "PI:NAME:<NAME>END_PI": text: """A támadás fázis elején, elvehetsz egy %FOCUS% vagy %EVADE% jelzőt egy 1-2 távolságban lévő ellenséges hajóról és magadra rakhatod.""" "PI:NAME:<NAME>END_PI": text: """Az aktivációs fázis végén válassz egy ellenséges hajót 1-2 távolságban. A támadás fázis végéig azt a pilótát 0-ás pilóta képességűnek kell kezelni.""" "PI:NAME:<NAME>END_PI": text: """Mikor támadsz és nincs másik baráti hajó 1-2 távolságban, plusz egy támadó kockával dobhatsz.""" "PI:NAME:<NAME>END_PI": text: """A támadás fázis elején, elvehetsz egy %FOCUS% vagy %EVADE% jelzőt egy másik baráti hajótól 1-2 távolságban és magadra rakhatod.""" "PI:NAME:<NAME>END_PI": text: """A támadás fázis elején, feltehetsz egy célpontbemérőt 1-es távolságban lévő ellenséges hajóra.""" "Raider-class Corvette (Fore)": text: """Körönként egyszer, miután végrehajtottál egy elsődleges fegyver támadást, elkölthetsz 2 energiát, hogy végrehajts egy másik elsődleges fegyver támadást.""" "Bossk": text: """Mikor a támadásod talált, mielőtt a találatokat kiosztanád, 1 %CRIT% helyett 2 %HIT%-et oszthatsz. [FAQ]""" "Talonbane Cobra": text: """Mikor támadsz vagy védekezel, a távolság bonuszokat duplázd meg.""" "PI:NAME:<NAME>END_PI": text: """Körönként egyszer támadáskor, elkölthetsz egy pajzsot, hogy plusz egy támadó kockával dobj <strong>vagy</strong> dobj egy kockával kevesebbel, hogy visszatölts egy pajzsot. [FAQ]""" '"Redline"': text: """Tarthatsz 2 célpontbemérőt egyazon hajón. Mikor felteszel egy célpontbemérőt, feltehetsz egy másodikat is arra a hajóra.""" '"Deathrain"': text: """Előre is tudsz bombát dobni. Bombázás után végrehajthatsz egy ingyenes %BARRELROLL% akciót.""" "Juno Eclipse": text: """Mikor felfeded a manővered, növelheted vagy csökkentheted a sebességed eggyel (minimum 1 legyen).""" "PI:NAME:<NAME>END_PI": text: """Ellenséges hajó 1-es távolságban nem használhatja a távolság harci bónuszát támadáskor.""" "PI:NAME:<NAME>END_PI": text: """A befejező fázis kezdetén, elköltheted a célpontbemérődet, hogy egy lefordított sérülés kártyát felfordíts a célzott hajón.""" "PI:NAME:<NAME>END_PI": text: """Mikor egy baráti hajó támad és célpontbemérőd van a védekezőn, elköltheted azt, hogy erre a támadásra eggyel csökkentsd a mozgékonyságát. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Védekezéskor, ha a támadó a tüzelési szögedben van, eggyel több védekező kockával dobhatsz.""" "PI:NAME:<NAME>END_PI": text: """Ha egy másik baráti hajó támad 1-2 távolságban, sajátjának tekintheti a %FOCUS% jelződ. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """Támadhatsz a %CANNON% másodlagos fegyvereddel a kiegészítő tüzelési szögeden is.""" 'Gozanti-class Cruiser': text: """Manőver végrehajtás után bevethetsz akár 2 dokkolt hajót is.""" '"PI:NAME:<NAME>END_PI"': text: """Mikor támadsz és a védekezőnek már van sérülés kártyája, plusz egy támadó kockával dobhatsz.""" "The Inquisitor": text: """Mikor az elsődleges fegyvereddel 2-3 távolságban támadsz, kezeld 1-es távolságként. [FAQ]""" "ZPI:NAME:<NAME>END_PIuss": text: """Támadáskor plusz egy kockával dobhatsz. Ha így teszel, a védekező is egy kockával többel dob.""" "PI:NAME:<NAME>END_PI": text: """Körönként egyszer védekezés után, ha a támadó a tüzelési szögedben van, végrehajthatsz egy támadást ellene. [FAQ]""" # T-70 "PI:NAME:<NAME>END_PI": text: """Támadáskor vagy védekezéskor, ha van %FOCUS% jelződ, megváltoztathatod egy %FOCUS% dobásod %HIT% vagy %EVADE% eredményre.""" '"Blue Ace"': name: "Blue Ace (Kék Ász)" text: """Mikor végrehajtasz egy %BOOST% akciót, használhatod a (%TURNLEFT% 1) vagy (%TURNRIGHT% 1) sablont.""" # TIE/fo '"Omega Ace"': name: "Omega Ace (Omega Ász)" text: """Mikor támadsz, elkölthetsz egy fókusz jelzőt és a védekezőn lévő célpontbemérőt, hogy az összes kockát %CRIT%-re forgass.""" '"Epsilon Leader"': name: "Epsilon Leader (Epszilon vezér)" text: """A harci fázis kezdetén, levehetsz 1 stressz jelzőt minden 1-es távolságban lévő bartáti hajóról.""" '"Zeta Ace"': name: "Zeta Ace (Dzéta Ász)" text: """Mikor végrehajtasz egy %BARRELROLL% akciót, használhatod a (%STRAIGHT% 2) sablont a (%STRAIGHT% 1) helyett.""" '"Red Ace"': text: '''Minden körben az első alkalommal, mikor elvesztesz egy pajzs jelzőt, kapsz egy %EVADE% jelzőt.''' '"Omega Leader"': text: '''Az a hajó amin célpontbemérőed van, nem módosíthat kockát veled szemben támadáskor vagy védekezéskor. [FAQ!]''' 'HPI:NAME:<NAME>END_PIa': text: '''Mikor felfedsz egy zöld vagy piros manővert, átforgathatod a tárcsát egy ugyanolyan nehézségűre.''' '"Youngster"': text: """A baráti TIE vadászok 1-3 távolságon belül végrehajthatják az erre a hajóra felszerelt %ELITE% fejlesztés kártya akciót. [FAQ]""" '"WPI:NAME:<NAME>END_PI"': text: """Támadáskor, az eredmények összehasonlítása kezdetén, törölheted az összes dobásod. Ha töröltél %CRIT% találatot, a védekező kap egy lefordított sérülés kártyát. [FAQ/ERRATA]""" '"ChPI:NAME:<NAME>END_PI"': text: """Mikor egy 1-es távolságban lévő másik baráti hajó elkölt egy %FOCUS% jelzőt, kapsz egy %FOCUS% jelzőt.""" 'PI:NAME:<NAME>END_PI': text: """Védekezéskor, ha stresszelve vagy, átfordíthatsz akár 2 %FOCUS% dobást %EVADE%-re.""" '"Zeta Leader"': text: '''Mikor támadsz és nem vagy stresszelve, kaphatsz egy stressz jelzőt, hogy plusz egy kockával dobj.''' '"Epsilon Ace"': text: '''Amíg nincs sérülés kártyád, a pilóta képességed 12-esnek számít''' "PI:NAME:<NAME>END_PI": text: """Mikor egy ellenséges hajó 1-2 távolságban táPI:NAME:<NAME>END_PI, elkölthetsz egy %FOCUS% jelzőt. Ha ezt teszed, a támadó eggyel kevesebb támadó kockával dob.""" '"PI:NAME:<NAME>END_PI"': text: """A harci fázis kezdetén, minden ellenséges hajó amivel érintkezel, kap egy stressz jelzőt.""" 'PI:NAME:<NAME>END_PI (Attack Shuttle)': text: """Mikor felfedsz egy zöld vagy piros manővert, átforgathatod a tárcsát egy ugyanolyan nehézségűre.""" 'PI:NAME:<NAME>END_PI': text: """Közvetlenül mielőtt felfeded a tárcsád, végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.""" '"PI:NAME:<NAME>END_PI" OrreliPI:NAME:<NAME>END_PI': text: '''Mikor védekezel, a %CRIT% dobásokat előbb semlegesítheted, mint a %HIT% dobásokat.''' 'PI:NAME:<NAME>END_PI': text: '''Körönként egyszer, miután eldobtál egy %ELITE% fejlesztés kártyát, fordítsd fel azt a kártyát.''' 'PI:NAME:<NAME>END_PI': text: '''Ha nem vagy stresszelve, kezeld a (%TROLLLEFT%) és (%TROLLRIGHT%) menővert fehérként.''' "PI:NAME:<NAME>END_PI": text: """Védekezés után végrehajthatsz egy ingyen akciót. [FAQ]""" "4-LOM": text: """A befejező fázis kezdetén, 1 stressz jelződet átadhatod egy ellenséges hajónak 1-es távolságon belül.""" "PI:NAME:<NAME>END_PI": text: """Első alkalommal, mikor megsemmisülnél, dobj el minden addigi sérülés kártyád, és osszál 4 sérülés lapot lefordítva a hajódhoz. [FAQ]""" "ManPI:NAME:<NAME>END_PIoo": text: """A harci fázis kezdetén hozzárendelheted az összes fókuszt, kitérés és kék célpontbemérő jelződet egy másik baráti hajónak 1-es távolságban. [FAQ]""" '"Deathfire"': text: '''Mikor felfeded a manőver tárcsád vagy miután végrehajtasz egy akciót, végrehajthatsz egy %BOMB% fejlesztés kártya akciót ingyen.''' "PI:NAME:<NAME>END_PI (TIE Defender)": text: """Mikor támadásodból felfordítot sérüléskártyát húzna a védekező, húzz te 3-at, válassz ki egyet és add át a védekezőnek. A többit dobd el.""" "PI:NAME:<NAME>END_PI": text: """Mikor felfedsz egy (%STRAIGHT%) manővert, kezelheted (%KTURN%) manőverként.""" "PI:NAME:<NAME>END_PI (PS9)": text: """Támadáskor vagy védekezéskor, ha van %FOCUS% jelződ, megváltoztathatod egy %FOCUS% dobásod %HIT% vagy %EVADE% eredményre.""" "RePI:NAME:<NAME>END_PI": text: """Támadáskor vagy védekezéskor, ha az ellenséges hajó benne van a tüzelési szögedben, újradobhatsz akár 2 üres kockát is.""" 'Han Solo (TFA)': text: '''A hajók felhelyezésénél, bárhova elhelyezheted a hajót az ellenséges hajóktól legalább 3-as távolságra. [FAQ]''' 'Chewbacca (TFA)': text: '''Miután egy másik baráti hajó 1-3-as távolságban megsemmisül (de nem leesik a pályáról), végrehajthatsz egy támadást.''' 'PI:NAME:<NAME>END_PI': text: '''Támadáskor vagy védekezéskor, elkölthetsz egy célpontbemérőt, ami az ellenfél hajóján van, hogy egy %FOCUS% eredményt adhass a dobásodhoz.''' 'PI:NAME:<NAME>END_PI': text: '''Ha egy 1-2-es távolságban lévő másik baráti hajó támad, a te kék célpontbemérő jelződet sajátjaként kezelheti.''' 'PI:NAME:<NAME>END_PI': text: '''Miután a tüzelési szögedben 1-3-as távolságban lévő ellenséges hajó megtámadott egy másik baráti hajót, végrehajthatsz egy ingyen akciót.''' 'PI:NAME:<NAME>END_PI': text: '''Egy manőver végrehajtása után dobhatsz egy támadókockával. Ha a dobás %HIT% vagy %CRIT%, vegyél le egy stressz jelzőt a hajódról.''' '"Quickdraw"': text: '''Körönként egyszer, mikor elvesztesz egy pajzsot, végrehajthatsz egy elsődleges fegyver támadást. [FAQ]''' '"Backdraft"': text: '''Mikor támadsz a kiegészítő tüzelési szögedben, adj a dobásodhoz egy 1 %CRIT% kockát.''' 'PI:NAME:<NAME>END_PI': text: '''Támadáskor vagy védekezéskor, ha az ellenséges hajó 1-es távolságban van, további egy kockával dobhatsz.''' 'Old Teroch': text: '''A harci fázis elején, válaszhatsz egy ellenséges hajót 1-es távolságban. Ha benne vagy a tüzelési szögében, dobja el minden %FOCUS% és %EVADE% jelzőjét.''' 'PI:NAME:<NAME>END_PI': text: '''Miután végrehajtasz egy piros manővert, adj 2 %FOCUS% jelzőt a hajódhoz.''' 'PI:NAME:<NAME>END_PI': text: '''A harci fázis kezdetén, választhatsz egy hajót 1-es távolságban és ha az benne van az elsődleges <strong>és</strong> a változtatható tüzelési szögedben, kap egy vonósugár jelzőt.''' 'PI:NAME:<NAME>END_PI': text: '''A harci fázis kezdetén, választhatsz egy hajót 1-2-es távolságban. Ha az benne van a változtatható tüzelési szögedben, kap egy stressz jelzőt.''' 'PI:NAME:<NAME>END_PI (Scum)': text: '''Védekezéskor, ha a támadó 2-es távolságon és a változtatható tüzelési szögeden belül van, adhatsz egy %FOCUS% kockát a dobásodhoz.''' # Wave X 'PI:NAME:<NAME>END_PI (TIE Fighter)': text: '''Közvetlenül mielőtt felfeded a tárcsád, végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.''' '"Zeb" Orrelios (TIE Fighter)': text: '''Mikor védekezel, a %CRIT% dobásokat előbb semlegesítheted, mint a %HIT% dobásokat.''' 'PI:NAME:<NAME>END_PI': text: '''Körönként, mikor először eltalálnak, adj egy "PI:NAME:<NAME>END_PImutatom a sötét oldalt" feltétel kártyát a támadónak.''' 'PI:NAME:<NAME>END_PI': text: '''Az aktivációs fázis végén, adnod <strong>kell</strong> egy vonósugár jelzőt minden hajónak amivel érintkezel.''' 'PI:NAME:<NAME>END_PI': text: '''Az aktivációs fázis kezdetén, elvehetsz egy stressz jelzőt egy 1-2 távolságban lévő másik baráti hajóról.''' 'PI:NAME:<NAME>END_PI': text: '''Mikor egy baráti hajó célpontbemérőt rak fel, bemérhet egy ellenséges hajót amely 1-3 távolságban van bármely baráti hajótól.''' 'PI:NAME:<NAME>END_PI': text: '''Miután egy ellenséges hajó végrehajtotta a manőverét, ami átfedést eredményezett a te hajóddal, végrehajthatsz egy ingyen akciót.''' '''"Duchess"''': text: '''Ha fel vagy szerelve egy "Adaptive Ailerons" fejlesztéssel, figyelmen kívül hagyhatod annak kártya képességét.''' '''"Pure Sabacc"''': text: '''Támadáskor, ha 1 vagy kevesebb sérülés kártyád van, plusz egy támadókockával dobhatsz.''' '''"Countdown"''': text: '''Védekezéskor, ha nem vagy stresszelve - az eredmény összehasonlítás lépésben -, elszenvedhetsz egy sérülést, hogy töröld az összes kockadobást. Ha így teszel, kapsz egy stressz jelzőt. [FAQ]''' 'PI:NAME:<NAME>END_PI': text: '''Ha kapsz egy stressz jelzőt és van egy ellenséges hajó a tüzelési szögedben 1-es távolságban, eldobhatod a stressz jelzőt.''' '"PI:NAME:<NAME>END_PI': text: '''Miután végrehajtasz egy 2, 3 vagy 4-es sebességű manővert és nem érintkezel hajóval, végrehajthatsz egy ingyenes %BOOST% akciót.''' 'PI:NAME:<NAME>END_PI': text: '''Támadáskor vagy védekezéskor, minden 1-es távolságban lévő másik baráti hajó után újradobhatsz egy kockát.''' 'PI:NAME:<NAME>END_PI': text: '''A harci fázis kezdetén, elkölthetsz 1 %FOCUS% jelzőt, hogy egy kiválasztott 1-es távolságban lévő baráti hajó végrehajthasson egy ingyenes akciót.''' 'PI:NAME:<NAME>END_PI': text: '''Miután végrehajtasz egy támadást, add a "Suppressive Fire" feltétel kártyát a védekezőhöz.''' 'Major Stridan': text: '''Az akciók és fejlesztés kártyáknál a 2-3 távolságban lévő baráti hajókat kezelheted úgy, mintha 1-es távolságban lennének.''' 'PI:NAME:<NAME>END_PI': text: '''A felrakás fázisban, a baráti hajókat bárhova rakhatod tőled 1-2 távolságra.''' 'PI:NAME:<NAME>END_PI': text: '''Mikor felfedsz egy hátra manővert, dobhatsz bombát az elülső pöckök használatával (beleértve az "<strong>Akció:</strong>" fejlécű bombákat).''' 'PI:NAME:<NAME>END_PI': text: '''Védekezéskor, a mozgékonyság értéked helyett dobhatsz annyi kockával amekkora sebességű manővert végeztél ebben a körben.''' 'Zealous Recruit': name: '''Zealous Recruit (Lelkes újonc)''' 'PI:NAME:<NAME>END_PI': name: '''PI:NAME:<NAME>END_PI (Árnyékrév vadász)''' 'Genesis Red': text: '''Miután feltettél egy célpontbemérőt adjál a hajódnak annyi %FOCUS% és %EVADE% jelzőt, ameddig annyi nem lesz, amennyi a bemért hajónak is van.''' 'PI:NAME:<NAME>END_PI': text: '''A harci fázis kezdetekor kaphatsz egy "inaktív fegyverzet" jelzőt, hogy felfordíts egy már elhasznált %TORPEDO% vagy %MISSILE% fejlesztést.''' 'PI:NAME:<NAME>END_PI': text: '''Támadáskor vagy védekezéskor elkölthetsz egy pajzsot, hogy újradobj bármennyi kockát.''' 'PI:NAME:<NAME>END_PI': text: '''Körönként egyszer, miután dobtál vagy újradobtál kockákat és az összes kockán ugyanaz az eredmény van, adj hozzájuk még egy ugyanolyan eredményt.''' 'PI:NAME:<NAME>END_PI': text: '''Mikor támadsz, elkölthetsz egy %FOCUS% jelzőt, hogy érvényteleníts a védekező összes üres és %FOCUS% eredményét.''' '"Double Edge"': text: '''Körönként egyszer, miután a támadásod a másodlagos fegyverrel nem talált, végrehajthatsz egy támadást egy másik fegyverrel.''' 'PI:NAME:<NAME>END_PI': text: '''Védekezés után, ha nem pontosan 2 védekező kockával dobtál, a támadó kap egy stress jelzőt.''' 'Lowhhrick': text: '''Mikor egy másik baráti hajó 1-es távolságban védekezik, elkölthetsz egy erősítés jelzőt. Ha így teszel, a védekező hozzáadhat egy %EVADE% eredményt a dobásához.''' 'WPI:NAME:<NAME>END_PI': text: '''Támadáskor, ha nincs pajzsod és már van legalább 1 sérülés kártyád, egy plusz támadás kockával guríthatsz.''' 'CaptPI:NAME:<NAME>END_PI (Scum)': text: '''Figyelmen kívül hagyhatod a baráti hajók bombáit. Mikor egy baráti hajó védekezik és a támadó egy baráti bombán át lő, a védekező hozzáadhat egy %EVADE% eredményt a dobásához.''' 'CaptPI:NAME:<NAME>END_PI (Rebel)': text: '''Körönként egyszer, megakadályozhatod egy baráti bomba robbanását.''' 'Sol Sixxa': text: '''Bomba ledobásakor, használhatod a (%TURNLEFT% 1) vagy (%TURNRIGHT% 1) sablonokat a (%STRAIGHT% 1) helyett.''' 'PI:NAME:<NAME>END_PI': text: '''Ha nem vagy stresszes és forduló, bedöntés vagy Segnor csavar manővert fedsz fel, kezelheted úgy, mintha piros Tallon orsó manővert hajtanál végre az eredetileg forgatott manőver sablonjával.''' 'Thweek': text: '''A játék kezdetén még a hajók felhelyezése előtt választhatsz 1 ellenséges hajót és hozzárendelheted a "Shadowed" vagy "Mimicked" kondíciós kártyát.''' 'PI:NAME:<NAME>END_PI': text: '''Körönként egyszer, mikor egy ellenséges hajó védekezés nélkül szenved sérülést vagy kritikus sérülést, végrehajthatsz egy támadást ellene.''' 'Major PI:NAME:<NAME>END_PI': text: '''Védekezéskor, ha "inaktív fegyverzet" jelző van a hajón, plusz 1 kockával dobhatsz.''' 'PI:NAME:<NAME>END_PI': text: '''Mikor "inaktív fegyverzet" jelzőt kapsz és nem vagy stresszes, kaphatsz egy stressz jelzőt hogy levehesd azt.''' 'PI:NAME:<NAME>END_PI': text: '''Miután végrehajtottál egy támadást, minden hajó amelyik benne van a bulleye tűzívedben 1-3 távolságban választhat, hogy elszenved egy sérülést vagy eldobja az összes %FOCUS% és %EVADE% jelzőjét.''' 'PI:NAME:<NAME>END_PI (Kimogila)': text: '''A harci fázis kezdetén feltehetsz egy célpontbemérőt egy ellenséges hajóra, amely a bullseye tűzívedben van 1-3-as távolságban.''' 'PI:NAME:<NAME>END_PI (Sheathipede)': text: '''Mikor egy ellenséges hajó a tűzívedben 1-3 távolságban a harci fázisban aktiválódik és nem vagy stresszes, kaphatsz egy stressz jelzőt. Ha így teszel, az a hajó ebben a körben nem költhet el jelzőt, hogy módosítsa a támadó kockáit.''' 'PI:NAME:<NAME>END_PIra PI:NAME:<NAME>END_PI (Sheathipede)': text: """Védekezéskor, ha stresszelve vagy, átfordíthatsz akár 2 %FOCUS% dobást %EVADE%-re.""" '"Zeb" Orrelios (Sheathipede)': text: '''Mikor védekezel, a %CRIT% dobásokat előbb semlegesítheted, mint a %HIT% dobásokat.''' 'AP-5': text: '''Mikor végrehajtasz egy koordinálás akciót, miután kiválasztottál egy baráti hajót és mielőtt az végrehajtaná az ingyenes akcióját, kaphatsz 2 stressz jelzőt, hogy levegyél róla 1 stressz jelzőt.''' '"Crimson Leader"': text: '''Támadáskor, ha a védekező benne van a tűzívedben, elkölthetsz egy %HIT% vagy %CRIT% dobásodat, hogy a védekezőhöz rendeld a "Rattled" kondíciós kártyát.''' '"Crimson Specialist"': text: '''Mikor felteszed a bomba jelzőt, amit a tárcsa felfedése után dobtál ki, a jelzőt a hajóval érintkezve bárhova teheted a pályára.''' '"Cobalt Leader"': text: '''Támadáskor, ha a védekező 1-es távolságban van egy bomba jelzőtől, eggyel kevesebb védekező kockával gurít.''' 'PI:NAME:<NAME>END_PI (TIE Silencer)': text: '''Körönként mikor először ér találat, oszd ki a "I'll Show You the Dark Side" kondíciós kártyát a támadónak.''' 'Test Pilot "Blackout"': text: '''Támadáskor, ha a támadás akadályozott, a védekező kettővel kevesebb védekező kockával gurít.''' 'PI:NAME:<NAME>END_PI': text: '''Miután végrehajtasz egy %BOOST% vagy %BARRELROLL% akciót, átforgathatod a "Servomotor S-foils" fejlesztés kártyád.''' 'Major Vermeil': text: '''Támadáskor, ha a védekezőnek nincs %FOCUS% vagy %EVADE% jelzője, átforgathatod az egyik üres vagy %FOCUS% dobásod %HIT% eredményre.''' 'PI:NAME:<NAME>END_PI': text: '''Miután végrehajtasz egy %BOOST% akciót, kaphatsz egy stressz jelzőt, hogy kapj egy kitérés jelzőt.''' 'PI:NAME:<NAME>END_PI': text: '''Mikor egy baráti hajó 1-2 távolságban támad, ha az stesszes vagy van legalább 1 sérülés kártyája, újradobhat 1 támadó kockát.''' 'Benthic Two-Tubes': text: '''Miután végrehajtasz egy %FOCUS% akciót, egy %FOCUS% jelződet átadhatod egy 1-2-es távolságban lévő baráti hajónak.''' 'PI:NAME:<NAME>END_PI': text: '''Védekezéskor, ha a támadónak van zavarás jelzője, adj egy %EVADE% eredményt a dobásodhoz.''' '"PI:NAME:<NAME>END_PI"': text: '''Miután egy baráti hajó végrehajt egy 1-es sebességű manővert, ha 1-es távolságra van és nem került átfedésbe egy másik hajóval, átadhatod neki egy %FOCUS% vagy %EVADE% jelződet.''' 'PI:NAME:<NAME>END_PI': text: '''Mikor egy másik baráti hajó 1-2 távolságban vedekezik, a támadója nem dobhatja újra csupán csak egy kockáját.''' 'Edrio Two-Tubes': text: '''Mikor az aktivációs fázisban aktiválódik a hajód, ha van legalább 1 fókusz jelződ, végrehajthatsz egy ingyenes akciót.''' upgrade_translations = "Ion Cannon Turret": text: """<strong>Támadás:</strong> támadj meg egy hajót (akkor is, ha a hajó kívül esik a tüzelési szögeden). Ha ez a támadás eltalálja a célpont hajót, az elszenved 1 sérülést és kap 1 ion jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.""" "PI:NAME:<NAME>END_PI": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a lapot, hogy végrehajtsd a támadást. Egy %FOCUS% dobásod eredményét %CRIT%-ra módosíthatod.""" "R2 Astromech": text: """Minden egyes és kettes sebességű manőver zöldnek számít. [FAQ: ion is]""" "R2-D2": text: """Miután egy zöld manővert hajtasz végre, visszakapsz egy pajzs jelzőt. (Nem haladhatja meg a kezdeti értéket.) [FAQ]""" "R2-F2": text: """<strong>Akció:</strong> Növeld eggyel a mozgékonyság értékedet a kör végéig.""" "R5-D8": text: """<strong>Akció:</strong> Dobj egy védekező kockával. Ha az eredmény %EVADE% vagy %FOCUS% dobj el egy képpel lefelé lévő sérülés kártyát.""" "R5-K6": text: """Miután elhasználtad a célpontbemérő jelzőt, dobj egy védekező kockával. Ha az eredmény %EVADE%, azonnal visszateheted ugyanarra a hajóra a célbemérés jelzőt. Ezt a jelzőt nem használhatod el ebben a támadásban.""" "R5 Astromech": text: """A kör vége fázisban egy szöveggel felfelé lévő [Ship] típusú sérüléskártyát lefordíthatsz.""" "Determination": text: """Ha felfordított [Pilot] sérülés kártyát húznál, azonnal eldobhatod anélkül, hogy végrehajtanád.""" "Swarm Tactics": text: """A harci fázis kezdetén választhatsz egy baráti hajót, ami 1-es távolságon belül van. A fázis végéig a hajó pilótaképzettsége meg fog egyezni a tiéddel. [FAQ]""" "Squad Leader": text: """<strong>Akció:</strong> válassz egy hajót 1-2 távolságon belül, akinek a pilótaképzettsége alacsonyabb mint a sajátod. A választott hajó azonnal végrehajthat egy szabad akciót.""" "Expert Handling": text: """<strong>Akció:</strong> hajts végre egy ingyenes orsózás akciót. Ha nem rendelkezel %BARRELROLL% képességgel, kapsz egy stressz jelzőt. Ezután eltávolíthatsz egy ellenséges célpontbemérő jelzőt a hajódról. [FAQ]""" "Marksmanship": text: """<strong>Akció:</strong> amikor támadsz ebben a körben, egy %FOCUS% eredményt %CRIT% eredményre, az összes többi %FOCUS% dobásod pedig %HIT%-ra változtathatod. [FAQ]""" "Concussion Missiles": text: """<strong>Támadás (célpontbemérő):</strong> költs el a célpontbemérő jelzőt és dobd el ezt a kártyát is, hogy végrehajtsd a támadást. Egy üres dobást %HIT%-ra fordíthatsz.""" "Cluster Missiles": text: """<strong>Támadás (célpontbemérő):</strong> költs el a célpontbemérő jelzőt és dobd el ezt a kártyát is, hogy végrehajtsd a támadást kétszer. [FAQ]""" "Daredevil": text: """<strong>Akció:</strong>: Hajts végre egy fehér (%TURNLEFT% 1) vagy (%TURNRIGHT% 1) manővert. Ezután kapsz egy stressz jelzőt. Ha nem rendelkezel %BOOST% ikonnal, dobj két támadás kockával. Elszenveded az összes kidobott %HIT% és %CRIT% sérülést. [FAQ]""" "Elusiveness": text: """Amikor védekezel, kaphatsz egy stressz jelzőt, hogy kiválassz egy támadó kockát. A támadónak azt a kockát újra kell dobnia. Ha már legalább egy stressz jelzővel is rendelkezel, nem használhatod ezt a képességet.""" "Homing Missiles": text: """<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást. A védekező nem használhatja a kitérés jelzőket e támadás ellen. [FAQ]""" "Push the Limit": text: """Körönként egyszer, miután végrehajtottál egy akciót, végrehajthatsz egy szabad akciót az akciósávodról. Ezután kapsz egy stressz jelzőt. [FAQ]""" "Deadeye": text: """<span class="card-restriction">Csak kis hajó.</span>%LINEBREAK%Kezelheted a <strong>Támadás (célpontbemérő):</strong> fejlécet <strong>Támadás (fókusz):</strong> fejlécként. Amikor egy támadás azt kívánja, hogy elhasználj egy célpontbemérő jelzőt, akkor fókusz jelzőt is használhatsz helyette. [FAQ]""" "Expose": text: """<strong>Akció:</strong> A kör végéig növeld meg eggyel az elsődleges fegyvered értékét és csökkentsd eggyel a mozgékonyság értékedet.""" "PI:NAME:<NAME>END_PI": text: """Miután végrehajtottál egy támadást, ami nem talált, azonnal végrehajthatsz egy támadást az elsődleges fegyverrel. Nem hajthatsz végre másik támadást ebben a körben. [FAQ]""" "Ion Cannon": text: """<strong>Támadás:</strong> Támadj meg egy hajót. Ha ez a támadás eltalálja a célpont hajót, az kap egy sérülést és egy ion jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.""" "Heavy Laser Cannon": text: """<strong>Támadás:</strong> Támadj meg egy hajót. Közvetlenül a dobás után minden %CRIT% eredményt át kell fordítani %HIT% eredményre. [FAQ!!!]""" "Seismic Charges": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy letehess 1 Seismic Charges jelzőt.<br />Ez a jelző az aktivációs fázis végén felrobban.<br />Minden hajó 1-es távolságban elszenved 1 sérülést. Aztán a jelzőt le kell venni.""" "Mercenary Copilot": text: """Amikor 3-as távolságra támadsz, egy %HIT% eredményt %CRIT% eredményre változtathatsz.""" "Assault Missiles": text: """<strong>Támadás (célpontbemérő):</strong> dobd el a célpontbemérő jelzőt és dobd el ezt a kártyát is, hogy végrehajtsd a támadást. Ha ez a támadás talál, a védekezőtől egyes távolságra lévő összes hajó kap egy sérülést.""" "Veteran Instincts": name: "Veteran Instincts (Veterán ösztönök)" text: """Növeld kettővel a pilótaképzettség értékedet. [FAQ]""" "Proximity Mines": text: """<strong>Akció:</strong> Dobd el ezt a kártyát, hogy letehess egy Proximity Mine jelzőt.<br />Mikor egy hajó talpa vagy mozgássablonja átfedi a bomba jelzőt, a bomba felrobban. [FAQ]<br />Az a hajó amelyik át- vagy ráment a jelzőre dob 3 támadó kockával és elszenved minden %HIT% és %CRIT% eredményt. Aztán a jelzőt le kell venni.""" "Weapons Engineer": text: """Egyszerre két célpontbemérőd lehet (egy ellenséges hajóra csak egyet tehetsz). Amikor kapsz egy célpontbemérőt, bemérhetsz két ellenséges hajót.""" "Draw Their Fire": text: """Ha egy baráti hajót egyes távolságon belül eltalál egy támadás, dönthetsz úgy, hogy a célpont helyett bevállalsz egy érvényítetlen %CRIT%-t. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután végrehajtottál egy támadást, ami nem talált, azonnal végrehajthatsz egy támadást az elsődleges fegyverrel. Egy %FOCUS% eredményt %HIT% eredményre változtathatsz. Nem hajthatsz végre másik támadást ebben a körben. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Az összes %STRAIGHT% manővert zöld manőverként kezelheted. [FAQ: ion is!]""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Amikor sérülés kártyát húznál, azonnal eldobhatod azt a kártyát, és kapsz egy pajzs jelzőt. Ezután dobd el ezt a fejlesztés kártyát.""" "Advanced Proton Torpedoes": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Legfeljebb három üres dobásod eredményét %FOCUS%-ra módosíthatod.""" "Autoblaster": text: """<strong>Támadás:</strong> Támadj meg egy hajót.%LINEBREAK%A %HIT% dobásaidat nem érvényetelenítik a védő kockák. A védekező érvénytelenítheti a %CRIT% dobásokat a %HIT% előtt. [FAQ]""" "Fire-Control System": text: """Miután végrehajtasz egy támadást, tehetsz egy célpontbemérő jelzőt a védekező hajóra. [FAQ!]""" "Blaster Turret": text: """<strong>Támadás (fókusz):</strong> költs el egy fókusz jelzőt, hogy végrehajthass egy támadást egy hajó ellen (akkor is, ha a hajó kívül esik a tüzelési szögeden).""" "Recon Specialist": name: "Recon Specialist (Felderítő specialista)" text: """Amikor %FOCUS% akciót hajtasz végre, egy további %FOCUS% jelzőt tehetsz a hajódhoz.""" "Saboteur": text: """<strong>Akció:</strong>Válassz egy ellenséges hajót 1-es távolságon belül, és dobj egy támadó kockával. Ha az eredmény %HIT% vagy %CRIT%, válassz egyet a hajóhoz tartozó képpel lefordított sérülés kártyák közül, fordítsd fel, és hajtsátok végre a hatását. [FAQ?]""" "Intelligence Agent": text: """Az aktiválási fázis kezdetén válasz egy ellenséges hajót 1-2 távolságon belül. Megnézheted, hogy az a hajó milyen manővert fog végrehajtani.""" "PI:NAME:<NAME>END_PI": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy letehess egy proton bomba jelzőt.<br />Ez a jelző az aktivációs fázis végén felrobban.<br />Minden 1-es távolságon belüli hajó kap 1 felfordított sérülés kártyát. Aztán a jelzőt le kell venni.""" "PI:NAME:<NAME>END_PI": name: "PI:NAME:<NAME>END_PI (AdPI:NAME:<NAME>END_PIalPI:NAME:<NAME>END_PIöket)" text: """Amikor felfedsz egy piros manővert, eldobhatod ezt a lapot, hogy az a manőver fehér színűnek számítson az aktiválási fázis végéig. [FAQ]""" "Advanced Sensors": text: """Közvetlen a manőver tárcsa felfedése előtt végrehajthatsz egy szabad akciót. Amennyiben használod ezt a képességet, hagyd ki ebből a körből az "Akció végrehajtása" fázist. [FAQ]""" "Sensor Jammer": name: "Sensor PI:NAME:<NAME>END_PI (SPI:NAME:<NAME>END_PI)" text: """Amikor védekezel, megváltoztathatod a támadó egyik %HIT% eredményét %FOCUS% eredményre. A támadó nem dobhatja újra ezt az átforgatott kockát.""" "DPI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Miután végrehajtottál egy támadást egy ellenséges hajó ellen, kioszthatsz magadnak két sérülést, hogy az a hajó kritikus találatot kapjon. [FAQ]""" "Rebel Captive": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Körönként egyszer az első hajó, aki ellened támadást intéz, azonnal kap egy stressz jelzőt. [FAQ]""" "Flight Instructor": text: '''Amikor védekezel, újradobhatod egyik %FOCUS% dobásod. Ha a támadó pilótaképzettsége "2" vagy alacsonyabb, egy üres eredményt dobhatsz újra.''' "Navigator": text: """Amikor felfeded a manővered, áttekerheted a tárcsádat egy másik, de az eredeti iránnyal egyező manőverre. Nem választhatsz piros manővert, ha már van rajtad egy stressz jelző. [FAQ]""" "Opportunist": text: """Amikor támadsz, és a védekező hajónak nincs se %FOCUS%, se %EVADE% jelzője, akkor kaphatsz egy stressz jelzőt, hogy plusz egy támadókockával guríts. Nem használhatod ezt a képességet, ha már van stressz jelződ.""" "Comms Booster": text: """<strong>Energia:</strong> Költs el egy energiát, így leveheted az összes stressz jelzőt egy 1-3 távolságra lévő baráti hajóról. Ezek után tégy egy fókusz jelzőt arra a hajóra.""" "Slicer Tools": text: """<strong>Akció:</strong> Válassz egy vagy több olyan ellenséges hajót 1-3 távolságon belül, amelyeken van stressz jelző. Minden ilyen kiválasztott hajó esetében elkölthetsz egy energia jelzőt, hogy annak a hajónak 1 pontnyi sérülést okozz.""" "Shield Projector": text: """Amikor egy ellenséges hajó eldönti, hogy vagy egy kis vagy egy nagy méretű hajót megtámad, elkölthetsz 3 energiát annak érdekében, rákényszerítsd azt a hajót (ha lehetséges) arra, hogy téged támadjon meg.""" "Ion Pulse Missiles": text: """<strong>Támadás (célpontbemérő)</strong>: dobd el ezt a kártyát, hogy végrehajtsd a támadást. Ha ez a támadás eltalálja a célpont hajót, az 1 sérülést szenved és kap 2 ion jelzőt. Ezután az <strong>összes</strong> kocka eredményét érvényteleníteni kell.""" "PI:NAME:<NAME>END_PI": text: """A harc fázis elején távolíts el 1 stressz jelzőt egy 1-es távolságon belül lévő másik baráti hajóról. [FAQ]""" "DePI:NAME:<NAME>END_PI": text: """A harci fázis kezdetén választhatsz egy 1-2 távolságra lévő saját hajót. Cseréld ki a pilóta képességeteket a fázis végéig.""" "OutmanPI:NAME:<NAME>END_PIver": text: """Amikor a saját tüzelési szögeden belül támadsz, és kívül esel a támadott hajó tüzelési szögén (magyarul, ha hátba támadod), csökkentsd a mozgékonyságát 1-el (minimum 0-ig). [FAQ]""" "Predator": text: """Támadáskor újradobhatsz 1 kockát. Amennyiben a védekező pilóta képessége 2 vagy kevesebb, 2 kockával dobhatsz újra.""" "PI:NAME:<NAME>END_PI": name: "PI:NAME:<NAME>END_PI (RepesztorPI:NAME:<NAME>END_PI)" text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Miután végrehajtottad a támadást, a védekező fél kap egy stressz jelzőt, ha a szerkezeti értéke 4-es vagy annál kevesebb. [FAQ]""" "R7 Astromech": text: """Körönként egyszer védekezéskor, ha van célpontbemérő jelződ a támadón, azt elköltve kiválaszthatsz akármennyi támadó kockát. A támadónak azokat újra kell dobnia.""" "R7-T1": text: """<strong>Action:</strong> Válassz 1 ellenséges hajót 1-2 távolságra. Ha benne vagy a tüzelési szögében, tehetsz rá célpontbemérőt. Ezután végrehajthatsz egy ingyenes %BOOST% akciót. [FAQ]""" "Tactician": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Miután végrehajtasz egy támadást egy 2-es távolságra és a tüzelési szögedben lévő hajón, az kap egy stressz jelzőt. [FAQ]""" "R2-D2 (Crew)": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Ha a kör végén nincs pajzsod, kapsz 1 pajzs jelzőt és dobnod kell egy támadókockával. %HIT% esetén véletlenszerűen fordítsd fel az egyik sebzés kártyádat és hajtsd végre. [FAQ]""" "C-3PO": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Egyszer egy körben, mielőtt akár egy védekező kockával is dobnál, hangosan megtippelheted, hogy hány %EVADE% fogsz dobni. Ha sikerült pontosan tippelned (mielőtt módosítottad volna a kockát), akkor az eredményhez hozzá adhatsz még egy plusz %EVADE%-t.""" "Single Turbolasers": text: """<strong>Támadás (Energia):</strong> költs el 2 energiát erről a kártyáról hogy ezzel a fegyverrel támadhass. A védekező mozgékonyság értéke megduplázódik e támadás ellen. Egy %FOCUS% dobásod átfordíthatod %HIT%-ra.""" "Quad Laser Cannons": text: """<strong>Támadás (energia):</strong> költs el 1 energiát erről a kártyáról, hogy támadhass ezzel a fegyverrel. Amennyiben nem találod el az ellenfelet, azonnal elkölthetsz még 1 energiát erről a kártyáról egy újabb támadáshoz.""" "Tibanna Gas Supplies": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%<strong>Energia:</strong> A kártya eldobásának fejében, kaphatsz 3 energiát.""" "Ionization Reactor": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%<strong>Energia:</strong> Költs el 5 energiát erről a kártyáról és dobd el ezt a kártyát, annak érdekében, hogy használhasd. Minden 1-es távolságban lévő másik hajó elszenved egy sérülést és kap egy ion jelzőt.""" "Engine Booster": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Rögtön mielőtt felfednéd a manőver tárcsádat, elkölthetsz egy energiát, ilyenkor végrehajthatsz egy fehér (%STRAIGHT% 1) manővert. Nem használhatod ezt a képességet, ha a manőver által ütköznél egy másik hajóval.""" "R3-A2": text: """Mikor kijelölöd a támadásod célpontját és a védő a tüzelési szögeden belül van, kaphatsz 1 stressz jelzőt azért, hogy a védő is kapjon 1-et. [FAQ]""" "R2-D6": text: """A fejlesztési sávod kap egy %ELITE% jelzőt.%LINEBREAK%Nem szerelheted fel, ha már van %ELITE% ikonod vagy a pilóta képességed 2 vagy kevesebb.""" "Enhanced Scopes": text: """Az Aktiválási fázis során, vedd úgy, hogy a pilótaképzettséged "0".""" "Chardaan Refit": text: """<span class="card-restriction">Csak A-Wing.</span>%LINEBREAK%Ennek a kártyának negatív csapat módosító értéke van.""" "Proton Rockets": text: """<strong>Támadás (fókusz):</strong> dobd el ezt a kártyát, hogy végrehajthasd a támadást. Annyi plusz kockával dobhatsz, mint amennyi a mozgékonyságod értéke, de maximum 3-mal.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután levettél egy stressz jelzőt a hajódról, rárakhatsz egy fókusz jelzőt.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Körönként egyszer, ha egy 1-3 távolságra lévő baráti hajó fókusz akciót hajtana végre vagy egy fókusz jelzőt kapna, ahelyett adhatsz neki egy kitérés jelzőt.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadók.</span> %LINEBREAK%<strong>Akció:</strong> Költs el bármennyi energiát majd válassz ugyanennyi ellenséges hajót 1-2 távolságra. Vegyél le róluk minden fókusz, kitérés és kék bemérés jelzőt.""" "R4-D6": text: """Amikor eltalálnak és legalább három olyan %HIT% találat van, amit nem tudsz érvényteleníteni, változtasd meg őket addig, míg 2 nem marad. Minden egyes így érvénytelenített találatért kapsz 1 stressz jelzőt.""" "R5-P9": text: """A harci fázis végén elkölthetsz 1 fókusz jelzőt, hogy visszakapj 1 pajzsot (max. pajzs értékig).""" "WED-15 Repair Droid": text: """<span class="card-restriction">Csak óriás hajó.</span>%LINEBREAK%<strong>Akció:</strong> Költs el 1 energiát, hogy eldobhasd 1 lefordított sérülés kártyádat, vagy költs el 3-at, hogy eldobhass 1 felfordított sérüléskártyát.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadók.</span> %LINEBREAK%Csak nagy hajók. Csak lázadók. Az aktiválási fázis elején, eldobhatod ez a kártyát, annak érdekében, hogy minden baráti hajó pilóta képzettségét megnöveld "12"-re, a kör végéig.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadók.</span> %LINEBREAK%Amikor egy 1 távolságra lévő másik baráti hajó támad, az egyik %HIT%-t %CRIT%-ra változtathatja.""" "Expanded Cargo Hold": text: """<span class="card-restriction">Csak GR-75.</span> Egy körben egyszer lehet csak igénybe venni. Ha kapnál egy felfordított sebzés kártyát (kritikus sebzés után), akkor eldöntheted, hogy azt az orr, vagy a tat pakliból veszed ki.""" "Backup Shield Generator": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Minden kör végén beválthatsz egy energiát egy pajzsra. (nem mehet a maximum érték fölé.)""" "EM Emitter": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Amikor egy támadás kereszttüzébe kerülsz, a védekező fél 3 kockával dobhat (1 helyett).""" "Frequency Jammer": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Amikor egy zavarás akciót hajtasz végre, válassz ki egy olyan ellenséges hajót aminek nincs stressz jelzője és legfeljebb 1-es távolságra van a zavart hajótól. Ez a hajó is kap egy stressz jelzőt.""" "Han Solo": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Amikor támadsz, és van célpont bemérése jelződ a védekező félen, felhasználhatód azt annak érdekében, hogy az összes %FOCUS% dobásod %HIT% találatra forgathasd.""" "Leia Organa": text: """<span class="card-restriction">Csak lázadó.</span>%LINEBREAK%Az aktivációs fázis elején eldobhatod a kártyát, így minden baráti hajó, amelyik piros manővert választott, fehérként használhatja azt a fázis végéig.""" "Targeting Coordinator": text: """<span class="card-restriction">Csak óriás hajó. Limitált. </span>%LINEBREAK%<strong>Energia:</strong> Költs el 1 energiát, válassz egy saját hajót 1-2 távolságra. Hajtsd végre egy cél bemérést, majd helyezz 1 kék bemérés jelzőt a választott hajóra.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak óriás hajó. Csak lázadó.</span> %LINEBREAK%Az Aktiválási fázis elején válassz 1 ellenséges hajót 1-3 távolságra. Megnézheted a választott manőverét. Amennyiben az fehér, kap 1 stressz jelzőt.""" "Gunnery Team": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Egy körben egyszer, amikor másodlagos fegyverrel támadsz, elkölthetsz egy energiát annak érdekében, hogy egy üres kockát %HIT%-ra forgathass.""" "Sensor Team": text: """A célpont bemérését 1-5 távolságra lévő hajón is használhatod (1-3 helyett).""" "Engineering Team": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Az aktiválási fázis során, hogy ha egy %STRAIGHT% manővert fedsz fel, kapsz egy plusz energiát az “Energia növelése” lépés során.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%<strong>Akció:</strong> Dobj két védekező kockával. Annyi fókusz jelzőt adj a hajódnak, amennyi %FOCUS%-t, valamint annyi kitérés jelzőt, ahány %EVADE%-t dobtál.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%A harci fázis végén minden olyan 1 távolságra lévő ellenséges hajó, amin nincs stressz jelző, kap egy stressz jelzőt.""" "Fleet Officer": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%<strong>Akció:</strong>Válassz ki maximum 2 hajót 1-2 távolságon belül és adj nekik 1-1 fókusz jelzőt. Ezután kapsz egy stressz jelzőt.""" "Lone Wolf": text: """Amikor támadsz vagy védekezel, és nincs 1-2 távolságra tőled másik baráti hajó, újradobhatod egy üres dobásodat. [FAQ]""" "Stay On Target": text: """Amikor felfeded a manővertárcsád, átforgathatod a tárcsát egy másik, de ugyanekkora sebességű manőverre. A manővered pirosnak kell tekinteni. [FAQ]""" "Dash Rendar": text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Akkor is támadhatsz, ha egy akadállyal fedésben vagy. A támadások nem akadályozottak.""" '"Leebo"': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%<strong>Akció:</strong> végrehajthatsz egy ingyen gyorsítás akciót. Ezután kapsz egy ion jelzőt.""" "Ruthlessness": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Ha olyan támadást hajtasz végre, ami talál, ki <strong>kell</strong> választanod egy másik hajót a védekezőtől 1 távolságra (másikat, mint tied). Az a hajó 1 sérülést szenved. (Megj.: ha nincs ellenséges hajó, akkor a baráti hajót kell választanod).""" "Intimidation": text: """Amíg egy ellenséges hajóval érintkezel, annak a hajónak a mozgékonyságát csökkentsd eggyel.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%A harci fázis elején, ha nincs pajzsod és legalább egy sérülés jelző van a hajódon, végrehajthatsz egy ingyen kitérés akciót. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Csak birodalmiak. Amikor kapnál egy felfordított sérülés kártyát, eldobhatod ezt vagy egy másik %CREW% fejlesztés kártyádat, hogy a sérülés kártyát lefelé fordítsd (a hatása így nem érvényesül).""" "Ion Torpedoes": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Ha ez a támadás talál, akkor a célpont és a tőle 1-es távolságra lévő hajók kapnak 1 ion jelzőt.""" "Bodyguard": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A harci fázis elején egy fókuszt elköltve kiválaszthatsz egy 1-es távolságra lévő baráti hajót, aminek a tiednél nagyobb a pilóta képzettsége. A kör végéig annak a hajónak növeld meg eggyel a mozgékonyságát.""" "Calculation": text: """Amikor támadsz, elkölthetsz egy fókusz jelzőt, hogy egy %FOCUS% dobásod %CRIT%-ra módosíts.""" "Accuracy Corrector": text: """Amikor támadsz, a "Támadó kocka módosítás" lépésben, törölheted az összes kockád eredményét. Ezután a dobásodhoz hozzáadhatsz 2 %HIT%-t. E támadás során a kockáid eredményét nem módosíthatod még egyszer. [FAQ]""" "Inertial Dampeners": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy végrehajts egy fehér (0 %STOP%) manővert. Ezután kapsz egy stressz jelzőt.""" "FPI:NAME:<NAME>END_PIchette Cannon": text: """<strong>Támadás:</strong> Támadj meg egy hajót. Ha a támadás során a védő találatot kap, akkor 1 sérülést szenved, valamint, ha nincs rajta stressz jelző, akkor kap egyet. Ezután az összes kocka eredményét érvényteleníteni kell.""" '"MPI:NAME:<NAME>END_PIler" Cannon': text: """<strong>Támadás:</strong> Támadj meg egy hajót. Támadáskor egyik %HIT% találatod %CRIT%-re módosíthatod.""" "Dead Man's Switch": text: """Amikor megsemmisülsz, minden, tőled 1-es távolságra lévő hajó elszenved 1 sérülést. [FAQ]""" "Feedback Array": text: """A harci fázis alatt, ahelyett, hogy támadnál, kaphatsz egy ion jelzőt és elszenvedhetsz 1 sérülést, hogy kiválaszthass egy 1-es távolságra lévő ellenséges hajót. Az a hajó elszenved 1 sérülést. [FAQ: nem számít támadásnak]""" '"Hot Shot" Blaster': text: """<strong>Támadás:</strong>: dobd el ezt a kártyát, hogy megtámadhass 1 hajót (akkor is, ha a tüzelési szögeden kívülre esik).""" "Greedo": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Minden körben, amikor először támadsz, illetve minden körben, amikor először védekezel, az első sérülés kártyát fel kell fordítani.""" "Salvaged Astromech": text: """Amikor olyan felfordított sérülés kártyát kapsz, amin a <strong>Ship</strong> szó szerepel, azonnal dobd el (mielőtt kifejtené hatását). Ezután dobd el ezt a fejlesztés kártyát. [FAQ]""" "Bomb Loadout": text: """<span class="card-restriction">Csak Y-wing. Limitált.</span>%LINEBREAK%A fejlesztés sávod megkapja a %BOMB% fejlesztés ikont.""" '"Genius"': text: """Miután felfedted a tárcsád, végrehajtottad a manővert és nem ütköztél hajónak, eldobhatsz egy felszerelt <strong>Action:</strong> fejléc nélküli %BOMB% fejlesztés kártyát, hogy letehesd a hozzá tartozó bomba jelzőt. [FAQ]""" "Unhinged Astromech": text: """Az összes 3-as sebességű manővert vedd zöld színűnek.""" "R4-B11": text: """Ha támadsz, elköltheted a célponton lévő célpontbemérőd, hogy kiválassz bármennyi védő kockát. A védekezőnek ezeket újra kell dobnia.""" "Autoblaster Turret": text: """<strong>Támadás:</strong> Támadj meg egy hajót. A %HIT% dobásaid nem lehet a védekező kockákkal érvényteleníteni. A védő a %CRIT% dobásokat a %HIT%-ok előtt semlegesítheti.""" "R4 Agromech": text: """Támadáskor, miután felhasználtál egy fókusz jelzőt, célpontbemérőt helyezhetsz el a védekezőn. [FAQ]""" "K4 Security Droid": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Egy zöld manőver végrehajtása után végrehajthatsz egy célpont bemérése akciót.""" "Outlaw Tech": text: """<span class="card-restriction">Csak söpredék. Limitált.</span>%LINEBREAK%Miután végrehajtottál egy piros manővert, adhatsz a hajódnak egy fókusz jelzőt.""" "Advanced Targeting Computer": text: """<span class="card-restriction">Csak TIE Advanced.</span>%LINEBREAK%Amikor az elsődleges fegyvereddel támadsz, ha már elhelyeztél egy célpontbemérő jelzőt a célponton, akkor a dobásaidhoz adj 1 %CRIT% eredményt. Ha megteszed, e támadás során már nem költheted el a célbepontbemérésed. [FAQ]""" "Ion Cannon Battery": text: """<strong>Támadás (Energia):</strong> költs el 2 energiát erről a kártyáról hogy ezzel a fegyverrel támadhass. Ha ez a támadás talál, a védő egy kritikus sérülést szenved és kap egy ion jelzőt. Ezután töröld a dobásod minden eredményét.""" "Extra Munitions": text: """<span class="card-restriction">Limitált.</span>%LINEBREAK%Amikor hozzárendeled ezt a kártyád a hajódhoz, tégy 1 hadianyag jelzőt minden a hajóra felszerelt %TORPEDO%, %MISSILE% és %BOMB% fejlesztés kártyára. Amikor azt az utasítást kapod, hogy dobd el a fejlesztés kártyádat, ahelyett az azon a kártyán található hadianyag jelzőt is eldobhatod.""" "Cluster Mines": text: """<strong>Akció:</strong> dobd el ezt a kártyát, hogy letehess 3 Cluster Mine jelzőt.<br />Amikor egy hajó talpa vagy manőver sablonja érinti ezt a jelzőt, a bomba felrobban. <br />Az érintett hajó dob 2 kockával és minden %HIT% és %CRIT% után sérülést szenved. Aztán az akna jelzőt le kell venni.""" "Glitterstim": text: """A harci fázis elején eldobhatod ezt a kártyát és kaphatsz 1 stressz jelzőt. Ha megteszed, a kör végéig mind támadásnál, mind védekezésnél minden %FOCUS% dobásod %HIT%-ra vagy %EVADE%-re módosíthatod.""" "Grand Moff Tarkin": text: """<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%Csak óriás hajók. Csak birodalmiak. A harci fázis elején kiválaszthatsz egy 1-4 távolságra lévő másik hajót. Vagy leveszel róla 1 fókusz jelzőt, vagy adsz neki egyet.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%Ha az Aktivációs fázis során átfedésbe kerülnél egy akadállyal, nem kapsz 1 felfordított sérülés kártyát. Helyette dobj 1 támadó kockával. %HIT% vagy %CRIT% találat esetén 1 sérülést szenvedsz el.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%<strong>Energia:</strong> Maximum 3 pajzsot levehetsz a hajódról. Minden levett pajzs után kapsz 1 energiát.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Körönként egyszer, mielőtt egy baráti hajó gurít, válassz egy dobás eredményt. Dobás után meg kell változtatnod egy kockát a választott eredményre. Ez a kocka nem változtatható a továbbiakban. [FAQ]""" "BossPI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK% Ha egy támadásod nem talál és nincs rajtad stressz jelző, mindenképpen kapsz egy stressz jelzőt. Ezután tégy egy fókusz jelzőt a hajód mellé, majd alkalmazd a célpontbemérő akciót a védőn.""" "Lightning Reflexes": text: """<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Miután végrehajtottál egy fehér vagy zöld manővert, eldobhatod ezt a kártyát és megfordíthatod a hajód 180&deg;-kal. A „Pilóta Stresszhelyzetének ellenőrzése” lépés után 1 stressz jelzőt kapsz. [FAQ]""" "Twin Laser Turret": text: """<strong>Támadás:</strong> hajtsd végre ezt a támadást <strong>kétszer</strong> (akár a tüzelési szögeden kívül eső hajók ellen is). Minden alkalommal, ha a lövés talál, a védő 1 sérülést szenved el. Ezután az <strong>összes</strong> kocka eredményét hagyd figyelmen kívül. [FAQ]""" "Plasma Torpedoes": text: """<strong>Támadás (célpontbemérő):</strong> költs el egy célpontbemérő jelzőt és dobd el ezt a kártyát, hogy végrehajtsd a támadást. Ha ez a támadás talál, a sebzés kiosztása után végy le egy pajzs jelzőt a védőről.""" "Ion Bombs": text: """Amikor felfeded a manővertárcsád, eldobhatod ezt a kártyát, hogy letehess egy 1 ion bomba jelzőt.<br />Ez a bomba az aktivációs fázis végén felrobban.<br />A bombától mért 1 távolságra minden hajó kap 2 ion jelzőt. Aztán a jelzőt le kell venni.""" "Conner Net": text: """<strong>Akció:</strong> dobd el ezt a kártyát, hogy letehess 1 Conner Net jelzőt.<br />Amikor egy hajó alapja vagy manőver sablonja érinti ezt a jelzőt, a bomba felrobban.<br />Az érintett hajó elszenved 1 sérülést és kap 2 ion jelzőt, valamint a kihagyja az akció végrehajtása lépést. Aztán a jelzőt le kell venni. [FAQ]""" "Bombardier": text: """Amikor ledobsz egy bombát, használhatod a (%STRAIGHT% 2) sablont a (%STRAIGHT% 1) helyett.""" 'Crack Shot': text: '''Ha egy hajót a tüzelési szögeden belül támadsz, az eredmény összehasonlítása lépés kezdetén, eldobhatod ezt a lapot, hogy az ellenfél egy %EVADE% dobás eredményét semlegesítsd. [FAQ]''' "Advanced Homing Missiles": text: """<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajthasd a támadást. Ha ez a támadás talál, ossz ki 1 felfordított sebzés kártyát a védőnek. Ezután az <strong>összes</strong> kocka eredményét hagyd figyelmen kívül.""" 'Agent Kallus': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Az első kör kezdetén válassz egy ellenséges kis vagy nagy hajót. Mikor azt a hajót támadod vagy védekezel ellene, egy %FOCUS% dobásod átforgathatod %HIT% vagy %EVADE% eredményre.''' 'XX-23 S-Thread Tracers': text: """<strong>Támadás (fókusz):</strong> dobd el ezt a kártyát, hogy végrehajthasd a támadást. Ha ez a támadás talál, minden baráti hajó 1-2-es távolságban kap egy célpontbemérőt a védekezőre. Ezután az <strong>összes</strong> kocka eredményét hagyd figyelmen kívül.""" "Tractor Beam": text: """<strong>Támadás:</strong> Támadj egy hajót.<br />Ha a támadás talált, a védekező kap egy tractor beam jelzőt. Aztán érvényteleníts minden kockadobást. [FAQ]""" "Cloaking Device": text: """<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%<strong>Akció:</strong> Hajts végre egy ingyenes álcázás akciót.<br>A kör végén, ha álcázva vagy, dobj egy támadó kockával. %FOCUS% eredménynél dobd el ezt a kártyát, majd fedd fel magad vagy dobd el az álcázás jelzőt.""" "Shield Technician": text: """<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Amikor végrehajtasz egy visszanyerés akciót, ahelyett, hogy elköltenéd az összes energiádat, te döntheted el, mennyi energiát használsz fel.""" "Weapons Guidance": name: "Weapons Guidance (Fegyvervezérlés)" text: """Támadáskor elkölthetsz egy fókusz jelzőt, hogy egy üres kockát %HIT%-ra forgass.""" "BB-8": text: """Mikor felfedsz egy zöld manővert, végrehajthatsz egy ingyen %BARRELROLL% akciót.""" "R5-X3": text: """Mielőtt felfeded a tárcsád, eldobhatod ezt a lapot, hogy figyelmen kívül hagyhatsd az akadályokat a kör végéig. [FAQ]""" "Wired": name: "Wired (Felpörögve)" text: """Támadáskor és védekezéskor, ha stresszes vagy, újradobhatsz egy vagy több %FOCUS% eredményt.""" 'Cool Hand': text: '''Mikor stressz jelzőt kapsz, eldobhatod ezt a kártyát, hogy kaphass %FOCUS% vagy %EVADE% jelzőt.''' 'Juke': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Támadáskor, ha van %EVADE% jelződ, megváltoztathatod a védekező egy %EVADE% dobását %FOCUS%-ra.''' 'Comm Relay': text: '''Nem lehet több, mint egy %EVADE% jelződ.%LINEBREAK%A befejező fázis alatt, ne távolítsd el a megmaradt %EVADE% jelződ.''' 'Dual Laser Turret': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%<strong>Támadás (energia):</strong> Költs el egy energiát erről a kártyáról, hogy végrehajtd ezt a támadást egy hajó ellen (akár a tüzelési szögeden kívül eső hajók ellen is).''' 'Broadcast Array': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Az akciósávod megkapja a %JAM% akció ikont.''' 'PI:NAME:<NAME>END_PI': text: '''<span class="card-restriction">Csak óriás hajók. Csak birodalmiak.</span> %LINEBREAK%<strong>Akció:</strong> Hajts végre egy fehér (%STRAIGHT% 1) manővert.''' 'Ordnance Experts': text: '''Egy körben egyszer, mikor egy baráti hajó 1-3 távolságban végrehajt egy támadást %TORPEDO% vagy %MISSILE% másodlagos fegyverrel, egy üres dobását %HIT%-re forgathatja.''' 'Docking Clamps': text: '''<span class="card-restriction">Csak Gozanti. Limitált.</span> %LIMITED%%LINEBREAK%Dokkolhatsz akár 4 TIE fighter, TIE interceptor, TIE bomber vagy TIE Advanced hajót. Az összes dokkolt hajónak egyforma típusúnak kell lennie.''' '"Zeb" Orrelios': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A tüzelési szögedben lévő ellenséges hajók amelyekkel érintkezel, nem számítanak érintkezésnek, mikor te vagy ők aktiválódnak a harci fázisban. [FAQ]""" 'PI:NAME:<NAME>END_PI': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Körönként egyszer, miután egy baráti hajó 1-2 távolságban végrehajt egy fehér manővert, levehetsz egy stressz jelzőt róla. [FAQ]""" 'Reinforced Deflectors': text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Védekezés után, ha elszenvedtél 3 vagy több %HIT% vagy %CRIT% találatot a támadás alatt, visszatölthetsz 1 pajzsot. (Nem haladhatja meg a kezdeti értéket.) [FAQ]""" 'Dorsal Turret': text: """<strong>Támadás:</strong>Támadj meg egy hajót (akár a tüzelési szögeden kívül is).%LINEBREAK%Ha a célpont 1 távolságban van, plusz egy kockával dobhatsz.""" 'Targeting Astromech': text: '''Miután végrehajtasz egy piros menővert, felrakhatsz egy célpontbemérőt.''' 'Hera Syndulla': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Fel tudsz fedni és végrehajtani piros manővert, még ha stresszes is vagy.""" 'PI:NAME:<NAME>END_PI': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Támadáskor, ha stresszes vagy, egy %FOCUS% dobást %CRIT%-ra forgathatsz.""" 'PI:NAME:<NAME>END_PI': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A fejlesztés sávod kap egy %BOMB% ikont. Körönként egyszer, mielőtt egy baráti bomba lekerül a játéktérről, válassz egy ellenséges hajót a jelzőtől 1 távolságra. Ez a hajó elszenved egy sérülést.""" '"Chopper"': text: """<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Végrehajthatsz akciókat, még ha stresszes vagy is.%LINEBREAK%Miután végrehajtasz egy akciót, miközben stresszes vagy, elszenvedsz egy sérülést.""" 'Construction Droid': text: '''<span class="card-restriction">Csak nagy hajók. Limitált.</span> %LIMITED%%LINEBREAK%Mikor végrehajtasz egy recover akciót, elkölthetsz egy energiát, hogy eldobhass egy lefordított sérülés kártyát.''' 'Cluster Bombs': text: '''Védekezés után eldobhatod ezt a kártyát. Ha ezt teszed, minden más hajó 1 távolságban dob 2 támadó kockával és elszenved minden (%HIT%) és (%CRIT%) találatot.''' "Adaptability": text: """<span class="card-restriction">Kettős kártya.</span>%LINEBREAK%<strong>A oldal:</strong> Növeld a pilóta képességed eggyel.%LINEBREAK%<strong>B oldal:</strong> Csökkentsd a pilóta képességed eggyel. [FAQ]""" "Electronic Baffle": text: """Mikor kapsz egy stressz vagy ion jelzőt, eldobhatod, ha elszenvedsz egy sérülést.""" "4-LOM": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor a támadókockák módosítása lépésben kaphatsz egy ion jelzőt, hogy kiválassz a támadó egy %FOCUS% vagy %EVADE% jelzőjét. Ez a jelző nem költhető el ebben a támadásban.""" "Zuckuss": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor, ha nem vagy stresszes, annyi stressz jelzőt kaphatsz, ahány védekező kockát kiválasztasz. A védekezőnek újra kell dobnia azokat a kockákat.""" 'PI:NAME:<NAME>END_PI': text: """<strong>Akció:</strong> Adj egy %FOCUS% jelzőt a hajódhoz és kapsz 2 stressz jelzőt. A kör végéig támadáskor újradobhatsz akár 3 kockát. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak söpredék. Csak 2 rajonként.</span>%LINEBREAK%Minden esetben mikor fókusz vagy stressz jelzőt kapsz, az összes többi baráti hajó, amely fel van szerelve Attanni Mindlink fejlesztéssel szintén megkapja ezt a fajta jelzőt, ha még nincs neki. [FAQ]""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Miután végrehajtottál egy támadást, és a védekező kapott egy felfordított sérülés kártyát, eldobhatod azt, hogy helyette kiválassz és eldobj egy fejlesztés kártyát.""" "PI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor újradobhatsz egy támadó kockát. Ha a védekező egyedi pilóta, 2 kockát is újradobhatsz.""" '"PI:NAME:<NAME>END_PI"': text: """<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%<strong>Akció:</strong> Helyezz el egy pajzs jelzőt ezen a kártyán.<br /><strong>Akció:</strong> Vedd el a pajzs jelzőt a kártyáról és töltsd vissza vele a pajzsod (csak az eredeti értékig). [FAQ: különböő akciók]""" "R5-P8": text: """Körönként egyszer, védekezés után dobhatsz egy támadó kockával. %HIT% dobáskor a támadó leszenved egy sérülést. %CRIT% dobáskor mindketten elszenvedtek egy séerülést.""" 'Thermal Detonators': text: """Mikor felfeded manővertárcsád eldobhatod ezt a kártyát, hogy letehess egy Thermal Detonator jelzőt.<br>Ez a jelző felrobban az aktiválási fázis végén.<br> Mikor felrobban, minden hajó 1 távolságban elszenved 1 sérülést és kap egy stressz jelzőt. Aztán dobd el ezt a jelzőt.""" "Overclocked R4": text: """A harci fázis alatt, mikor elköltesz egy %FOCUS% jelzőt, egy stressz jelzővel együtt kaphatsz egy újabb %FOCUS% jelzőt.""" 'Systems Officer': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Miután végrehajtottál egy zöld menővert, válassz ki egy másik baráti hajót 1 távolságban. Az a hajó feltehet egy célpontbemérőt.''' 'Tail Gunner': name: "Tail Gunner (Faroklövész)" text: '''Mikor a hátsó kiegészítő tüzelési szögedből támadsz, csökkentd a védekező mozgékonyságát eggyel (nem mehet 0 alá).''' 'R3 Astromech': text: '''Körönként egyszer, mikor az elsődleges fegyvereddel támadsz, törölhetsz egy %FOCUS% dobásod a támadókockák módosítása lépésben, hogy kaphass egy %EVADE% jelzőt.''' 'Collision Detector': text: '''Mikor végrehajtasz egy %BOOST%, %BARRELROLL% vagy visszaálcázás műveletet, a hajód és a manőver sablonod átfedhet egy akadályt.%LINEBREAK%Mikor dobsz az akadály sérülésért figyelmen kívül hagyhatod a %CRIT% dobást.''' 'Sensor Cluster': text: '''Védekezéskor, elkölthetsz egy %FOCUS% jelzőt, hogy egy üres dobást %EVADE%-re forgass.''' 'Fearlessness': name: "Fearlessness (Vakmerőség)" text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Támadáskor, ha a védekezővel egymás tüzelési szögében vagytok 1-es távolságon belül, hozzáadhatsz egy %HIT% eredményt a dobásodhoz.''' 'Ketsu Onyo': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A befejező fázis kezdetén, kiválaszthatsz egy ellenséges hajót a tüzelési szögedben 1-2 távolságban. Ez a hajó nem dobhatja el a vonósugár jelzőjét.''' 'Latts Razzi': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Védekezéskor levehetsz egy stressz jelzőt a támadóról, hogy hozzáadj 1 %EVADE% eredményt a dobásodhoz.''' 'IG-88D': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Megkapod a pilóta képességét minden más baráti hajónak amely a IG-2000 fejlesztés kártyával felszerelt (a saját képességed mellett).''' 'Rigged Cargo Chute': name: "Rigged Cargo Chute (Módosított rakománykatapult)" text: '''<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%<strong>Akció:</strong> dobd el ezt a kártyát, hogy letehess egy rakomány jelzőt.''' 'Seismic Torpedo': name: "Seismic Torpedo (Szeizmikus torpedó)" text: '''<strong>Akció:</strong>Dobd el ezt a lapot és válassz ki egy, 1-2-es távolságon belüli, a támadási szögedben lévő akadályt. Minden hajó, ami 1-es távolságban van az akadálytól, dob egy támadókockával és elszenvedi a dobott %HIT% vagy %CRIT% sérülést. Aztán vedd le az akadályt.''' 'Black Market Slicer Tools': name: "Black Market Slicer Tools (Illegális hackereszközök)" text: '''<strong>Akció:</strong>Válassz egy stresszelt ellenséges hajót 1-2-es távolságban és dobj egy támadókockával. %HIT% vagy %CRIT% dobásnál vedd le róla a stressz jelzőt és ossz ki neki egy lefordított sérülés kártyát.''' # Wave X 'PI:NAME:<NAME>END_PI': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%<strong>Akció:</strong> Rendeld a "I'll Show You the Dark Side" állapot kártyát egy 1-3 távolságban lévő ellenséges hajóhoz.''' 'PI:NAME:<NAME>END_PI': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Miután végrehajtottál egy manővert amivel átfedésbe kerültél egy ellenséges hajóval, elszenvedhetsz egy sérülést, hogy végrehajts egy ingyenes akciót.''' 'A Score to Settle': text: '''A hajók felhelyezéskor, válassz ki egy ellenséges hajót és oszd neki a "A Debt to Pay" állapot kártyát.%LINEBREAK%Mikor a "A Debt to Pay" állapot kártyával rendelkező hajó támadásakor 1 %FOCUS% eredményt %CRIT%-re változtathatsz.''' 'PI:NAME:<NAME>END_PI': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%<strong>Akció:</strong> Válassz ki egy baráti hajót 1-2 távolságban. Adj egy %FOCUS% jelzőt ennek a hajónak minden egyes, a tüzelési szögedben 1-3 távolságra lévő ellenséges hajó után. Maximum 3 jelzőt kaphat így.''' 'PI:NAME:<NAME>END_PI': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A tervezési fázis végén, válassz egy ellenséges hajót 1-2 távolságban. Tippeld meg hangosan a hajó manőverét, aztán nézzétek meg. Ha jól tippeltél átforgathatod a tárcsádat.''' 'Finn': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor támadsz az elsődleges fegyvereddel vagy védekezel és az ellenséges hajó a tüzelési szögedben van, hozzáadhatsz egy üres kockát a dobásodhoz.''' 'Rey': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%A befejező fázis kezdetekor, leteheted a hajód egy %FOCUS% jelzőjét erre a kártyára. A harci fázis kezdetén megkaphat a hajód 1 jelzőt erről a kártyáról.''' 'Burnout SLAM': text: '''<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Az akciósávod megkapja a %SLAM% ikont.%LINEBREAK%Miután végrehajtottál egy SLAM akciót, dobd el ezt a kártyát.''' 'Primed Thrusters': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%A stressz jelző nem akadályoz meg abban, hogy végrehajts egy %BOOST% vagy %BARRELROLL% akciót, hacsak nincs 3 vagy több stressz jelződ.''' 'Pattern Analyzer': text: '''Mikor végrehajtasz egy manővert, az "Akció végrehajtást" előbb megteheted, mint a "Stressz ellenőrzést".''' 'Snap Shot': text: '''Miután egy ellenséges hajó végrehajt egy manővert, végrehajthatsz egy támadást e hajó ellen. <strong>Támadás:</strong> Támadj egy hajót. Nem módosíthatod a dobásodat és nem támadhatsz újra ebben a fázisban.''' 'M9-G8': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor a hajó, amin célpontbemérőd van támad, kiválaszthatsz egy támadó kockát. A támadónak újra kell dobnia azt a kockát.%LINEBREAK%Feltehetsz egy célpontbemérőt egy másik baráti hajóra. [FAQ]''' 'EMP Device': text: '''A harci fázis alatt, ahelyett, hogy támadnál, eldobdhatod ezt a lapot, hogy kiossz 2 ion jelzőt minden hajónak 1 távolságban.''' 'CaptPI:NAME:<NAME>END_PI': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután végrehajtottál egy támadást ami nem talált, adj egy %FOCUS% jelzőt a hajódhoz.''' 'General Hux': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%<strong>Akció:</strong> Válassz maximum 3 baráti hajót 1-2 távolságban. Adj 1 %FOCUS% jelzőt mindegyiknek és add a "Fanatical Devotion" állapot kártyát egyiküknek. Aztán kapsz egy stressz jelzőt.''' 'Operations Specialist': text: '''<span class="card-restriction">Limitált.</span>%LIMITED%%LINEBREAK%Miután egy baráti hajó 1-2 távolságban végrehajt egy támadást ami nem talált, a támadó hajó 1-3 távolságában lévő összes baráti hajó kaphat egy %FOCUS% jelzőt.''' 'Targeting Synchronizer': text: '''Mikor egy baráti hajó 1-2 távolságban támad egy hajót amin célpontbemérőd van, a baráti hajó kezelje a <strong>Támadás (célpontbemérő):</strong> fejlécet mint as <strong>Támadás:</strong>. Ha az instrukció célpontbemérő költést ír elő a hajónak, elköltheti a te célbepombemérésedet.''' 'Hyperwave Comm Scanner': text: '''A hajók lehelyezése lépés kezdetén kezelheted a pilóta képzettséged mint 0, 6 vagy 12 a lehelyezés végéig.%LINEBREAK%Az előkészítés alatt, miután egy másik baráti hajót leteszel 1-2 távolságban, adhatsz neki egy %FOCUS% vagy %EVADE% jelzőt.''' 'Trick Shot': text: '''Támadáskor, ha a támadás akadályon át történik, plusz 1 támadó kockával dobhatsz.''' 'Hotshot Co-pilot': text: '''Mikor támadsz egy elsődleges fegyverrel, a védekezőnek el kell költenie 1 %FOCUS% jelzőt, ha tud. Védekezéskor el kell költenie 1 %FOCUS% jelzőt, ha tud. [FAQ]''' '''Scavenger Crane''': text: '''Miután egy hajó 1-2 távolságban megsemmisül kiválaszthatsz egy felszerelt, de már eldobott %TORPEDO%, %MISSILE%, %BOMB%, %CANNON%, %TURRET% vagy módosítás fejlesztés kártyád és felfordíthatod. Aztán dobj egy támadó kockával. Üres dobásnál dobd el ezt a kártyát.''' 'Bodhi Rook': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor felteszel egy célpontbemérőt, bemérhetsz bármely baráti hajótól 1-3 távolságban lévő ellenséget.''' 'BPI:NAME:<NAME>END_PI': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Miután végrehajtottál egy támadást ami nem talált, azonnal végrehajthatsz egy támadást az elsődleges fegyvereddel egy másik hajó ellen. Nem támadhatsz többet ebben a körben.''' 'Inspiring Recruit': name: "Inspiring Recruit (Ösztönző kezdő)" text: '''Körönként egyszer, mikor egy baráti hajó 1-2-es távolságban levesz egy stressz jelzőt, levehet még egyet is.''' 'Swarm Leader': name: "Swarm Leader (Rajvezér)" text: '''Mikor végrehajtasz egy támadást az elsődleges fegyvereddel, kiválaszthatsz akár 2 másik baráti hajót amelyek tüzelési szögében 1-3 távolságban benne van a védekező. Vegyél le 1 %EVADE% jelzőt minden kiválasztott hajóról, hogy plusz 1 támadó kockával dobhass minden levett jelző után.''' 'Bistan': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Mikor 1-2 távolságban támadsz, egy %HIT% dobást %CRIT%-re forgathatsz.''' 'Expertise': name: "Expertise (Szaktudás)" text: '''Támadáskor, ha nem vagy stresszes, átfogathatod az összes %FOCUS% dobásod %HIT%-re.''' 'PI:NAME:<NAME>END_PI': text: '''Mikor a hajó amivel érintkezel aktiválódik, megnézheted a kiválasztott manőverét. Ha így teszel, a gazdájának át kell forgatni a tárcsát egy szomszédos manőverre. A hajó ezt a manővert fedi fel és hajtja végre, még ha stresszes is.''' # C-ROC 'Heavy Laser Turret': text: '''<span class="card-restriction">Csak C-ROC Cruiser.</span>%LINEBREAK%<strong>Támadás (energia):</strong> Költs el 2 energiát erről a kártyáról, hogy végrehajtsd ezt a támadást egy hajó ellen (akkor is, ha a hajó kívül esik a tüzelési szögeden).''' 'PI:NAME:<NAME>END_PI': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A befejező fázis kezdetén eldobhatod ezt a kártyát, hogy kicseréld egy felszerelt és még felfordított %ILLICIT% vagy %CARGO% kártyádat és másik hasonló típusú, ugyanannyi vagy kevesebb pontú kártyával.''' 'PI:NAME:<NAME>END_PI': text: '''<span class="card-restriction">Csak söpredék. Csak óriás hajók.</span>%LINEBREAK%A befejező fázis kezdetén elkölthetsz egy energiát, hogy kicseréld egy felszerelt és még felfordított %CREW% vagy %TEAM% kártyádat és másik hasonló típusú, ugyanannyi vagy kevesebb pontú kártyával.''' 'Quick-release Cargo Locks': text: '''<span class="card-restriction">Csak C-ROC Cruiser és GR-75 Medium Transport.</span>%LINEBREAK%Az aktivációs fázis végén eldobhatod ezt a kártyát, hogy lehelyezz egy konténer jelzőt.''' 'Supercharged Power Cells': text: '''Támadáskor eldobhatod ezt a kártyát, hogy további 2 kockával dobhass.''' 'ARC Caster': text: '''<span class="card-restriction">Csak lázadó és söpredék. Kettős kártya.</span>%LINEBREAK%<strong>A oldal:</strong>%LINEBREAK%<strong>Támadás:</strong> Támadj egy hajót. Ha a támadás talált választanod kell másik hajót 1-es távolságban a védekezőtől, ami elszenved egy sérülést. Eztán fordítsd le ezt a lapot.%LINEBREAK%<strong>B oldal:</strong>%LINEBREAK%(Újratöltés) A harci fázis kezdetén kaphatsz egy "inaktív fegyverzet" jelzőt, hogy átfordítsd ezt a kártyát.''' 'Wookiee Commandos': text: '''Támadáskor újradobhatod a %FOCUS% eredményeidet.''' 'Synced Turret': text: '''<strong>Támadás (célpontbemérő):</strong> támadj meg egy hajót (akkor is, ha a hajó kívül esik a tüzelési szögeden).%LINEBREAK% Ha támadó az elsődleges tüzelési szögedben van, újradobhatsz annyi kockát, amennyi az elsődleges fegyver értéked.''' 'Unguided Rockets': text: '''<strong>Támadás (fókusz):</strong> támadj meg egy hajót. A támadásod standard hatását csak a %FOCUS% jelző elköltésével módosíthatod.''' 'Intensity': text: '''<span class="card-restriction">Csak kis hajók. Kettős kártya.</span>%LINEBREAK%<strong>A oldal:</strong>Miután végrehajtottál egy gyorsítás vagy orsózás akciót, adhatsz egy %FOCUS% vagy %EVADE% a hajódhoz. Ha így teszel, fordítsd át ezt a kártyát.%LINEBREAK%<strong>B oldal:</strong> (Exhausted) A harci fázis végén elkölthetsz 1 %FOCUS% vagy %EVADE% jelzőt, hogy átfordítsd ezt a kártyát.''' 'Jabba the Hutt': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%Mikor felszereled ezt a kártyát, helyezz 1 illicit jelzőt a rajod minden %ILLICIT% fejlesztés kártyájára. Mikor azt az utasítást kapod, hogy dobj el egy ilyen kártyát, helyette eldobhatod az rajta lévő illicit jelzőt.''' 'IG-RM Thug Droids': text: '''Támadáskor, átfordíthatsz egy %HIT% eredményt %CRIT%-re.''' 'Selflessness': text: '''<span class="card-restriction">Csak kis hajók. Csak lázadók.</span>%LINEBREAK%Mikor egy baráti hajót 1-es távolságban eltalálnak egy támadással, eldobhatod ezt a kártyát, hogy elszenvedd az összes kivédetlen %HIT% találatot a támadott hajó helyett.''' 'Breach Specialist': text: '''Mikor kiosztasz egy felfordított sérülés kártyát, elkölthetsz egy erősítés jelzőt, hogy lefordítsd (annak végrehajtása nélkül). Ha így teszel, a kör végéig így tehetsz az összes kiosztásra kerülő sérülés kártyával.''' 'Bomblet Generator': text: '''Mikor felfeded a manővered, ledobhatsz 1 Bomblet jelzőt.%LINEBREAK%Ez a jelző az aktivációs fázis végén robban.%LINEBREAK%<strong>Bomblet:</strong> Mikor ez a jelző robban minden hajó 1-es távolságban dob 2 támadó kockával és elszenved minden %HIT% és %CRIT% eredményt. Aztán a jelzőt le kell venni.''' 'Cad Bane': text: '''<span class="card-restriction">Csak söpredék.</span>%LINEBREAK%A fejlesztés sávod megkapja a %BOMB% ikont. Körönként egyszer, mikor egy ellenséges hajó kockát dob egy bomba robbanás miatt, kiválaszthatsz bármennyi %FOCUS% vagy üres eredeményt. Ezeket újra kell dobni.''' 'Minefield Mapper': text: '''Az előkészítő fázisban, a hajók felhelyezése után eldobhatsz bármennyi %BOMB% fejlesztést. Helyezzd el az összes hozzájuk tartozó bomba jelzőt a játéktéren 3-as távolságon túl az ellenséges hajóktól.''' 'R4-E1': text: '''Végrehajthatod a %TORPEDO% és %BOMB% kártyádon lévő akciót, még ha stresszes is vagy. Miután így tettél, eldobhatod ezt a kártyát, hogy levegyél egy stressz jelzőt a hajódról.''' 'CPI:NAME:<NAME>END_PI': text: '''<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást.%LINEBREAK% Annyival több támadó kockával dobhatsz, amekkora sebességű manővert hajtottál végre ebben a körben (de maximum 4).''' 'Ion Dischargers': text: '''Miután kaptál egy ion tokent, választhatsz egy ellenséges hajót 1-es távolságban. Ha így teszel, leveheted azt az ion jelzőt. Ekkor a választott ellenséges hajó eldöntheti, hogy átveszi-e tőled az iont. Ha így tesz, dobd el ezt a kártyát.''' 'HarPI:NAME:<NAME>END_PI': text: '''<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást.%LINEBREAK%Ha a támadás talált, rendeld a "Harpooned!" kondíciós kártyát a védekezőhöz.''' 'Ordnance Silos': text: '''<span class="card-restriction">Csak B/SF-17 Bomber.</span>%LINEBREAK%Mikor felszereled a hajód ezzel a kártyával, helyezz 3 hadianyag jelzőt minden egyes felszerelt %BOMB% kártyához. Amikor azt az utasítást kapod, hogy dobd el a kártyát, eldobhatsz egy hadianyag jelzőt a kártya helyett.''' 'Trajectory Simulator': text: '''Kidobás helyett kilőheted a bombát a %STRAIGHT% 5 sablon használatával. Nem lőhetsz ki "<strong>Action:</strong>" fejléccel rendelkező bombát ily módon.''' 'Jamming Beam': text: '''<strong>Támadás:</strong> Támadj meg egy hajót.%LINEBREAK%Ha a támadás talált, rendelj a védekezőhöz 1 zavarás (jam) jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.''' 'Linked Battery': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Mikor az elsődleges vagy %CANNON% másodlagos fegyvereddel támadsz, újradobhatsz egy támadó kockádat.''' 'Saturation Salvo': text: '''Miután végrehajtottál egy támadást egy %TORPEDO% vagy %MISSILE% másodlagos fegyvereddel ami nem tálált, a védekezőtől 1-es távolságban lévő összes hajó, aminek mozgékonyság értéke kisebb, mint a %TORPEDO% vagy %MISSILE% kártya pontértéke, dob egy támadó kockával és elszenvedi a dobott %HIT% vagy %CRIT% sérülést.''' 'Contraband Cybernetics': text: '''Mikor az aktivációs fázisban te leszel az aktív hajó, eldobhatod ezt a kártyát, hogy kapj egy stressz jelzőt. Ha így teszel, a kör végéig végrehajthatsz akciókat és piros manővert még ha stresszes is vagy.''' 'Maul': text: '''<span class="card-restriction">Csak söpredék.</span> <span class="card-restriction">Figylemen kívül hagyhatod ezt a korlátozást, ha a csapat tagja "Ezra Bridger".</span>%LINEBREAK%Támadáskor, ha nem vagy stresszelve, kaphatsz annyi stressz jelzőt, amennyi kockát újradobsz. Miután a végrehajtott támadás talált, levehetsz 1 stressz jelzőt.''' 'Courier Droid': text: '''A hajók lehelyezése lépés kezdetén, eldöntheted, hogy "0" vagy "8" PS-űként kezeled a hajód, ezen lépés végéig.''' '"Chopper" (Astromech)': text: '''<strong>Akció: </strong>Dobj el egy felszerelt fejlesztés kártyát, hogy visszatölts egy pajzsot.''' 'Flight-Assist Astromech': text: '''Nem hajthatsz végre támadást a tűzíveden kívül.%LINEBREAK%Miután végrehajtottál egy manővert és a hajód nem kerül átfedésbe akadállyal vagy egy másik hajóval és nincs ellenséges hajó a tűzívedben 1-3-as távolságban végrehajthatsz egy ingyenes %BOOST% vagy %BARRELROLL% akciót.''' 'Advanced Optics': text: '''Nem lehet több, mint 1 %FOCUS% jelződ. A befejező fázisban ne vedd le a megmaradt %FOCUS% jelzőt a hajódról.''' 'Scrambler Missiles': text: '''<strong>Támadás (célpontbemérő):</strong> dobd el ezt a kártyát, hogy végrehajtsd a támadást.%LINEBREAK% Ha a támdás talált, a védekező és attól minden 1-es távolságban lévő hajó kap egy jam jelzőt. Ezután az összes kocka eredményét érvényteleníteni kell.''' 'R5-TK': text: '''Baráti hajóra is tehetsz célpontbemérőt. Támadhatsz baráti hajót.''' 'Threat Tracker': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Mikor egy ellenséges hajó a tűzívedben 1-2-es távolságban a harci fázisban aktiválódik, elköltheted a rajta lévő célpontbemérődet, hogy végrehajts egy %BOOST% vagy %BARRELROLL% akciót, ha az rajta van az akciósávodon.''' 'Debris Gambit': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%<strong>Akció:</strong> Adjál 1 %EVADE% jelzőt a hajódhoz minden 1-es távolságban lévő akadály után, de maximum kettőt.''' 'Targeting Scrambler': text: '''A tervezési fázis kezdetén kaphatsz egy "inaktív fegyverzet" jelzőt, hogy választhass egy hajót 1-3 távolságban, amihez hozzárendeled a "Scrambled" kondíciót.''' 'Death Troopers': text: '''Miután egy másik baráti hajó 1-es távolságban védekezővé válik és benne vagy a támadó tűzívében 1-3-as távolságban, a támadó kap egy stressz jelzőt.''' 'Saw Gerrera': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Támadáskor elszenvedhetsz egy sérülést, hogy az összes %FOCUS% dobásod átforgathatsd %CRIT%-re.''' 'PI:NAME:<NAME>END_PI': text: '''A hajók felhelyezése fázisban, rendeld hozzá az "Optimized Prototype" kondíciót egy baráti Galactic Empire hajóhoz aminek 3 vagy kevesebb pajzsa van.''' 'PI:NAME:<NAME>END_PI': text: '''<span class="card-restriction">Csak lázadók.</span>%LINEBREAK%Védekezés után tehetsz egy célpontbemérőt a támadóra.''' 'Renegade Refit': text: '''<span class="card-restriction">Csak T-65 X-Wing és U-Wing.</span>%LINEBREAK%Felszrelhetsz két különböző módosítás fejlesztést.%LINEBREAK%Minden felszerelt %ELITE% fejlesztés 1 ponttal kevesebbe kerül (minimum 0).''' 'Tactical Officer': text: '''<span class="card-restriction">Csak birodalmiak.</span>%LINEBREAK%Az akciósávod megkapja a %COORDINATE% akciót.''' 'ISB Slicer': text: '''Miután végrehajtottál egy zavarás akciót egy elleséges hajó ellen, választhatsz egy attól 1-es távolságban lévő hajót amin nincs zavarás jelző és adhatsz neki egyet.''' 'Thrust Corrector': text: '''Védekezéskor, ha 3 vagy kevesebb stressz jelződ van, kaphatsz 1 stressz jelzőt, hogy érvénytelenítsd az összes dobásod. Ha így teszel, adj 1 %EVADE% eredményt a dobásaidhoz. A kockáid nem módosíthatók újra ezen támadás alatt.%LINEBREAK%Ez a fejlesztés csak akkor szerelhető fel ha a szerkeszeti erősséged (hull) 4 vagy kisebb.''' modification_translations = "Stealth Device": name: "Stealth Device (Lopakodó eszköz)" text: """Növeld eggyel a mozgékonyság értékedet. Ha egy támadás eltalál, dobd el ezt a fejlesztés kártyát. [FAQ]""" "Shield Upgrade": text: """Növeld eggyel a pajzsod értékét.""" "Engine Upgrade": text: """Az akció sávod megkapja a %BOOST% akció ikont.""" "Anti-Pursuit Lasers": text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Miután egy ellenséges hajó végrehajtotta a manőverét, ami átlapolást eredményezett a te hajóddal, dobj egy támadó kockával. %HIT% vagy %CRIT% eredmény esetén az ellenséges hajó elszenved 1 sérülést. [FAQ]""" "Targeting Computer": text: """Az akciósávod megkapja a %TARGETLOCK% akció ikont.""" "Hull Upgrade": text: """Eggyel növeld a hajód szerkezeti értékét.""" "Munitions Failsafe": text: """Amikor egy olyan másodlagos fegyverrel támadsz, ami eldobatná veled a fegyver lapját, nem kell eldobnod, csak ha a támadásod talált.""" "Stygium Particle Accelerator": text: """Amikor végrehajtod az álcázás akciót vagy leveszed az álcát, végrehajthatsz egy szabad kitérés akciót. [FAQ]""" "Advanced Cloaking Device": text: """<span class="card-restriction">Csak TIE Phantom.</span>%LINEBREAK%Miután végrehajtottál egy támadást, végrehajthatsz egy szabad álcázás akciót. [FAQ]""" "Combat Retrofit": text: """<span class="card-restriction">Csak GR-75. Csak óriás hajók.</span>%LINEBREAK%Növeld a hajód szerkezeti értékét kettővel, a pajzsát meg eggyel.""" "B-Wing/E2": text: """<span class="card-restriction">Csak B-Wing.</span>%LINEBREAK%Csak B-Wing. Módosítás. A fejlesztés sávod megkapja a %CREW% fejlesztés ikont.""" "Countermeasures": text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%A harci fázis elején eldobhatod ezt a kártyát, hogy eggyel megnöveld a mozgékonyság értékedet a kör végéig. Levehetsz egy ellenséges célpontbemérő jelzőt a hajódról.""" "Experimental Interface": text: """Körönként egyszer, miután végrehajtottál egy akciót, végrehajthatsz egy ingyen akciót egy "<strong>Action:</strong>" fejléccel rendelkező fejlesztés kártyáról. Ezután kapsz egy stressz jelzőt. [FAQ]""" "Tactical Jammer": name: "Tactical Jammer (Taktikai blokkoló)" text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%A hajód képes az ellenfél támadásait akadályozni.""" "Autothrusters": text: """Védekezéskor, ha a támadó tüzelési szögében 2-es távolságon túl, vagy a tüzelési szögén kívül tartózkodsz, egy üres dobásod %EVADE%-re módosíthatod. Ezt a kártyát csak akkor szerelheted fel a hajódra, ha van %BOOST% képessége. [FAQ]""" "Advanced SLAM": text: """A SLAM akció végrehajtása után, ha a hajód nem kerül átfedésbe egy akadállyal vagy egy másik hajóval, végrehajthatsz egy ingyen akciót az akciósávodról. [FAQ]""" "Twin Ion Engine Mk. II": text: """<span class="card-restriction">Csak TIE.</span>%LINEBREAK%Minden enyhe fordulód (%BANKLEFT% vagy %BANKRIGHT%) zöld manővernek számít.""" "Maneuvering Fins": text: """<span class="card-restriction">Csak YV-666.</span>%LINEBREAK%A manővertárcsád felfedésekor, ha egy %TURNLEFT% vagy %TURNRIGHT% fordulót hajtanál végre, a tárcsád átforgathatod egy annak megfelelő sebességű %BANKLEFT% vagy %BANKRIGHT% manőverre.""" "Ion Projector": text: """<span class="card-restriction">Csak nagy hajók.</span>%LINEBREAK%Ha egy ellenséges hajó olyan manővert hajt végre, ami miatt átfedésbe kerül a hajóddal, dobj 1 támadó kockával. %HIT% vagy %CRIT% dobás esetén az ellenséges hajó 1 ion jelzőt kap.""" 'Integrated Astromech': text: '''<span class="card-restriction">Csak X-wing.</span>%LINEBREAK%Mikor kapsz egy sérülés kártyát, eldobhatsz egy %ASTROMECH% fejlesztés kártyádat, hogy eldobhasd a sérülés kártyát. [FAQ]''' 'Optimized Generators': text: '''<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Körönként egyszer, mikor kiosztasz egy energiát egy felszerelt fejlesztés kártyádra, kapsz 2 energiát.''' 'Automated Protocols': text: '''<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Körönként egyszer, miután végrehajtottál egy akciót ami nem recover vagy reinforce akció, költhetsz egy energiát, hogy végrehajts egy ingyen recover vagy reinforce akciót.''' 'Ordnance Tubes': text: '''<span class="card-restriction">Csak óriás hajók.</span>%LINEBREAK%Kezelhetsz minden egyes %HARDPOINT% fejlesztés ikonodat mint %TORPEDO% vagy %MISSILE% ikon.%LINEBREAK%Mikor az at utasítás, hogy dobd el a %TORPEDO% vagy %MISSILE% kátyát, nem kell megtenned.''' 'Long-Range Scanners': text: '''Feltehetsz célpontbemérőt 3 vagy azon túli távolságban lévő hajóra. Viszont nem teheted meg 1-2 távolságban lévőkre. Csak akkor hasznáhatod ezt a lapot, ha %TORPEDO% és %MISSILE% ikon is van a fejlesztés sávodon.''' "Guidance Chips": text: """Körönként egyszer, mikor %TORPEDO% vagy %MISSILE% másodlagos fegyverrel támadsz, 1 dobást megváltoztathatsz %HIT% eredményre (vagy %CRIT%-re ha az elsődleges fegyver értéked 3 vagy nagyobb).""" 'Vectored Thrusters': name: "Vectored Thrusters (Vektorhajtómű)" text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%<em>(Vektorhajtómű)</em> Az akciósávod megkapja a %BARRELROLL% akció ikont.''' 'Smuggling Compartment': text: '''<span class="card-restriction">Csak YT-1300 és YT-2400.</span>%LINEBREAK%A fejlesztés sávod megkapja az %ILLICIT% ikont.%LINEBREAK%Felszerelhetsz még egy módosítás fejlesztést is ami nem több, mint 3 pont.''' 'Gyroscopic Targeting': name: "Gyroscopic Targeting (Giroszkópos célzórendszer)" text: '''<span class="card-restriction">Csak Lancer-class Pursuit Craft.</span>%LINEBREAK%Ha ebben a körben 3, 4 vagy 5-ös sebességű manővert hajtottál végre, a harci fázisod végén átforgathatod a változtatható tüzelési szöged.''' 'Captured TIE': text: '''<span class="card-restriction">Csak TIE Fighter. Csak lázadók.</span> %LINEBREAK%Kisebb pilótaképzettségű ellenséges hajók nem tudnak célpontként megjelölni. Miután végrehajtottál egy támadást vagy csak ez a hajó maradt, dobd el ezt a kártyát.''' 'Spacetug Tractor Array': text: '''<span class="card-restriction">Csak Quadjumper.</span>%LINEBREAK%<strong>Akció:</strong> Válassz egy hajót a tüzelési szögedban 1 távolságban és rakj rá egy vonósugár jelzőt. Ha ez baráti hajó, a vonósugár hatást érvényesítsd rajta, mintha ellenséges hajó lenne.''' 'Lightweight Frame': name: "Lightweight Frame (Könnyített szerkezet)" text: '''<span class="card-restriction">Csak TIE.</span>%LINEBREAK%Védekezéskor, védekező kockák dobása után, ha több támadó kocka volt, mint védekező, dobj még egy védekező kockával.%LINEBREAK%Nem használhatod, ha az mozgékonyságod 3 vagy nagyobb.''' 'Pulsed Ray Shield': text: '''<span class="card-restriction">Csak lázadó és söpredék.</span>%LINEBREAK%A befejező fázis alatt kaphatsz 1 ion jelzőt, hogy visszatölthess 1 pajzsot (az eredeti értékig). Csak akkor használhatod ezt a kártyát, ha a pajzs értéked 1.''' 'Deflective Plating': text: '''<span class="card-restriction">Csak B/SF-17 Bomber.</span>%LINEBREAK%Mikor egy baráti bomba felrobban, nem kell elszenvedned a hatását. Ha így teszel, dobbj egy támadó kockával. %HIT% eredménynél dobd el ezt a kártyát.''' 'Servomotor S-Foils': text: '''<span class="card-restriction">Csak T-65 X-Wing.</span> <span class="card-restriction">Kettős kártya.</span>%LINEBREAK%<strong>A oldal (Attack):</strong>Az akciósávod megkapja a %BARRELROLL% ikont. Ha nem vagy stresszes, mikor felfedsz egy (%TURNLEFT% 3) vagy (3 %TURNRIGHT%) manővert, kezelheted úgy mint piros (%TROLLLEFT% 3) vagy (%TROLLRIGHT% 3) a megfeleltethető irányban.%LINEBREAK%Az aktivációs fázis kezdetén átfordíthatod ezt a kártyát.%LINEBREAK%<strong>B oldal (Closed):</strong>Csökkentsd az elsődleges támadási értékedet eggyel. Az akciósávod megkapja a %BOOST% ikont. A (%BANKLEFT% 2) és (%BANKRIGHT% 2 ) mozgást kezeld zöldként.%LINEBREAK%Az aktivációs fázis kezdetén átfordíthatod ezt a kártyát.''' 'Multi-spectral Camouflage': text: '''<span class="card-restriction">Csak kis hajók.</span>%LINEBREAK%Miután kapsz egy piros célpontbemérő jelzőt, ha csak 1 ilyen jelződ van, dobj egy védekező kockával. %EVADE% dobás esetén vegyél le egy piros célpontbemérő jelzőt a hajódról.''' title_translations = "Slave I": text: """<span class="card-restriction">Csak Firespray-31.</span>%LINEBREAK%A fejlesztés sávod kap egy %TORPEDO% fejlesztés ikont.""" "Millennium Falcon": text: """<span class="card-restriction">Csak YT-1300.</span>%LINEBREAK%Az akció sávod megkapja a %EVADE% ikont.""" "MPI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak HWK-290.</span>%LINEBREAK%A Befejező fázisban ne vedd le a hajóról az el nem használt fókusz jelzőket.""" "ST-321": text: """<span class="card-restriction">Csak Lambda-Class Shuttle.</span>%LINEBREAK%Amikor végrehajt egy célpont bemérése akciót, akkor a játéktéren lévő bármely ellenséges hajót bemérheti.""" "Royal Guard TIE": text: """<span class="card-restriction">Csak TIE Interceptor.</span>%LINEBREAK%A hajód 2 módosítás fejlesztés kártyát kaphat (1 helyett). Nem rendelheted ezt a kártyát a hajódhoz, ha a pilótaképzettséged "4" vagy kevesebb.""" "DodPI:NAME:<NAME>END_PIna's Pride": text: """<span class="card-restriction">Csak CR90 elülső része.</span>%LINEBREAK%Amikor egy összehangolt akciót hajtasz végre, 2 baráti hajót választhatsz 1 helyett. A választott hajók végrehajthatnak egy ingyen akciót.""" "A-Wing Test Pilot": text: """<span class="card-restriction">Csak A-Wing.</span>%LINEBREAK%A fejlesztés sávod kap egy %ELITE% ikont. Nem tehetsz a hajóra 2 ugyanolyan %ELITE% fejlesztés kártyát. Nem használhatod ezt a fejlesztés kártyát, ha a pilótád képzettsége "1" vagy kisebb.""" "Tantive IV": text: """<span class="card-restriction">Csak CR90 elülső része.</span>%LINEBREAK%Az elülső rész fejlesztés sávja kap 1 %CREW% és 1 %TEAM% ikont.""" "Bright Hope": text: """<span class="card-restriction">Csak GR-75.</span>%LINEBREAK%A hajó elülső részéhez rendelt megerősítés jelző két %EVADE%-t ad (egy helyett).""" "Quantum Storm": text: """<span class="card-restriction">Csak GR-75.</span>%LINEBREAK%Ha a befejező fázis kezdetekor 1 vagy kevesebb energia jelződ van, kapsz 1 energia jelzőt.""" "Dutyfree": text: """<span class="card-restriction">Csak GR-75.</span>%LINEBREAK%Amikor egy zavarás akciót hajtasz végre, 1-3 távolságra lévő ellenséges hajót választhatsz (1-2 távolságra lévő helyett).""" "Jaina's Light": text: """<span class="card-restriction">Csak a CR90 elülső része.</span>%LINEBREAK%Ha védekezel, támadásonként egyszer, ha felfordított sérülés kártyát kapnál (kritikus sebzés után), eldobhatod és új felfordított sérülés kártyát húzhatsz helyette.""" "Outrider": text: """<span class="card-restriction">Csak YT-2400.</span>%LINEBREAK%Amíg van egy %CANNON% fejlesztés kártyád a hajódon, nem támadhatsz az elsődleges fegyvereddel, viszont a tüzelési szögeden kívüli hajókat a másodlagos %CANNON% fegyvereddel megtámadhatod.""" "Dauntless": text: """<span class="card-restriction">Csak VT-49 Decimator.</span>%LINEBREAK%Ha egy manőver végrehajtása után átfedésbe kerülsz egy másik hajóval, végrehajthatsz 1 szabad akciót. Ezután kapsz egy stressz jelzőt. [FAQ]""" "Virago": text: """<span class="card-restriction">Csak StarViper.</span>%LINEBREAK%A fejlesztési sávod megkapja a %SYSTEM% és az %ILLICIT% fejlesztés ikonokat. Nem használhatod ezt a kártyát, ha a pilóta képességed 3 vagy kevesebb.""" '"Heavy Scyk" Interceptor (Cannon)': text: """<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%A fejlesztési sávod megkapja az %CANNON%, %TORPEDO% vagy %MISSILE% ikont.%LINEBREAK%Növeld a szerkeszeti erősséged (hull) eggyel. [FAQ]""" '"Heavy Scyk" Interceptor (Torpedo)': text: """<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%A fejlesztési sávod megkapja az %CANNON%, %TORPEDO% vagy %MISSILE% ikont.%LINEBREAK%Növeld a szerkeszeti erősséged (hull) eggyel. [FAQ]""" '"Heavy Scyk" Interceptor (Missile)': text: """<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%A fejlesztési sávod megkapja az %CANNON%, %TORPEDO% vagy %MISSILE% ikont.%LINEBREAK%Növeld a szerkeszeti erősséged (hull) eggyel. [FAQ]""" "IG-2000": text: """<span class="card-restriction">Csak Aggressor. Csak söpredék.</span>%LINEBREAK%Megkapod az összes IG-2000 fejlesztés kártyával rendelkező hajód pilóta képességét (a saját pilótaképességeden felül). [FAQ]""" "BTL-A4 Y-Wing": text: """<span class="card-restriction">Csak Y-Wing.</span>%LINEBREAK%Nem támadhatod meg a tüzelési íveden kívül eső hajókat. Miután támadtál az elsődleges fegyvereddel, azonnal támadhatsz a %TURRET% másodlagos fegyvereddel is.""" "Andrasta": text: """<span class="card-restriction">Csak Firespray-31.</span>%LINEBREAK%A fejlesztés sávod kap két további %BOMB% fejlesztés ikont.""" "TIE/x1": text: """<span class="card-restriction">Csak TIE Advanced.</span>%LINEBREAK%Az akció sávod megkapja a %SYSTEM% fejlesztés ikont. Ha a hajódra %SYSTEM% fejlesztés kártyát teszel, a hajó pontértéke 4-gyel csökken (minimum 0-ig). [FAQ]""" "Hound's Tooth": text: """<span class="card-restriction">Csak YV-666.</span>%LINEBREAK%Amikor ez a hajó megsemmisül, mielőtt levennéd a játéktérről, <strong>leteheted Nashtah Pup</strong> pilótát. Ebben a körben nem támadhat.""" "Ghost": text: """<span class="card-restriction">Csak VCX-100.</span>%LINEBREAK%Szerelj fel a <em>Phantom</em> kártyával egy baráti Attack Shuttle-t és dokkold a hajóhoz.%LINEBREAK%Miután végrehajtottál egy manővert, harcba küldheted, a hátsó bütykeidtől indítva.""" "Phantom": text: """Míg dokkolva vagy, a <em>Ghost</em> lőhet az elsődleges fegyverével a speciális tüzelési szögen és a harci fázis végén végrehajthat egy plusz támadást a felszerelt %TURRET% fegyverrel.Ha végrehatotta ezt a támadást, nem támadhat újra ebben a körben.""" "TIE/v1": text: """<span class="card-restriction">Csak TIE Advanced Prototype.</span>%LINEBREAK%Miután feltettél egy célbemérrőt, végrehajthatsz egy ingyen %EVADE% akciót. [FAQ]""" "Mist HPI:NAME:<NAME>END_PI": text: """<span class="card-restriction">Csak G-1A starfighter.</span>%LINEBREAK%Az akciósávod megkapja a %BARRELROLL% ikont.%LINEBREAK%Fel <strong>kell</strong> szerelned 1 Tractor Beam fejlesztést (megfizetve a költségét).""" "Punishing One": text: """<span class="card-restriction">Csak JumpMaster 5000.</span>%LINEBREAK%Növeld az elsődleges fegyver értékét eggyel.""" "Assailer": text: """<span class="card-restriction">Csak Raider-osztályú korvett tat része.</span>%LINEBREAK%Védekezésnél, ha a becélzott részen van egy megerősítés jelző, 1 %FOCUS% dobásodat %EVADE%-re módosíthatod.""" "Instigator": text: """<span class="card-restriction">Csak Raider-osztályú korvett tat része.</span>%LINEBREAK%Miután végrehajtottál egy visszanyerés akciót, további 1 pajzsot kapsz.""" "Impetuous": text: """<span class="card-restriction">Csak Raider-osztályú korvett tat része.</span>%LINEBREAK%Ha egy támadásod során egy ellenséges hajó megsemmisül, utána végrehajthatsz egy célpont bemérése akciót.""" 'TIE/x7': text: '''<span class="card-restriction">Csak TIE Defender.</span>%LINEBREAK%A fejlesztés sávod elveszti a %CANNON% és %MISSILE% ikonokat.%LINEBREAK%Miután végrehajtottál egy 3, 4 vagy 5 sebességű manővert és nem kerülsz átfedésbe akadállyal vagy hajóval, végrehajthatsz egy ingyenes %EVADE% akciót.''' 'TIE/D': text: '''<span class="card-restriction">Csak TIE Defender.</span>%LINEBREAK%Körönként egyszer, miután végrehajtottál egy támadást a %CANNON% másodlagos fegyvereddel ami 3 vagy kevesebb pontba került, végrehajthatsz egy elsődleges fegyver támadást.''' 'TIE Shuttle': text: '''<span class="card-restriction">Csak TIE Bomber.</span>%LINEBREAK%A fejlesztés sávod elveszti az összes %TORPEDO%, %MISSILE% és %BOMB% ikont és kap 2 %CREW% ikont. Nem használhatsz 4 pontnál drágább %CREW% fejlesztést kártyát.''' 'Requiem': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Mikor harca küldesz egy hajót, kezeld a pilóta képzettségét 8-asnak a kör végéig.''' 'Vector': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Miután végrehajtottál egy manővert, harba indíthatod mind a 4 hajód, (nem csak 2-t).''' 'Suppressor': text: '''<span class="card-restriction">Csak Gozanti.</span>%LINEBREAK%Körönként egyszer, miután kiosztottál egy célpontbemérőt, levehetsz 1 %FOCUS%, %EVADE% vagy kék célpontbemérő jelzőt arról a hajóról.''' 'Black One': text: '''Miután végrehajtottál egy %BOOST% vagy %BARRELROLL%, levehetsz egy ellenséges célpontbemérőt egy 1 távolságban lévő baráti hajóról. Nem használhatod ezt a kártyát, ha a pilóta képzettsége 6 vagy alacsonyabb.''' 'Millennium Falcon (TFA)': text: '''Miután végrehajtottál egy 3-as sebességű (%BANKLEFT% vagy %BANKRIGHT%) manővert és nem érintkezel másik hajóval és nem vagy stresszes, kaphatsz egy stressz tokent, hogy 180 fokban megfordítsd a hajód''' 'Alliance Overhaul': name: "Alliance Overhaul (Szövetségi felújítás)" text: '''<span class="card-restriction">Csak ARC-170.</span>%LINEBREAK%Mikor az elsődleges fegyvereddel támadsz az elsődleges tüzelési szögedben, plusz 1 támadó kockával dobhatsz. Mikor a kiegészítő tüzelési szögedből támadsz 1 %FOCUS% találadod %CRIT%-re változtathatod.''' 'Special Ops Training': text: '''<span class="card-restriction">Csak TIE/sf.</span>%LINEBREAK%Mikor az elsődleges fegyvereddel támadsz az elsődleges tüzelési szögedben, plusz 1 támadó kockával dobhatsz. Ha nem így teszel, végrehajthatsz egy plusz támadást a hátsó tüzelési szögedből.''' 'Concord Dawn Protector': text: '''<span class="card-restriction">Csak Protectorate Starfighter.</span>%LINEBREAK%Védekezéskor, ha a támadóval egymás tüzelési szögében vagytok 1-es távolságon belül, adj egy %EVADE% eredményt a dobásodhoz.''' 'Shadow Caster': name: "Shadow Caster (Árnyékvető)" text: '''<span class="card-restriction">Csak Lancer-class Pursuit Craft.</span>%LINEBREAK%Miután végrehajtottál egy támadást ami talált és a védekező a változtatható tüzelési szögedben van 1-2 távolságban, adhatsz a védekezőnek egy vonósugár jelzőt.''' # Wave X '''Sabine's Masterpiece''': text: '''<span class="card-restriction">Csak TIE Fighter. Csak lázadók</span>%LINEBREAK%A fejlesztés sévod kap egy %CREW% és %ILLICIT% ikont.''' '''KyPI:NAME:<NAME>END_PI's Shuttle''': text: '''<span class="card-restriction">Csak Upsilon-class Shuttle.</span>%LINEBREAK%A harci fázis végén válassz egy nem stresszelt ellenséges hajót 1-2 távolságban. A gazdájának stressz tokent kell adnia ennek vagy tőle 1-2 távolságban lévő hajónak, amit ő irányít.''' '''Pivot Wing''': name: "Pivot Wing (Támasztékszárny)" text: '''<span class="card-restriction">Csak U-Wing. Kettős kártya</span>%LINEBREAK%<strong>A oldal (támadás):</strong> Növeld a mozgékonyságod eggyel.%LINEBREAK%Miután végrehajtottál egy manővert átfogathatod a kártyát.%LINEBREAK%<strong>B oldal (landolás):</strong> Mikor felfedsz egy (0 %STOP%) manővert, elforgathatod a hajót 180 fokban.%LINEBREAK%Miután végrehajtottál egy manővert átfogathatod a kártyát.''' '''Adaptive Ailerons''': name: "Adaptive Ailerons (Adaptív csűrőlapok)" text: '''<span class="card-restriction">Csak TIE Striker.</span>%LINEBREAK%Közvetlenül a tárcsád felfedése előtt, ha nem vagy stresszelve, végre <strong>kell</strong> hajtanod egy fehér (%BANKLEFT% 1), (%STRAIGHT% 1) vagy (%BANKRIGHT% 1) manővert. [FAQ]''' # C-ROC '''Merchant One''': text: '''<span class="card-restriction">Csak C-ROC Cruiser.</span>%LINEBREAK%A fejlesztés sávod kap egy plusz %CREW% és %TEAM% ikont, de elveszti a %CARGO% ikont.''' '''"Light Scyk" Interceptor''': text: '''<span class="card-restriction">Csak M3-A Interceptor.</span>%LINEBREAK%Minden sérülés kártyát felfordítva kapsz. A (%BANKLEFT% és %BANKRIGHT%) manőverek zöldnek számítanak. Nem kaphatsz módosítás fejlesztést.''' '''Insatiable Worrt''': text: '''Miután végrehajtottad a recover akciót, szerzel 3 energiát.''' '''Broken Horn''': text: '''Védekezéskor, ha van reinforce jelződ, kaphatsz egy további %EVADE% eredményt. Ha így teszel, védekezés után dobd el a reinforce jelzőt.''' 'Havoc': text: '''<span class="card-restriction">Csak Scurrg H-6 Bomber.</span>%LINEBREAK%A fejlesztés sávod megkapja a %SYSTEM% és %SALVAGEDASTROMECH% ikont, de elveszti a %CREW% ikont. Csak egyedi %SALVAGEDASTROMECH% fejlesztés kártyákat használhatsz.''' 'Vaksai': text: '''<span class="card-restriction">Csak Kihraxz Fighter.</span>%LINEBREAK%Minden felrakott fejlesztés ára 1 ponttal csökken. Felszerelhetsz 3 különböző módosítás fejlesztést.''' 'StarViper Mk. II': text: '''<span class="card-restriction">Csak StarViper.</span>%LINEBREAK%Felszerelhetsz akár 2 különböző nevesítés fejlesztést. Mikor végrehajtasz egy orsózás akciót, a (%BANKLEFT% 1) vagy (%BANKRIGHT% 1) sablonokat <strong>kell</strong> használnod a (%STRAIGHT% 1) helyett.''' 'XG-1 Assault Configuration': text: '''<span class="card-restriction">Csak Alpha-class Star Wing.</span>%LINEBREAK%A fejlesztősávod megkap 2 %CANNON% ikont. Akkor is végrehajthatsz a 2 vagy kevesebb pontértékű %CANNON% másodlagos fegyvereddel támadást, ha "inaktív fegyverzet" jelző van rajtad.''' 'Enforcer': text: '''<span class="card-restriction">Csak M12-L Kimogila Fighter.</span>%LINEBREAK%Védekezéskor, ha a támadó a bullseye tűzívedben van, kap egy stressz jelzőt.''' 'Ghost (Phantom II)': text: '''<span class="card-restriction">Csak VCX-100.</span>%LINEBREAK%Equip the <em>Phantom II</em> title card to a friendly <em>Sheathipede</em>-class shuttle and dock it to this ship.%LINEBREAK%After you execute a maneuver, you may deploy it from your rear guides.''' 'Phantom II': text: '''Míg dokkolva vagy, a <em>Ghost</em> végrehajthat elsődleges fegyver támadást a speciális tűzívéből. Míg dokkolva vagy, az aktivációs fázis végén a <em>Ghost</em> végrehajthat egy ingyenes koordinálás akciót.''' 'First Order Vanguard': text: '''<span class="card-restriction">Csak TIE Silencer.</span>%LINEBREAK%Támadáskor, ha a védekező az egyetlen hajó a tűzívedben 1-3 távolságban, újradobhatsz 1 támadó kockát. Védekezéskor eldobhatod ezt a kártyát, hogy újradobd az összes védő kockádat.''' 'Os-1 Arsenal Loadout': text: '''<span class="card-restriction">Csak Alpha-class Star Wing.</span>%LINEBREAK%A fejlesztősávod kap egy-egy %TORPEDO% és %MISSILE% ikont. Akkor is végrehajthatsz %TORPEDO% és %MISSILE% másodlagos fegyver támadást bemért hajó ellen, ha "inaktív fegyverzet" jelződ van.''' 'Crossfire Formation': text: '''<span class="card-restriction">Csak B/SF-17 Bomber.</span>%LINEBREAK%Védekezéskor, ha legalább egy másik baráti Ellenállás hajó van 1-2-es távolságra a támadótól, adhatsz egy %FOCUS% eredmény a dobásodhoz.''' 'Advanced Ailerons': text: '''<span class="card-restriction">Csak TIE Reaper.</span>%LINEBREAK%Kezeld a (%BANKLEFT% 3) és (%BANKRIGHT% 3) manővert fehérként.%LINEBREAK%Tárcsa felfedés előtt, ha nem vagy stresszes, végre KELL hajtadod egy (%BANKLEFT% 1), (%STRAIGHT% 1) vagy (%BANKRIGHT% 1) manővert.''' condition_translations = '''I'll Show You the Dark Side''': text: '''Mikor a kártya kihelyezésre kerül, ha nem volt már játékban, a játékos aki hozzárendeli, keressen a sérülés pakliban egy <strong><em>Pilóta</em></strong> kártyát és csapja fel erre a kártyára. Aztán keverje meg a sérülés paklit.%LINEBREAK%Amikor kapsz egy kritikus sérülést támadás közben, az ezen lévő kritikus sérülést szenveded el. Ha nincs sérülés kártya ezen a kártyán, távolítsd el.''' 'Suppressive Fire': text: '''Ha más hajót támadsz mint "Captain Rex", egy támadó kockával kevesebbel dobsz.%LINEBREAK%Ha a támadásod célpontja "Captain Rex" vagy mikor "Captain Rex" megsemmisül, vedd le ezt a kártyát.%LINEBREAK%A harci fázis végén, ha Captain Rex nem hajtott végre támadást ebben a fázisban, vedd le a kártyát.''' 'Fanatical Devotion': text: '''Védekezéskor nem tudsz %FOCUS% jelzőt elkölteni.%LINEBREAK%Támadáskor, ha %FOCUS% jelzőt költenél, hogy az összes %FOCUS% dobást átfogasd %HIT%-re, tedd az első %FOCUS% dobásod félre. A félretett immár %HIT% dobás nem semlegesíthető védő kockával, de a védekező a %CRIT% dobásokat semlegesítheti elébb.%LINEBREAK%A befejező fázis alatt vedd le ezt a kártyát.''' 'A Debt to Pay': text: '''Az "A Score to Settle" fejlesztés kártyával rendelkező hajót támadva, átforgathatsz egy %FOCUS% dobást %CRIT%-re.''' 'Shadowed': text: '''"Thweek" úgy kezelendő, mintha rendelkezne a felrakás után pilóta erősségeddel. Az átvett PS érték nem változik, ha a hajónak változna a PS-e vagy megsemmisülne.''' 'Mimicked': text: '''"Thweek" úgy kezelendő, mintha rendelkezne a pilóta képességeddel. "Thweek" nem használhat kondíciós kártyát a szerzett pilóta képessége által. Valamint nem veszíti el ezt a képességet, ha a hajó megsemmisül.''' 'Harpooned!': text: '''Mikor egy támadásból találat ér, amiben legalább 1 kivédetlen %CRIT% van, minden 1-es távolságban lévő hajó elszenved 1 sérülést. Aztán dobd el ezt a lapot és kapsz egy lefordított sérülés kártyát.%LINEBREAK%Mikor megsemmisülsz, minden 1-es távolságban lévő hajó elszenved 1 sérülést%LINEBREAK%<strong>Akció:</strong> dobd el ezt a kártyát. Dobj egy támadás kockával, %HIT% vagy %CRIT% esetén elszenvedsz egy sérülést.''' 'Rattled': text: '''Mikor bombától szenvedsz sérülést, elszenvedsz egy további kritikus sérülést is. Aztán vedd le ezt a kártyát.%LINEBREAK%<strong>Akció:</strong> Dobj egy támadó kockával. %FOCUS% vagy %HIT% eredménynél vedd le ezt a kártyát.''' 'Scrambled': text: '''Mikor 1-es távolságban támadsz egy hajót, amint "Targeting Scrambler" fejlesztés van, nem módosíthatod a támadó kockáidat. A harci fázis végén vedd le ezt a kártyát.''' 'Optimized Prototype': text: '''Növeld a pajzs értéket eggyel.%LINEBREAK%Körönként egyszer, mikor végrehajtasz egy támadást az elsődleges fegyvereddel, elkölthetsz egy dobás eredményt, hogy levegyél egy pajzsot a védekezőről.%LINEBREAK%Miután végrehajtottál egy támadást az elsődleges fegyvereddel, egy baráti hajó 1-2-es távolságban a "PI:NAME:<NAME>END_PI PI:NAME:<NAME>END_PI" fejlesztéssel felszerelve, feltehet egy célpontbemérőt a védekezőre.''' exportObj.setupCardData basic_cards, pilot_translations, upgrade_translations, modification_translations, title_translations, condition_translations
[ { "context": "/clementine Clementine Latin Vulgate\n# /almeida João Ferreira de Almeida - Portuguese\n# /rccv Romanian Corrected Cornile", "end": 280, "score": 0.994267463684082, "start": 256, "tag": "NAME", "value": "João Ferreira de Almeida" }, { "context": "l /translation> <book chapter:verse>\n#\n# Author:\n# Brendan <me@brendanberkley.com>\n\nmodule.exports = (robot)", "end": 488, "score": 0.999871551990509, "start": 481, "tag": "NAME", "value": "Brendan" }, { "context": "tion> <book chapter:verse>\n#\n# Author:\n# Brendan <me@brendanberkley.com>\n\nmodule.exports = (robot) ->\n # regex inspired ", "end": 511, "score": 0.9999038577079773, "start": 490, "tag": "EMAIL", "value": "me@brendanberkley.com" } ]
src/bible-api.coffee
BrendanBerkley/hubot-bible-api
1
# Description: # Access Tim Morgan's bible-api.com to display Bible passages # Translations: # /cherokee Cherokee New Testament # /kjv King James Version # /web World English Bible (default) # /clementine Clementine Latin Vulgate # /almeida João Ferreira de Almeida - Portuguese # /rccv Romanian Corrected Cornilescu Version # # Dependencies: # None # # Configuration: # None # # Commands: # hubot bible <optional /translation> <book chapter:verse> # # Author: # Brendan <me@brendanberkley.com> module.exports = (robot) -> # regex inspired by # https://github.com/github/hubot-scripts/blob/master/src/scripts/lmgtfy.coffee robot.respond /bible?\s?(?:\/(\w*))? (.*)/i, (msg) -> url = "http://bible-api.com/#{msg.match[2]}" url += "?translation=#{msg.match[1]}" if msg.match[1] robot.http(url) .header('Accept', 'application/json') .get() (err, res, body) -> # error checking code here if err msg.send "Error: #{err}" return else data = JSON.parse body if data.error reply = data.error else reply = "\n#{data.reference} (#{data.translation_id})\n" for verse in data.verses reply += "#{verse.verse} #{verse.text}" msg.send reply
147413
# Description: # Access Tim Morgan's bible-api.com to display Bible passages # Translations: # /cherokee Cherokee New Testament # /kjv King James Version # /web World English Bible (default) # /clementine Clementine Latin Vulgate # /almeida <NAME> - Portuguese # /rccv Romanian Corrected Cornilescu Version # # Dependencies: # None # # Configuration: # None # # Commands: # hubot bible <optional /translation> <book chapter:verse> # # Author: # <NAME> <<EMAIL>> module.exports = (robot) -> # regex inspired by # https://github.com/github/hubot-scripts/blob/master/src/scripts/lmgtfy.coffee robot.respond /bible?\s?(?:\/(\w*))? (.*)/i, (msg) -> url = "http://bible-api.com/#{msg.match[2]}" url += "?translation=#{msg.match[1]}" if msg.match[1] robot.http(url) .header('Accept', 'application/json') .get() (err, res, body) -> # error checking code here if err msg.send "Error: #{err}" return else data = JSON.parse body if data.error reply = data.error else reply = "\n#{data.reference} (#{data.translation_id})\n" for verse in data.verses reply += "#{verse.verse} #{verse.text}" msg.send reply
true
# Description: # Access Tim Morgan's bible-api.com to display Bible passages # Translations: # /cherokee Cherokee New Testament # /kjv King James Version # /web World English Bible (default) # /clementine Clementine Latin Vulgate # /almeida PI:NAME:<NAME>END_PI - Portuguese # /rccv Romanian Corrected Cornilescu Version # # Dependencies: # None # # Configuration: # None # # Commands: # hubot bible <optional /translation> <book chapter:verse> # # Author: # PI:NAME:<NAME>END_PI <PI:EMAIL:<EMAIL>END_PI> module.exports = (robot) -> # regex inspired by # https://github.com/github/hubot-scripts/blob/master/src/scripts/lmgtfy.coffee robot.respond /bible?\s?(?:\/(\w*))? (.*)/i, (msg) -> url = "http://bible-api.com/#{msg.match[2]}" url += "?translation=#{msg.match[1]}" if msg.match[1] robot.http(url) .header('Accept', 'application/json') .get() (err, res, body) -> # error checking code here if err msg.send "Error: #{err}" return else data = JSON.parse body if data.error reply = data.error else reply = "\n#{data.reference} (#{data.translation_id})\n" for verse in data.verses reply += "#{verse.verse} #{verse.text}" msg.send reply
[ { "context": "io.com\n\nCopyright 2016 Chai Biotechnologies Inc. <info@chaibio.com>\n\nLicensed under the Apache License, Version 2.0 ", "end": 194, "score": 0.9999224543571472, "start": 178, "tag": "EMAIL", "value": "info@chaibio.com" } ]
frontend/javascripts/app/services/standard_curve_chart_helper.js.coffee
MakerButt/chaipcr
1
### Chai PCR - Software platform for Open qPCR and Chai's Real-Time PCR instruments. For more information visit http://www.chaibio.com Copyright 2016 Chai Biotechnologies Inc. <info@chaibio.com> Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. ### window.ChaiBioTech.ngApp.service 'StandardCurveChartHelper', [ 'SecondsDisplay' '$filter' 'Experiment' (SecondsDisplay, $filter, Experiment) -> @chartConfig = -> axes: x: key: 'cycle_num' ticks: 8 label: 'Log Quantity' min: 0 max: 1 y: min: 1 max: 20 unit: 'k' label: 'Cq' ticks: 10 scale: 'linear' tickFormat: (y) -> # if y >= 1000 then Math.round(( y / 1000) * 10) / 10 else Math.round(y * 10) / 10 Math.round(( y / 1000) * 10) / 10 box: label: x: 'Cycle' y: 'RFU' series: [] line_series: [] # end chartConfig @COLORS = [ '#04A0D9' '#1578BE' '#2455A8' '#3D3191' '#75278E' '#B01D8B' '#FA1485' '#FF0050' '#EA244E' '#FA3C00' '#F0662D' '#F6B014' '#FCDF2B' '#B7D436' '#68BD43' '#14A451' ] @SAMPLE_TARGET_COLORS = [ '#04A0D9' '#2455A8' '#75278E' '#FA1485' '#EA244E' '#F0662D' '#FCDF2B' '#68BD43' '#1578BE' '#3D3191' '#B01D8B' '#FF0050' '#FA3C00' '#F6B014' '#B7D436' '#14A451' ] mathPow = (dec, pow) -> res = 1 i = 0 if pow == 0 then return 1 else if pow < 0 for i in [0...Math.abs(pow)] res = res / dec return res; else for i in [0...Math.abs(pow)] res = res * dec; return res; @neutralizeData = (amplification_data, targets, is_dual_channel=false) -> amplification_data = angular.copy amplification_data targets = angular.copy targets channel_datasets = {} channels_count = if is_dual_channel then 2 else 1 # get max cycle max_cycle = 0 for datum in amplification_data by 1 max_cycle = if datum[2] > max_cycle then datum[2] else max_cycle for channel_i in [1..channels_count] by 1 dataset_name = "channel_#{channel_i}" channel_datasets[dataset_name] = [] channel_data = _.filter amplification_data, (datum) -> target = _.filter targets, (target) -> target && target.id is datum[0] target.length && target[0].channel is channel_i for cycle_i in [1..max_cycle] by 1 data_by_cycle = _.filter channel_data, (datum) -> datum[2] is cycle_i data_by_cycle = _.sortBy data_by_cycle, (d) -> d[1] channel_datasets[dataset_name].push data_by_cycle console.log('channel_datasets[dataset_name]') # console.log(channel_datasets[dataset_name]) channel_datasets[dataset_name] = _.map channel_datasets[dataset_name], (datum) -> if datum[0] pt = cycle_num: datum[0][2] for y_item, i in datum by 1 pt["well_#{y_item[1]-1}_background"] = y_item[3] pt["well_#{y_item[1]-1}_baseline"] = y_item[4] pt["well_#{y_item[1]-1}_background_log"] = if y_item[3] > 0 then y_item[3] else 10 pt["well_#{y_item[1]-1}_baseline_log"] = if y_item[4] > 0 then y_item[4] else 10 pt["well_#{y_item[1]-1}_dr1_pred"] = y_item[5] pt["well_#{y_item[1]-1}_dr2_pred"] = y_item[6] return pt else {} return channel_datasets @neutralizeChartData = (summary_data, target_data, targets, is_dual_channel=false) -> summary_data = angular.copy summary_data targets = angular.copy targets target_data = angular.copy target_data channels_count = if is_dual_channel then 2 else 1 datasets = {} if is_dual_channel for ch in [1..2] by 1 for i in [0..15] by 1 datasets["well_#{i}_#{ch}"] = [] else for i in [0..15] by 1 datasets["well_#{i}_1"] = [] for i in [1.. summary_data.length - 1] by 1 target = _.filter targets, (target) -> target && target.id is summary_data[i][0] channel = if target.length then target[0].channel else 1 if (summary_data[i][4] or summary_data[i][4] is 0) and (summary_data[i][5] or summary_data[i][5] is 0) datasets["well_#{summary_data[i][1] - 1}_#{channel}"] = [] datasets["well_#{summary_data[i][1] - 1}_#{channel}"].push cq: summary_data[i][3] log_quantity: Math.log10(summary_data[i][4] * mathPow(10, summary_data[i][5])) return datasets @neutralizeLineData = (target_data) -> target_data = angular.copy target_data datasets = target_line: [] for i in [1.. target_data.length - 1] by 1 if target_data[i][3] datasets["target_line"].push efficiency: target_data[i][3].efficiency offset: target_data[i][3].offset r2: target_data[i][3].r2 slope: target_data[i][3].slope id: target_data[i][0] return datasets @normalizeWellTargetData = (well_data, init_targets, is_dual_channel) -> well_data = angular.copy well_data targets = angular.copy init_targets for i in [0.. targets.length - 1] by 1 targets[i] = id: null name: null channel: null color: null well_type: null channel_count = if is_dual_channel then 2 else 1 for i in [0.. well_data.length - 1] by 1 targets[(well_data[i].well_num - 1) * channel_count + well_data[i].channel - 1] = id: well_data[i].target_id name: well_data[i].target_name channel: well_data[i].channel color: well_data[i].color well_type: well_data[i].well_type return targets @initialSummaryData = (summary_data, target_data) -> summary_data = angular.copy summary_data target_data = angular.copy target_data summary_data[0].push "channel" for i in [1.. summary_data.length - 1] by 1 target = _.filter target_data, (elem) -> elem[0] is summary_data[i][0] summary_data[i].push target[0][2] return _.sortBy summary_data, (elem) -> elem[elem.length - 1] @normalizeSummaryData = (summary_data, target_data, well_targets) -> summary_data = angular.copy summary_data target_data = angular.copy target_data well_targets = angular.copy well_targets well_data = [] for i in [1.. summary_data.length - 1] by 1 item = {} for item_name in [0..summary_data[0].length - 1] by 1 item[summary_data[0][item_name]] = summary_data[i][item_name] target = _.filter well_targets, (target) -> target and target.id is item.target_id and target.well_num is item.well_num if target.length item['target_name'] = target[0].name if target[0] item['channel'] = target[0].channel if target[0] item['color'] = target[0].color if target[0] item['well_type'] = target[0].well_type if target[0] item['omit'] = target[0].omit if target[0] else target = _.filter target_data, (target) -> target[0] is item.target_id item['target_name'] = target[0][1] if target[0] item['channel'] = target[0][2] item['color'] = @SAMPLE_TARGET_COLORS[target[0][2] - 1] item['well_type'] = '' item['omit'] = 0 item['active'] = false item['mean_quantity'] = item['mean_quantity_m'] * mathPow(10, item['mean_quantity_b']) item['quantity'] = item['quantity_m'] * mathPow(10, item['quantity_b']) well_data.push item # Add omitted target omit_targets = _.filter well_targets, (target) -> target and target.omit is 1 for elem in omit_targets item = {} item['well_num'] = elem.well_num item['replic_group'] = null item['quantity_m'] = elem.quantity?.m item['quantity_b'] = elem.quantity?.b item['quantity'] = item['quantity_m'] * mathPow(10, item['quantity_b']) item['mean_quantity_m'] = null item['mean_quantity_b'] = null item['mean_quantity'] = 0 item['mean_cq'] = null item['cq'] = null item['channel'] = elem.channel item['active'] = false item['target_name'] = elem.name item['target_id'] = elem.id item['color'] = elem.color item['well_type'] = elem.well_type item['omit'] = elem.omit well_data.push item well_data = _.orderBy(well_data,['well_num', 'channel'],['asc', 'asc']); return well_data @blankWellData = (is_dual_channel, well_targets) -> well_targets = angular.copy well_targets well_data = [] for i in [0.. 15] by 1 item = {} item['well_num'] = i+1 item['replic_group'] = null item['quantity_m'] = null item['quantity_b'] = null item['quantity'] = 0 item['mean_quantity_m'] = null item['mean_quantity_b'] = null item['mean_quantity'] = 0 item['mean_cq'] = null item['cq'] = null item['channel'] = 1 item['active'] = false if is_dual_channel item['target_name'] = well_targets[2*i].name if well_targets[2*i] item['target_id'] = well_targets[2*i].id if well_targets[2*i] item['color'] = well_targets[2*i].color if well_targets[2*i] item['well_type'] = well_targets[2*i].well_type if well_targets[2*i] item['omit'] = well_targets[2*i].omit if well_targets[2*i] else item['target_name'] = well_targets[i].name if well_targets[i] item['target_id'] = well_targets[i].id if well_targets[i] item['color'] = well_targets[i].color if well_targets[i] item['well_type'] = well_targets[i].well_type if well_targets[i] item['omit'] = well_targets[i].omit if well_targets[i] well_data.push item if is_dual_channel dual_item = angular.copy item dual_item['target_name'] = well_targets[2*i+1].name if well_targets[2*i+1] dual_item['target_id'] = well_targets[2*i+1].id if well_targets[2*i+1] dual_item['color'] = well_targets[2*i+1].color if well_targets[2*i+1] dual_item['well_type'] = well_targets[2*i+1].well_type if well_targets[2*i+1] dual_item['omit'] = well_targets[2*i+1].omit if well_targets[2*i+1] dual_item['channel'] = 2 well_data.push dual_item return well_data @blankWellTargetData = (well_data) -> well_data = angular.copy well_data targets = [] for i in [0.. well_data.length - 1] by 1 targets.push id: well_data[i].target_id name: well_data[i].target_name channel: well_data[i].channel color: well_data[i].color well_type: well_data[i].well_type return targets @paddData = (is_dual_channel) -> datasets = {} if is_dual_channel for ch in [1..2] by 1 for i in [0..15] by 1 datasets["well_#{i}_#{ch}"] = [] else for i in [0..15] by 1 datasets["well_#{i}_1"] = [] datasets @getMaxExperimentCycle = Experiment.getMaxExperimentCycle return ]
178576
### Chai PCR - Software platform for Open qPCR and Chai's Real-Time PCR instruments. For more information visit http://www.chaibio.com Copyright 2016 Chai Biotechnologies Inc. <<EMAIL>> Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. ### window.ChaiBioTech.ngApp.service 'StandardCurveChartHelper', [ 'SecondsDisplay' '$filter' 'Experiment' (SecondsDisplay, $filter, Experiment) -> @chartConfig = -> axes: x: key: 'cycle_num' ticks: 8 label: 'Log Quantity' min: 0 max: 1 y: min: 1 max: 20 unit: 'k' label: 'Cq' ticks: 10 scale: 'linear' tickFormat: (y) -> # if y >= 1000 then Math.round(( y / 1000) * 10) / 10 else Math.round(y * 10) / 10 Math.round(( y / 1000) * 10) / 10 box: label: x: 'Cycle' y: 'RFU' series: [] line_series: [] # end chartConfig @COLORS = [ '#04A0D9' '#1578BE' '#2455A8' '#3D3191' '#75278E' '#B01D8B' '#FA1485' '#FF0050' '#EA244E' '#FA3C00' '#F0662D' '#F6B014' '#FCDF2B' '#B7D436' '#68BD43' '#14A451' ] @SAMPLE_TARGET_COLORS = [ '#04A0D9' '#2455A8' '#75278E' '#FA1485' '#EA244E' '#F0662D' '#FCDF2B' '#68BD43' '#1578BE' '#3D3191' '#B01D8B' '#FF0050' '#FA3C00' '#F6B014' '#B7D436' '#14A451' ] mathPow = (dec, pow) -> res = 1 i = 0 if pow == 0 then return 1 else if pow < 0 for i in [0...Math.abs(pow)] res = res / dec return res; else for i in [0...Math.abs(pow)] res = res * dec; return res; @neutralizeData = (amplification_data, targets, is_dual_channel=false) -> amplification_data = angular.copy amplification_data targets = angular.copy targets channel_datasets = {} channels_count = if is_dual_channel then 2 else 1 # get max cycle max_cycle = 0 for datum in amplification_data by 1 max_cycle = if datum[2] > max_cycle then datum[2] else max_cycle for channel_i in [1..channels_count] by 1 dataset_name = "channel_#{channel_i}" channel_datasets[dataset_name] = [] channel_data = _.filter amplification_data, (datum) -> target = _.filter targets, (target) -> target && target.id is datum[0] target.length && target[0].channel is channel_i for cycle_i in [1..max_cycle] by 1 data_by_cycle = _.filter channel_data, (datum) -> datum[2] is cycle_i data_by_cycle = _.sortBy data_by_cycle, (d) -> d[1] channel_datasets[dataset_name].push data_by_cycle console.log('channel_datasets[dataset_name]') # console.log(channel_datasets[dataset_name]) channel_datasets[dataset_name] = _.map channel_datasets[dataset_name], (datum) -> if datum[0] pt = cycle_num: datum[0][2] for y_item, i in datum by 1 pt["well_#{y_item[1]-1}_background"] = y_item[3] pt["well_#{y_item[1]-1}_baseline"] = y_item[4] pt["well_#{y_item[1]-1}_background_log"] = if y_item[3] > 0 then y_item[3] else 10 pt["well_#{y_item[1]-1}_baseline_log"] = if y_item[4] > 0 then y_item[4] else 10 pt["well_#{y_item[1]-1}_dr1_pred"] = y_item[5] pt["well_#{y_item[1]-1}_dr2_pred"] = y_item[6] return pt else {} return channel_datasets @neutralizeChartData = (summary_data, target_data, targets, is_dual_channel=false) -> summary_data = angular.copy summary_data targets = angular.copy targets target_data = angular.copy target_data channels_count = if is_dual_channel then 2 else 1 datasets = {} if is_dual_channel for ch in [1..2] by 1 for i in [0..15] by 1 datasets["well_#{i}_#{ch}"] = [] else for i in [0..15] by 1 datasets["well_#{i}_1"] = [] for i in [1.. summary_data.length - 1] by 1 target = _.filter targets, (target) -> target && target.id is summary_data[i][0] channel = if target.length then target[0].channel else 1 if (summary_data[i][4] or summary_data[i][4] is 0) and (summary_data[i][5] or summary_data[i][5] is 0) datasets["well_#{summary_data[i][1] - 1}_#{channel}"] = [] datasets["well_#{summary_data[i][1] - 1}_#{channel}"].push cq: summary_data[i][3] log_quantity: Math.log10(summary_data[i][4] * mathPow(10, summary_data[i][5])) return datasets @neutralizeLineData = (target_data) -> target_data = angular.copy target_data datasets = target_line: [] for i in [1.. target_data.length - 1] by 1 if target_data[i][3] datasets["target_line"].push efficiency: target_data[i][3].efficiency offset: target_data[i][3].offset r2: target_data[i][3].r2 slope: target_data[i][3].slope id: target_data[i][0] return datasets @normalizeWellTargetData = (well_data, init_targets, is_dual_channel) -> well_data = angular.copy well_data targets = angular.copy init_targets for i in [0.. targets.length - 1] by 1 targets[i] = id: null name: null channel: null color: null well_type: null channel_count = if is_dual_channel then 2 else 1 for i in [0.. well_data.length - 1] by 1 targets[(well_data[i].well_num - 1) * channel_count + well_data[i].channel - 1] = id: well_data[i].target_id name: well_data[i].target_name channel: well_data[i].channel color: well_data[i].color well_type: well_data[i].well_type return targets @initialSummaryData = (summary_data, target_data) -> summary_data = angular.copy summary_data target_data = angular.copy target_data summary_data[0].push "channel" for i in [1.. summary_data.length - 1] by 1 target = _.filter target_data, (elem) -> elem[0] is summary_data[i][0] summary_data[i].push target[0][2] return _.sortBy summary_data, (elem) -> elem[elem.length - 1] @normalizeSummaryData = (summary_data, target_data, well_targets) -> summary_data = angular.copy summary_data target_data = angular.copy target_data well_targets = angular.copy well_targets well_data = [] for i in [1.. summary_data.length - 1] by 1 item = {} for item_name in [0..summary_data[0].length - 1] by 1 item[summary_data[0][item_name]] = summary_data[i][item_name] target = _.filter well_targets, (target) -> target and target.id is item.target_id and target.well_num is item.well_num if target.length item['target_name'] = target[0].name if target[0] item['channel'] = target[0].channel if target[0] item['color'] = target[0].color if target[0] item['well_type'] = target[0].well_type if target[0] item['omit'] = target[0].omit if target[0] else target = _.filter target_data, (target) -> target[0] is item.target_id item['target_name'] = target[0][1] if target[0] item['channel'] = target[0][2] item['color'] = @SAMPLE_TARGET_COLORS[target[0][2] - 1] item['well_type'] = '' item['omit'] = 0 item['active'] = false item['mean_quantity'] = item['mean_quantity_m'] * mathPow(10, item['mean_quantity_b']) item['quantity'] = item['quantity_m'] * mathPow(10, item['quantity_b']) well_data.push item # Add omitted target omit_targets = _.filter well_targets, (target) -> target and target.omit is 1 for elem in omit_targets item = {} item['well_num'] = elem.well_num item['replic_group'] = null item['quantity_m'] = elem.quantity?.m item['quantity_b'] = elem.quantity?.b item['quantity'] = item['quantity_m'] * mathPow(10, item['quantity_b']) item['mean_quantity_m'] = null item['mean_quantity_b'] = null item['mean_quantity'] = 0 item['mean_cq'] = null item['cq'] = null item['channel'] = elem.channel item['active'] = false item['target_name'] = elem.name item['target_id'] = elem.id item['color'] = elem.color item['well_type'] = elem.well_type item['omit'] = elem.omit well_data.push item well_data = _.orderBy(well_data,['well_num', 'channel'],['asc', 'asc']); return well_data @blankWellData = (is_dual_channel, well_targets) -> well_targets = angular.copy well_targets well_data = [] for i in [0.. 15] by 1 item = {} item['well_num'] = i+1 item['replic_group'] = null item['quantity_m'] = null item['quantity_b'] = null item['quantity'] = 0 item['mean_quantity_m'] = null item['mean_quantity_b'] = null item['mean_quantity'] = 0 item['mean_cq'] = null item['cq'] = null item['channel'] = 1 item['active'] = false if is_dual_channel item['target_name'] = well_targets[2*i].name if well_targets[2*i] item['target_id'] = well_targets[2*i].id if well_targets[2*i] item['color'] = well_targets[2*i].color if well_targets[2*i] item['well_type'] = well_targets[2*i].well_type if well_targets[2*i] item['omit'] = well_targets[2*i].omit if well_targets[2*i] else item['target_name'] = well_targets[i].name if well_targets[i] item['target_id'] = well_targets[i].id if well_targets[i] item['color'] = well_targets[i].color if well_targets[i] item['well_type'] = well_targets[i].well_type if well_targets[i] item['omit'] = well_targets[i].omit if well_targets[i] well_data.push item if is_dual_channel dual_item = angular.copy item dual_item['target_name'] = well_targets[2*i+1].name if well_targets[2*i+1] dual_item['target_id'] = well_targets[2*i+1].id if well_targets[2*i+1] dual_item['color'] = well_targets[2*i+1].color if well_targets[2*i+1] dual_item['well_type'] = well_targets[2*i+1].well_type if well_targets[2*i+1] dual_item['omit'] = well_targets[2*i+1].omit if well_targets[2*i+1] dual_item['channel'] = 2 well_data.push dual_item return well_data @blankWellTargetData = (well_data) -> well_data = angular.copy well_data targets = [] for i in [0.. well_data.length - 1] by 1 targets.push id: well_data[i].target_id name: well_data[i].target_name channel: well_data[i].channel color: well_data[i].color well_type: well_data[i].well_type return targets @paddData = (is_dual_channel) -> datasets = {} if is_dual_channel for ch in [1..2] by 1 for i in [0..15] by 1 datasets["well_#{i}_#{ch}"] = [] else for i in [0..15] by 1 datasets["well_#{i}_1"] = [] datasets @getMaxExperimentCycle = Experiment.getMaxExperimentCycle return ]
true
### Chai PCR - Software platform for Open qPCR and Chai's Real-Time PCR instruments. For more information visit http://www.chaibio.com Copyright 2016 Chai Biotechnologies Inc. <PI:EMAIL:<EMAIL>END_PI> Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. ### window.ChaiBioTech.ngApp.service 'StandardCurveChartHelper', [ 'SecondsDisplay' '$filter' 'Experiment' (SecondsDisplay, $filter, Experiment) -> @chartConfig = -> axes: x: key: 'cycle_num' ticks: 8 label: 'Log Quantity' min: 0 max: 1 y: min: 1 max: 20 unit: 'k' label: 'Cq' ticks: 10 scale: 'linear' tickFormat: (y) -> # if y >= 1000 then Math.round(( y / 1000) * 10) / 10 else Math.round(y * 10) / 10 Math.round(( y / 1000) * 10) / 10 box: label: x: 'Cycle' y: 'RFU' series: [] line_series: [] # end chartConfig @COLORS = [ '#04A0D9' '#1578BE' '#2455A8' '#3D3191' '#75278E' '#B01D8B' '#FA1485' '#FF0050' '#EA244E' '#FA3C00' '#F0662D' '#F6B014' '#FCDF2B' '#B7D436' '#68BD43' '#14A451' ] @SAMPLE_TARGET_COLORS = [ '#04A0D9' '#2455A8' '#75278E' '#FA1485' '#EA244E' '#F0662D' '#FCDF2B' '#68BD43' '#1578BE' '#3D3191' '#B01D8B' '#FF0050' '#FA3C00' '#F6B014' '#B7D436' '#14A451' ] mathPow = (dec, pow) -> res = 1 i = 0 if pow == 0 then return 1 else if pow < 0 for i in [0...Math.abs(pow)] res = res / dec return res; else for i in [0...Math.abs(pow)] res = res * dec; return res; @neutralizeData = (amplification_data, targets, is_dual_channel=false) -> amplification_data = angular.copy amplification_data targets = angular.copy targets channel_datasets = {} channels_count = if is_dual_channel then 2 else 1 # get max cycle max_cycle = 0 for datum in amplification_data by 1 max_cycle = if datum[2] > max_cycle then datum[2] else max_cycle for channel_i in [1..channels_count] by 1 dataset_name = "channel_#{channel_i}" channel_datasets[dataset_name] = [] channel_data = _.filter amplification_data, (datum) -> target = _.filter targets, (target) -> target && target.id is datum[0] target.length && target[0].channel is channel_i for cycle_i in [1..max_cycle] by 1 data_by_cycle = _.filter channel_data, (datum) -> datum[2] is cycle_i data_by_cycle = _.sortBy data_by_cycle, (d) -> d[1] channel_datasets[dataset_name].push data_by_cycle console.log('channel_datasets[dataset_name]') # console.log(channel_datasets[dataset_name]) channel_datasets[dataset_name] = _.map channel_datasets[dataset_name], (datum) -> if datum[0] pt = cycle_num: datum[0][2] for y_item, i in datum by 1 pt["well_#{y_item[1]-1}_background"] = y_item[3] pt["well_#{y_item[1]-1}_baseline"] = y_item[4] pt["well_#{y_item[1]-1}_background_log"] = if y_item[3] > 0 then y_item[3] else 10 pt["well_#{y_item[1]-1}_baseline_log"] = if y_item[4] > 0 then y_item[4] else 10 pt["well_#{y_item[1]-1}_dr1_pred"] = y_item[5] pt["well_#{y_item[1]-1}_dr2_pred"] = y_item[6] return pt else {} return channel_datasets @neutralizeChartData = (summary_data, target_data, targets, is_dual_channel=false) -> summary_data = angular.copy summary_data targets = angular.copy targets target_data = angular.copy target_data channels_count = if is_dual_channel then 2 else 1 datasets = {} if is_dual_channel for ch in [1..2] by 1 for i in [0..15] by 1 datasets["well_#{i}_#{ch}"] = [] else for i in [0..15] by 1 datasets["well_#{i}_1"] = [] for i in [1.. summary_data.length - 1] by 1 target = _.filter targets, (target) -> target && target.id is summary_data[i][0] channel = if target.length then target[0].channel else 1 if (summary_data[i][4] or summary_data[i][4] is 0) and (summary_data[i][5] or summary_data[i][5] is 0) datasets["well_#{summary_data[i][1] - 1}_#{channel}"] = [] datasets["well_#{summary_data[i][1] - 1}_#{channel}"].push cq: summary_data[i][3] log_quantity: Math.log10(summary_data[i][4] * mathPow(10, summary_data[i][5])) return datasets @neutralizeLineData = (target_data) -> target_data = angular.copy target_data datasets = target_line: [] for i in [1.. target_data.length - 1] by 1 if target_data[i][3] datasets["target_line"].push efficiency: target_data[i][3].efficiency offset: target_data[i][3].offset r2: target_data[i][3].r2 slope: target_data[i][3].slope id: target_data[i][0] return datasets @normalizeWellTargetData = (well_data, init_targets, is_dual_channel) -> well_data = angular.copy well_data targets = angular.copy init_targets for i in [0.. targets.length - 1] by 1 targets[i] = id: null name: null channel: null color: null well_type: null channel_count = if is_dual_channel then 2 else 1 for i in [0.. well_data.length - 1] by 1 targets[(well_data[i].well_num - 1) * channel_count + well_data[i].channel - 1] = id: well_data[i].target_id name: well_data[i].target_name channel: well_data[i].channel color: well_data[i].color well_type: well_data[i].well_type return targets @initialSummaryData = (summary_data, target_data) -> summary_data = angular.copy summary_data target_data = angular.copy target_data summary_data[0].push "channel" for i in [1.. summary_data.length - 1] by 1 target = _.filter target_data, (elem) -> elem[0] is summary_data[i][0] summary_data[i].push target[0][2] return _.sortBy summary_data, (elem) -> elem[elem.length - 1] @normalizeSummaryData = (summary_data, target_data, well_targets) -> summary_data = angular.copy summary_data target_data = angular.copy target_data well_targets = angular.copy well_targets well_data = [] for i in [1.. summary_data.length - 1] by 1 item = {} for item_name in [0..summary_data[0].length - 1] by 1 item[summary_data[0][item_name]] = summary_data[i][item_name] target = _.filter well_targets, (target) -> target and target.id is item.target_id and target.well_num is item.well_num if target.length item['target_name'] = target[0].name if target[0] item['channel'] = target[0].channel if target[0] item['color'] = target[0].color if target[0] item['well_type'] = target[0].well_type if target[0] item['omit'] = target[0].omit if target[0] else target = _.filter target_data, (target) -> target[0] is item.target_id item['target_name'] = target[0][1] if target[0] item['channel'] = target[0][2] item['color'] = @SAMPLE_TARGET_COLORS[target[0][2] - 1] item['well_type'] = '' item['omit'] = 0 item['active'] = false item['mean_quantity'] = item['mean_quantity_m'] * mathPow(10, item['mean_quantity_b']) item['quantity'] = item['quantity_m'] * mathPow(10, item['quantity_b']) well_data.push item # Add omitted target omit_targets = _.filter well_targets, (target) -> target and target.omit is 1 for elem in omit_targets item = {} item['well_num'] = elem.well_num item['replic_group'] = null item['quantity_m'] = elem.quantity?.m item['quantity_b'] = elem.quantity?.b item['quantity'] = item['quantity_m'] * mathPow(10, item['quantity_b']) item['mean_quantity_m'] = null item['mean_quantity_b'] = null item['mean_quantity'] = 0 item['mean_cq'] = null item['cq'] = null item['channel'] = elem.channel item['active'] = false item['target_name'] = elem.name item['target_id'] = elem.id item['color'] = elem.color item['well_type'] = elem.well_type item['omit'] = elem.omit well_data.push item well_data = _.orderBy(well_data,['well_num', 'channel'],['asc', 'asc']); return well_data @blankWellData = (is_dual_channel, well_targets) -> well_targets = angular.copy well_targets well_data = [] for i in [0.. 15] by 1 item = {} item['well_num'] = i+1 item['replic_group'] = null item['quantity_m'] = null item['quantity_b'] = null item['quantity'] = 0 item['mean_quantity_m'] = null item['mean_quantity_b'] = null item['mean_quantity'] = 0 item['mean_cq'] = null item['cq'] = null item['channel'] = 1 item['active'] = false if is_dual_channel item['target_name'] = well_targets[2*i].name if well_targets[2*i] item['target_id'] = well_targets[2*i].id if well_targets[2*i] item['color'] = well_targets[2*i].color if well_targets[2*i] item['well_type'] = well_targets[2*i].well_type if well_targets[2*i] item['omit'] = well_targets[2*i].omit if well_targets[2*i] else item['target_name'] = well_targets[i].name if well_targets[i] item['target_id'] = well_targets[i].id if well_targets[i] item['color'] = well_targets[i].color if well_targets[i] item['well_type'] = well_targets[i].well_type if well_targets[i] item['omit'] = well_targets[i].omit if well_targets[i] well_data.push item if is_dual_channel dual_item = angular.copy item dual_item['target_name'] = well_targets[2*i+1].name if well_targets[2*i+1] dual_item['target_id'] = well_targets[2*i+1].id if well_targets[2*i+1] dual_item['color'] = well_targets[2*i+1].color if well_targets[2*i+1] dual_item['well_type'] = well_targets[2*i+1].well_type if well_targets[2*i+1] dual_item['omit'] = well_targets[2*i+1].omit if well_targets[2*i+1] dual_item['channel'] = 2 well_data.push dual_item return well_data @blankWellTargetData = (well_data) -> well_data = angular.copy well_data targets = [] for i in [0.. well_data.length - 1] by 1 targets.push id: well_data[i].target_id name: well_data[i].target_name channel: well_data[i].channel color: well_data[i].color well_type: well_data[i].well_type return targets @paddData = (is_dual_channel) -> datasets = {} if is_dual_channel for ch in [1..2] by 1 for i in [0..15] by 1 datasets["well_#{i}_#{ch}"] = [] else for i in [0..15] by 1 datasets["well_#{i}_1"] = [] datasets @getMaxExperimentCycle = Experiment.getMaxExperimentCycle return ]
[ { "context": "reserve\nBrauhaus.js Beer Calculator\nCopyright 2014 Daniel G. Taylor <danielgtaylor@gmail.com>\nhttps://github.com/home", "end": 73, "score": 0.9997240304946899, "start": 57, "tag": "NAME", "value": "Daniel G. Taylor" }, { "context": " Beer Calculator\nCopyright 2014 Daniel G. Taylor <danielgtaylor@gmail.com>\nhttps://github.com/homebrewing/brauhausjs\n###\n\n#", "end": 98, "score": 0.9999332427978516, "start": 75, "tag": "EMAIL", "value": "danielgtaylor@gmail.com" }, { "context": "ylor <danielgtaylor@gmail.com>\nhttps://github.com/homebrewing/brauhausjs\n###\n\n# Hyperbolic tangent approximatio", "end": 130, "score": 0.9307553768157959, "start": 119, "tag": "USERNAME", "value": "homebrewing" } ]
src/globals.coffee
Metgezel/brauhausjs
94
### @preserve Brauhaus.js Beer Calculator Copyright 2014 Daniel G. Taylor <danielgtaylor@gmail.com> https://github.com/homebrewing/brauhausjs ### # Hyperbolic tangent approximation tanh = (number) -> (Math.exp(number) - Math.exp(-number)) / (Math.exp(number) + Math.exp(-number)) # Create the base module so it works in both node.js and in browsers Brauhaus = exports? and exports or @Brauhaus = {} ### Global constants ------------------------------------------------------------- ### # Room temperature in degrees C Brauhaus.ROOM_TEMP = 23 # Energy output of the stovetop or gas burner in kilojoules per hour. Default # is based on a large stovetop burner that would put out 2,500 watts. Brauhaus.BURNER_ENERGY = 9000 # Average mash heat loss per hour in degrees C Brauhaus.MASH_HEAT_LOSS = 5.0 # Friendly beer color names and their respective SRM values Brauhaus.COLOR_NAMES = [ [2, 'pale straw'], [3, 'straw'], [4, 'yellow'], [6, 'gold'], [9, 'amber'], [14, 'deep amber'], [17, 'copper'], [18, 'deep copper'], [22, 'brown'], [30, 'dark brown'], [35, 'very dark brown'], [40, 'black'] ] # Relative sugar densities used to calculate volume from weights Brauhaus.RELATIVE_SUGAR_DENSITY = cornSugar: 1.0 dme: 1.62 honey: 0.71 sugar: 0.88
68675
### @preserve Brauhaus.js Beer Calculator Copyright 2014 <NAME> <<EMAIL>> https://github.com/homebrewing/brauhausjs ### # Hyperbolic tangent approximation tanh = (number) -> (Math.exp(number) - Math.exp(-number)) / (Math.exp(number) + Math.exp(-number)) # Create the base module so it works in both node.js and in browsers Brauhaus = exports? and exports or @Brauhaus = {} ### Global constants ------------------------------------------------------------- ### # Room temperature in degrees C Brauhaus.ROOM_TEMP = 23 # Energy output of the stovetop or gas burner in kilojoules per hour. Default # is based on a large stovetop burner that would put out 2,500 watts. Brauhaus.BURNER_ENERGY = 9000 # Average mash heat loss per hour in degrees C Brauhaus.MASH_HEAT_LOSS = 5.0 # Friendly beer color names and their respective SRM values Brauhaus.COLOR_NAMES = [ [2, 'pale straw'], [3, 'straw'], [4, 'yellow'], [6, 'gold'], [9, 'amber'], [14, 'deep amber'], [17, 'copper'], [18, 'deep copper'], [22, 'brown'], [30, 'dark brown'], [35, 'very dark brown'], [40, 'black'] ] # Relative sugar densities used to calculate volume from weights Brauhaus.RELATIVE_SUGAR_DENSITY = cornSugar: 1.0 dme: 1.62 honey: 0.71 sugar: 0.88
true
### @preserve Brauhaus.js Beer Calculator Copyright 2014 PI:NAME:<NAME>END_PI <PI:EMAIL:<EMAIL>END_PI> https://github.com/homebrewing/brauhausjs ### # Hyperbolic tangent approximation tanh = (number) -> (Math.exp(number) - Math.exp(-number)) / (Math.exp(number) + Math.exp(-number)) # Create the base module so it works in both node.js and in browsers Brauhaus = exports? and exports or @Brauhaus = {} ### Global constants ------------------------------------------------------------- ### # Room temperature in degrees C Brauhaus.ROOM_TEMP = 23 # Energy output of the stovetop or gas burner in kilojoules per hour. Default # is based on a large stovetop burner that would put out 2,500 watts. Brauhaus.BURNER_ENERGY = 9000 # Average mash heat loss per hour in degrees C Brauhaus.MASH_HEAT_LOSS = 5.0 # Friendly beer color names and their respective SRM values Brauhaus.COLOR_NAMES = [ [2, 'pale straw'], [3, 'straw'], [4, 'yellow'], [6, 'gold'], [9, 'amber'], [14, 'deep amber'], [17, 'copper'], [18, 'deep copper'], [22, 'brown'], [30, 'dark brown'], [35, 'very dark brown'], [40, 'black'] ] # Relative sugar densities used to calculate volume from weights Brauhaus.RELATIVE_SUGAR_DENSITY = cornSugar: 1.0 dme: 1.62 honey: 0.71 sugar: 0.88
[ { "context": "ame = $('#displayName').val()\n username = $('#username').val()\n password = $('#password').val()", "end": 1332, "score": 0.7643212080001831, "start": 1320, "tag": "USERNAME", "value": "$('#username" }, { "context": "e = $('#username').val()\n password = $('#password').val()\n\n if (displayName)\n u", "end": 1374, "score": 0.9511265754699707, "start": 1366, "tag": "PASSWORD", "value": "password" }, { "context": " if (username)\n updates.username = username\n if (password)\n updates.passw", "end": 1520, "score": 0.8965575098991394, "start": 1512, "tag": "USERNAME", "value": "username" }, { "context": " if (password)\n updates.password = password\n callback = () ->\n this.$('.u", "end": 1584, "score": 0.9978101253509521, "start": 1576, "tag": "PASSWORD", "value": "password" } ]
client/src/header/header-view.coffee
Studyokee/studyokee-youtube
0
define [ 'backbone', 'handlebars', 'jquery.ui.effect', 'bootstrap', 'templates' ], (Backbone, Handlebars) -> HeaderView = Backbone.View.extend( tagName: "header" initialize: (options) -> this.options = options this.listenTo(this.model, 'change:classrooms', () => this.render() ) this.listenTo(this.model, 'change:vocabularyCount', () -> vocabularyCount = this.model.get('vocabularyCount') badge = $('.vocabulary-link .badge') if vocabularyCount > 0 badge.show() badge.html(vocabularyCount) badge.addClass('throb') remove = () -> badge.removeClass('throb') setTimeout(remove, 1000) if vocabularyCount is 0 hide = () -> badge.hide() setTimeout(hide, 1000) ) this.listenTo(this.model, 'change:user', () => this.render() ) render: () -> this.$el.html(Handlebars.templates['header'](this.model.toJSON())) this.$('[data-toggle="popover"]').popover() $('.userInfoDrawer').on('shown.bs.popover', () => this.$('.updateUser').click(() => this.$('.updateUser').html('Saving...') updates = {} displayName = $('#displayName').val() username = $('#username').val() password = $('#password').val() if (displayName) updates.displayName = displayName if (username) updates.username = username if (password) updates.password = password callback = () -> this.$('.updateUser').html('Update') this.model.updateUser(updates, callback) ) this.$('.closeUpdateUser').click(() => $('.userInfoDrawer').popover('hide') ) ) if this.options.sparse this.$('.navbar-left').hide() return this ) return HeaderView
219274
define [ 'backbone', 'handlebars', 'jquery.ui.effect', 'bootstrap', 'templates' ], (Backbone, Handlebars) -> HeaderView = Backbone.View.extend( tagName: "header" initialize: (options) -> this.options = options this.listenTo(this.model, 'change:classrooms', () => this.render() ) this.listenTo(this.model, 'change:vocabularyCount', () -> vocabularyCount = this.model.get('vocabularyCount') badge = $('.vocabulary-link .badge') if vocabularyCount > 0 badge.show() badge.html(vocabularyCount) badge.addClass('throb') remove = () -> badge.removeClass('throb') setTimeout(remove, 1000) if vocabularyCount is 0 hide = () -> badge.hide() setTimeout(hide, 1000) ) this.listenTo(this.model, 'change:user', () => this.render() ) render: () -> this.$el.html(Handlebars.templates['header'](this.model.toJSON())) this.$('[data-toggle="popover"]').popover() $('.userInfoDrawer').on('shown.bs.popover', () => this.$('.updateUser').click(() => this.$('.updateUser').html('Saving...') updates = {} displayName = $('#displayName').val() username = $('#username').val() password = $('#<PASSWORD>').val() if (displayName) updates.displayName = displayName if (username) updates.username = username if (password) updates.password = <PASSWORD> callback = () -> this.$('.updateUser').html('Update') this.model.updateUser(updates, callback) ) this.$('.closeUpdateUser').click(() => $('.userInfoDrawer').popover('hide') ) ) if this.options.sparse this.$('.navbar-left').hide() return this ) return HeaderView
true
define [ 'backbone', 'handlebars', 'jquery.ui.effect', 'bootstrap', 'templates' ], (Backbone, Handlebars) -> HeaderView = Backbone.View.extend( tagName: "header" initialize: (options) -> this.options = options this.listenTo(this.model, 'change:classrooms', () => this.render() ) this.listenTo(this.model, 'change:vocabularyCount', () -> vocabularyCount = this.model.get('vocabularyCount') badge = $('.vocabulary-link .badge') if vocabularyCount > 0 badge.show() badge.html(vocabularyCount) badge.addClass('throb') remove = () -> badge.removeClass('throb') setTimeout(remove, 1000) if vocabularyCount is 0 hide = () -> badge.hide() setTimeout(hide, 1000) ) this.listenTo(this.model, 'change:user', () => this.render() ) render: () -> this.$el.html(Handlebars.templates['header'](this.model.toJSON())) this.$('[data-toggle="popover"]').popover() $('.userInfoDrawer').on('shown.bs.popover', () => this.$('.updateUser').click(() => this.$('.updateUser').html('Saving...') updates = {} displayName = $('#displayName').val() username = $('#username').val() password = $('#PI:PASSWORD:<PASSWORD>END_PI').val() if (displayName) updates.displayName = displayName if (username) updates.username = username if (password) updates.password = PI:PASSWORD:<PASSWORD>END_PI callback = () -> this.$('.updateUser').html('Update') this.model.updateUser(updates, callback) ) this.$('.closeUpdateUser').click(() => $('.userInfoDrawer').popover('hide') ) ) if this.options.sparse this.$('.navbar-left').hide() return this ) return HeaderView
[ { "context": "###\nslizor\nhttps://github.com/charlesholbrow/slizor\n\nCopyright (c) 2013 Charles Holbrow\nLicens", "end": 44, "score": 0.9995195269584656, "start": 30, "tag": "USERNAME", "value": "charlesholbrow" }, { "context": "thub.com/charlesholbrow/slizor\n\nCopyright (c) 2013 Charles Holbrow\nLicensed under the MIT license.\n###\n\nmodule.expor", "end": 87, "score": 0.9998699426651001, "start": 72, "tag": "NAME", "value": "Charles Holbrow" } ]
Gruntfile.coffee
CharlesHolbrow/slizor
1
### slizor https://github.com/charlesholbrow/slizor Copyright (c) 2013 Charles Holbrow Licensed under the MIT license. ### module.exports = (grunt)-> 'use strict' _ = grunt.util._ path = require 'path' # Project configuration. grunt.initConfig pkg: grunt.file.readJSON('package.json') coffeelint: gruntfile: src: 'Gruntfile.coffee' lib: src: ['src/lib/**/*.coffee'] test: src: ['src/test/**/*.coffee'] options: no_trailing_whitespace: level: 'error' max_line_length: level: 'warn' coffee: lib: expand: true cwd: 'src/lib/' src: ['**/*.coffee'] dest: 'out/lib/' ext: '.js' test: expand: true cwd: 'src/test/' src: ['**/*.coffee'] dest: 'out/test/' ext: '.js' simplemocha: all: src: [ 'node_modules/should/lib/should.js' 'out/test/**/*.js' ] options: globals: ['should'] timeout: 3000 ignoreLeaks: false ui: 'bdd' reporter: 'spec' watch: options: spawn: false gruntfile: files: '<%= coffeelint.gruntfile.src %>' tasks: ['coffeelint:gruntfile'] lib: files: '<%= coffeelint.lib.src %>' tasks: ['coffeelint:lib', 'coffee:lib', 'simplemocha'] test: files: '<%= coffeelint.test.src %>' tasks: ['coffeelint:test', 'coffee:test', 'simplemocha'] clean: ['out/'] # plugins. grunt.loadNpmTasks 'grunt-simple-mocha' grunt.loadNpmTasks 'grunt-coffeelint' grunt.loadNpmTasks 'grunt-contrib-coffee' grunt.loadNpmTasks 'grunt-contrib-clean' grunt.loadNpmTasks 'grunt-contrib-watch' grunt.event.on 'watch', (action, files, target)-> grunt.log.writeln "#{target}: #{files} has #{action}" # coffeelint grunt.config ['coffeelint', target], src: files # coffee coffeeData = grunt.config ['coffee', target] files = [files] if _.isString files files = _.map files, (file)-> path.relative coffeeData.cwd, file coffeeData.src = files grunt.config ['coffee', target], coffeeData # tasks. grunt.registerTask 'compile', [ 'coffeelint' 'coffee' ] grunt.registerTask 'test', [ 'simplemocha' ] grunt.registerTask 'default', [ 'compile' 'test' ]
17118
### slizor https://github.com/charlesholbrow/slizor Copyright (c) 2013 <NAME> Licensed under the MIT license. ### module.exports = (grunt)-> 'use strict' _ = grunt.util._ path = require 'path' # Project configuration. grunt.initConfig pkg: grunt.file.readJSON('package.json') coffeelint: gruntfile: src: 'Gruntfile.coffee' lib: src: ['src/lib/**/*.coffee'] test: src: ['src/test/**/*.coffee'] options: no_trailing_whitespace: level: 'error' max_line_length: level: 'warn' coffee: lib: expand: true cwd: 'src/lib/' src: ['**/*.coffee'] dest: 'out/lib/' ext: '.js' test: expand: true cwd: 'src/test/' src: ['**/*.coffee'] dest: 'out/test/' ext: '.js' simplemocha: all: src: [ 'node_modules/should/lib/should.js' 'out/test/**/*.js' ] options: globals: ['should'] timeout: 3000 ignoreLeaks: false ui: 'bdd' reporter: 'spec' watch: options: spawn: false gruntfile: files: '<%= coffeelint.gruntfile.src %>' tasks: ['coffeelint:gruntfile'] lib: files: '<%= coffeelint.lib.src %>' tasks: ['coffeelint:lib', 'coffee:lib', 'simplemocha'] test: files: '<%= coffeelint.test.src %>' tasks: ['coffeelint:test', 'coffee:test', 'simplemocha'] clean: ['out/'] # plugins. grunt.loadNpmTasks 'grunt-simple-mocha' grunt.loadNpmTasks 'grunt-coffeelint' grunt.loadNpmTasks 'grunt-contrib-coffee' grunt.loadNpmTasks 'grunt-contrib-clean' grunt.loadNpmTasks 'grunt-contrib-watch' grunt.event.on 'watch', (action, files, target)-> grunt.log.writeln "#{target}: #{files} has #{action}" # coffeelint grunt.config ['coffeelint', target], src: files # coffee coffeeData = grunt.config ['coffee', target] files = [files] if _.isString files files = _.map files, (file)-> path.relative coffeeData.cwd, file coffeeData.src = files grunt.config ['coffee', target], coffeeData # tasks. grunt.registerTask 'compile', [ 'coffeelint' 'coffee' ] grunt.registerTask 'test', [ 'simplemocha' ] grunt.registerTask 'default', [ 'compile' 'test' ]
true
### slizor https://github.com/charlesholbrow/slizor Copyright (c) 2013 PI:NAME:<NAME>END_PI Licensed under the MIT license. ### module.exports = (grunt)-> 'use strict' _ = grunt.util._ path = require 'path' # Project configuration. grunt.initConfig pkg: grunt.file.readJSON('package.json') coffeelint: gruntfile: src: 'Gruntfile.coffee' lib: src: ['src/lib/**/*.coffee'] test: src: ['src/test/**/*.coffee'] options: no_trailing_whitespace: level: 'error' max_line_length: level: 'warn' coffee: lib: expand: true cwd: 'src/lib/' src: ['**/*.coffee'] dest: 'out/lib/' ext: '.js' test: expand: true cwd: 'src/test/' src: ['**/*.coffee'] dest: 'out/test/' ext: '.js' simplemocha: all: src: [ 'node_modules/should/lib/should.js' 'out/test/**/*.js' ] options: globals: ['should'] timeout: 3000 ignoreLeaks: false ui: 'bdd' reporter: 'spec' watch: options: spawn: false gruntfile: files: '<%= coffeelint.gruntfile.src %>' tasks: ['coffeelint:gruntfile'] lib: files: '<%= coffeelint.lib.src %>' tasks: ['coffeelint:lib', 'coffee:lib', 'simplemocha'] test: files: '<%= coffeelint.test.src %>' tasks: ['coffeelint:test', 'coffee:test', 'simplemocha'] clean: ['out/'] # plugins. grunt.loadNpmTasks 'grunt-simple-mocha' grunt.loadNpmTasks 'grunt-coffeelint' grunt.loadNpmTasks 'grunt-contrib-coffee' grunt.loadNpmTasks 'grunt-contrib-clean' grunt.loadNpmTasks 'grunt-contrib-watch' grunt.event.on 'watch', (action, files, target)-> grunt.log.writeln "#{target}: #{files} has #{action}" # coffeelint grunt.config ['coffeelint', target], src: files # coffee coffeeData = grunt.config ['coffee', target] files = [files] if _.isString files files = _.map files, (file)-> path.relative coffeeData.cwd, file coffeeData.src = files grunt.config ['coffee', target], coffeeData # tasks. grunt.registerTask 'compile', [ 'coffeelint' 'coffee' ] grunt.registerTask 'test', [ 'simplemocha' ] grunt.registerTask 'default', [ 'compile' 'test' ]
[ { "context": "se strict'\n\ndescribe 'two rows :', ->\n names = ['foo', 'bar', 'baz', 'qux']\n exts = ['txt', 'md', 'js", "end": 55, "score": 0.951512336730957, "start": 52, "tag": "NAME", "value": "foo" }, { "context": "ct'\n\ndescribe 'two rows :', ->\n names = ['foo', 'bar', 'baz', 'qux']\n exts = ['txt', 'md', 'js']\n ar", "end": 62, "score": 0.9644493460655212, "start": 59, "tag": "NAME", "value": "bar" }, { "context": "scribe 'two rows :', ->\n names = ['foo', 'bar', 'baz', 'qux']\n exts = ['txt', 'md', 'js']\n ar = []\n\n", "end": 69, "score": 0.9371707439422607, "start": 66, "tag": "NAME", "value": "baz" }, { "context": "'two rows :', ->\n names = ['foo', 'bar', 'baz', 'qux']\n exts = ['txt', 'md', 'js']\n ar = []\n\n name", "end": 75, "score": 0.7252858281135559, "start": 73, "tag": "NAME", "value": "qu" } ]
test/rows/two.coffee
codekirei/columnize-array
0
'use strict' describe 'two rows :', -> names = ['foo', 'bar', 'baz', 'qux'] exts = ['txt', 'md', 'js'] ar = [] names.forEach (name) -> exts.forEach (ext) -> ar.push name + '.' + ext res = -> columnize ar it 'strs', -> expected = [ 'foo.txt foo.js bar.md baz.txt baz.js qux.md' , 'foo.md bar.txt bar.js baz.md qux.txt qux.js' ] actual = res().strs assert.deepEqual actual, expected it 'indices', -> expected = [ [ 0, 2, 4, 6, 8, 10 ] , [ 1, 3, 5, 7, 9, 11 ] ] actual = res().indices assert.deepEqual actual, expected
41804
'use strict' describe 'two rows :', -> names = ['<NAME>', '<NAME>', '<NAME>', '<NAME>x'] exts = ['txt', 'md', 'js'] ar = [] names.forEach (name) -> exts.forEach (ext) -> ar.push name + '.' + ext res = -> columnize ar it 'strs', -> expected = [ 'foo.txt foo.js bar.md baz.txt baz.js qux.md' , 'foo.md bar.txt bar.js baz.md qux.txt qux.js' ] actual = res().strs assert.deepEqual actual, expected it 'indices', -> expected = [ [ 0, 2, 4, 6, 8, 10 ] , [ 1, 3, 5, 7, 9, 11 ] ] actual = res().indices assert.deepEqual actual, expected
true
'use strict' describe 'two rows :', -> names = ['PI:NAME:<NAME>END_PI', 'PI:NAME:<NAME>END_PI', 'PI:NAME:<NAME>END_PI', 'PI:NAME:<NAME>END_PIx'] exts = ['txt', 'md', 'js'] ar = [] names.forEach (name) -> exts.forEach (ext) -> ar.push name + '.' + ext res = -> columnize ar it 'strs', -> expected = [ 'foo.txt foo.js bar.md baz.txt baz.js qux.md' , 'foo.md bar.txt bar.js baz.md qux.txt qux.js' ] actual = res().strs assert.deepEqual actual, expected it 'indices', -> expected = [ [ 0, 2, 4, 6, 8, 10 ] , [ 1, 3, 5, 7, 9, 11 ] ] actual = res().indices assert.deepEqual actual, expected
[ { "context": "orRegularMenu: 1\n spreadsheetIdForRegularMenu: '1AB-o8zKe9ybTGsxPFHU8Pky79eexhPnAnPUyV8OOQMw'\n reportPathForRegularMenu: '/tmp/recorded_clien", "end": 128, "score": 0.7832180261611938, "start": 85, "tag": "KEY", "value": "AB-o8zKe9ybTGsxPFHU8Pky79eexhPnAnPUyV8OOQMw" }, { "context": "umberForDietMenu: 1\n spreadsheetIdForDietMenu: '1md8WFO8ykmJx3BaC8k_SKr9h0yByTMzfvY5shuawreY'\n reportPathForDietMenu: '/tmp/recorded_clients_", "end": 299, "score": 0.843953549861908, "start": 256, "tag": "KEY", "value": "md8WFO8ykmJx3BaC8k_SKr9h0yByTMzfvY5shuawreY" }, { "context": "mberForVeganMenu: 1\n spreadsheetIdForVeganMenu: '1VYTsn_RcW5dRn4fXw54jqxRfNIFtCyz3kF4FCoTsao8'\n rangeForVeganMenu: 'R13C1:R300C10'\n reportPat", "end": 474, "score": 0.9397870898246765, "start": 430, "tag": "KEY", "value": "1VYTsn_RcW5dRn4fXw54jqxRfNIFtCyz3kF4FCoTsao8" } ]
src/example_env.config.coffee
dezoxel/orders-aggregator
1
module.exports = worksheetNumberForRegularMenu: 1 spreadsheetIdForRegularMenu: '1AB-o8zKe9ybTGsxPFHU8Pky79eexhPnAnPUyV8OOQMw' reportPathForRegularMenu: '/tmp/recorded_clients_table.html' worksheetNumberForDietMenu: 1 spreadsheetIdForDietMenu: '1md8WFO8ykmJx3BaC8k_SKr9h0yByTMzfvY5shuawreY' reportPathForDietMenu: '/tmp/recorded_clients_table_diet.html' worksheetNumberForVeganMenu: 1 spreadsheetIdForVeganMenu: '1VYTsn_RcW5dRn4fXw54jqxRfNIFtCyz3kF4FCoTsao8' rangeForVeganMenu: 'R13C1:R300C10' reportPathForVeganMenu: '/tmp/recorded_clients_table_vegan.html'
168198
module.exports = worksheetNumberForRegularMenu: 1 spreadsheetIdForRegularMenu: '1<KEY>' reportPathForRegularMenu: '/tmp/recorded_clients_table.html' worksheetNumberForDietMenu: 1 spreadsheetIdForDietMenu: '1<KEY>' reportPathForDietMenu: '/tmp/recorded_clients_table_diet.html' worksheetNumberForVeganMenu: 1 spreadsheetIdForVeganMenu: '<KEY>' rangeForVeganMenu: 'R13C1:R300C10' reportPathForVeganMenu: '/tmp/recorded_clients_table_vegan.html'
true
module.exports = worksheetNumberForRegularMenu: 1 spreadsheetIdForRegularMenu: '1PI:KEY:<KEY>END_PI' reportPathForRegularMenu: '/tmp/recorded_clients_table.html' worksheetNumberForDietMenu: 1 spreadsheetIdForDietMenu: '1PI:KEY:<KEY>END_PI' reportPathForDietMenu: '/tmp/recorded_clients_table_diet.html' worksheetNumberForVeganMenu: 1 spreadsheetIdForVeganMenu: 'PI:KEY:<KEY>END_PI' rangeForVeganMenu: 'R13C1:R300C10' reportPathForVeganMenu: '/tmp/recorded_clients_table_vegan.html'
[ { "context": ": text/plain; charset=UTF-8\n In-Reply-To: <84umizq7c4jtrew491brpa6iu-0@mailer.nylas.com>\n References: <84umizq7c4jtrew491brpa6iu-0", "end": 1935, "score": 0.999897837638855, "start": 1891, "tag": "EMAIL", "value": "84umizq7c4jtrew491brpa6iu-0@mailer.nylas.com" }, { "context": "1brpa6iu-0@mailer.nylas.com>\n References: <84umizq7c4jtrew491brpa6iu-0@mailer.nylas.com>\n Subject: Meeting on Thursday\n Fro", "end": 2002, "score": 0.9995884299278259, "start": 1958, "tag": "EMAIL", "value": "84umizq7c4jtrew491brpa6iu-0@mailer.nylas.com" }, { "context": " Subject: Meeting on Thursday\n From: Bill <wbrogers@mit.edu>\n To: Ben Bitdiddle <ben", "end": 2059, "score": 0.9992603659629822, "start": 2055, "tag": "NAME", "value": "Bill" }, { "context": " Subject: Meeting on Thursday\n From: Bill <wbrogers@mit.edu>\n To: Ben Bitdiddle <ben.bitdiddle@gmail.c", "end": 2077, "score": 0.9999359846115112, "start": 2061, "tag": "EMAIL", "value": "wbrogers@mit.edu" }, { "context": "\n From: Bill <wbrogers@mit.edu>\n To: Ben Bitdiddle <ben.bitdiddle@gmail.com>\n\n Hey Ben,\n\n ", "end": 2104, "score": 0.9998751282691956, "start": 2091, "tag": "NAME", "value": "Ben Bitdiddle" }, { "context": "ill <wbrogers@mit.edu>\n To: Ben Bitdiddle <ben.bitdiddle@gmail.com>\n\n Hey Ben,\n\n Would you like to gra", "end": 2129, "score": 0.9999352693557739, "start": 2106, "tag": "EMAIL", "value": "ben.bitdiddle@gmail.com" }, { "context": "n Bitdiddle <ben.bitdiddle@gmail.com>\n\n Hey Ben,\n\n Would you like to grab coffee @ 2pm thi", "end": 2147, "score": 0.9987881779670715, "start": 2144, "tag": "NAME", "value": "Ben" } ]
spec/message-spec.coffee
lever/nylas-nodejs
0
Nylas = require '../nylas' NylasConnection = require '../nylas-connection' Message = require '../models/message' Label = require('../models/folder').Label Promise = require 'bluebird' request = require 'request' _ = require 'underscore' testUntil = (fn) -> finished = false runs -> fn (callback) -> finished = true waitsFor -> finished describe "Message", -> beforeEach -> @connection = new NylasConnection('123') @message = new Message(@connection) @message.id = "4333" @message.starred = true @message.unread = false Promise.onPossiblyUnhandledRejection (e, promise) -> describe "save", -> it "should do a PUT request with labels if labels is defined. Additional arguments should be ignored.", -> label = new Label(@connection) label.id = 'label_id' @message.labels = [label] @message.randomArgument = true spyOn(@connection, 'request').andCallFake -> Promise.resolve() @message.save() expect(@connection.request).toHaveBeenCalledWith({ method : 'PUT', body : { labels: ['label_id'], starred: true unread: false }, qs : {} path : '/messages/4333' }) it "should do a PUT with folder if folder is defined", -> label = new Label(@connection) label.id = 'label_id' @message.folder = label spyOn(@connection, 'request').andCallFake -> Promise.resolve() @message.save() expect(@connection.request).toHaveBeenCalledWith({ method : 'PUT', body : { folder: 'label_id', starred: true unread: false }, qs : {} path : '/messages/4333' }) describe "sendRaw", -> it "should support sending with raw MIME", -> msg = "MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 In-Reply-To: <84umizq7c4jtrew491brpa6iu-0@mailer.nylas.com> References: <84umizq7c4jtrew491brpa6iu-0@mailer.nylas.com> Subject: Meeting on Thursday From: Bill <wbrogers@mit.edu> To: Ben Bitdiddle <ben.bitdiddle@gmail.com> Hey Ben, Would you like to grab coffee @ 2pm this Thursday?" spyOn(@connection, 'request').andCallFake -> Promise.resolve({}) Message.sendRaw(@connection, msg) expect(@connection.request).toHaveBeenCalledWith({ headers: 'Content-Type': 'message/rfc822' method: 'POST' path: '/send' body: msg json: false })
195231
Nylas = require '../nylas' NylasConnection = require '../nylas-connection' Message = require '../models/message' Label = require('../models/folder').Label Promise = require 'bluebird' request = require 'request' _ = require 'underscore' testUntil = (fn) -> finished = false runs -> fn (callback) -> finished = true waitsFor -> finished describe "Message", -> beforeEach -> @connection = new NylasConnection('123') @message = new Message(@connection) @message.id = "4333" @message.starred = true @message.unread = false Promise.onPossiblyUnhandledRejection (e, promise) -> describe "save", -> it "should do a PUT request with labels if labels is defined. Additional arguments should be ignored.", -> label = new Label(@connection) label.id = 'label_id' @message.labels = [label] @message.randomArgument = true spyOn(@connection, 'request').andCallFake -> Promise.resolve() @message.save() expect(@connection.request).toHaveBeenCalledWith({ method : 'PUT', body : { labels: ['label_id'], starred: true unread: false }, qs : {} path : '/messages/4333' }) it "should do a PUT with folder if folder is defined", -> label = new Label(@connection) label.id = 'label_id' @message.folder = label spyOn(@connection, 'request').andCallFake -> Promise.resolve() @message.save() expect(@connection.request).toHaveBeenCalledWith({ method : 'PUT', body : { folder: 'label_id', starred: true unread: false }, qs : {} path : '/messages/4333' }) describe "sendRaw", -> it "should support sending with raw MIME", -> msg = "MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 In-Reply-To: <<EMAIL>> References: <<EMAIL>> Subject: Meeting on Thursday From: <NAME> <<EMAIL>> To: <NAME> <<EMAIL>> Hey <NAME>, Would you like to grab coffee @ 2pm this Thursday?" spyOn(@connection, 'request').andCallFake -> Promise.resolve({}) Message.sendRaw(@connection, msg) expect(@connection.request).toHaveBeenCalledWith({ headers: 'Content-Type': 'message/rfc822' method: 'POST' path: '/send' body: msg json: false })
true
Nylas = require '../nylas' NylasConnection = require '../nylas-connection' Message = require '../models/message' Label = require('../models/folder').Label Promise = require 'bluebird' request = require 'request' _ = require 'underscore' testUntil = (fn) -> finished = false runs -> fn (callback) -> finished = true waitsFor -> finished describe "Message", -> beforeEach -> @connection = new NylasConnection('123') @message = new Message(@connection) @message.id = "4333" @message.starred = true @message.unread = false Promise.onPossiblyUnhandledRejection (e, promise) -> describe "save", -> it "should do a PUT request with labels if labels is defined. Additional arguments should be ignored.", -> label = new Label(@connection) label.id = 'label_id' @message.labels = [label] @message.randomArgument = true spyOn(@connection, 'request').andCallFake -> Promise.resolve() @message.save() expect(@connection.request).toHaveBeenCalledWith({ method : 'PUT', body : { labels: ['label_id'], starred: true unread: false }, qs : {} path : '/messages/4333' }) it "should do a PUT with folder if folder is defined", -> label = new Label(@connection) label.id = 'label_id' @message.folder = label spyOn(@connection, 'request').andCallFake -> Promise.resolve() @message.save() expect(@connection.request).toHaveBeenCalledWith({ method : 'PUT', body : { folder: 'label_id', starred: true unread: false }, qs : {} path : '/messages/4333' }) describe "sendRaw", -> it "should support sending with raw MIME", -> msg = "MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 In-Reply-To: <PI:EMAIL:<EMAIL>END_PI> References: <PI:EMAIL:<EMAIL>END_PI> Subject: Meeting on Thursday From: PI:NAME:<NAME>END_PI <PI:EMAIL:<EMAIL>END_PI> To: PI:NAME:<NAME>END_PI <PI:EMAIL:<EMAIL>END_PI> Hey PI:NAME:<NAME>END_PI, Would you like to grab coffee @ 2pm this Thursday?" spyOn(@connection, 'request').andCallFake -> Promise.resolve({}) Message.sendRaw(@connection, msg) expect(@connection.request).toHaveBeenCalledWith({ headers: 'Content-Type': 'message/rfc822' method: 'POST' path: '/send' body: msg json: false })
[ { "context": "r(owner, name, options)\n \n @foreignKey = \"#{name}Id\"\n owner.field @foreignKey, type: \"Id\"\n \n ", "end": 177, "score": 0.8616359829902649, "start": 170, "tag": "KEY", "value": "name}Id" } ]
src/tower/model/relation/belongsTo.coffee
ludicast/tower
1
class Tower.Model.Relation.BelongsTo extends Tower.Model.Relation constructor: (owner, name, options = {}) -> super(owner, name, options) @foreignKey = "#{name}Id" owner.field @foreignKey, type: "Id" if @polymorphic @foreignType = "#{name}Type" owner.field @foreignType, type: "String" owner.prototype[name] = (callback) -> @relation(name).first(callback) self = @ owner.prototype["build#{Tower.Support.String.camelize(name)}"] = (attributes, callback) -> @buildRelation(name, attributes, callback) owner.prototype["create#{Tower.Support.String.camelize(name)}"] = (attributes, callback) -> @createRelation(name, attributes, callback) class @Scope extends @Scope # need to do something here about Reflection module.exports = Tower.Model.Relation.BelongsTo
15984
class Tower.Model.Relation.BelongsTo extends Tower.Model.Relation constructor: (owner, name, options = {}) -> super(owner, name, options) @foreignKey = "#{<KEY>" owner.field @foreignKey, type: "Id" if @polymorphic @foreignType = "#{name}Type" owner.field @foreignType, type: "String" owner.prototype[name] = (callback) -> @relation(name).first(callback) self = @ owner.prototype["build#{Tower.Support.String.camelize(name)}"] = (attributes, callback) -> @buildRelation(name, attributes, callback) owner.prototype["create#{Tower.Support.String.camelize(name)}"] = (attributes, callback) -> @createRelation(name, attributes, callback) class @Scope extends @Scope # need to do something here about Reflection module.exports = Tower.Model.Relation.BelongsTo
true
class Tower.Model.Relation.BelongsTo extends Tower.Model.Relation constructor: (owner, name, options = {}) -> super(owner, name, options) @foreignKey = "#{PI:KEY:<KEY>END_PI" owner.field @foreignKey, type: "Id" if @polymorphic @foreignType = "#{name}Type" owner.field @foreignType, type: "String" owner.prototype[name] = (callback) -> @relation(name).first(callback) self = @ owner.prototype["build#{Tower.Support.String.camelize(name)}"] = (attributes, callback) -> @buildRelation(name, attributes, callback) owner.prototype["create#{Tower.Support.String.camelize(name)}"] = (attributes, callback) -> @createRelation(name, attributes, callback) class @Scope extends @Scope # need to do something here about Reflection module.exports = Tower.Model.Relation.BelongsTo
[ { "context": "example snippets, check out:\n# https://github.com/atom/language-javascript/blob/master/snippets/javascri", "end": 73, "score": 0.8384783864021301, "start": 69, "tag": "USERNAME", "value": "atom" }, { "context": "Password for install tool\n INSTALL_PASSWORD = '$P$CNXxfYUxQlniPkqxybvzg3TNTkNF64/' # default: joh316\n\n # Database\n DB_NA", "end": 390, "score": 0.97688227891922, "start": 356, "tag": "PASSWORD", "value": "'$P$CNXxfYUxQlniPkqxybvzg3TNTkNF64" }, { "context": " = '$P$CNXxfYUxQlniPkqxybvzg3TNTkNF64/' # default: joh316\n\n # Database\n DB_NAME = '$1'\n DB_H", "end": 410, "score": 0.9751290082931519, "start": 404, "tag": "PASSWORD", "value": "joh316" }, { "context": "atabase\n DB_NAME = '$1'\n DB_HOST = '${2:127.0.0.1}'\n DB_PASS = '$3'\n DB_CHARSET = 'utf8'\n", "end": 480, "score": 0.9988470077514648, "start": 471, "tag": "IP_ADDRESS", "value": "127.0.0.1" }, { "context": "'\n DB_HOST = '${2:127.0.0.1}'\n DB_PASS = '$3'\n DB_CHARSET = 'utf8'\n DB_DRIVER = 'mys", "end": 502, "score": 0.9965019226074219, "start": 499, "tag": "PASSWORD", "value": "'$3" }, { "context": " 'prefix': 'DB_HOST'\n 'body': 'DB_HOST = \\'${1:127.0.0.1}\\''\n 'DB_USER':\n 'prefix': 'DB_USER'\n 'bod", "end": 849, "score": 0.9557996392250061, "start": 840, "tag": "IP_ADDRESS", "value": "127.0.0.1" }, { "context": " 'prefix': 'DB_PASS'\n 'body': 'DB_PASS = \\'$1\\''\n", "end": 986, "score": 0.6561444997787476, "start": 985, "tag": "PASSWORD", "value": "1" } ]
snippets/language-typo3-env.cson
philicevic/language-typo3-env
0
# If you want some example snippets, check out: # https://github.com/atom/language-javascript/blob/master/snippets/javascript.cson '.source.env': 'TYPO3 .env': 'prefix': 'env' 'body': """ # .env file for TYPO3 # you can use the data of this file with the getenv() function # Password for install tool INSTALL_PASSWORD = '$P$CNXxfYUxQlniPkqxybvzg3TNTkNF64/' # default: joh316 # Database DB_NAME = '$1' DB_HOST = '${2:127.0.0.1}' DB_PASS = '$3' DB_CHARSET = 'utf8' DB_DRIVER = 'mysqli' DB_USER = '$4' SITENAME = '$5' # Path to ImageMagick # GFX_PROCESSOR_PATH = '' # GFX_PROCESSOR_PATH_LZW = '' """ 'DB_NAME': 'prefix': 'DB_NAME' 'body': 'DB_NAME = \'$1\'' 'DB_HOST': 'prefix': 'DB_HOST' 'body': 'DB_HOST = \'${1:127.0.0.1}\'' 'DB_USER': 'prefix': 'DB_USER' 'body': 'DB_USER = \'$1\'' 'DB_PASS': 'prefix': 'DB_PASS' 'body': 'DB_PASS = \'$1\''
81255
# If you want some example snippets, check out: # https://github.com/atom/language-javascript/blob/master/snippets/javascript.cson '.source.env': 'TYPO3 .env': 'prefix': 'env' 'body': """ # .env file for TYPO3 # you can use the data of this file with the getenv() function # Password for install tool INSTALL_PASSWORD = <PASSWORD>/' # default: <PASSWORD> # Database DB_NAME = '$1' DB_HOST = '${2:127.0.0.1}' DB_PASS = <PASSWORD>' DB_CHARSET = 'utf8' DB_DRIVER = 'mysqli' DB_USER = '$4' SITENAME = '$5' # Path to ImageMagick # GFX_PROCESSOR_PATH = '' # GFX_PROCESSOR_PATH_LZW = '' """ 'DB_NAME': 'prefix': 'DB_NAME' 'body': 'DB_NAME = \'$1\'' 'DB_HOST': 'prefix': 'DB_HOST' 'body': 'DB_HOST = \'${1:127.0.0.1}\'' 'DB_USER': 'prefix': 'DB_USER' 'body': 'DB_USER = \'$1\'' 'DB_PASS': 'prefix': 'DB_PASS' 'body': 'DB_PASS = \'$<PASSWORD>\''
true
# If you want some example snippets, check out: # https://github.com/atom/language-javascript/blob/master/snippets/javascript.cson '.source.env': 'TYPO3 .env': 'prefix': 'env' 'body': """ # .env file for TYPO3 # you can use the data of this file with the getenv() function # Password for install tool INSTALL_PASSWORD = PI:PASSWORD:<PASSWORD>END_PI/' # default: PI:PASSWORD:<PASSWORD>END_PI # Database DB_NAME = '$1' DB_HOST = '${2:127.0.0.1}' DB_PASS = PI:PASSWORD:<PASSWORD>END_PI' DB_CHARSET = 'utf8' DB_DRIVER = 'mysqli' DB_USER = '$4' SITENAME = '$5' # Path to ImageMagick # GFX_PROCESSOR_PATH = '' # GFX_PROCESSOR_PATH_LZW = '' """ 'DB_NAME': 'prefix': 'DB_NAME' 'body': 'DB_NAME = \'$1\'' 'DB_HOST': 'prefix': 'DB_HOST' 'body': 'DB_HOST = \'${1:127.0.0.1}\'' 'DB_USER': 'prefix': 'DB_USER' 'body': 'DB_USER = \'$1\'' 'DB_PASS': 'prefix': 'DB_PASS' 'body': 'DB_PASS = \'$PI:PASSWORD:<PASSWORD>END_PI\''
[ { "context": "dia (only difference is the prefix).\n # Code from Adam Barth.\n getUserMedia = navigator.mozGetUserMedia.bind(", "end": 524, "score": 0.9978609681129456, "start": 514, "tag": "NAME", "value": "Adam Barth" }, { "context": " credential: password\n username: username\n else\n \n # FF 27 and above sup", "end": 1374, "score": 0.9936884045600891, "start": 1366, "tag": "USERNAME", "value": "username" }, { "context": " credential: password\n username: username\n iceServer\n\n \n # Attach a media stream to an", "end": 1620, "score": 0.9013538360595703, "start": 1612, "tag": "USERNAME", "value": "username" }, { "context": "dia (only difference is the prefix).\n # Code from Adam Barth.\n getUserMedia = navigator.webkitGetUserMedia.bi", "end": 2919, "score": 0.9998335838317871, "start": 2909, "tag": "NAME", "value": "Adam Barth" } ]
client/code/app/utils/adapter.coffee
marufsiddiqui/vmux
1
if navigator.mozGetUserMedia console.log "This appears to be Firefox" webrtcDetectedBrowser = "firefox" webrtcDetectedVersion = parseInt(navigator.userAgent.match(/Firefox\/([0-9]+)\./)[1], 10) # The RTCPeerConnection object. RTCPeerConnection = mozRTCPeerConnection # The RTCSessionDescription object. RTCSessionDescription = mozRTCSessionDescription # The RTCIceCandidate object. RTCIceCandidate = mozRTCIceCandidate # Get UserMedia (only difference is the prefix). # Code from Adam Barth. getUserMedia = navigator.mozGetUserMedia.bind(navigator) # Creates iceServer from the url for FF. createIceServer = (url, username, password) -> iceServer = null url_parts = url.split(":") if url_parts[0].indexOf("stun") is 0 # Create iceServer with stun url. iceServer = url: url else if url_parts[0].indexOf("turn") is 0 if webrtcDetectedVersion < 27 # Create iceServer with turn url. # Ignore the transport parameter from TURN url for FF version <=27. turn_url_parts = url.split("?") # Return null for createIceServer if transport=tcp. if turn_url_parts.length is 1 or turn_url_parts[1].indexOf("transport=udp") is 0 iceServer = url: turn_url_parts[0] credential: password username: username else # FF 27 and above supports transport parameters in TURN url, # So passing in the full url to create iceServer. iceServer = url: url credential: password username: username iceServer # Attach a media stream to an element. attachMediaStream = (element, stream) -> element.mozSrcObject = stream element.play() reattachMediaStream = (to, from) -> to.mozSrcObject = from.mozSrcObject to.play() # Fake get{Video,Audio}Tracks unless MediaStream::getVideoTracks MediaStream::getVideoTracks = -> [] unless MediaStream::getAudioTracks MediaStream::getAudioTracks = -> [] else if navigator.webkitGetUserMedia console.log "This appears to be Chrome" webrtcDetectedBrowser = "chrome" webrtcDetectedVersion = parseInt(navigator.userAgent.match(/Chrom(e|ium)\/([0-9]+)\./)[2], 10) # Creates iceServer from the url for Chrome. createIceServer = (url, username, password) -> iceServer = null url_parts = url.split(":") if url_parts[0].indexOf("stun") is 0 # Create iceServer with stun url. iceServer = url: url else if url_parts[0].indexOf("turn") is 0 # Chrome M28 & above uses below TURN format. iceServer = url: url credential: password username: username iceServer # The RTCPeerConnection object. RTCPeerConnection = webkitRTCPeerConnection # Get UserMedia (only difference is the prefix). # Code from Adam Barth. getUserMedia = navigator.webkitGetUserMedia.bind(navigator) # Attach a media stream to an element. attachMediaStream = (element, stream) -> if typeof element.srcObject isnt "undefined" element.srcObject = stream else if typeof element.mozSrcObject isnt "undefined" element.mozSrcObject = stream else if typeof element.src isnt "undefined" element.src = URL.createObjectURL(stream) else console.log "Error attaching stream to element." reattachMediaStream = (to, from) -> to.src = from.src else console.log "Browser does not appear to be WebRTC-capable" exports.RTCPeerConnection = RTCPeerConnection exports.RTCSessionDescription = RTCSessionDescription || window.RTCSessionDescription exports.RTCIceCandidate = RTCIceCandidate || window.RTCIceCandidate exports.getUserMedia = getUserMedia exports.attachMediaStream = attachMediaStream exports.reattachMediaStream = reattachMediaStream exports.webrtcDetectedBrowser = webrtcDetectedBrowser exports.webrtcDetectedVersion = webrtcDetectedVersion
68445
if navigator.mozGetUserMedia console.log "This appears to be Firefox" webrtcDetectedBrowser = "firefox" webrtcDetectedVersion = parseInt(navigator.userAgent.match(/Firefox\/([0-9]+)\./)[1], 10) # The RTCPeerConnection object. RTCPeerConnection = mozRTCPeerConnection # The RTCSessionDescription object. RTCSessionDescription = mozRTCSessionDescription # The RTCIceCandidate object. RTCIceCandidate = mozRTCIceCandidate # Get UserMedia (only difference is the prefix). # Code from <NAME>. getUserMedia = navigator.mozGetUserMedia.bind(navigator) # Creates iceServer from the url for FF. createIceServer = (url, username, password) -> iceServer = null url_parts = url.split(":") if url_parts[0].indexOf("stun") is 0 # Create iceServer with stun url. iceServer = url: url else if url_parts[0].indexOf("turn") is 0 if webrtcDetectedVersion < 27 # Create iceServer with turn url. # Ignore the transport parameter from TURN url for FF version <=27. turn_url_parts = url.split("?") # Return null for createIceServer if transport=tcp. if turn_url_parts.length is 1 or turn_url_parts[1].indexOf("transport=udp") is 0 iceServer = url: turn_url_parts[0] credential: password username: username else # FF 27 and above supports transport parameters in TURN url, # So passing in the full url to create iceServer. iceServer = url: url credential: password username: username iceServer # Attach a media stream to an element. attachMediaStream = (element, stream) -> element.mozSrcObject = stream element.play() reattachMediaStream = (to, from) -> to.mozSrcObject = from.mozSrcObject to.play() # Fake get{Video,Audio}Tracks unless MediaStream::getVideoTracks MediaStream::getVideoTracks = -> [] unless MediaStream::getAudioTracks MediaStream::getAudioTracks = -> [] else if navigator.webkitGetUserMedia console.log "This appears to be Chrome" webrtcDetectedBrowser = "chrome" webrtcDetectedVersion = parseInt(navigator.userAgent.match(/Chrom(e|ium)\/([0-9]+)\./)[2], 10) # Creates iceServer from the url for Chrome. createIceServer = (url, username, password) -> iceServer = null url_parts = url.split(":") if url_parts[0].indexOf("stun") is 0 # Create iceServer with stun url. iceServer = url: url else if url_parts[0].indexOf("turn") is 0 # Chrome M28 & above uses below TURN format. iceServer = url: url credential: password username: username iceServer # The RTCPeerConnection object. RTCPeerConnection = webkitRTCPeerConnection # Get UserMedia (only difference is the prefix). # Code from <NAME>. getUserMedia = navigator.webkitGetUserMedia.bind(navigator) # Attach a media stream to an element. attachMediaStream = (element, stream) -> if typeof element.srcObject isnt "undefined" element.srcObject = stream else if typeof element.mozSrcObject isnt "undefined" element.mozSrcObject = stream else if typeof element.src isnt "undefined" element.src = URL.createObjectURL(stream) else console.log "Error attaching stream to element." reattachMediaStream = (to, from) -> to.src = from.src else console.log "Browser does not appear to be WebRTC-capable" exports.RTCPeerConnection = RTCPeerConnection exports.RTCSessionDescription = RTCSessionDescription || window.RTCSessionDescription exports.RTCIceCandidate = RTCIceCandidate || window.RTCIceCandidate exports.getUserMedia = getUserMedia exports.attachMediaStream = attachMediaStream exports.reattachMediaStream = reattachMediaStream exports.webrtcDetectedBrowser = webrtcDetectedBrowser exports.webrtcDetectedVersion = webrtcDetectedVersion
true
if navigator.mozGetUserMedia console.log "This appears to be Firefox" webrtcDetectedBrowser = "firefox" webrtcDetectedVersion = parseInt(navigator.userAgent.match(/Firefox\/([0-9]+)\./)[1], 10) # The RTCPeerConnection object. RTCPeerConnection = mozRTCPeerConnection # The RTCSessionDescription object. RTCSessionDescription = mozRTCSessionDescription # The RTCIceCandidate object. RTCIceCandidate = mozRTCIceCandidate # Get UserMedia (only difference is the prefix). # Code from PI:NAME:<NAME>END_PI. getUserMedia = navigator.mozGetUserMedia.bind(navigator) # Creates iceServer from the url for FF. createIceServer = (url, username, password) -> iceServer = null url_parts = url.split(":") if url_parts[0].indexOf("stun") is 0 # Create iceServer with stun url. iceServer = url: url else if url_parts[0].indexOf("turn") is 0 if webrtcDetectedVersion < 27 # Create iceServer with turn url. # Ignore the transport parameter from TURN url for FF version <=27. turn_url_parts = url.split("?") # Return null for createIceServer if transport=tcp. if turn_url_parts.length is 1 or turn_url_parts[1].indexOf("transport=udp") is 0 iceServer = url: turn_url_parts[0] credential: password username: username else # FF 27 and above supports transport parameters in TURN url, # So passing in the full url to create iceServer. iceServer = url: url credential: password username: username iceServer # Attach a media stream to an element. attachMediaStream = (element, stream) -> element.mozSrcObject = stream element.play() reattachMediaStream = (to, from) -> to.mozSrcObject = from.mozSrcObject to.play() # Fake get{Video,Audio}Tracks unless MediaStream::getVideoTracks MediaStream::getVideoTracks = -> [] unless MediaStream::getAudioTracks MediaStream::getAudioTracks = -> [] else if navigator.webkitGetUserMedia console.log "This appears to be Chrome" webrtcDetectedBrowser = "chrome" webrtcDetectedVersion = parseInt(navigator.userAgent.match(/Chrom(e|ium)\/([0-9]+)\./)[2], 10) # Creates iceServer from the url for Chrome. createIceServer = (url, username, password) -> iceServer = null url_parts = url.split(":") if url_parts[0].indexOf("stun") is 0 # Create iceServer with stun url. iceServer = url: url else if url_parts[0].indexOf("turn") is 0 # Chrome M28 & above uses below TURN format. iceServer = url: url credential: password username: username iceServer # The RTCPeerConnection object. RTCPeerConnection = webkitRTCPeerConnection # Get UserMedia (only difference is the prefix). # Code from PI:NAME:<NAME>END_PI. getUserMedia = navigator.webkitGetUserMedia.bind(navigator) # Attach a media stream to an element. attachMediaStream = (element, stream) -> if typeof element.srcObject isnt "undefined" element.srcObject = stream else if typeof element.mozSrcObject isnt "undefined" element.mozSrcObject = stream else if typeof element.src isnt "undefined" element.src = URL.createObjectURL(stream) else console.log "Error attaching stream to element." reattachMediaStream = (to, from) -> to.src = from.src else console.log "Browser does not appear to be WebRTC-capable" exports.RTCPeerConnection = RTCPeerConnection exports.RTCSessionDescription = RTCSessionDescription || window.RTCSessionDescription exports.RTCIceCandidate = RTCIceCandidate || window.RTCIceCandidate exports.getUserMedia = getUserMedia exports.attachMediaStream = attachMediaStream exports.reattachMediaStream = reattachMediaStream exports.webrtcDetectedBrowser = webrtcDetectedBrowser exports.webrtcDetectedVersion = webrtcDetectedVersion
[ { "context": "524-11e8-a703-6c92bf7360cc\n spec:\n clusterIP: 10.0.0.238\n ports:\n - name: http-prometheus\n port", "end": 588, "score": 0.9995076060295105, "start": 578, "tag": "IP_ADDRESS", "value": "10.0.0.238" }, { "context": ":\n secretKeyRef:\n key: jenkins-admin-password\n name: jenkins\n - name: A", "end": 2198, "score": 0.9849728345870972, "start": 2176, "tag": "KEY", "value": "jenkins-admin-password" }, { "context": ":\n secretKeyRef:\n key: jenkins-admin-user\n name: jenkins\n image: re", "end": 2348, "score": 0.9925049543380737, "start": 2330, "tag": "KEY", "value": "jenkins-admin-user" } ]
notes/f292014e-9d4c-441f-bcbe-3979b5a58e5e.cson
cwocwo/boostnote
0
createdAt: "2018-07-11T02:06:16.540Z" updatedAt: "2018-09-22T03:34:48.889Z" type: "MARKDOWN_NOTE" folder: "66dff0cfbfde06f3d2e8" title: "icp" content: ''' # icp ``` apiVersion: v1 kind: Service metadata: creationTimestamp: 2018-06-21T07:29:21Z labels: app: monitoring-prometheus component: prometheus name: monitoring-prometheus namespace: kube-system resourceVersion: "54486646" selfLink: \\api\\v1\\namespaces\\kube-system\\services\\monitoring-prometheus uid: d07b8744-7524-11e8-a703-6c92bf7360cc spec: clusterIP: 10.0.0.238 ports: - name: http-prometheus port: 9091 protocol: TCP targetPort: 9090 - name: https-prometheus-tls port: 9090 protocol: TCP targetPort: 8443 selector: app: monitoring-prometheus component: prometheus sessionAffinity: None type: ClusterIP status: loadBalancer: {} ``` ``` - match: - uri: prefix: \\monitoring rewrite: uri: \\graph route: - destination: host: prometheus.monitoring.svc.cluster.local - match: - uri: prefix: \\static\\ route: - destination: host: prometheus.monitoring.svc.cluster.local ``` # jenkins健康检查 ``` ports: - containerPort: 8080 name: http protocol: TCP - containerPort: 50000 name: slavelistener protocol: TCP readinessProbe: failureThreshold: 3 httpGet: path: \\login port: http scheme: HTTP initialDelaySeconds: 60 periodSeconds: 20 successThreshold: 1 timeoutSeconds: 10 ``` ``` containers: - args: - --argumentsRealm.passwd.$(ADMIN_USER)=$(ADMIN_PASSWORD) - --argumentsRealm.roles.$(ADMIN_USER)=admin env: - name: JAVA_OPTS value: -Xms512m -Xmx1024m - name: JENKINS_OPTS - name: ADMIN_PASSWORD valueFrom: secretKeyRef: key: jenkins-admin-password name: jenkins - name: ADMIN_USER valueFrom: secretKeyRef: key: jenkins-admin-user name: jenkins image: registry.icp.com:5000\\ioc\\jenkins:lts imagePullPolicy: Always livenessProbe: failureThreshold: 12 httpGet: path: \\login port: http scheme: HTTP initialDelaySeconds: 60 periodSeconds: 20 successThreshold: 1 timeoutSeconds: 10 ``` ''' tags: [] isStarred: false isTrashed: false
6596
createdAt: "2018-07-11T02:06:16.540Z" updatedAt: "2018-09-22T03:34:48.889Z" type: "MARKDOWN_NOTE" folder: "66dff0cfbfde06f3d2e8" title: "icp" content: ''' # icp ``` apiVersion: v1 kind: Service metadata: creationTimestamp: 2018-06-21T07:29:21Z labels: app: monitoring-prometheus component: prometheus name: monitoring-prometheus namespace: kube-system resourceVersion: "54486646" selfLink: \\api\\v1\\namespaces\\kube-system\\services\\monitoring-prometheus uid: d07b8744-7524-11e8-a703-6c92bf7360cc spec: clusterIP: 10.0.0.238 ports: - name: http-prometheus port: 9091 protocol: TCP targetPort: 9090 - name: https-prometheus-tls port: 9090 protocol: TCP targetPort: 8443 selector: app: monitoring-prometheus component: prometheus sessionAffinity: None type: ClusterIP status: loadBalancer: {} ``` ``` - match: - uri: prefix: \\monitoring rewrite: uri: \\graph route: - destination: host: prometheus.monitoring.svc.cluster.local - match: - uri: prefix: \\static\\ route: - destination: host: prometheus.monitoring.svc.cluster.local ``` # jenkins健康检查 ``` ports: - containerPort: 8080 name: http protocol: TCP - containerPort: 50000 name: slavelistener protocol: TCP readinessProbe: failureThreshold: 3 httpGet: path: \\login port: http scheme: HTTP initialDelaySeconds: 60 periodSeconds: 20 successThreshold: 1 timeoutSeconds: 10 ``` ``` containers: - args: - --argumentsRealm.passwd.$(ADMIN_USER)=$(ADMIN_PASSWORD) - --argumentsRealm.roles.$(ADMIN_USER)=admin env: - name: JAVA_OPTS value: -Xms512m -Xmx1024m - name: JENKINS_OPTS - name: ADMIN_PASSWORD valueFrom: secretKeyRef: key: <KEY> name: jenkins - name: ADMIN_USER valueFrom: secretKeyRef: key: <KEY> name: jenkins image: registry.icp.com:5000\\ioc\\jenkins:lts imagePullPolicy: Always livenessProbe: failureThreshold: 12 httpGet: path: \\login port: http scheme: HTTP initialDelaySeconds: 60 periodSeconds: 20 successThreshold: 1 timeoutSeconds: 10 ``` ''' tags: [] isStarred: false isTrashed: false
true
createdAt: "2018-07-11T02:06:16.540Z" updatedAt: "2018-09-22T03:34:48.889Z" type: "MARKDOWN_NOTE" folder: "66dff0cfbfde06f3d2e8" title: "icp" content: ''' # icp ``` apiVersion: v1 kind: Service metadata: creationTimestamp: 2018-06-21T07:29:21Z labels: app: monitoring-prometheus component: prometheus name: monitoring-prometheus namespace: kube-system resourceVersion: "54486646" selfLink: \\api\\v1\\namespaces\\kube-system\\services\\monitoring-prometheus uid: d07b8744-7524-11e8-a703-6c92bf7360cc spec: clusterIP: 10.0.0.238 ports: - name: http-prometheus port: 9091 protocol: TCP targetPort: 9090 - name: https-prometheus-tls port: 9090 protocol: TCP targetPort: 8443 selector: app: monitoring-prometheus component: prometheus sessionAffinity: None type: ClusterIP status: loadBalancer: {} ``` ``` - match: - uri: prefix: \\monitoring rewrite: uri: \\graph route: - destination: host: prometheus.monitoring.svc.cluster.local - match: - uri: prefix: \\static\\ route: - destination: host: prometheus.monitoring.svc.cluster.local ``` # jenkins健康检查 ``` ports: - containerPort: 8080 name: http protocol: TCP - containerPort: 50000 name: slavelistener protocol: TCP readinessProbe: failureThreshold: 3 httpGet: path: \\login port: http scheme: HTTP initialDelaySeconds: 60 periodSeconds: 20 successThreshold: 1 timeoutSeconds: 10 ``` ``` containers: - args: - --argumentsRealm.passwd.$(ADMIN_USER)=$(ADMIN_PASSWORD) - --argumentsRealm.roles.$(ADMIN_USER)=admin env: - name: JAVA_OPTS value: -Xms512m -Xmx1024m - name: JENKINS_OPTS - name: ADMIN_PASSWORD valueFrom: secretKeyRef: key: PI:KEY:<KEY>END_PI name: jenkins - name: ADMIN_USER valueFrom: secretKeyRef: key: PI:KEY:<KEY>END_PI name: jenkins image: registry.icp.com:5000\\ioc\\jenkins:lts imagePullPolicy: Always livenessProbe: failureThreshold: 12 httpGet: path: \\login port: http scheme: HTTP initialDelaySeconds: 60 periodSeconds: 20 successThreshold: 1 timeoutSeconds: 10 ``` ''' tags: [] isStarred: false isTrashed: false
[ { "context": " sinon.stub().yields null\n @config = token: 'totally-secret-yo'\n @redis =\n get: sinon.stub()\n ", "end": 532, "score": 0.9965057373046875, "start": 515, "tag": "PASSWORD", "value": "totally-secret-yo" }, { "context": "dDevice: @findCachedDevice\n\n @hashedToken = 'qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A='\n done error\n\n describe '->addGeo', ->\n d", "end": 1044, "score": 0.8574082255363464, "start": 999, "tag": "KEY", "value": "qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A='" }, { "context": "mallville'}\n @sut = new Device ipAddress: '127.0.0.1', @dependencies\n @sut.addGeo done\n\n i", "end": 1291, "score": 0.9996587038040161, "start": 1282, "tag": "IP_ADDRESS", "value": "127.0.0.1" }, { "context": "ct(@dependencies.getGeo).to.have.been.calledWith '127.0.0.1'\n\n it 'should set the getGeo response on att", "end": 1458, "score": 0.9996667504310608, "start": 1449, "tag": "IP_ADDRESS", "value": "127.0.0.1" }, { "context": "fb7b2'\n @attributes = {uuid: @uuid, name: 'Cherokee', token : bcrypt.hashSync('cool-token', 8)}\n ", "end": 2090, "score": 0.9997528791427612, "start": 2082, "tag": "NAME", "value": "Cherokee" }, { "context": "\n @sut = new Device uuid: @uuid, token: 'new-token', @dependencies\n @sut.addHashedToke", "end": 2318, "score": 0.6270431280136108, "start": 2315, "tag": "PASSWORD", "value": "new" }, { "context": "pendencies\n @result = @sut.sanitize name: 'guile', '$natto': 'fermented soybeans'\n\n it 'shoul", "end": 5021, "score": 0.9608049392700195, "start": 5016, "tag": "NAME", "value": "guile" }, { "context": "param', ->\n expect(@result.name).to.equal 'guile'\n\n describe 'when update is called with a nest", "end": 5234, "score": 0.9090479612350464, "start": 5229, "tag": "NAME", "value": "guile" }, { "context": "pendencies\n @result = @sut.sanitize name: 'guile', foo: {'$natto': 'fermented soybeans'}\n\n it", "end": 5410, "score": 0.9763555526733398, "start": 5405, "tag": "NAME", "value": "guile" }, { "context": "param', ->\n expect(@result.name).to.equal 'guile'\n\n describe 'when update is called with a bad ", "end": 5634, "score": 0.8342189788818359, "start": 5629, "tag": "NAME", "value": "guile" }, { "context": "pendencies\n @result = @sut.sanitize name: 'guile', foo: [{'$natto': 'fermented soybeans'}]\n\n ", "end": 5835, "score": 0.9865362644195557, "start": 5830, "tag": "NAME", "value": "guile" }, { "context": "param', ->\n expect(@result.name).to.equal 'guile'\n\n describe '->save', ->\n describe 'when a de", "end": 6061, "score": 0.9819959402084351, "start": 6056, "tag": "NAME", "value": "guile" }, { "context": "sut.set name: 'VW bug', online: true, ipAddress: '192.168.1.1'\n @sut.save done\n\n beforeEach (done) ", "end": 6509, "score": 0.9996926784515381, "start": 6498, "tag": "IP_ADDRESS", "value": "192.168.1.1" }, { "context": " Device {}, @dependencies\n @sut.set name: 'george'\n\n it 'should leave online alone', ->\n ", "end": 9857, "score": 0.9960556030273438, "start": 9851, "tag": "NAME", "value": "george" }, { "context": "ach (done) ->\n @sut.storeToken {token: 'mystery-token'}, (error) =>\n return done error", "end": 10352, "score": 0.5902655124664307, "start": 10346, "tag": "PASSWORD", "value": "ystery" }, { "context": "ach (done) ->\n @sut.storeToken {token: 'mystery-token', tag: 'mystery'}, (error) =>\n r", "end": 11297, "score": 0.5974671244621277, "start": 11291, "tag": "PASSWORD", "value": "ystery" }, { "context": " @sut.generateToken = sinon.stub().returns 'cheeseburger'\n @sut._hashToken = sinon.stub().yields nu", "end": 12458, "score": 0.982445240020752, "start": 12446, "tag": "PASSWORD", "value": "cheeseburger" }, { "context": " token', ->\n expect(@token).to.deep.equal 'cheeseburger'\n\n describe 'when called and it yields a diffe", "end": 12889, "score": 0.9402236938476562, "start": 12877, "tag": "PASSWORD", "value": "cheeseburger" }, { "context": " @sut.generateToken = sinon.stub().returns 'california burger'\n @sut._hashToken = sinon.stub().yields nu", "end": 13103, "score": 0.9513468742370605, "start": 13086, "tag": "PASSWORD", "value": "california burger" }, { "context": " token', ->\n expect(@token).to.deep.equal 'california burger'\n\n describe '->revokeToken', ->\n beforeEach (", "end": 13560, "score": 0.9480384588241577, "start": 13543, "tag": "PASSWORD", "value": "california burger" }, { "context": ",\n meshblu:\n tokens:\n 'qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A=': {}\n , done\n\n describe 'when a token alr", "end": 13807, "score": 0.9936234951019287, "start": 13763, "tag": "KEY", "value": "qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A=" }, { "context": ", ->\n beforeEach (done) ->\n @token = 'mushrooms'\n @devices.insert uuid: @uuid, =>\n ", "end": 14452, "score": 0.9910265803337097, "start": 14443, "tag": "PASSWORD", "value": "mushrooms" }, { "context": "b().yields null, false\n @sut.verifyToken 'mushrooms', (error, @verified) => done()\n\n it 'should ", "end": 14847, "score": 0.628013014793396, "start": 14839, "tag": "PASSWORD", "value": "ushrooms" }, { "context": " meshblu:\n tokens:\n 'qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A=': {}\n , done", "end": 15136, "score": 0.9788954257965088, "start": 15122, "tag": "KEY", "value": "qe4NSaR3wrM6c2" }, { "context": "b().yields null, false\n @sut.verifyToken 'mystery-token', (error, @verified) => done()\n\n it 's", "end": 15435, "score": 0.6531503200531006, "start": 15429, "tag": "PASSWORD", "value": "ystery" }, { "context": ",\n meshblu:\n tokens:\n 'qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A=': {}\n , done\n\n describe 'when a token is ", "end": 15797, "score": 0.9400063157081604, "start": 15753, "tag": "KEY", "value": "qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A=" }, { "context": "d, @dependencies\n @sut.verifySessionToken 'mystery-tolkein', (error, @verified) => done()\n\n it 'should ", "end": 16260, "score": 0.986784040927887, "start": 16245, "tag": "PASSWORD", "value": "mystery-tolkein" }, { "context": "sut.set name: 'VW bug', online: true, ipAddress: '192.168.1.1', pigeonCount: 3\n @sut.save done\n\n de", "end": 16774, "score": 0.9996273517608643, "start": 16763, "tag": "IP_ADDRESS", "value": "192.168.1.1" }, { "context": ">\n @sut.update uuid: 'my-device', name: 'Jetta', done\n\n it 'should update the record', (d", "end": 16953, "score": 0.9996496438980103, "start": 16948, "tag": "NAME", "value": "Jetta" }, { "context": " error?\n expect(device.name).to.equal 'Jetta'\n done()\n\n describe 'when called ", "end": 17163, "score": 0.999675989151001, "start": 17158, "tag": "NAME", "value": "Jetta" } ]
test/lib/models/device-spec.coffee
CESARBR/knot-cloud-source
4
_ = require 'lodash' bcrypt = require 'bcrypt' moment = require 'moment' Device = require '../../../lib/models/device' TestDatabase = require '../../test-database' describe 'Device', -> beforeEach (done) -> TestDatabase.open (error, database) => @database = database @devices = @database.devices @getGeo = sinon.stub().yields null, {} @clearCache = sinon.stub().yields null @cacheDevice = sinon.stub() @findCachedDevice = sinon.stub().yields null @config = token: 'totally-secret-yo' @redis = get: sinon.stub() set: sinon.stub() del: sinon.stub() exists: sinon.stub() setex: sinon.stub() @redis.get.yields null @redis.setex.yields null @dependencies = database: @database getGeo: @getGeo clearCache: @clearCache config: @config redis: @redis cacheDevice: @cacheDevice findCachedDevice: @findCachedDevice @hashedToken = 'qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A=' done error describe '->addGeo', -> describe 'when a device has an ipAddress', -> beforeEach (done) -> @dependencies.getGeo = sinon.stub().yields null, {city: 'smallville'} @sut = new Device ipAddress: '127.0.0.1', @dependencies @sut.addGeo done it 'should call getGeo with the ipAddress', -> expect(@dependencies.getGeo).to.have.been.calledWith '127.0.0.1' it 'should set the getGeo response on attributes', -> expect(@sut.attributes.geo).to.deep.equal {city: 'smallville'} describe 'when a device has no ipAddress', -> beforeEach (done) -> @dependencies.getGeo = sinon.spy() @sut = new Device {}, @dependencies @sut.addGeo done it 'should not call getGeo', -> expect(@dependencies.getGeo).not.to.have.been.called describe '->addHashedToken', -> describe 'when a device exists', -> beforeEach (done) -> @uuid = 'd17f2411-6465-4a02-b658-6b5c992fb7b2' @attributes = {uuid: @uuid, name: 'Cherokee', token : bcrypt.hashSync('cool-token', 8)} @devices.insert @attributes, done describe 'when the device has an unhashed token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, token: 'new-token', @dependencies @sut.addHashedToken(done) it 'should hash the token', -> expect(bcrypt.compareSync('new-token', @sut.attributes.token)).to.be.true describe 'when the device has no token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.addHashedToken(done) it 'should not modify the token', -> expect(@sut.token).not.to.exist describe 'when instantiated with the hashed token', -> beforeEach (done) -> @sut = new Device @attributes, @dependencies @sut.addHashedToken done it 'should not rehash the token', -> expect(@sut.attributes.token).to.equal @attributes.token describe '->addOnlineSince', -> describe 'when a device exists with online', -> beforeEach (done) -> @uuid = 'dab71557-c8a4-45d9-95ae-8dfd963a2661' @onlineSince = new Date(1422484953078) @attributes = {uuid: @uuid, online: true, onlineSince: @onlineSince} @devices.insert @attributes, done describe 'when set online true', -> beforeEach (done) -> @sut = new Device uuid: @uuid, online: true, @dependencies @sut.addOnlineSince done it 'should not update onlineSince', -> expect(@sut.attributes.onlineSince).not.to.exist describe '->fetch', -> describe "when a device doesn't exist", -> beforeEach (done) -> @sut = new Device {}, @dependencies @sut.fetch (@error) => done() it 'should respond with an error', -> expect(@error).to.exist expect(@error.message).to.equal 'Device not found' describe 'when a device exists', -> beforeEach (done) -> @uuid = 'b3da16bf-8397-403c-a520-cfb5f6bac798' @devices.insert uuid: @uuid, name: 'hahahaha', done beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.fetch (@error, @device) => done() it 'should respond with the device', -> expect(@device.name).to.equal 'hahahaha' it 'should respond with no error', -> expect(@error).not.to.exist describe '->generateToken', -> describe 'when generateToken is injected', -> beforeEach -> @dependencies.generateToken = sinon.spy() @sut = new Device {}, @dependencies it 'should call generateToken', -> @sut.generateToken() expect(@dependencies.generateToken).to.have.been.called describe '->sanitize', -> describe 'when update is called with one good and one bad param', -> beforeEach -> @sut = new Device {}, @dependencies @result = @sut.sanitize name: 'guile', '$natto': 'fermented soybeans' it 'should strip the bad params', -> expect(@result['$natto']).to.not.exist it 'should leave the good param', -> expect(@result.name).to.equal 'guile' describe 'when update is called with a nested bad param', -> beforeEach -> @sut = new Device {}, @dependencies @result = @sut.sanitize name: 'guile', foo: {'$natto': 'fermented soybeans'} it 'should strip the nested bad param', -> expect(@result.foo).to.deep.equal {} it 'should leave the good param', -> expect(@result.name).to.equal 'guile' describe 'when update is called with a bad param nested in an object in an array', -> beforeEach -> @sut = new Device {}, @dependencies @result = @sut.sanitize name: 'guile', foo: [{'$natto': 'fermented soybeans'}] it 'should strip the offending param', -> expect(@result.foo).to.deep.equal [{}] it 'should keep the good param', -> expect(@result.name).to.equal 'guile' describe '->save', -> describe 'when a device is saved', -> beforeEach (done) -> @uuid = '66e20044-7262-4c26-84f0-c2c00fa02465' @devices.insert {uuid: @uuid}, done beforeEach (done) -> @getGeo = sinon.stub().yields null, {city: 'phoenix'} @dependencies.getGeo = @getGeo @sut = new Device(uuid: @uuid, @dependencies) @sut.set name: 'VW bug', online: true, ipAddress: '192.168.1.1' @sut.save done beforeEach (done) -> @devices.findOne {uuid: @uuid}, (error, @device) => done() it 'should update the record in devices', -> expect(@device.name).to.equal 'VW bug' it 'should set geo', -> expect(@device.geo).to.exist it 'should set geo with city', -> expect(@device.geo.city).to.equal 'phoenix' it 'should set onlineSince', -> expect(@device.onlineSince.getTime()).to.be.closeTo moment().utc().valueOf(), 1000 describe 'when two devices exist', -> beforeEach (done) -> @uuid1 = '8172bd75-905f-409e-91d7-121ac0456229' @devices.insert {uuid: @uuid1}, done beforeEach (done) -> @uuid2 = '190f8795-cc33-46d4-834e-f6b91920af77' @devices.insert {uuid: @uuid2}, done describe 'when first device is modified', -> beforeEach (done) -> @sut = new Device uuid: @uuid1, foo: 'bar', @dependencies @sut.save done it 'should update the correct device, because this would never happen in real life', (done) -> @devices.findOne {uuid: @uuid1}, (error, device) => return done error if error? expect(device.foo).to.equal 'bar' done() it 'should update the correct device, because this would never happen in real life', (done) -> @devices.findOne {uuid: @uuid2}, (error, device) => return done error if error? expect(device.foo).to.not.exist done() describe 'when second device is modified', -> beforeEach (done) -> @sut = new Device uuid: @uuid2, foo: 'bar', @dependencies @sut.save done it 'should not update the first device', (done) -> @devices.findOne {uuid: @uuid1}, (error, device) => return done error if error? expect(device.foo).to.not.exist done() it 'should update second device', (done) -> @devices.findOne {uuid: @uuid2}, (error, device) => return done error if error? expect(device.foo).to.equal 'bar' done() describe '->set', -> describe 'when called with a new name', -> beforeEach -> @sut = new Device name: 'first', @dependencies @sut.set name: 'second' it 'should update the name', -> expect(@sut.attributes.name).to.equal 'second' describe 'when set is called disallowed keys', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set $$hashKey: true it 'should remove keys beginning with $', -> expect(@sut.attributes.$$hashKey).to.not.exist describe 'when called with an online of "false"', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set online: 'false' it 'should set online to true, cause strings is truthy, yo', -> expect(@sut.attributes.online).to.be.true describe 'when set is called with an online of false', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set online: false it 'should set online to false', -> expect(@sut.attributes.online).to.be.false describe 'when set doesnt mention online', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set name: 'george' it 'should leave online alone', -> expect(@sut.attributes.online).to.not.exist describe '->storeToken', -> describe 'when a device exists', -> beforeEach (done) -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979' @devices.insert uuid: @uuid, done beforeEach -> @sut = new Device uuid: @uuid, @dependencies describe 'when called with token mystery-token', -> beforeEach (done) -> @sut.storeToken {token: 'mystery-token'}, (error) => return done error if error @sut.fetch (error, attributes) => @updatedDevice = attributes @token = @updatedDevice.meshblu?.tokens?[@hashedToken] done(error) it 'should hash the token and add it to the attributes', -> expect(@updatedDevice.meshblu?.tokens).to.include.keys @hashedToken it 'should add a timestamp to the token', -> expect(@token.createdAt?.getTime()).to.be.closeTo Date.now(), 1000 it 'should store the token in the database', (done) -> @devices.findOne uuid: @uuid, (error, device) => return done error if error? token = @updatedDevice.meshblu?.tokens?[@hashedToken] expect(token).to.exist done() describe 'when called with token mystery-token and a tag', -> beforeEach (done) -> @sut.storeToken {token: 'mystery-token', tag: 'mystery'}, (error) => return done error if error @sut.fetch (error, attributes) => @updatedDevice = attributes @token = @updatedDevice.meshblu?.tokens?[@hashedToken] done(error) it 'should hash the token and add it to the attributes', -> expect(@updatedDevice.meshblu?.tokens).to.include.keys @hashedToken it 'should add a timestamp to the token', -> expect(@token.createdAt?.getTime()).to.be.closeTo Date.now(), 1000 it 'should add a tag to the token', -> expect(@token.tag).to.equal 'mystery' it 'should store the token in the database', (done) -> @devices.findOne uuid: @uuid, (error, device) => return done error if error? token = @updatedDevice.meshblu?.tokens?[@hashedToken] expect(token).to.exist done() describe '->generateAndStoreTokenInCache', -> describe 'when called and it yields a token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.generateToken = sinon.stub().returns 'cheeseburger' @sut._hashToken = sinon.stub().yields null, 'this-is-totally-a-secret' @sut._storeTokenInCache = sinon.stub().yields null @sut.generateAndStoreTokenInCache (@error, @token) => done() it 'should call _storeTokenInCache', -> expect(@sut._storeTokenInCache).to.have.been.calledWith 'this-is-totally-a-secret' it 'should have a token', -> expect(@token).to.deep.equal 'cheeseburger' describe 'when called and it yields a different token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.generateToken = sinon.stub().returns 'california burger' @sut._hashToken = sinon.stub().yields null, 'this-is-totally-a-different-secret' @sut._storeTokenInCache = sinon.stub().yields null @sut.generateAndStoreTokenInCache (@error, @token) => done() it 'should call _storeTokenInCache', -> expect(@sut._storeTokenInCache).to.have.been.calledWith 'this-is-totally-a-different-secret' it 'should have a token', -> expect(@token).to.deep.equal 'california burger' describe '->revokeToken', -> beforeEach (done) -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979' @devices.insert uuid: @uuid, meshblu: tokens: 'qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A=': {} , done describe 'when a token already exists', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.revokeToken 'mystery-token', done it 'should remove the token from the device', (done) -> @devices.findOne uuid: @uuid, (error, device) => return done error if error? expect(device.meshblu?.tokens).not.to.include.keys @hashedToken done() describe '->verifyToken', -> beforeEach -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979'; describe 'when using the og token', -> beforeEach (done) -> @token = 'mushrooms' @devices.insert uuid: @uuid, => @device = new Device {uuid: @uuid, token: @token}, @dependencies @device.save done beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut._isTokenInBlacklist = sinon.stub().yields null, false @sut._verifyTokenInCache = sinon.stub().yields null, false @sut.verifyToken 'mushrooms', (error, @verified) => done() it 'should be verified', -> expect(@verified).to.be.true describe 'when using a new token', -> beforeEach (done) -> @devices.insert uuid: @uuid, meshblu: tokens: 'qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A=': {} , done beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut._isTokenInBlacklist = sinon.stub().yields null, false @sut._verifyTokenInCache = sinon.stub().yields null, false @sut.verifyToken 'mystery-token', (error, @verified) => done() it 'should be verified', -> expect(@verified).to.be.true describe '->verifySessionToken', -> beforeEach (done) -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979' @devices.insert uuid: @uuid, meshblu: tokens: 'qe4NSaR3wrM6c2Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A=': {} , done describe 'when a token is valid', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.verifySessionToken 'mystery-token', (error, @verified) => done() it 'should be verified', -> expect(@verified).to.be.true describe 'when a token is invalid', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.verifySessionToken 'mystery-tolkein', (error, @verified) => done() it 'should not be verified', -> expect(@verified).to.be.false describe '->update', -> describe 'when a device is saved', -> beforeEach (done) -> @devices.insert {uuid: 'my-device'}, done beforeEach (done) -> @getGeo = sinon.stub().yields null, {city: 'phoenix'} @dependencies.getGeo = @getGeo @sut = new Device(uuid: 'my-device', @dependencies) @sut.set name: 'VW bug', online: true, ipAddress: '192.168.1.1', pigeonCount: 3 @sut.save done describe 'when called a normal update query', -> beforeEach (done) -> @sut.update uuid: 'my-device', name: 'Jetta', done it 'should update the record', (done) -> @devices.findOne uuid: 'my-device', (error, device) => return done error if error? expect(device.name).to.equal 'Jetta' done() describe 'when called with an increment operator', -> beforeEach (done) -> @sut.update $inc: {pigeonCount: 1}, done it 'should increment the pigeon count', (done) -> @devices.findOne uuid: 'my-device', (error, device) => return done error if error? expect(device.pigeonCount).to.equal 4 done() describe '-> _clearTokenCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._clearTokenCache (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._clearTokenCache (@error, @result) => done() @redis.del.yield null, 1 it 'should return the result of del', -> expect(@result).to.equal 1 it 'should call redis.del', -> expect(@redis.del).to.have.been.calledWith 'tokens:a-uuid' describe '-> _storeTokenInCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeTokenInCache 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeTokenInCache 'foo', (@error) => done() @redis.set.yield null, 'OK' it 'should call redis.set', -> expect(@redis.set).to.have.been.calledWith 'meshblu-token-cache:a-uuid:foo', '' describe '-> removeTokenFromCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut.removeTokenFromCache 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._hashToken = sinon.stub().yields null, 'hashed-foo' @sut.removeTokenFromCache 'foo', (@error, @result) => done() @redis.del.yield null it 'should call redis.srem', -> expect(@redis.del).to.have.been.calledWith 'meshblu-token-cache:a-uuid:hashed-foo' describe '-> _storeInvalidTokenInBlacklist', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeInvalidTokenInBlacklist 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeInvalidTokenInBlacklist 'foo', (@error, @result) => done() @redis.set.yield null it 'should call redis.set', -> expect(@redis.set).to.have.been.calledWith 'meshblu-token-black-list:a-uuid:foo' describe '-> _verifyTokenInCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._verifyTokenInCache 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> describe 'when the member is available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._verifyTokenInCache 'foo', (@error, @result) => done() @redis.exists.yield null, 1 it 'should return the result of exists', -> expect(@result).to.equal 1 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-cache:a-uuid:DnN1cXdfiInpeLs9VjOXM+C/1ow2nGv46TGrevRN3a0=' describe 'when the member is not available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._verifyTokenInCache 'foo', (@error, @result) => done @error @redis.exists.yield null, 0 it 'should return the result of exists', -> expect(@result).to.equal 0 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-cache:a-uuid:DnN1cXdfiInpeLs9VjOXM+C/1ow2nGv46TGrevRN3a0=' describe '-> _isTokenInBlacklist', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._isTokenInBlacklist 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> describe 'when the member is available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._isTokenInBlacklist 'foo', (@error, @result) => done() @redis.exists.yield null, 1 it 'should return the result of exists', -> expect(@result).to.equal 1 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-black-list:a-uuid:foo' describe 'when the member is not available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._isTokenInBlacklist 'foo', (@error, @result) => done() @redis.exists.yield null, 0 it 'should return the result of exists', -> expect(@result).to.equal 0 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-black-list:a-uuid:foo' describe '-> resetToken', -> beforeEach -> @sut = new Device uuid: 'a-uuid', @dependencies sinon.stub(@sut, 'save') describe 'when it works', -> beforeEach -> @sut.resetToken (@error, @token) => @sut.save.yield null it 'should not have an error', -> expect(@error).not.to.exist it 'should have a token', -> expect(@token).to.exist it 'should call set the token attribute', -> expect(@sut.attributes.token).to.exist describe 'when it does not work', -> beforeEach -> @sut.resetToken (@error, @token) => @sut.save.yield new Error 'something wrong' it 'should have an error', -> expect(@error).to.exist it 'should not have a token', -> expect(@token).not.to.exist describe '->validate', -> describe 'when created with a different uuid', -> beforeEach (done) -> @sut = new Device uuid: 'f853214e-69b9-4ca7-a11e-7ee7b1f8f5be', @dependencies @sut.set uuid: 'different-uuid' @sut.validate (@error, @result) => done() it 'should yield false', -> expect(@result).to.be.false it 'should have an error', -> expect(@error).to.exist expect(@error.message).to.equal 'Cannot modify uuid' describe 'when updated with the same uuid', -> beforeEach (done) -> @uuid = '758a080b-fd29-4413-8339-53cc5de3a649' @sut = new Device uuid: @uuid, @dependencies @sut.set uuid: @uuid @sut.validate (@error, @result) => done() it 'should yield true', -> expect(@result).to.be.true it 'should not yield an error', -> expect(@error).to.not.exist
20443
_ = require 'lodash' bcrypt = require 'bcrypt' moment = require 'moment' Device = require '../../../lib/models/device' TestDatabase = require '../../test-database' describe 'Device', -> beforeEach (done) -> TestDatabase.open (error, database) => @database = database @devices = @database.devices @getGeo = sinon.stub().yields null, {} @clearCache = sinon.stub().yields null @cacheDevice = sinon.stub() @findCachedDevice = sinon.stub().yields null @config = token: '<PASSWORD>' @redis = get: sinon.stub() set: sinon.stub() del: sinon.stub() exists: sinon.stub() setex: sinon.stub() @redis.get.yields null @redis.setex.yields null @dependencies = database: @database getGeo: @getGeo clearCache: @clearCache config: @config redis: @redis cacheDevice: @cacheDevice findCachedDevice: @findCachedDevice @hashedToken = '<KEY> done error describe '->addGeo', -> describe 'when a device has an ipAddress', -> beforeEach (done) -> @dependencies.getGeo = sinon.stub().yields null, {city: 'smallville'} @sut = new Device ipAddress: '127.0.0.1', @dependencies @sut.addGeo done it 'should call getGeo with the ipAddress', -> expect(@dependencies.getGeo).to.have.been.calledWith '127.0.0.1' it 'should set the getGeo response on attributes', -> expect(@sut.attributes.geo).to.deep.equal {city: 'smallville'} describe 'when a device has no ipAddress', -> beforeEach (done) -> @dependencies.getGeo = sinon.spy() @sut = new Device {}, @dependencies @sut.addGeo done it 'should not call getGeo', -> expect(@dependencies.getGeo).not.to.have.been.called describe '->addHashedToken', -> describe 'when a device exists', -> beforeEach (done) -> @uuid = 'd17f2411-6465-4a02-b658-6b5c992fb7b2' @attributes = {uuid: @uuid, name: '<NAME>', token : bcrypt.hashSync('cool-token', 8)} @devices.insert @attributes, done describe 'when the device has an unhashed token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, token: '<PASSWORD>-token', @dependencies @sut.addHashedToken(done) it 'should hash the token', -> expect(bcrypt.compareSync('new-token', @sut.attributes.token)).to.be.true describe 'when the device has no token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.addHashedToken(done) it 'should not modify the token', -> expect(@sut.token).not.to.exist describe 'when instantiated with the hashed token', -> beforeEach (done) -> @sut = new Device @attributes, @dependencies @sut.addHashedToken done it 'should not rehash the token', -> expect(@sut.attributes.token).to.equal @attributes.token describe '->addOnlineSince', -> describe 'when a device exists with online', -> beforeEach (done) -> @uuid = 'dab71557-c8a4-45d9-95ae-8dfd963a2661' @onlineSince = new Date(1422484953078) @attributes = {uuid: @uuid, online: true, onlineSince: @onlineSince} @devices.insert @attributes, done describe 'when set online true', -> beforeEach (done) -> @sut = new Device uuid: @uuid, online: true, @dependencies @sut.addOnlineSince done it 'should not update onlineSince', -> expect(@sut.attributes.onlineSince).not.to.exist describe '->fetch', -> describe "when a device doesn't exist", -> beforeEach (done) -> @sut = new Device {}, @dependencies @sut.fetch (@error) => done() it 'should respond with an error', -> expect(@error).to.exist expect(@error.message).to.equal 'Device not found' describe 'when a device exists', -> beforeEach (done) -> @uuid = 'b3da16bf-8397-403c-a520-cfb5f6bac798' @devices.insert uuid: @uuid, name: 'hahahaha', done beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.fetch (@error, @device) => done() it 'should respond with the device', -> expect(@device.name).to.equal 'hahahaha' it 'should respond with no error', -> expect(@error).not.to.exist describe '->generateToken', -> describe 'when generateToken is injected', -> beforeEach -> @dependencies.generateToken = sinon.spy() @sut = new Device {}, @dependencies it 'should call generateToken', -> @sut.generateToken() expect(@dependencies.generateToken).to.have.been.called describe '->sanitize', -> describe 'when update is called with one good and one bad param', -> beforeEach -> @sut = new Device {}, @dependencies @result = @sut.sanitize name: '<NAME>', '$natto': 'fermented soybeans' it 'should strip the bad params', -> expect(@result['$natto']).to.not.exist it 'should leave the good param', -> expect(@result.name).to.equal '<NAME>' describe 'when update is called with a nested bad param', -> beforeEach -> @sut = new Device {}, @dependencies @result = @sut.sanitize name: '<NAME>', foo: {'$natto': 'fermented soybeans'} it 'should strip the nested bad param', -> expect(@result.foo).to.deep.equal {} it 'should leave the good param', -> expect(@result.name).to.equal '<NAME>' describe 'when update is called with a bad param nested in an object in an array', -> beforeEach -> @sut = new Device {}, @dependencies @result = @sut.sanitize name: '<NAME>', foo: [{'$natto': 'fermented soybeans'}] it 'should strip the offending param', -> expect(@result.foo).to.deep.equal [{}] it 'should keep the good param', -> expect(@result.name).to.equal '<NAME>' describe '->save', -> describe 'when a device is saved', -> beforeEach (done) -> @uuid = '66e20044-7262-4c26-84f0-c2c00fa02465' @devices.insert {uuid: @uuid}, done beforeEach (done) -> @getGeo = sinon.stub().yields null, {city: 'phoenix'} @dependencies.getGeo = @getGeo @sut = new Device(uuid: @uuid, @dependencies) @sut.set name: 'VW bug', online: true, ipAddress: '192.168.1.1' @sut.save done beforeEach (done) -> @devices.findOne {uuid: @uuid}, (error, @device) => done() it 'should update the record in devices', -> expect(@device.name).to.equal 'VW bug' it 'should set geo', -> expect(@device.geo).to.exist it 'should set geo with city', -> expect(@device.geo.city).to.equal 'phoenix' it 'should set onlineSince', -> expect(@device.onlineSince.getTime()).to.be.closeTo moment().utc().valueOf(), 1000 describe 'when two devices exist', -> beforeEach (done) -> @uuid1 = '8172bd75-905f-409e-91d7-121ac0456229' @devices.insert {uuid: @uuid1}, done beforeEach (done) -> @uuid2 = '190f8795-cc33-46d4-834e-f6b91920af77' @devices.insert {uuid: @uuid2}, done describe 'when first device is modified', -> beforeEach (done) -> @sut = new Device uuid: @uuid1, foo: 'bar', @dependencies @sut.save done it 'should update the correct device, because this would never happen in real life', (done) -> @devices.findOne {uuid: @uuid1}, (error, device) => return done error if error? expect(device.foo).to.equal 'bar' done() it 'should update the correct device, because this would never happen in real life', (done) -> @devices.findOne {uuid: @uuid2}, (error, device) => return done error if error? expect(device.foo).to.not.exist done() describe 'when second device is modified', -> beforeEach (done) -> @sut = new Device uuid: @uuid2, foo: 'bar', @dependencies @sut.save done it 'should not update the first device', (done) -> @devices.findOne {uuid: @uuid1}, (error, device) => return done error if error? expect(device.foo).to.not.exist done() it 'should update second device', (done) -> @devices.findOne {uuid: @uuid2}, (error, device) => return done error if error? expect(device.foo).to.equal 'bar' done() describe '->set', -> describe 'when called with a new name', -> beforeEach -> @sut = new Device name: 'first', @dependencies @sut.set name: 'second' it 'should update the name', -> expect(@sut.attributes.name).to.equal 'second' describe 'when set is called disallowed keys', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set $$hashKey: true it 'should remove keys beginning with $', -> expect(@sut.attributes.$$hashKey).to.not.exist describe 'when called with an online of "false"', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set online: 'false' it 'should set online to true, cause strings is truthy, yo', -> expect(@sut.attributes.online).to.be.true describe 'when set is called with an online of false', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set online: false it 'should set online to false', -> expect(@sut.attributes.online).to.be.false describe 'when set doesnt mention online', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set name: '<NAME>' it 'should leave online alone', -> expect(@sut.attributes.online).to.not.exist describe '->storeToken', -> describe 'when a device exists', -> beforeEach (done) -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979' @devices.insert uuid: @uuid, done beforeEach -> @sut = new Device uuid: @uuid, @dependencies describe 'when called with token mystery-token', -> beforeEach (done) -> @sut.storeToken {token: 'm<PASSWORD>-token'}, (error) => return done error if error @sut.fetch (error, attributes) => @updatedDevice = attributes @token = @updatedDevice.meshblu?.tokens?[@hashedToken] done(error) it 'should hash the token and add it to the attributes', -> expect(@updatedDevice.meshblu?.tokens).to.include.keys @hashedToken it 'should add a timestamp to the token', -> expect(@token.createdAt?.getTime()).to.be.closeTo Date.now(), 1000 it 'should store the token in the database', (done) -> @devices.findOne uuid: @uuid, (error, device) => return done error if error? token = @updatedDevice.meshblu?.tokens?[@hashedToken] expect(token).to.exist done() describe 'when called with token mystery-token and a tag', -> beforeEach (done) -> @sut.storeToken {token: 'm<PASSWORD>-token', tag: 'mystery'}, (error) => return done error if error @sut.fetch (error, attributes) => @updatedDevice = attributes @token = @updatedDevice.meshblu?.tokens?[@hashedToken] done(error) it 'should hash the token and add it to the attributes', -> expect(@updatedDevice.meshblu?.tokens).to.include.keys @hashedToken it 'should add a timestamp to the token', -> expect(@token.createdAt?.getTime()).to.be.closeTo Date.now(), 1000 it 'should add a tag to the token', -> expect(@token.tag).to.equal 'mystery' it 'should store the token in the database', (done) -> @devices.findOne uuid: @uuid, (error, device) => return done error if error? token = @updatedDevice.meshblu?.tokens?[@hashedToken] expect(token).to.exist done() describe '->generateAndStoreTokenInCache', -> describe 'when called and it yields a token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.generateToken = sinon.stub().returns '<PASSWORD>' @sut._hashToken = sinon.stub().yields null, 'this-is-totally-a-secret' @sut._storeTokenInCache = sinon.stub().yields null @sut.generateAndStoreTokenInCache (@error, @token) => done() it 'should call _storeTokenInCache', -> expect(@sut._storeTokenInCache).to.have.been.calledWith 'this-is-totally-a-secret' it 'should have a token', -> expect(@token).to.deep.equal '<PASSWORD>' describe 'when called and it yields a different token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.generateToken = sinon.stub().returns '<PASSWORD>' @sut._hashToken = sinon.stub().yields null, 'this-is-totally-a-different-secret' @sut._storeTokenInCache = sinon.stub().yields null @sut.generateAndStoreTokenInCache (@error, @token) => done() it 'should call _storeTokenInCache', -> expect(@sut._storeTokenInCache).to.have.been.calledWith 'this-is-totally-a-different-secret' it 'should have a token', -> expect(@token).to.deep.equal '<PASSWORD>' describe '->revokeToken', -> beforeEach (done) -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979' @devices.insert uuid: @uuid, meshblu: tokens: '<KEY>': {} , done describe 'when a token already exists', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.revokeToken 'mystery-token', done it 'should remove the token from the device', (done) -> @devices.findOne uuid: @uuid, (error, device) => return done error if error? expect(device.meshblu?.tokens).not.to.include.keys @hashedToken done() describe '->verifyToken', -> beforeEach -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979'; describe 'when using the og token', -> beforeEach (done) -> @token = '<PASSWORD>' @devices.insert uuid: @uuid, => @device = new Device {uuid: @uuid, token: @token}, @dependencies @device.save done beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut._isTokenInBlacklist = sinon.stub().yields null, false @sut._verifyTokenInCache = sinon.stub().yields null, false @sut.verifyToken 'm<PASSWORD>', (error, @verified) => done() it 'should be verified', -> expect(@verified).to.be.true describe 'when using a new token', -> beforeEach (done) -> @devices.insert uuid: @uuid, meshblu: tokens: '<KEY>Q6uE6diz23ZXHyXUE2u/zJ9rvGE5A=': {} , done beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut._isTokenInBlacklist = sinon.stub().yields null, false @sut._verifyTokenInCache = sinon.stub().yields null, false @sut.verifyToken 'm<PASSWORD>-token', (error, @verified) => done() it 'should be verified', -> expect(@verified).to.be.true describe '->verifySessionToken', -> beforeEach (done) -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979' @devices.insert uuid: @uuid, meshblu: tokens: '<KEY>': {} , done describe 'when a token is valid', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.verifySessionToken 'mystery-token', (error, @verified) => done() it 'should be verified', -> expect(@verified).to.be.true describe 'when a token is invalid', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.verifySessionToken '<PASSWORD>', (error, @verified) => done() it 'should not be verified', -> expect(@verified).to.be.false describe '->update', -> describe 'when a device is saved', -> beforeEach (done) -> @devices.insert {uuid: 'my-device'}, done beforeEach (done) -> @getGeo = sinon.stub().yields null, {city: 'phoenix'} @dependencies.getGeo = @getGeo @sut = new Device(uuid: 'my-device', @dependencies) @sut.set name: 'VW bug', online: true, ipAddress: '192.168.1.1', pigeonCount: 3 @sut.save done describe 'when called a normal update query', -> beforeEach (done) -> @sut.update uuid: 'my-device', name: '<NAME>', done it 'should update the record', (done) -> @devices.findOne uuid: 'my-device', (error, device) => return done error if error? expect(device.name).to.equal '<NAME>' done() describe 'when called with an increment operator', -> beforeEach (done) -> @sut.update $inc: {pigeonCount: 1}, done it 'should increment the pigeon count', (done) -> @devices.findOne uuid: 'my-device', (error, device) => return done error if error? expect(device.pigeonCount).to.equal 4 done() describe '-> _clearTokenCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._clearTokenCache (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._clearTokenCache (@error, @result) => done() @redis.del.yield null, 1 it 'should return the result of del', -> expect(@result).to.equal 1 it 'should call redis.del', -> expect(@redis.del).to.have.been.calledWith 'tokens:a-uuid' describe '-> _storeTokenInCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeTokenInCache 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeTokenInCache 'foo', (@error) => done() @redis.set.yield null, 'OK' it 'should call redis.set', -> expect(@redis.set).to.have.been.calledWith 'meshblu-token-cache:a-uuid:foo', '' describe '-> removeTokenFromCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut.removeTokenFromCache 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._hashToken = sinon.stub().yields null, 'hashed-foo' @sut.removeTokenFromCache 'foo', (@error, @result) => done() @redis.del.yield null it 'should call redis.srem', -> expect(@redis.del).to.have.been.calledWith 'meshblu-token-cache:a-uuid:hashed-foo' describe '-> _storeInvalidTokenInBlacklist', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeInvalidTokenInBlacklist 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeInvalidTokenInBlacklist 'foo', (@error, @result) => done() @redis.set.yield null it 'should call redis.set', -> expect(@redis.set).to.have.been.calledWith 'meshblu-token-black-list:a-uuid:foo' describe '-> _verifyTokenInCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._verifyTokenInCache 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> describe 'when the member is available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._verifyTokenInCache 'foo', (@error, @result) => done() @redis.exists.yield null, 1 it 'should return the result of exists', -> expect(@result).to.equal 1 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-cache:a-uuid:DnN1cXdfiInpeLs9VjOXM+C/1ow2nGv46TGrevRN3a0=' describe 'when the member is not available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._verifyTokenInCache 'foo', (@error, @result) => done @error @redis.exists.yield null, 0 it 'should return the result of exists', -> expect(@result).to.equal 0 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-cache:a-uuid:DnN1cXdfiInpeLs9VjOXM+C/1ow2nGv46TGrevRN3a0=' describe '-> _isTokenInBlacklist', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._isTokenInBlacklist 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> describe 'when the member is available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._isTokenInBlacklist 'foo', (@error, @result) => done() @redis.exists.yield null, 1 it 'should return the result of exists', -> expect(@result).to.equal 1 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-black-list:a-uuid:foo' describe 'when the member is not available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._isTokenInBlacklist 'foo', (@error, @result) => done() @redis.exists.yield null, 0 it 'should return the result of exists', -> expect(@result).to.equal 0 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-black-list:a-uuid:foo' describe '-> resetToken', -> beforeEach -> @sut = new Device uuid: 'a-uuid', @dependencies sinon.stub(@sut, 'save') describe 'when it works', -> beforeEach -> @sut.resetToken (@error, @token) => @sut.save.yield null it 'should not have an error', -> expect(@error).not.to.exist it 'should have a token', -> expect(@token).to.exist it 'should call set the token attribute', -> expect(@sut.attributes.token).to.exist describe 'when it does not work', -> beforeEach -> @sut.resetToken (@error, @token) => @sut.save.yield new Error 'something wrong' it 'should have an error', -> expect(@error).to.exist it 'should not have a token', -> expect(@token).not.to.exist describe '->validate', -> describe 'when created with a different uuid', -> beforeEach (done) -> @sut = new Device uuid: 'f853214e-69b9-4ca7-a11e-7ee7b1f8f5be', @dependencies @sut.set uuid: 'different-uuid' @sut.validate (@error, @result) => done() it 'should yield false', -> expect(@result).to.be.false it 'should have an error', -> expect(@error).to.exist expect(@error.message).to.equal 'Cannot modify uuid' describe 'when updated with the same uuid', -> beforeEach (done) -> @uuid = '758a080b-fd29-4413-8339-53cc5de3a649' @sut = new Device uuid: @uuid, @dependencies @sut.set uuid: @uuid @sut.validate (@error, @result) => done() it 'should yield true', -> expect(@result).to.be.true it 'should not yield an error', -> expect(@error).to.not.exist
true
_ = require 'lodash' bcrypt = require 'bcrypt' moment = require 'moment' Device = require '../../../lib/models/device' TestDatabase = require '../../test-database' describe 'Device', -> beforeEach (done) -> TestDatabase.open (error, database) => @database = database @devices = @database.devices @getGeo = sinon.stub().yields null, {} @clearCache = sinon.stub().yields null @cacheDevice = sinon.stub() @findCachedDevice = sinon.stub().yields null @config = token: 'PI:PASSWORD:<PASSWORD>END_PI' @redis = get: sinon.stub() set: sinon.stub() del: sinon.stub() exists: sinon.stub() setex: sinon.stub() @redis.get.yields null @redis.setex.yields null @dependencies = database: @database getGeo: @getGeo clearCache: @clearCache config: @config redis: @redis cacheDevice: @cacheDevice findCachedDevice: @findCachedDevice @hashedToken = 'PI:KEY:<KEY>END_PI done error describe '->addGeo', -> describe 'when a device has an ipAddress', -> beforeEach (done) -> @dependencies.getGeo = sinon.stub().yields null, {city: 'smallville'} @sut = new Device ipAddress: '127.0.0.1', @dependencies @sut.addGeo done it 'should call getGeo with the ipAddress', -> expect(@dependencies.getGeo).to.have.been.calledWith '127.0.0.1' it 'should set the getGeo response on attributes', -> expect(@sut.attributes.geo).to.deep.equal {city: 'smallville'} describe 'when a device has no ipAddress', -> beforeEach (done) -> @dependencies.getGeo = sinon.spy() @sut = new Device {}, @dependencies @sut.addGeo done it 'should not call getGeo', -> expect(@dependencies.getGeo).not.to.have.been.called describe '->addHashedToken', -> describe 'when a device exists', -> beforeEach (done) -> @uuid = 'd17f2411-6465-4a02-b658-6b5c992fb7b2' @attributes = {uuid: @uuid, name: 'PI:NAME:<NAME>END_PI', token : bcrypt.hashSync('cool-token', 8)} @devices.insert @attributes, done describe 'when the device has an unhashed token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, token: 'PI:PASSWORD:<PASSWORD>END_PI-token', @dependencies @sut.addHashedToken(done) it 'should hash the token', -> expect(bcrypt.compareSync('new-token', @sut.attributes.token)).to.be.true describe 'when the device has no token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.addHashedToken(done) it 'should not modify the token', -> expect(@sut.token).not.to.exist describe 'when instantiated with the hashed token', -> beforeEach (done) -> @sut = new Device @attributes, @dependencies @sut.addHashedToken done it 'should not rehash the token', -> expect(@sut.attributes.token).to.equal @attributes.token describe '->addOnlineSince', -> describe 'when a device exists with online', -> beforeEach (done) -> @uuid = 'dab71557-c8a4-45d9-95ae-8dfd963a2661' @onlineSince = new Date(1422484953078) @attributes = {uuid: @uuid, online: true, onlineSince: @onlineSince} @devices.insert @attributes, done describe 'when set online true', -> beforeEach (done) -> @sut = new Device uuid: @uuid, online: true, @dependencies @sut.addOnlineSince done it 'should not update onlineSince', -> expect(@sut.attributes.onlineSince).not.to.exist describe '->fetch', -> describe "when a device doesn't exist", -> beforeEach (done) -> @sut = new Device {}, @dependencies @sut.fetch (@error) => done() it 'should respond with an error', -> expect(@error).to.exist expect(@error.message).to.equal 'Device not found' describe 'when a device exists', -> beforeEach (done) -> @uuid = 'b3da16bf-8397-403c-a520-cfb5f6bac798' @devices.insert uuid: @uuid, name: 'hahahaha', done beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.fetch (@error, @device) => done() it 'should respond with the device', -> expect(@device.name).to.equal 'hahahaha' it 'should respond with no error', -> expect(@error).not.to.exist describe '->generateToken', -> describe 'when generateToken is injected', -> beforeEach -> @dependencies.generateToken = sinon.spy() @sut = new Device {}, @dependencies it 'should call generateToken', -> @sut.generateToken() expect(@dependencies.generateToken).to.have.been.called describe '->sanitize', -> describe 'when update is called with one good and one bad param', -> beforeEach -> @sut = new Device {}, @dependencies @result = @sut.sanitize name: 'PI:NAME:<NAME>END_PI', '$natto': 'fermented soybeans' it 'should strip the bad params', -> expect(@result['$natto']).to.not.exist it 'should leave the good param', -> expect(@result.name).to.equal 'PI:NAME:<NAME>END_PI' describe 'when update is called with a nested bad param', -> beforeEach -> @sut = new Device {}, @dependencies @result = @sut.sanitize name: 'PI:NAME:<NAME>END_PI', foo: {'$natto': 'fermented soybeans'} it 'should strip the nested bad param', -> expect(@result.foo).to.deep.equal {} it 'should leave the good param', -> expect(@result.name).to.equal 'PI:NAME:<NAME>END_PI' describe 'when update is called with a bad param nested in an object in an array', -> beforeEach -> @sut = new Device {}, @dependencies @result = @sut.sanitize name: 'PI:NAME:<NAME>END_PI', foo: [{'$natto': 'fermented soybeans'}] it 'should strip the offending param', -> expect(@result.foo).to.deep.equal [{}] it 'should keep the good param', -> expect(@result.name).to.equal 'PI:NAME:<NAME>END_PI' describe '->save', -> describe 'when a device is saved', -> beforeEach (done) -> @uuid = '66e20044-7262-4c26-84f0-c2c00fa02465' @devices.insert {uuid: @uuid}, done beforeEach (done) -> @getGeo = sinon.stub().yields null, {city: 'phoenix'} @dependencies.getGeo = @getGeo @sut = new Device(uuid: @uuid, @dependencies) @sut.set name: 'VW bug', online: true, ipAddress: '192.168.1.1' @sut.save done beforeEach (done) -> @devices.findOne {uuid: @uuid}, (error, @device) => done() it 'should update the record in devices', -> expect(@device.name).to.equal 'VW bug' it 'should set geo', -> expect(@device.geo).to.exist it 'should set geo with city', -> expect(@device.geo.city).to.equal 'phoenix' it 'should set onlineSince', -> expect(@device.onlineSince.getTime()).to.be.closeTo moment().utc().valueOf(), 1000 describe 'when two devices exist', -> beforeEach (done) -> @uuid1 = '8172bd75-905f-409e-91d7-121ac0456229' @devices.insert {uuid: @uuid1}, done beforeEach (done) -> @uuid2 = '190f8795-cc33-46d4-834e-f6b91920af77' @devices.insert {uuid: @uuid2}, done describe 'when first device is modified', -> beforeEach (done) -> @sut = new Device uuid: @uuid1, foo: 'bar', @dependencies @sut.save done it 'should update the correct device, because this would never happen in real life', (done) -> @devices.findOne {uuid: @uuid1}, (error, device) => return done error if error? expect(device.foo).to.equal 'bar' done() it 'should update the correct device, because this would never happen in real life', (done) -> @devices.findOne {uuid: @uuid2}, (error, device) => return done error if error? expect(device.foo).to.not.exist done() describe 'when second device is modified', -> beforeEach (done) -> @sut = new Device uuid: @uuid2, foo: 'bar', @dependencies @sut.save done it 'should not update the first device', (done) -> @devices.findOne {uuid: @uuid1}, (error, device) => return done error if error? expect(device.foo).to.not.exist done() it 'should update second device', (done) -> @devices.findOne {uuid: @uuid2}, (error, device) => return done error if error? expect(device.foo).to.equal 'bar' done() describe '->set', -> describe 'when called with a new name', -> beforeEach -> @sut = new Device name: 'first', @dependencies @sut.set name: 'second' it 'should update the name', -> expect(@sut.attributes.name).to.equal 'second' describe 'when set is called disallowed keys', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set $$hashKey: true it 'should remove keys beginning with $', -> expect(@sut.attributes.$$hashKey).to.not.exist describe 'when called with an online of "false"', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set online: 'false' it 'should set online to true, cause strings is truthy, yo', -> expect(@sut.attributes.online).to.be.true describe 'when set is called with an online of false', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set online: false it 'should set online to false', -> expect(@sut.attributes.online).to.be.false describe 'when set doesnt mention online', -> beforeEach -> @sut = new Device {}, @dependencies @sut.set name: 'PI:NAME:<NAME>END_PI' it 'should leave online alone', -> expect(@sut.attributes.online).to.not.exist describe '->storeToken', -> describe 'when a device exists', -> beforeEach (done) -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979' @devices.insert uuid: @uuid, done beforeEach -> @sut = new Device uuid: @uuid, @dependencies describe 'when called with token mystery-token', -> beforeEach (done) -> @sut.storeToken {token: 'mPI:PASSWORD:<PASSWORD>END_PI-token'}, (error) => return done error if error @sut.fetch (error, attributes) => @updatedDevice = attributes @token = @updatedDevice.meshblu?.tokens?[@hashedToken] done(error) it 'should hash the token and add it to the attributes', -> expect(@updatedDevice.meshblu?.tokens).to.include.keys @hashedToken it 'should add a timestamp to the token', -> expect(@token.createdAt?.getTime()).to.be.closeTo Date.now(), 1000 it 'should store the token in the database', (done) -> @devices.findOne uuid: @uuid, (error, device) => return done error if error? token = @updatedDevice.meshblu?.tokens?[@hashedToken] expect(token).to.exist done() describe 'when called with token mystery-token and a tag', -> beforeEach (done) -> @sut.storeToken {token: 'mPI:PASSWORD:<PASSWORD>END_PI-token', tag: 'mystery'}, (error) => return done error if error @sut.fetch (error, attributes) => @updatedDevice = attributes @token = @updatedDevice.meshblu?.tokens?[@hashedToken] done(error) it 'should hash the token and add it to the attributes', -> expect(@updatedDevice.meshblu?.tokens).to.include.keys @hashedToken it 'should add a timestamp to the token', -> expect(@token.createdAt?.getTime()).to.be.closeTo Date.now(), 1000 it 'should add a tag to the token', -> expect(@token.tag).to.equal 'mystery' it 'should store the token in the database', (done) -> @devices.findOne uuid: @uuid, (error, device) => return done error if error? token = @updatedDevice.meshblu?.tokens?[@hashedToken] expect(token).to.exist done() describe '->generateAndStoreTokenInCache', -> describe 'when called and it yields a token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.generateToken = sinon.stub().returns 'PI:PASSWORD:<PASSWORD>END_PI' @sut._hashToken = sinon.stub().yields null, 'this-is-totally-a-secret' @sut._storeTokenInCache = sinon.stub().yields null @sut.generateAndStoreTokenInCache (@error, @token) => done() it 'should call _storeTokenInCache', -> expect(@sut._storeTokenInCache).to.have.been.calledWith 'this-is-totally-a-secret' it 'should have a token', -> expect(@token).to.deep.equal 'PI:PASSWORD:<PASSWORD>END_PI' describe 'when called and it yields a different token', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.generateToken = sinon.stub().returns 'PI:PASSWORD:<PASSWORD>END_PI' @sut._hashToken = sinon.stub().yields null, 'this-is-totally-a-different-secret' @sut._storeTokenInCache = sinon.stub().yields null @sut.generateAndStoreTokenInCache (@error, @token) => done() it 'should call _storeTokenInCache', -> expect(@sut._storeTokenInCache).to.have.been.calledWith 'this-is-totally-a-different-secret' it 'should have a token', -> expect(@token).to.deep.equal 'PI:PASSWORD:<PASSWORD>END_PI' describe '->revokeToken', -> beforeEach (done) -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979' @devices.insert uuid: @uuid, meshblu: tokens: 'PI:KEY:<KEY>END_PI': {} , done describe 'when a token already exists', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.revokeToken 'mystery-token', done it 'should remove the token from the device', (done) -> @devices.findOne uuid: @uuid, (error, device) => return done error if error? expect(device.meshblu?.tokens).not.to.include.keys @hashedToken done() describe '->verifyToken', -> beforeEach -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979'; describe 'when using the og token', -> beforeEach (done) -> @token = 'PI:PASSWORD:<PASSWORD>END_PI' @devices.insert uuid: @uuid, => @device = new Device {uuid: @uuid, token: @token}, @dependencies @device.save done beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut._isTokenInBlacklist = sinon.stub().yields null, false @sut._verifyTokenInCache = sinon.stub().yields null, false @sut.verifyToken 'mPI:PASSWORD:<PASSWORD>END_PI', (error, @verified) => done() it 'should be verified', -> expect(@verified).to.be.true describe 'when using a new token', -> beforeEach (done) -> @devices.insert uuid: @uuid, meshblu: tokens: 'PI:KEY:<KEY>END_PIQ6uE6diz23ZXHyXUE2u/zJ9rvGE5A=': {} , done beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut._isTokenInBlacklist = sinon.stub().yields null, false @sut._verifyTokenInCache = sinon.stub().yields null, false @sut.verifyToken 'mPI:PASSWORD:<PASSWORD>END_PI-token', (error, @verified) => done() it 'should be verified', -> expect(@verified).to.be.true describe '->verifySessionToken', -> beforeEach (done) -> @uuid = '50805aa3-a88b-4a67-836b-4752e318c979' @devices.insert uuid: @uuid, meshblu: tokens: 'PI:KEY:<KEY>END_PI': {} , done describe 'when a token is valid', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.verifySessionToken 'mystery-token', (error, @verified) => done() it 'should be verified', -> expect(@verified).to.be.true describe 'when a token is invalid', -> beforeEach (done) -> @sut = new Device uuid: @uuid, @dependencies @sut.verifySessionToken 'PI:PASSWORD:<PASSWORD>END_PI', (error, @verified) => done() it 'should not be verified', -> expect(@verified).to.be.false describe '->update', -> describe 'when a device is saved', -> beforeEach (done) -> @devices.insert {uuid: 'my-device'}, done beforeEach (done) -> @getGeo = sinon.stub().yields null, {city: 'phoenix'} @dependencies.getGeo = @getGeo @sut = new Device(uuid: 'my-device', @dependencies) @sut.set name: 'VW bug', online: true, ipAddress: '192.168.1.1', pigeonCount: 3 @sut.save done describe 'when called a normal update query', -> beforeEach (done) -> @sut.update uuid: 'my-device', name: 'PI:NAME:<NAME>END_PI', done it 'should update the record', (done) -> @devices.findOne uuid: 'my-device', (error, device) => return done error if error? expect(device.name).to.equal 'PI:NAME:<NAME>END_PI' done() describe 'when called with an increment operator', -> beforeEach (done) -> @sut.update $inc: {pigeonCount: 1}, done it 'should increment the pigeon count', (done) -> @devices.findOne uuid: 'my-device', (error, device) => return done error if error? expect(device.pigeonCount).to.equal 4 done() describe '-> _clearTokenCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._clearTokenCache (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._clearTokenCache (@error, @result) => done() @redis.del.yield null, 1 it 'should return the result of del', -> expect(@result).to.equal 1 it 'should call redis.del', -> expect(@redis.del).to.have.been.calledWith 'tokens:a-uuid' describe '-> _storeTokenInCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeTokenInCache 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeTokenInCache 'foo', (@error) => done() @redis.set.yield null, 'OK' it 'should call redis.set', -> expect(@redis.set).to.have.been.calledWith 'meshblu-token-cache:a-uuid:foo', '' describe '-> removeTokenFromCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut.removeTokenFromCache 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._hashToken = sinon.stub().yields null, 'hashed-foo' @sut.removeTokenFromCache 'foo', (@error, @result) => done() @redis.del.yield null it 'should call redis.srem', -> expect(@redis.del).to.have.been.calledWith 'meshblu-token-cache:a-uuid:hashed-foo' describe '-> _storeInvalidTokenInBlacklist', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeInvalidTokenInBlacklist 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._storeInvalidTokenInBlacklist 'foo', (@error, @result) => done() @redis.set.yield null it 'should call redis.set', -> expect(@redis.set).to.have.been.calledWith 'meshblu-token-black-list:a-uuid:foo' describe '-> _verifyTokenInCache', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._verifyTokenInCache 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> describe 'when the member is available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._verifyTokenInCache 'foo', (@error, @result) => done() @redis.exists.yield null, 1 it 'should return the result of exists', -> expect(@result).to.equal 1 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-cache:a-uuid:DnN1cXdfiInpeLs9VjOXM+C/1ow2nGv46TGrevRN3a0=' describe 'when the member is not available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._verifyTokenInCache 'foo', (@error, @result) => done @error @redis.exists.yield null, 0 it 'should return the result of exists', -> expect(@result).to.equal 0 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-cache:a-uuid:DnN1cXdfiInpeLs9VjOXM+C/1ow2nGv46TGrevRN3a0=' describe '-> _isTokenInBlacklist', -> describe 'when redis client is not available', -> beforeEach -> @dependencies.redis = {} @sut = new Device uuid: 'a-uuid', @dependencies @sut._isTokenInBlacklist 'foo', (@error, @result) => it 'should return false', -> expect(@result).to.be.false describe 'when redis client is available', -> describe 'when the member is available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._isTokenInBlacklist 'foo', (@error, @result) => done() @redis.exists.yield null, 1 it 'should return the result of exists', -> expect(@result).to.equal 1 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-black-list:a-uuid:foo' describe 'when the member is not available in the set', -> beforeEach (done) -> @sut = new Device uuid: 'a-uuid', @dependencies @sut._isTokenInBlacklist 'foo', (@error, @result) => done() @redis.exists.yield null, 0 it 'should return the result of exists', -> expect(@result).to.equal 0 it 'should call redis.exists', -> expect(@redis.exists).to.have.been.calledWith 'meshblu-token-black-list:a-uuid:foo' describe '-> resetToken', -> beforeEach -> @sut = new Device uuid: 'a-uuid', @dependencies sinon.stub(@sut, 'save') describe 'when it works', -> beforeEach -> @sut.resetToken (@error, @token) => @sut.save.yield null it 'should not have an error', -> expect(@error).not.to.exist it 'should have a token', -> expect(@token).to.exist it 'should call set the token attribute', -> expect(@sut.attributes.token).to.exist describe 'when it does not work', -> beforeEach -> @sut.resetToken (@error, @token) => @sut.save.yield new Error 'something wrong' it 'should have an error', -> expect(@error).to.exist it 'should not have a token', -> expect(@token).not.to.exist describe '->validate', -> describe 'when created with a different uuid', -> beforeEach (done) -> @sut = new Device uuid: 'f853214e-69b9-4ca7-a11e-7ee7b1f8f5be', @dependencies @sut.set uuid: 'different-uuid' @sut.validate (@error, @result) => done() it 'should yield false', -> expect(@result).to.be.false it 'should have an error', -> expect(@error).to.exist expect(@error.message).to.equal 'Cannot modify uuid' describe 'when updated with the same uuid', -> beforeEach (done) -> @uuid = '758a080b-fd29-4413-8339-53cc5de3a649' @sut = new Device uuid: @uuid, @dependencies @sut.set uuid: @uuid @sut.validate (@error, @result) => done() it 'should yield true', -> expect(@result).to.be.true it 'should not yield an error', -> expect(@error).to.not.exist
[ { "context": "v0.1.0\n\n\tMufasa.js é um framework desenvolvido por Jaykon Willian de Oliveira\n\n\tCopyright (C) 2015-2018 by Jaykon Willian de Ol", "end": 92, "score": 0.9998980760574341, "start": 66, "tag": "NAME", "value": "Jaykon Willian de Oliveira" }, { "context": "n Willian de Oliveira\n\n\tCopyright (C) 2015-2018 by Jaykon Willian de Oliveira\n\n\tPermission is hereby granted, free of charge, t", "end": 148, "score": 0.9998981356620789, "start": 122, "tag": "NAME", "value": "Jaykon Willian de Oliveira" } ]
app/assets/js/microframe/Credits.coffee
jaykon-w/mufasa.js
6
### Mufasa.js v0.1.0 Mufasa.js é um framework desenvolvido por Jaykon Willian de Oliveira Copyright (C) 2015-2018 by Jaykon Willian de Oliveira Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. @license ###
177495
### Mufasa.js v0.1.0 Mufasa.js é um framework desenvolvido por <NAME> Copyright (C) 2015-2018 by <NAME> Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. @license ###
true
### Mufasa.js v0.1.0 Mufasa.js é um framework desenvolvido por PI:NAME:<NAME>END_PI Copyright (C) 2015-2018 by PI:NAME:<NAME>END_PI Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. @license ###
[ { "context": "R or 'root'\nT_DB_PASS = process.env.T_DB_PASS or '1tism0db'\nT_DB_NAME = process.env.T_DB_NAME or 'Teresa'\n\nc", "end": 195, "score": 0.998287558555603, "start": 187, "tag": "PASSWORD", "value": "1tism0db" } ]
src/db.coffee
evanhuang8/teresa
0
path = require 'path' sequelize = require 'sequelize' T_DB_HOST = process.env.T_DB_HOST or 'localhost' T_DB_USER = process.env.T_DB_USER or 'root' T_DB_PASS = process.env.T_DB_PASS or '1tism0db' T_DB_NAME = process.env.T_DB_NAME or 'Teresa' client = new sequelize T_DB_NAME, T_DB_USER, T_DB_PASS, host: T_DB_HOST logging: false dialect: 'mysql' timezone: '+00:00' importTable = (name) -> return client.import path.join __dirname, "/models/#{name}" models = Client: importTable 'client' Checkup: importTable 'checkup' Community: importTable 'community' Organization: importTable 'organization' User: importTable 'user' Referral: importTable 'referral' Service: importTable 'service' Intent: importTable 'intent' # Association for name, model of models if model.options.hasOwnProperty 'associate' model.options.associate models if model.options.hasOwnProperty 'overrideScopes' model.options.overrideScopes models module.exports.client = client module.exports.model = (name) -> return client.model name
156777
path = require 'path' sequelize = require 'sequelize' T_DB_HOST = process.env.T_DB_HOST or 'localhost' T_DB_USER = process.env.T_DB_USER or 'root' T_DB_PASS = process.env.T_DB_PASS or '<PASSWORD>' T_DB_NAME = process.env.T_DB_NAME or 'Teresa' client = new sequelize T_DB_NAME, T_DB_USER, T_DB_PASS, host: T_DB_HOST logging: false dialect: 'mysql' timezone: '+00:00' importTable = (name) -> return client.import path.join __dirname, "/models/#{name}" models = Client: importTable 'client' Checkup: importTable 'checkup' Community: importTable 'community' Organization: importTable 'organization' User: importTable 'user' Referral: importTable 'referral' Service: importTable 'service' Intent: importTable 'intent' # Association for name, model of models if model.options.hasOwnProperty 'associate' model.options.associate models if model.options.hasOwnProperty 'overrideScopes' model.options.overrideScopes models module.exports.client = client module.exports.model = (name) -> return client.model name
true
path = require 'path' sequelize = require 'sequelize' T_DB_HOST = process.env.T_DB_HOST or 'localhost' T_DB_USER = process.env.T_DB_USER or 'root' T_DB_PASS = process.env.T_DB_PASS or 'PI:PASSWORD:<PASSWORD>END_PI' T_DB_NAME = process.env.T_DB_NAME or 'Teresa' client = new sequelize T_DB_NAME, T_DB_USER, T_DB_PASS, host: T_DB_HOST logging: false dialect: 'mysql' timezone: '+00:00' importTable = (name) -> return client.import path.join __dirname, "/models/#{name}" models = Client: importTable 'client' Checkup: importTable 'checkup' Community: importTable 'community' Organization: importTable 'organization' User: importTable 'user' Referral: importTable 'referral' Service: importTable 'service' Intent: importTable 'intent' # Association for name, model of models if model.options.hasOwnProperty 'associate' model.options.associate models if model.options.hasOwnProperty 'overrideScopes' model.options.overrideScopes models module.exports.client = client module.exports.model = (name) -> return client.model name
[ { "context": "\n #\n # {\n # name: \"Jack\",\n # friends: [\n # {n", "end": 2878, "score": 0.9997970461845398, "start": 2874, "tag": "NAME", "value": "Jack" }, { "context": " # friends: [\n # {name: \"Matt\"},\n # {name: \"Carol\"}\n # ", "end": 2938, "score": 0.9994027614593506, "start": 2934, "tag": "NAME", "value": "Matt" }, { "context": " {name: \"Matt\"},\n # {name: \"Carol\"}\n # ]\n # }\n #\n ", "end": 2973, "score": 0.9995786547660828, "start": 2968, "tag": "NAME", "value": "Carol" }, { "context": "iv id=\"person\">\n # <div class=\"name\">Jack</div>\n # <div class=\"friends\">\n ", "end": 3546, "score": 0.9997177124023438, "start": 3542, "tag": "NAME", "value": "Jack" }, { "context": "ss=\"friends\">\n # <div class=\"name\">Jack</div>\n # <div class=\"name\">Jack</d", "end": 3631, "score": 0.9997630715370178, "start": 3627, "tag": "NAME", "value": "Jack" }, { "context": "e\">Jack</div>\n # <div class=\"name\">Jack</div>\n # </div>\n # </div>", "end": 3678, "score": 0.9997604489326477, "start": 3674, "tag": "NAME", "value": "Jack" } ]
src/instance.coffee
Tol1/transparency
405
_ = require '../lib/lodash.js' {chainable} = helpers = require './helpers' # Template **Instance** is created for each model we are about to render. # `instance` object keeps track of template DOM nodes and elements. # It memoizes the matching elements to `queryCache` in order to speed up the rendering. module.exports = class Instance constructor: (template, @Transparency) -> @queryCache = {} @childNodes = _.toArray template.childNodes @elements = helpers.getElements template remove: chainable -> for node in @childNodes node.parentNode.removeChild node appendTo: chainable (parent) -> for node in @childNodes parent.appendChild node prepare: chainable (model) -> for element in @elements element.reset() # A bit of offtopic, but let's think about writing event handlers. # It would be convenient to have an access to the associated `model` # when the user clicks a todo element without setting `data-id` attributes or other # identifiers manually. So be it. # # $('#todos').on('click', '.todo', function(e) { # console.log(e.target.transparency.model); # }); # helpers.data(element.el).model = model # Rendering values takes care of the most common use cases like # rendering text content, form values and DOM elements (.e.g., Backbone Views). # Rendering as a text content is a safe default, as it is HTML escaped # by the browsers. renderValues: chainable (model, children) -> if _.isElement(model) and element = @elements[0] element.empty().el.appendChild model else if typeof model == 'object' for own key, value of model when value? if _.isString(value) or _.isNumber(value) or _.isBoolean(value) or _.isDate(value) for element in @matchingElements key # Element type also affects on rendering. Given a model # # {todo: 'Do some OSS', type: 2} # # `div` element should have `textContent` set, # `input` element should have `value` attribute set and # with `select` element, the matching `option` element should set to `selected="selected"`. # # <div id="template"> # <div class="todo">Do some OSS</todo> # <input name="todo" value="Do some OSS" /> # <select name="type"> # <option value="1">Work</option> # <option value="2" selected="selected">Hobby</option> # </select> # </div> # element.render value # Rendering nested models breadth-first is more robust, as there might be colliding keys, # i.e., given a model # # { # name: "Jack", # friends: [ # {name: "Matt"}, # {name: "Carol"} # ] # } # # and a template # # <div id="person"> # <div class="name"></div> # <div class="friends"> # <div class="name"></div> # </div> # </div> # # the depth-first rendering might give us wrong results, if the children are rendered # before the `name` field on the parent model (child template values are overwritten by the parent). # # <div id="person"> # <div class="name">Jack</div> # <div class="friends"> # <div class="name">Jack</div> # <div class="name">Jack</div> # </div> # </div> # # Save the key of the child model and take care of it once # we're done with the parent model. else if typeof value == 'object' children.push key # With `directives`, user can give explicit rules for rendering and set # attributes, which would be potentially unsafe by default (e.g., unescaped HTML content or `src` attribute). # Given a template # # <div class="template"> # <div class="escaped"></div> # <div class="unescaped"></div> # <img class="trusted" src="#" /> # </div> # # and a model and directives # # model = { # content: "<script>alert('Injected')</script>" # url: "http://trusted.com/funny.gif" # }; # # directives = { # escaped: { text: { function() { return this.content } } }, # unescaped: { html: { function() { return this.content } } }, # trusted: { url: { function() { return this.url } } } # } # # $('#template').render(model, directives); # # should give the result # # <div class="template"> # <div class="escaped">&lt;script&gt;alert('Injected')&lt;/script&gt;</div> # <div class="unescaped"><script>alert('Injected')</script></div> # <img class="trusted" src="http://trusted.com/funny.gif" /> # </div> # # Directives are executed after the default rendering, so that they can be used for overriding default rendering. renderDirectives: chainable (model, index, directives) -> for own key, attributes of directives when typeof attributes == 'object' model = {value: model} unless typeof model == 'object' for element in @matchingElements key element.renderDirectives model, index, attributes renderChildren: chainable (model, children, directives, options) -> for key in children for element in @matchingElements key @Transparency.render element.el, model[key], directives[key], options matchingElements: (key) -> elements = @queryCache[key] ||= (el for el in @elements when @Transparency.matcher el, key) helpers.log "Matching elements for '#{key}':", elements elements
18302
_ = require '../lib/lodash.js' {chainable} = helpers = require './helpers' # Template **Instance** is created for each model we are about to render. # `instance` object keeps track of template DOM nodes and elements. # It memoizes the matching elements to `queryCache` in order to speed up the rendering. module.exports = class Instance constructor: (template, @Transparency) -> @queryCache = {} @childNodes = _.toArray template.childNodes @elements = helpers.getElements template remove: chainable -> for node in @childNodes node.parentNode.removeChild node appendTo: chainable (parent) -> for node in @childNodes parent.appendChild node prepare: chainable (model) -> for element in @elements element.reset() # A bit of offtopic, but let's think about writing event handlers. # It would be convenient to have an access to the associated `model` # when the user clicks a todo element without setting `data-id` attributes or other # identifiers manually. So be it. # # $('#todos').on('click', '.todo', function(e) { # console.log(e.target.transparency.model); # }); # helpers.data(element.el).model = model # Rendering values takes care of the most common use cases like # rendering text content, form values and DOM elements (.e.g., Backbone Views). # Rendering as a text content is a safe default, as it is HTML escaped # by the browsers. renderValues: chainable (model, children) -> if _.isElement(model) and element = @elements[0] element.empty().el.appendChild model else if typeof model == 'object' for own key, value of model when value? if _.isString(value) or _.isNumber(value) or _.isBoolean(value) or _.isDate(value) for element in @matchingElements key # Element type also affects on rendering. Given a model # # {todo: 'Do some OSS', type: 2} # # `div` element should have `textContent` set, # `input` element should have `value` attribute set and # with `select` element, the matching `option` element should set to `selected="selected"`. # # <div id="template"> # <div class="todo">Do some OSS</todo> # <input name="todo" value="Do some OSS" /> # <select name="type"> # <option value="1">Work</option> # <option value="2" selected="selected">Hobby</option> # </select> # </div> # element.render value # Rendering nested models breadth-first is more robust, as there might be colliding keys, # i.e., given a model # # { # name: "<NAME>", # friends: [ # {name: "<NAME>"}, # {name: "<NAME>"} # ] # } # # and a template # # <div id="person"> # <div class="name"></div> # <div class="friends"> # <div class="name"></div> # </div> # </div> # # the depth-first rendering might give us wrong results, if the children are rendered # before the `name` field on the parent model (child template values are overwritten by the parent). # # <div id="person"> # <div class="name"><NAME></div> # <div class="friends"> # <div class="name"><NAME></div> # <div class="name"><NAME></div> # </div> # </div> # # Save the key of the child model and take care of it once # we're done with the parent model. else if typeof value == 'object' children.push key # With `directives`, user can give explicit rules for rendering and set # attributes, which would be potentially unsafe by default (e.g., unescaped HTML content or `src` attribute). # Given a template # # <div class="template"> # <div class="escaped"></div> # <div class="unescaped"></div> # <img class="trusted" src="#" /> # </div> # # and a model and directives # # model = { # content: "<script>alert('Injected')</script>" # url: "http://trusted.com/funny.gif" # }; # # directives = { # escaped: { text: { function() { return this.content } } }, # unescaped: { html: { function() { return this.content } } }, # trusted: { url: { function() { return this.url } } } # } # # $('#template').render(model, directives); # # should give the result # # <div class="template"> # <div class="escaped">&lt;script&gt;alert('Injected')&lt;/script&gt;</div> # <div class="unescaped"><script>alert('Injected')</script></div> # <img class="trusted" src="http://trusted.com/funny.gif" /> # </div> # # Directives are executed after the default rendering, so that they can be used for overriding default rendering. renderDirectives: chainable (model, index, directives) -> for own key, attributes of directives when typeof attributes == 'object' model = {value: model} unless typeof model == 'object' for element in @matchingElements key element.renderDirectives model, index, attributes renderChildren: chainable (model, children, directives, options) -> for key in children for element in @matchingElements key @Transparency.render element.el, model[key], directives[key], options matchingElements: (key) -> elements = @queryCache[key] ||= (el for el in @elements when @Transparency.matcher el, key) helpers.log "Matching elements for '#{key}':", elements elements
true
_ = require '../lib/lodash.js' {chainable} = helpers = require './helpers' # Template **Instance** is created for each model we are about to render. # `instance` object keeps track of template DOM nodes and elements. # It memoizes the matching elements to `queryCache` in order to speed up the rendering. module.exports = class Instance constructor: (template, @Transparency) -> @queryCache = {} @childNodes = _.toArray template.childNodes @elements = helpers.getElements template remove: chainable -> for node in @childNodes node.parentNode.removeChild node appendTo: chainable (parent) -> for node in @childNodes parent.appendChild node prepare: chainable (model) -> for element in @elements element.reset() # A bit of offtopic, but let's think about writing event handlers. # It would be convenient to have an access to the associated `model` # when the user clicks a todo element without setting `data-id` attributes or other # identifiers manually. So be it. # # $('#todos').on('click', '.todo', function(e) { # console.log(e.target.transparency.model); # }); # helpers.data(element.el).model = model # Rendering values takes care of the most common use cases like # rendering text content, form values and DOM elements (.e.g., Backbone Views). # Rendering as a text content is a safe default, as it is HTML escaped # by the browsers. renderValues: chainable (model, children) -> if _.isElement(model) and element = @elements[0] element.empty().el.appendChild model else if typeof model == 'object' for own key, value of model when value? if _.isString(value) or _.isNumber(value) or _.isBoolean(value) or _.isDate(value) for element in @matchingElements key # Element type also affects on rendering. Given a model # # {todo: 'Do some OSS', type: 2} # # `div` element should have `textContent` set, # `input` element should have `value` attribute set and # with `select` element, the matching `option` element should set to `selected="selected"`. # # <div id="template"> # <div class="todo">Do some OSS</todo> # <input name="todo" value="Do some OSS" /> # <select name="type"> # <option value="1">Work</option> # <option value="2" selected="selected">Hobby</option> # </select> # </div> # element.render value # Rendering nested models breadth-first is more robust, as there might be colliding keys, # i.e., given a model # # { # name: "PI:NAME:<NAME>END_PI", # friends: [ # {name: "PI:NAME:<NAME>END_PI"}, # {name: "PI:NAME:<NAME>END_PI"} # ] # } # # and a template # # <div id="person"> # <div class="name"></div> # <div class="friends"> # <div class="name"></div> # </div> # </div> # # the depth-first rendering might give us wrong results, if the children are rendered # before the `name` field on the parent model (child template values are overwritten by the parent). # # <div id="person"> # <div class="name">PI:NAME:<NAME>END_PI</div> # <div class="friends"> # <div class="name">PI:NAME:<NAME>END_PI</div> # <div class="name">PI:NAME:<NAME>END_PI</div> # </div> # </div> # # Save the key of the child model and take care of it once # we're done with the parent model. else if typeof value == 'object' children.push key # With `directives`, user can give explicit rules for rendering and set # attributes, which would be potentially unsafe by default (e.g., unescaped HTML content or `src` attribute). # Given a template # # <div class="template"> # <div class="escaped"></div> # <div class="unescaped"></div> # <img class="trusted" src="#" /> # </div> # # and a model and directives # # model = { # content: "<script>alert('Injected')</script>" # url: "http://trusted.com/funny.gif" # }; # # directives = { # escaped: { text: { function() { return this.content } } }, # unescaped: { html: { function() { return this.content } } }, # trusted: { url: { function() { return this.url } } } # } # # $('#template').render(model, directives); # # should give the result # # <div class="template"> # <div class="escaped">&lt;script&gt;alert('Injected')&lt;/script&gt;</div> # <div class="unescaped"><script>alert('Injected')</script></div> # <img class="trusted" src="http://trusted.com/funny.gif" /> # </div> # # Directives are executed after the default rendering, so that they can be used for overriding default rendering. renderDirectives: chainable (model, index, directives) -> for own key, attributes of directives when typeof attributes == 'object' model = {value: model} unless typeof model == 'object' for element in @matchingElements key element.renderDirectives model, index, attributes renderChildren: chainable (model, children, directives, options) -> for key in children for element in @matchingElements key @Transparency.render element.el, model[key], directives[key], options matchingElements: (key) -> elements = @queryCache[key] ||= (el for el in @elements when @Transparency.matcher el, key) helpers.log "Matching elements for '#{key}':", elements elements
[ { "context": " word:\n data: [\n {word: \"hello\", x: 1, y: 4},\n {word: \"goodbye\", x: 2", "end": 4502, "score": 0.9853086471557617, "start": 4497, "tag": "NAME", "value": "hello" }, { "context": " {word: \"hello\", x: 1, y: 4},\n {word: \"goodbye\", x: 2, y: 5},\n {word: \"yahoo\", x: 3, ", "end": 4545, "score": 0.9810193777084351, "start": 4538, "tag": "NAME", "value": "goodbye" }, { "context": "word: \"goodbye\", x: 2, y: 5},\n {word: \"yahoo\", x: 3, y: 6}\n ]\n\n sampler:\n ", "end": 4586, "score": 0.96314537525177, "start": 4581, "tag": "NAME", "value": "yahoo" }, { "context": " nodes =\n word:\n data: [\n {word: \"hello\", x: 1, y: 4},\n {word: \"goodbye\", x: 2, y:", "end": 6754, "score": 0.7185320854187012, "start": 6749, "tag": "NAME", "value": "hello" }, { "context": " {word: \"hello\", x: 1, y: 4},\n {word: \"goodbye\", x: 2, y: 5},\n {word: \"yahoo\", x: 3, y: 6", "end": 6793, "score": 0.831169605255127, "start": 6786, "tag": "NAME", "value": "goodbye" } ]
test/PsyCloud.test.coffee
bbuchsbaum/psycloud
0
_ = Psy._ match = Psy.match module("DataTable") test 'can create a DataTable from a single record, and it has one row', -> record = {a:1, b: 2, c: 3} dt =new Psy.DataTable.fromRecords([record]) equal(dt.nrow(), 1) test 'can create a DataTable from a two records, and it has two rows', -> records = [{a:1, b: 2, c: 3},{a:1, b: 2, c: 3}] dt =new Psy.DataTable.fromRecords(records) equal(dt.nrow(), 2) test 'can create a DataTable from a two records, with partially overlapping keys', -> records = [{a:1, b: 2, c: 3},{b: 2, c: 3, x:7}] dt = new Psy.DataTable.fromRecords(records) equal(dt.ncol(), 4) equal(dt.nrow(), 2) test 'can concatenate two DataTables with different column names with rbind, union=true', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = new Psy.DataTable({a: [1,2,3], d:[5,6,7]}) dt3 = Psy.DataTable.rbind(dt1,dt2,true) equal(3, dt3.ncol()) equal(6, dt3.nrow()) test 'can drop a column from a DataTable', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = dt1.dropColumn("a") equal(dt2.ncol(), 1) test 'can shuffle a DataTable', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = dt1.shuffle() equal(dt1.nrow(), dt2.nrow()) test 'DataTable replicate 1 yields cloned copy', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = dt1.replicate(1) deepEqual(dt1, dt2) test 'Can create an empty DataTable and add rows', -> dt = new Psy.DataTable() dt.bindrow({x:1, y:2}) dt.bindrow({x:2, y:3}) console.log("data table", dt) module("Sampler") test 'Can sample from a basic non-replacing sampler', -> sampler = new Psy.Sampler([0..10]) ok(true, sampler.next()) test 'Can sample repeatedly from a basic non-replacing sampler', -> sampler = new Psy.Sampler([0..10]) out = "" for i in [0..30] out = out + sampler.next() + " " ok(true, out) test 'Can take N elements from a non-replacing sampler', -> sampler = new Psy.Sampler([0..10]) out = sampler.take(8) out = out.concat(sampler.take(8)) equal(out.length, 16) ok(true, out) module("FactorNode") test 'Can create a FactorNode from an object literal', -> fnode = fac: levels: [1,2,3,4,5] fac = new Psy.FactorNode.build("fac", fnode.fac) equal(fac.name, "fac") equal(fac.levels.toString(), [1,2,3,4,5].toString(), fac.levels) module("FactorSetNode") test 'can create a FactorSetNode from an object literal', -> fset = FactorSet: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] fnode = Psy.FactorSetNode.build(fset["FactorSet"]) equal(fnode.factorNames.toString(), ["wordtype", "repnum", "lag"].toString(), fnode.factorNames.toString()) equal(fnode.varmap["wordtype"].levels.toString(), ["word", "pseudo"].toString(), fnode.varmap["wordtype"].levels.toString()) #equal(fnode.cellTable.table.nrow(), 2*6*6) module("ConditionSet") test 'can build a ConditionSet from object literal', -> cset = Crossed: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] Uncrossed: novel: levels: ["a", "b", "c"] color: levels: ["red", "green", "blue"] xs = Psy.ConditionSet.build(cset) deepEqual(["wordtype", "repnum", "lag", "novel", "color"], xs.factorNames) deepEqual(["wordtype", "repnum", "lag", "novel", "color"], _.keys(xs.factorSet)) test 'can build a ConditionSet from object literal with choose function', -> cset = Crossed: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] Uncrossed: novel: levels: ["a", "b", "c"] choose: (trial) -> match trial.lag, Psy.inSet(1,2), "a", Psy.inSet(4,8), "b", Psy.inSet(16,32), "c" color: levels: ["red", "green", "blue"] choose: (trial) -> "red" xs = Psy.ConditionSet.build(cset) ex = xs.expand(5,5) console.log("expanded", ex) expect(0) module("Task") test 'can build a task with one set of crossed variables', -> task = Task: name: "task1" Conditions: Crossed: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] Items: word: data: [ {word: "hello", x: 1, y: 4}, {word: "goodbye", x: 2, y: 5}, {word: "yahoo", x: 3, y: 6} ] sampler: type: "replacement" color: data: [ {color: "red", x: 10}, {color: "green", x: 20}, {color: "blue", x: 30} ] sampler: type: "replacement" expect(0) module("TrialList") test 'can build a TrialList', -> tlist = new Psy.TrialList(6) tlist.add(0,{wordtype: "word", lag: 1, repnum: 1}) tlist.add(0,{wordtype: "pseudo", lag: 2, repnum: 2}) tlist.add(0,{wordtype: "word", lag: 4, repnum: 3}) tlist.add(1,{wordtype: "word", lag: 2, repnum: 3}) tlist.add(5,{wordtype: "word", lag: 2, repnum: 3}) equal(tlist.ntrials(), 5) test 'can bind a new variable to a TrialList', -> tlist = new Psy.TrialList(6) tlist.add(0,{wordtype: "word", lag: 1, repnum: 1}) tlist.add(0,{wordtype: "pseudo", lag: 2, repnum: 2}) tlist.add(0,{wordtype: "word", lag: 4, repnum: 3}) tlist.add(1,{wordtype: "word", lag: 2, repnum: 3}) tlist.add(5,{wordtype: "word", lag: 2, repnum: 3}) tlist = tlist.bind( (record) -> number: 1 ) equal(tlist.nblocks(), 6) for i in [0...tlist.nblocks()] blk = tlist.getBlock(i) for trial in blk equal(trial.number, 1) module("ItemNode") test 'can build an ItemNode from object literal', -> inode = data: [ {item: "a", x: 1, y: 4}, {item: "b", x: 2, y: 5}, {item: "c", x: 3, y: 6} ] type: "text" node = Psy.ItemNode.build("item", inode) equal(node.name, "item") equal(node.attributes.x.toString(), [1,2,3].toString(), node.attributes.x.toString()) equal(node.attributes.y.toString(), [4,5,6].toString(), node.attributes.x.toString()) module("ItemNode") test 'can build an ItemNode from a csv file', -> inode = csv: url: '../data/test.csv' type: "text" node = Psy.ItemNode.build("num", inode) equal(node.name, "num") items = node.sample(2) equal(items.length, 2) deepEqual(node.attributes.color, ["red", "green"], node.attributes.color.toString()) module("ItemSetNode") test 'can build an ItemSetNode from a set of object literals', -> nodes = word: data: [ {word: "hello", x: 1, y: 4}, {word: "goodbye", x: 2, y: 5}, {word: "yahoo", x: 3, y: 6} ] sampler: type: "replacement" color: data: [ {color: "red", x: 10}, {color: "green", x: 20}, {color: "blue", x: 30} ] sampler: type: "replacement" iset = Psy.ItemSetNode.build(nodes) console.log("item set sample 50", Psy.DataTable.fromRecords(iset.sample(50))) deepEqual(["word", "color"], iset.names) module("AbsoluteLayout") test 'AbsoluteLayout correcty converts percentage to fraction', -> layout = new Psy.AbsoluteLayout() xy = layout.computePosition([1000,1000], ["10%", "90%"]) equal(xy[0], 1000 * 0.10, "10% of 1000 is " + xy[0]) equal(xy[1], 1000 * 0.90, "90% of 1000 is " + xy[1]) test 'AbsoluteLayout handles raw pixels', -> layout = new Psy.AbsoluteLayout() xy = layout.computePosition([1000, 1000], [10, 90]) equal(xy[0], 10) equal(xy[1], 90) module("Prelude") test 'Can create a Prelude Block froma spec', -> prelude = Prelude: Events: Instructions: pages: 1: MarkDown: """ Welcome to the Experiment! ========================== """ 2: Markdown: """ Awesome!!! ========================= """ context = new Psy.ExperimentContext(new Psy.MockStimFactory()) events = for key, value of prelude.Prelude.Events Psy.buildEvent(value, context) block = new Psy.Block(events) ok(block) equal(block.length(), 1, block.length()) module("Instructions") test 'Can create an Instructions element', -> prelude = Prelude: Instructions: pages: 1: MarkDown: """ Welcome to the Experiment! ========================== """ 2: Markdown: """ Awesome!!! ========================= """ #instructions = new Psy.Instructions(prelude.Prelude.Instructions componentFactory = new Psy.DefaultComponentFactory() instructions = componentFactory.makeStimulus("Instructions", prelude.Prelude.Instructions) equal(instructions.pages.length, 2) module("csv") asyncTest 'can read a csv file using ajax', 1, -> console.log("Psy.csv?", Psy.csv) $.ajax({ url: '../data/test.csv', dataType: "text", success: (data) -> ok(true, "successfully fetched csv file", Psy.csv.toObjects(data)) start() error: (x) -> console.log(x) }) module("rep") test 'Psy.rep works with a single value and single times argument', -> x = Psy.rep("", 3) deepEqual(x, ["", "", ""])
208705
_ = Psy._ match = Psy.match module("DataTable") test 'can create a DataTable from a single record, and it has one row', -> record = {a:1, b: 2, c: 3} dt =new Psy.DataTable.fromRecords([record]) equal(dt.nrow(), 1) test 'can create a DataTable from a two records, and it has two rows', -> records = [{a:1, b: 2, c: 3},{a:1, b: 2, c: 3}] dt =new Psy.DataTable.fromRecords(records) equal(dt.nrow(), 2) test 'can create a DataTable from a two records, with partially overlapping keys', -> records = [{a:1, b: 2, c: 3},{b: 2, c: 3, x:7}] dt = new Psy.DataTable.fromRecords(records) equal(dt.ncol(), 4) equal(dt.nrow(), 2) test 'can concatenate two DataTables with different column names with rbind, union=true', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = new Psy.DataTable({a: [1,2,3], d:[5,6,7]}) dt3 = Psy.DataTable.rbind(dt1,dt2,true) equal(3, dt3.ncol()) equal(6, dt3.nrow()) test 'can drop a column from a DataTable', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = dt1.dropColumn("a") equal(dt2.ncol(), 1) test 'can shuffle a DataTable', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = dt1.shuffle() equal(dt1.nrow(), dt2.nrow()) test 'DataTable replicate 1 yields cloned copy', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = dt1.replicate(1) deepEqual(dt1, dt2) test 'Can create an empty DataTable and add rows', -> dt = new Psy.DataTable() dt.bindrow({x:1, y:2}) dt.bindrow({x:2, y:3}) console.log("data table", dt) module("Sampler") test 'Can sample from a basic non-replacing sampler', -> sampler = new Psy.Sampler([0..10]) ok(true, sampler.next()) test 'Can sample repeatedly from a basic non-replacing sampler', -> sampler = new Psy.Sampler([0..10]) out = "" for i in [0..30] out = out + sampler.next() + " " ok(true, out) test 'Can take N elements from a non-replacing sampler', -> sampler = new Psy.Sampler([0..10]) out = sampler.take(8) out = out.concat(sampler.take(8)) equal(out.length, 16) ok(true, out) module("FactorNode") test 'Can create a FactorNode from an object literal', -> fnode = fac: levels: [1,2,3,4,5] fac = new Psy.FactorNode.build("fac", fnode.fac) equal(fac.name, "fac") equal(fac.levels.toString(), [1,2,3,4,5].toString(), fac.levels) module("FactorSetNode") test 'can create a FactorSetNode from an object literal', -> fset = FactorSet: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] fnode = Psy.FactorSetNode.build(fset["FactorSet"]) equal(fnode.factorNames.toString(), ["wordtype", "repnum", "lag"].toString(), fnode.factorNames.toString()) equal(fnode.varmap["wordtype"].levels.toString(), ["word", "pseudo"].toString(), fnode.varmap["wordtype"].levels.toString()) #equal(fnode.cellTable.table.nrow(), 2*6*6) module("ConditionSet") test 'can build a ConditionSet from object literal', -> cset = Crossed: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] Uncrossed: novel: levels: ["a", "b", "c"] color: levels: ["red", "green", "blue"] xs = Psy.ConditionSet.build(cset) deepEqual(["wordtype", "repnum", "lag", "novel", "color"], xs.factorNames) deepEqual(["wordtype", "repnum", "lag", "novel", "color"], _.keys(xs.factorSet)) test 'can build a ConditionSet from object literal with choose function', -> cset = Crossed: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] Uncrossed: novel: levels: ["a", "b", "c"] choose: (trial) -> match trial.lag, Psy.inSet(1,2), "a", Psy.inSet(4,8), "b", Psy.inSet(16,32), "c" color: levels: ["red", "green", "blue"] choose: (trial) -> "red" xs = Psy.ConditionSet.build(cset) ex = xs.expand(5,5) console.log("expanded", ex) expect(0) module("Task") test 'can build a task with one set of crossed variables', -> task = Task: name: "task1" Conditions: Crossed: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] Items: word: data: [ {word: "<NAME>", x: 1, y: 4}, {word: "<NAME>", x: 2, y: 5}, {word: "<NAME>", x: 3, y: 6} ] sampler: type: "replacement" color: data: [ {color: "red", x: 10}, {color: "green", x: 20}, {color: "blue", x: 30} ] sampler: type: "replacement" expect(0) module("TrialList") test 'can build a TrialList', -> tlist = new Psy.TrialList(6) tlist.add(0,{wordtype: "word", lag: 1, repnum: 1}) tlist.add(0,{wordtype: "pseudo", lag: 2, repnum: 2}) tlist.add(0,{wordtype: "word", lag: 4, repnum: 3}) tlist.add(1,{wordtype: "word", lag: 2, repnum: 3}) tlist.add(5,{wordtype: "word", lag: 2, repnum: 3}) equal(tlist.ntrials(), 5) test 'can bind a new variable to a TrialList', -> tlist = new Psy.TrialList(6) tlist.add(0,{wordtype: "word", lag: 1, repnum: 1}) tlist.add(0,{wordtype: "pseudo", lag: 2, repnum: 2}) tlist.add(0,{wordtype: "word", lag: 4, repnum: 3}) tlist.add(1,{wordtype: "word", lag: 2, repnum: 3}) tlist.add(5,{wordtype: "word", lag: 2, repnum: 3}) tlist = tlist.bind( (record) -> number: 1 ) equal(tlist.nblocks(), 6) for i in [0...tlist.nblocks()] blk = tlist.getBlock(i) for trial in blk equal(trial.number, 1) module("ItemNode") test 'can build an ItemNode from object literal', -> inode = data: [ {item: "a", x: 1, y: 4}, {item: "b", x: 2, y: 5}, {item: "c", x: 3, y: 6} ] type: "text" node = Psy.ItemNode.build("item", inode) equal(node.name, "item") equal(node.attributes.x.toString(), [1,2,3].toString(), node.attributes.x.toString()) equal(node.attributes.y.toString(), [4,5,6].toString(), node.attributes.x.toString()) module("ItemNode") test 'can build an ItemNode from a csv file', -> inode = csv: url: '../data/test.csv' type: "text" node = Psy.ItemNode.build("num", inode) equal(node.name, "num") items = node.sample(2) equal(items.length, 2) deepEqual(node.attributes.color, ["red", "green"], node.attributes.color.toString()) module("ItemSetNode") test 'can build an ItemSetNode from a set of object literals', -> nodes = word: data: [ {word: "<NAME>", x: 1, y: 4}, {word: "<NAME>", x: 2, y: 5}, {word: "yahoo", x: 3, y: 6} ] sampler: type: "replacement" color: data: [ {color: "red", x: 10}, {color: "green", x: 20}, {color: "blue", x: 30} ] sampler: type: "replacement" iset = Psy.ItemSetNode.build(nodes) console.log("item set sample 50", Psy.DataTable.fromRecords(iset.sample(50))) deepEqual(["word", "color"], iset.names) module("AbsoluteLayout") test 'AbsoluteLayout correcty converts percentage to fraction', -> layout = new Psy.AbsoluteLayout() xy = layout.computePosition([1000,1000], ["10%", "90%"]) equal(xy[0], 1000 * 0.10, "10% of 1000 is " + xy[0]) equal(xy[1], 1000 * 0.90, "90% of 1000 is " + xy[1]) test 'AbsoluteLayout handles raw pixels', -> layout = new Psy.AbsoluteLayout() xy = layout.computePosition([1000, 1000], [10, 90]) equal(xy[0], 10) equal(xy[1], 90) module("Prelude") test 'Can create a Prelude Block froma spec', -> prelude = Prelude: Events: Instructions: pages: 1: MarkDown: """ Welcome to the Experiment! ========================== """ 2: Markdown: """ Awesome!!! ========================= """ context = new Psy.ExperimentContext(new Psy.MockStimFactory()) events = for key, value of prelude.Prelude.Events Psy.buildEvent(value, context) block = new Psy.Block(events) ok(block) equal(block.length(), 1, block.length()) module("Instructions") test 'Can create an Instructions element', -> prelude = Prelude: Instructions: pages: 1: MarkDown: """ Welcome to the Experiment! ========================== """ 2: Markdown: """ Awesome!!! ========================= """ #instructions = new Psy.Instructions(prelude.Prelude.Instructions componentFactory = new Psy.DefaultComponentFactory() instructions = componentFactory.makeStimulus("Instructions", prelude.Prelude.Instructions) equal(instructions.pages.length, 2) module("csv") asyncTest 'can read a csv file using ajax', 1, -> console.log("Psy.csv?", Psy.csv) $.ajax({ url: '../data/test.csv', dataType: "text", success: (data) -> ok(true, "successfully fetched csv file", Psy.csv.toObjects(data)) start() error: (x) -> console.log(x) }) module("rep") test 'Psy.rep works with a single value and single times argument', -> x = Psy.rep("", 3) deepEqual(x, ["", "", ""])
true
_ = Psy._ match = Psy.match module("DataTable") test 'can create a DataTable from a single record, and it has one row', -> record = {a:1, b: 2, c: 3} dt =new Psy.DataTable.fromRecords([record]) equal(dt.nrow(), 1) test 'can create a DataTable from a two records, and it has two rows', -> records = [{a:1, b: 2, c: 3},{a:1, b: 2, c: 3}] dt =new Psy.DataTable.fromRecords(records) equal(dt.nrow(), 2) test 'can create a DataTable from a two records, with partially overlapping keys', -> records = [{a:1, b: 2, c: 3},{b: 2, c: 3, x:7}] dt = new Psy.DataTable.fromRecords(records) equal(dt.ncol(), 4) equal(dt.nrow(), 2) test 'can concatenate two DataTables with different column names with rbind, union=true', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = new Psy.DataTable({a: [1,2,3], d:[5,6,7]}) dt3 = Psy.DataTable.rbind(dt1,dt2,true) equal(3, dt3.ncol()) equal(6, dt3.nrow()) test 'can drop a column from a DataTable', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = dt1.dropColumn("a") equal(dt2.ncol(), 1) test 'can shuffle a DataTable', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = dt1.shuffle() equal(dt1.nrow(), dt2.nrow()) test 'DataTable replicate 1 yields cloned copy', -> dt1 = new Psy.DataTable({a: [1,2,3], b:[5,6,7]}) dt2 = dt1.replicate(1) deepEqual(dt1, dt2) test 'Can create an empty DataTable and add rows', -> dt = new Psy.DataTable() dt.bindrow({x:1, y:2}) dt.bindrow({x:2, y:3}) console.log("data table", dt) module("Sampler") test 'Can sample from a basic non-replacing sampler', -> sampler = new Psy.Sampler([0..10]) ok(true, sampler.next()) test 'Can sample repeatedly from a basic non-replacing sampler', -> sampler = new Psy.Sampler([0..10]) out = "" for i in [0..30] out = out + sampler.next() + " " ok(true, out) test 'Can take N elements from a non-replacing sampler', -> sampler = new Psy.Sampler([0..10]) out = sampler.take(8) out = out.concat(sampler.take(8)) equal(out.length, 16) ok(true, out) module("FactorNode") test 'Can create a FactorNode from an object literal', -> fnode = fac: levels: [1,2,3,4,5] fac = new Psy.FactorNode.build("fac", fnode.fac) equal(fac.name, "fac") equal(fac.levels.toString(), [1,2,3,4,5].toString(), fac.levels) module("FactorSetNode") test 'can create a FactorSetNode from an object literal', -> fset = FactorSet: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] fnode = Psy.FactorSetNode.build(fset["FactorSet"]) equal(fnode.factorNames.toString(), ["wordtype", "repnum", "lag"].toString(), fnode.factorNames.toString()) equal(fnode.varmap["wordtype"].levels.toString(), ["word", "pseudo"].toString(), fnode.varmap["wordtype"].levels.toString()) #equal(fnode.cellTable.table.nrow(), 2*6*6) module("ConditionSet") test 'can build a ConditionSet from object literal', -> cset = Crossed: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] Uncrossed: novel: levels: ["a", "b", "c"] color: levels: ["red", "green", "blue"] xs = Psy.ConditionSet.build(cset) deepEqual(["wordtype", "repnum", "lag", "novel", "color"], xs.factorNames) deepEqual(["wordtype", "repnum", "lag", "novel", "color"], _.keys(xs.factorSet)) test 'can build a ConditionSet from object literal with choose function', -> cset = Crossed: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] Uncrossed: novel: levels: ["a", "b", "c"] choose: (trial) -> match trial.lag, Psy.inSet(1,2), "a", Psy.inSet(4,8), "b", Psy.inSet(16,32), "c" color: levels: ["red", "green", "blue"] choose: (trial) -> "red" xs = Psy.ConditionSet.build(cset) ex = xs.expand(5,5) console.log("expanded", ex) expect(0) module("Task") test 'can build a task with one set of crossed variables', -> task = Task: name: "task1" Conditions: Crossed: wordtype: levels: ["word", "pseudo"] repnum: levels: [1,2,3,4,5,6] lag: levels: [1,2,4,8,16,32] Items: word: data: [ {word: "PI:NAME:<NAME>END_PI", x: 1, y: 4}, {word: "PI:NAME:<NAME>END_PI", x: 2, y: 5}, {word: "PI:NAME:<NAME>END_PI", x: 3, y: 6} ] sampler: type: "replacement" color: data: [ {color: "red", x: 10}, {color: "green", x: 20}, {color: "blue", x: 30} ] sampler: type: "replacement" expect(0) module("TrialList") test 'can build a TrialList', -> tlist = new Psy.TrialList(6) tlist.add(0,{wordtype: "word", lag: 1, repnum: 1}) tlist.add(0,{wordtype: "pseudo", lag: 2, repnum: 2}) tlist.add(0,{wordtype: "word", lag: 4, repnum: 3}) tlist.add(1,{wordtype: "word", lag: 2, repnum: 3}) tlist.add(5,{wordtype: "word", lag: 2, repnum: 3}) equal(tlist.ntrials(), 5) test 'can bind a new variable to a TrialList', -> tlist = new Psy.TrialList(6) tlist.add(0,{wordtype: "word", lag: 1, repnum: 1}) tlist.add(0,{wordtype: "pseudo", lag: 2, repnum: 2}) tlist.add(0,{wordtype: "word", lag: 4, repnum: 3}) tlist.add(1,{wordtype: "word", lag: 2, repnum: 3}) tlist.add(5,{wordtype: "word", lag: 2, repnum: 3}) tlist = tlist.bind( (record) -> number: 1 ) equal(tlist.nblocks(), 6) for i in [0...tlist.nblocks()] blk = tlist.getBlock(i) for trial in blk equal(trial.number, 1) module("ItemNode") test 'can build an ItemNode from object literal', -> inode = data: [ {item: "a", x: 1, y: 4}, {item: "b", x: 2, y: 5}, {item: "c", x: 3, y: 6} ] type: "text" node = Psy.ItemNode.build("item", inode) equal(node.name, "item") equal(node.attributes.x.toString(), [1,2,3].toString(), node.attributes.x.toString()) equal(node.attributes.y.toString(), [4,5,6].toString(), node.attributes.x.toString()) module("ItemNode") test 'can build an ItemNode from a csv file', -> inode = csv: url: '../data/test.csv' type: "text" node = Psy.ItemNode.build("num", inode) equal(node.name, "num") items = node.sample(2) equal(items.length, 2) deepEqual(node.attributes.color, ["red", "green"], node.attributes.color.toString()) module("ItemSetNode") test 'can build an ItemSetNode from a set of object literals', -> nodes = word: data: [ {word: "PI:NAME:<NAME>END_PI", x: 1, y: 4}, {word: "PI:NAME:<NAME>END_PI", x: 2, y: 5}, {word: "yahoo", x: 3, y: 6} ] sampler: type: "replacement" color: data: [ {color: "red", x: 10}, {color: "green", x: 20}, {color: "blue", x: 30} ] sampler: type: "replacement" iset = Psy.ItemSetNode.build(nodes) console.log("item set sample 50", Psy.DataTable.fromRecords(iset.sample(50))) deepEqual(["word", "color"], iset.names) module("AbsoluteLayout") test 'AbsoluteLayout correcty converts percentage to fraction', -> layout = new Psy.AbsoluteLayout() xy = layout.computePosition([1000,1000], ["10%", "90%"]) equal(xy[0], 1000 * 0.10, "10% of 1000 is " + xy[0]) equal(xy[1], 1000 * 0.90, "90% of 1000 is " + xy[1]) test 'AbsoluteLayout handles raw pixels', -> layout = new Psy.AbsoluteLayout() xy = layout.computePosition([1000, 1000], [10, 90]) equal(xy[0], 10) equal(xy[1], 90) module("Prelude") test 'Can create a Prelude Block froma spec', -> prelude = Prelude: Events: Instructions: pages: 1: MarkDown: """ Welcome to the Experiment! ========================== """ 2: Markdown: """ Awesome!!! ========================= """ context = new Psy.ExperimentContext(new Psy.MockStimFactory()) events = for key, value of prelude.Prelude.Events Psy.buildEvent(value, context) block = new Psy.Block(events) ok(block) equal(block.length(), 1, block.length()) module("Instructions") test 'Can create an Instructions element', -> prelude = Prelude: Instructions: pages: 1: MarkDown: """ Welcome to the Experiment! ========================== """ 2: Markdown: """ Awesome!!! ========================= """ #instructions = new Psy.Instructions(prelude.Prelude.Instructions componentFactory = new Psy.DefaultComponentFactory() instructions = componentFactory.makeStimulus("Instructions", prelude.Prelude.Instructions) equal(instructions.pages.length, 2) module("csv") asyncTest 'can read a csv file using ajax', 1, -> console.log("Psy.csv?", Psy.csv) $.ajax({ url: '../data/test.csv', dataType: "text", success: (data) -> ok(true, "successfully fetched csv file", Psy.csv.toObjects(data)) start() error: (x) -> console.log(x) }) module("rep") test 'Psy.rep works with a single value and single times argument', -> x = Psy.rep("", 3) deepEqual(x, ["", "", ""])
[ { "context": "ire(\"redis\")\nrc = redis.createClient()\n\n#rc.auth \"x3frgFyLaDH0oPVTMvDJHLUKBz8V+040\"\nminclient = 0\nclients = 50\n\nmulti = rc.multi()\n\n", "end": 94, "score": 0.5690819025039673, "start": 62, "tag": "KEY", "value": "x3frgFyLaDH0oPVTMvDJHLUKBz8V+040" }, { "context": "ys = []\n multi.srem \"u\", \"test#{i}\"\n keys.push \"f:test#{i}\"\n keys.push \"is:test#{i}\"\n keys.push \"ir:test#", "end": 236, "score": 0.9344475865364075, "start": 227, "tag": "KEY", "value": "f:test#{i" }, { "context": " \"test#{i}\"\n keys.push \"f:test#{i}\"\n keys.push \"is:test#{i}\"\n keys.push \"ir:test#{i}\"\n keys.push \"m:test#{", "end": 262, "score": 0.9693516492843628, "start": 252, "tag": "KEY", "value": "is:test#{i" }, { "context": ":test#{i}\"\n keys.push \"is:test#{i}\"\n keys.push \"ir:test#{i}\"\n keys.push \"m:test#{i}:test#{i + 1}:id\"\n keys", "end": 288, "score": 0.9576066732406616, "start": 278, "tag": "KEY", "value": "ir:test#{i" }, { "context": ":test#{i}\"\n keys.push \"ir:test#{i}\"\n keys.push \"m:test#{i}:test#{i + 1}:id\"\n keys.push \"m:test#{i}:test#{i + 1}\"\n ", "end": 322, "score": 0.907485842704773, "start": 304, "tag": "KEY", "value": "m:test#{i}:test#{i" }, { "context": " \"ir:test#{i}\"\n keys.push \"m:test#{i}:test#{i + 1}:id\"\n keys.push \"m:test#{i}:test#{i + 1}\"\n keys.pus", "end": 330, "score": 0.9466159343719482, "start": 328, "tag": "KEY", "value": "id" }, { "context": "ys.push \"m:test#{i}:test#{i + 1}:id\"\n keys.push \"m:test#{i}:test#{i + 1}\"\n keys.push \"c:test#{i}\"\n #rc.del keys1, (", "end": 363, "score": 0.9277983903884888, "start": 345, "tag": "KEY", "value": "m:test#{i}:test#{i" }, { "context": "est#{i + 1}:id\"\n keys.push \"m:test#{i}:test#{i + 1}\"\n keys.push \"c:test#{i}\"\n #rc.del keys1, (err,", "end": 367, "score": 0.6068800091743469, "start": 366, "tag": "KEY", "value": "1" }, { "context": " keys.push \"m:test#{i}:test#{i + 1}\"\n keys.push \"c:test#{i}\"\n #rc.del keys1, (err, blah) ->\n # return done e", "end": 394, "score": 0.9240095019340515, "start": 383, "tag": "KEY", "value": "c:test#{i}\"" } ]
test/setup/deleteusers.coffee
SchoolOfFreelancing/SureSpot
1
redis = require("redis") rc = redis.createClient() #rc.auth "x3frgFyLaDH0oPVTMvDJHLUKBz8V+040" minclient = 0 clients = 50 multi = rc.multi() clean1up = (max ,i, done) -> keys = [] multi.srem "u", "test#{i}" keys.push "f:test#{i}" keys.push "is:test#{i}" keys.push "ir:test#{i}" keys.push "m:test#{i}:test#{i + 1}:id" keys.push "m:test#{i}:test#{i + 1}" keys.push "c:test#{i}" #rc.del keys1, (err, blah) -> # return done err if err? rc.del keys, (err, blah) -> return done err if err? if i+1 < max clean1up max, i+1, done else multi.exec (err, results) -> return done err if err? done() clean1up clients, 0, -> process.exit(0)
25810
redis = require("redis") rc = redis.createClient() #rc.auth "<KEY>" minclient = 0 clients = 50 multi = rc.multi() clean1up = (max ,i, done) -> keys = [] multi.srem "u", "test#{i}" keys.push "<KEY>}" keys.push "<KEY>}" keys.push "<KEY>}" keys.push "<KEY> + 1}:<KEY>" keys.push "<KEY> + <KEY>}" keys.push "<KEY> #rc.del keys1, (err, blah) -> # return done err if err? rc.del keys, (err, blah) -> return done err if err? if i+1 < max clean1up max, i+1, done else multi.exec (err, results) -> return done err if err? done() clean1up clients, 0, -> process.exit(0)
true
redis = require("redis") rc = redis.createClient() #rc.auth "PI:KEY:<KEY>END_PI" minclient = 0 clients = 50 multi = rc.multi() clean1up = (max ,i, done) -> keys = [] multi.srem "u", "test#{i}" keys.push "PI:KEY:<KEY>END_PI}" keys.push "PI:KEY:<KEY>END_PI}" keys.push "PI:KEY:<KEY>END_PI}" keys.push "PI:KEY:<KEY>END_PI + 1}:PI:KEY:<KEY>END_PI" keys.push "PI:KEY:<KEY>END_PI + PI:KEY:<KEY>END_PI}" keys.push "PI:KEY:<KEY>END_PI #rc.del keys1, (err, blah) -> # return done err if err? rc.del keys, (err, blah) -> return done err if err? if i+1 < max clean1up max, i+1, done else multi.exec (err, results) -> return done err if err? done() clean1up clients, 0, -> process.exit(0)
[ { "context": " [0..10].forEach => @model.sync.create name: 'bam'\n @response = @request.sync.post \"/res\", jso", "end": 1850, "score": 0.5387726426124573, "start": 1847, "tag": "NAME", "value": "bam" } ]
test/normal_schema/post/post_many.coffee
goodeggs/resource-schema
3
fibrous = require 'fibrous' mongoose = require 'mongoose' expect = require('chai').expect {suite, given} = require '../../support/helpers' ResourceSchema = require '../../..' suite 'POST many', ({withModel, withServer}) -> given 'valid post', -> withModel (mongoose) -> mongoose.Schema name: String beforeEach -> schema = { '_id', 'name' } @resource = new ResourceSchema @model, schema withServer (app) -> app.post '/res', @resource.post(), @resource.send app beforeEach fibrous -> @response = @request.sync.post "/res", json: [ { name: 'apples' } { name: 'pears' } { name: 'oranges' } ] it 'returns the saved resources', fibrous -> expect(@response.statusCode).to.equal 201 expect(@response.body.length).to.equal 3 savedNames = @response.body.map (m) -> m.name expect(savedNames).to.contain 'apples' expect(savedNames).to.contain 'pears' expect(savedNames).to.contain 'oranges' expect(@response.body[0]._id).to.be.ok expect(@response.body[1]._id).to.be.ok expect(@response.body[2]._id).to.be.ok it 'saves the models to the DB', fibrous -> modelsFound = @model.sync.find() expect(modelsFound.length).to.equal 3 savedNames = modelsFound.map (m) -> m.name expect(savedNames).to.contain 'apples' expect(savedNames).to.contain 'pears' expect(savedNames).to.contain 'oranges' given 'posting empty array', -> withModel (mongoose) -> mongoose.Schema name: String beforeEach -> schema = { '_id', 'name' } @resource = new ResourceSchema @model, schema withServer (app) -> app.post '/res', @resource.post(), @resource.send app beforeEach fibrous -> [0..10].forEach => @model.sync.create name: 'bam' @response = @request.sync.post "/res", json: [] it '200s with an empty array', -> expect(@response.statusCode).to.equal 200 expect(@response.body).to.deep.equal []
88888
fibrous = require 'fibrous' mongoose = require 'mongoose' expect = require('chai').expect {suite, given} = require '../../support/helpers' ResourceSchema = require '../../..' suite 'POST many', ({withModel, withServer}) -> given 'valid post', -> withModel (mongoose) -> mongoose.Schema name: String beforeEach -> schema = { '_id', 'name' } @resource = new ResourceSchema @model, schema withServer (app) -> app.post '/res', @resource.post(), @resource.send app beforeEach fibrous -> @response = @request.sync.post "/res", json: [ { name: 'apples' } { name: 'pears' } { name: 'oranges' } ] it 'returns the saved resources', fibrous -> expect(@response.statusCode).to.equal 201 expect(@response.body.length).to.equal 3 savedNames = @response.body.map (m) -> m.name expect(savedNames).to.contain 'apples' expect(savedNames).to.contain 'pears' expect(savedNames).to.contain 'oranges' expect(@response.body[0]._id).to.be.ok expect(@response.body[1]._id).to.be.ok expect(@response.body[2]._id).to.be.ok it 'saves the models to the DB', fibrous -> modelsFound = @model.sync.find() expect(modelsFound.length).to.equal 3 savedNames = modelsFound.map (m) -> m.name expect(savedNames).to.contain 'apples' expect(savedNames).to.contain 'pears' expect(savedNames).to.contain 'oranges' given 'posting empty array', -> withModel (mongoose) -> mongoose.Schema name: String beforeEach -> schema = { '_id', 'name' } @resource = new ResourceSchema @model, schema withServer (app) -> app.post '/res', @resource.post(), @resource.send app beforeEach fibrous -> [0..10].forEach => @model.sync.create name: '<NAME>' @response = @request.sync.post "/res", json: [] it '200s with an empty array', -> expect(@response.statusCode).to.equal 200 expect(@response.body).to.deep.equal []
true
fibrous = require 'fibrous' mongoose = require 'mongoose' expect = require('chai').expect {suite, given} = require '../../support/helpers' ResourceSchema = require '../../..' suite 'POST many', ({withModel, withServer}) -> given 'valid post', -> withModel (mongoose) -> mongoose.Schema name: String beforeEach -> schema = { '_id', 'name' } @resource = new ResourceSchema @model, schema withServer (app) -> app.post '/res', @resource.post(), @resource.send app beforeEach fibrous -> @response = @request.sync.post "/res", json: [ { name: 'apples' } { name: 'pears' } { name: 'oranges' } ] it 'returns the saved resources', fibrous -> expect(@response.statusCode).to.equal 201 expect(@response.body.length).to.equal 3 savedNames = @response.body.map (m) -> m.name expect(savedNames).to.contain 'apples' expect(savedNames).to.contain 'pears' expect(savedNames).to.contain 'oranges' expect(@response.body[0]._id).to.be.ok expect(@response.body[1]._id).to.be.ok expect(@response.body[2]._id).to.be.ok it 'saves the models to the DB', fibrous -> modelsFound = @model.sync.find() expect(modelsFound.length).to.equal 3 savedNames = modelsFound.map (m) -> m.name expect(savedNames).to.contain 'apples' expect(savedNames).to.contain 'pears' expect(savedNames).to.contain 'oranges' given 'posting empty array', -> withModel (mongoose) -> mongoose.Schema name: String beforeEach -> schema = { '_id', 'name' } @resource = new ResourceSchema @model, schema withServer (app) -> app.post '/res', @resource.post(), @resource.send app beforeEach fibrous -> [0..10].forEach => @model.sync.create name: 'PI:NAME:<NAME>END_PI' @response = @request.sync.post "/res", json: [] it '200s with an empty array', -> expect(@response.statusCode).to.equal 200 expect(@response.body).to.deep.equal []
[ { "context": " = PS.FlyoutService\n\nunitData =\n 'names': [\n 'Conduit'\n 'Conduits'\n ]\n 'url': 'http://prismata", "end": 104, "score": 0.9059015512466431, "start": 101, "tag": "NAME", "value": "Con" }, { "context": "rvice\n\nunitData =\n 'names': [\n 'Conduit'\n 'Conduits'\n ]\n 'url': 'http://prismata.gamepedia.com/Cond", "end": 123, "score": 0.7528229355812073, "start": 115, "tag": "NAME", "value": "Conduits" } ]
spec/inject/unit_card_spec.coffee
Zequez/prismata-subreddit-extension
1
Unit = PS.Unit UnitCard = PS.UnitCard FlyoutService = PS.FlyoutService unitData = 'names': [ 'Conduit' 'Conduits' ] 'url': 'http://prismata.gamepedia.com/Conduit' 'panelUrl': 'http://hydra-media.cursecdn.com/prismata.gamepedia.com/9/9a/Conduit-panel.png' describe 'UnitCard', -> describe '#replacementString', -> it 'should return the parameter passed wrapped in an A element ready to use', -> unit = new Unit 'Potato Salad', unitData unitCard = new UnitCard(unit) expect(unitCard.replacementString('Potato Salad')) .toMatch /<a.*class=".*prismata-subreddit-extension-link.*".*href="http:\/\/prismata\.gamepedia\.com\/Conduit".*><span class="flair flair-potatosalad"><\/span>Potato Salad<\/a>/ describe 'flyout', -> it 'should display a flyout when hovering the link', (done)-> unit = new Unit 'Conduit', unitData a = $('<a class="prismata-subreddit-extension-link">Conduit</a>') unitCard = new UnitCard(unit) unitCard.setElement(a[0]) spyOn FlyoutService, 'show' a.fireEvent 'mouseover' setTimeout -> expect(FlyoutService.show).toHaveBeenCalled() done() , 10 it 'should hide the flyout when hovering out of the link', (done)-> unit = new Unit 'Conduit', unitData a = $('<a class="prismata-subreddit-extension-link">Conduit</a>') unitCard = new UnitCard(unit) unitCard.setElement(a[0]) spyOn FlyoutService, 'hide' a.fireEvent 'mouseover' setTimeout -> a.fireEvent('mouseout') , 10 setTimeout -> expect(FlyoutService.hide).toHaveBeenCalled() done() , 10 it 'should call the flyout with the panelUrl of the unit', (done)-> unit = new Unit 'Conduit', unitData a = $('<a class="prismata-subreddit-extension-link">Conduit</a>') unitCard = new UnitCard(unit) unitCard.setElement(a[0]) spyOn FlyoutService, 'show' a.fireEvent 'mouseover' setTimeout -> expect(FlyoutService.show).toHaveBeenCalledWith(unit.panelUrl) done() , 10
75032
Unit = PS.Unit UnitCard = PS.UnitCard FlyoutService = PS.FlyoutService unitData = 'names': [ '<NAME>duit' '<NAME>' ] 'url': 'http://prismata.gamepedia.com/Conduit' 'panelUrl': 'http://hydra-media.cursecdn.com/prismata.gamepedia.com/9/9a/Conduit-panel.png' describe 'UnitCard', -> describe '#replacementString', -> it 'should return the parameter passed wrapped in an A element ready to use', -> unit = new Unit 'Potato Salad', unitData unitCard = new UnitCard(unit) expect(unitCard.replacementString('Potato Salad')) .toMatch /<a.*class=".*prismata-subreddit-extension-link.*".*href="http:\/\/prismata\.gamepedia\.com\/Conduit".*><span class="flair flair-potatosalad"><\/span>Potato Salad<\/a>/ describe 'flyout', -> it 'should display a flyout when hovering the link', (done)-> unit = new Unit 'Conduit', unitData a = $('<a class="prismata-subreddit-extension-link">Conduit</a>') unitCard = new UnitCard(unit) unitCard.setElement(a[0]) spyOn FlyoutService, 'show' a.fireEvent 'mouseover' setTimeout -> expect(FlyoutService.show).toHaveBeenCalled() done() , 10 it 'should hide the flyout when hovering out of the link', (done)-> unit = new Unit 'Conduit', unitData a = $('<a class="prismata-subreddit-extension-link">Conduit</a>') unitCard = new UnitCard(unit) unitCard.setElement(a[0]) spyOn FlyoutService, 'hide' a.fireEvent 'mouseover' setTimeout -> a.fireEvent('mouseout') , 10 setTimeout -> expect(FlyoutService.hide).toHaveBeenCalled() done() , 10 it 'should call the flyout with the panelUrl of the unit', (done)-> unit = new Unit 'Conduit', unitData a = $('<a class="prismata-subreddit-extension-link">Conduit</a>') unitCard = new UnitCard(unit) unitCard.setElement(a[0]) spyOn FlyoutService, 'show' a.fireEvent 'mouseover' setTimeout -> expect(FlyoutService.show).toHaveBeenCalledWith(unit.panelUrl) done() , 10
true
Unit = PS.Unit UnitCard = PS.UnitCard FlyoutService = PS.FlyoutService unitData = 'names': [ 'PI:NAME:<NAME>END_PIduit' 'PI:NAME:<NAME>END_PI' ] 'url': 'http://prismata.gamepedia.com/Conduit' 'panelUrl': 'http://hydra-media.cursecdn.com/prismata.gamepedia.com/9/9a/Conduit-panel.png' describe 'UnitCard', -> describe '#replacementString', -> it 'should return the parameter passed wrapped in an A element ready to use', -> unit = new Unit 'Potato Salad', unitData unitCard = new UnitCard(unit) expect(unitCard.replacementString('Potato Salad')) .toMatch /<a.*class=".*prismata-subreddit-extension-link.*".*href="http:\/\/prismata\.gamepedia\.com\/Conduit".*><span class="flair flair-potatosalad"><\/span>Potato Salad<\/a>/ describe 'flyout', -> it 'should display a flyout when hovering the link', (done)-> unit = new Unit 'Conduit', unitData a = $('<a class="prismata-subreddit-extension-link">Conduit</a>') unitCard = new UnitCard(unit) unitCard.setElement(a[0]) spyOn FlyoutService, 'show' a.fireEvent 'mouseover' setTimeout -> expect(FlyoutService.show).toHaveBeenCalled() done() , 10 it 'should hide the flyout when hovering out of the link', (done)-> unit = new Unit 'Conduit', unitData a = $('<a class="prismata-subreddit-extension-link">Conduit</a>') unitCard = new UnitCard(unit) unitCard.setElement(a[0]) spyOn FlyoutService, 'hide' a.fireEvent 'mouseover' setTimeout -> a.fireEvent('mouseout') , 10 setTimeout -> expect(FlyoutService.hide).toHaveBeenCalled() done() , 10 it 'should call the flyout with the panelUrl of the unit', (done)-> unit = new Unit 'Conduit', unitData a = $('<a class="prismata-subreddit-extension-link">Conduit</a>') unitCard = new UnitCard(unit) unitCard.setElement(a[0]) spyOn FlyoutService, 'show' a.fireEvent 'mouseover' setTimeout -> expect(FlyoutService.show).toHaveBeenCalledWith(unit.panelUrl) done() , 10
[ { "context": " Tests for void-dom-elements-no-children\n# @author Joe Lencioni\n###\n\n'use strict'\n\n# ----------------------------", "end": 83, "score": 0.9998062252998352, "start": 71, "tag": "NAME", "value": "Joe Lencioni" } ]
src/tests/rules/void-dom-elements-no-children.coffee
danielbayley/eslint-plugin-coffee
21
###* # @fileoverview Tests for void-dom-elements-no-children # @author Joe Lencioni ### 'use strict' # ----------------------------------------------------------------------------- # Requirements # ----------------------------------------------------------------------------- rule = require 'eslint-plugin-react/lib/rules/void-dom-elements-no-children' {RuleTester} = require 'eslint' path = require 'path' errorMessage = (elementName) -> "Void DOM element <#{elementName} /> cannot receive children." # ----------------------------------------------------------------------------- # Tests # ----------------------------------------------------------------------------- ruleTester = new RuleTester parser: path.join __dirname, '../../..' ruleTester.run 'void-dom-elements-no-children', rule, valid: [ code: '<div>Foo</div>' , code: '<div children="Foo" />' , code: '<div dangerouslySetInnerHTML={{ __html: "Foo" }} />' , code: 'React.createElement("div", {}, "Foo")' , code: 'React.createElement("div", { children: "Foo" })' , code: 'React.createElement("div", { dangerouslySetInnerHTML: { __html: "Foo" } })' , code: 'document.createElement("img")' , code: 'React.createElement("img")' , code: 'React.createElement()' , code: 'document.createElement()' , code: ''' props = {} React.createElement("img", props) ''' , code: ''' import React, {createElement} from "react" createElement("div") ''' , code: ''' import React, {createElement} from "react" createElement("img") ''' , code: ''' import React, {createElement, PureComponent} from "react" class Button extends PureComponent handleClick: (ev) -> ev.preventDefault() render: -> return <div onClick={this.handleClick}>Hello</div> ''' ] invalid: [ code: '<br>Foo</br>' errors: [message: errorMessage 'br'] , code: '<br children="Foo" />' errors: [message: errorMessage 'br'] , code: '<img {...props} children="Foo" />' errors: [message: errorMessage 'img'] , code: '<br dangerouslySetInnerHTML={__html: "Foo"} />' errors: [message: errorMessage 'br'] , code: 'React.createElement("br", {}, "Foo")' errors: [message: errorMessage 'br'] , code: 'React.createElement("br", { children: "Foo" })' errors: [message: errorMessage 'br'] , code: 'React.createElement("br", { dangerouslySetInnerHTML: { __html: "Foo" } })' errors: [message: errorMessage 'br'] , code: ''' import React, {createElement} from "react" createElement("img", {}, "Foo") ''' errors: [message: errorMessage 'img'] , # parser: 'babel-eslint' code: ''' import React, {createElement} from "react" createElement("img", { children: "Foo" }) ''' errors: [message: errorMessage 'img'] , # parser: 'babel-eslint' code: ''' import React, {createElement} from "react" createElement("img", { dangerouslySetInnerHTML: { __html: "Foo" } }) ''' errors: [message: errorMessage 'img'] # parser: 'babel-eslint' ]
7020
###* # @fileoverview Tests for void-dom-elements-no-children # @author <NAME> ### 'use strict' # ----------------------------------------------------------------------------- # Requirements # ----------------------------------------------------------------------------- rule = require 'eslint-plugin-react/lib/rules/void-dom-elements-no-children' {RuleTester} = require 'eslint' path = require 'path' errorMessage = (elementName) -> "Void DOM element <#{elementName} /> cannot receive children." # ----------------------------------------------------------------------------- # Tests # ----------------------------------------------------------------------------- ruleTester = new RuleTester parser: path.join __dirname, '../../..' ruleTester.run 'void-dom-elements-no-children', rule, valid: [ code: '<div>Foo</div>' , code: '<div children="Foo" />' , code: '<div dangerouslySetInnerHTML={{ __html: "Foo" }} />' , code: 'React.createElement("div", {}, "Foo")' , code: 'React.createElement("div", { children: "Foo" })' , code: 'React.createElement("div", { dangerouslySetInnerHTML: { __html: "Foo" } })' , code: 'document.createElement("img")' , code: 'React.createElement("img")' , code: 'React.createElement()' , code: 'document.createElement()' , code: ''' props = {} React.createElement("img", props) ''' , code: ''' import React, {createElement} from "react" createElement("div") ''' , code: ''' import React, {createElement} from "react" createElement("img") ''' , code: ''' import React, {createElement, PureComponent} from "react" class Button extends PureComponent handleClick: (ev) -> ev.preventDefault() render: -> return <div onClick={this.handleClick}>Hello</div> ''' ] invalid: [ code: '<br>Foo</br>' errors: [message: errorMessage 'br'] , code: '<br children="Foo" />' errors: [message: errorMessage 'br'] , code: '<img {...props} children="Foo" />' errors: [message: errorMessage 'img'] , code: '<br dangerouslySetInnerHTML={__html: "Foo"} />' errors: [message: errorMessage 'br'] , code: 'React.createElement("br", {}, "Foo")' errors: [message: errorMessage 'br'] , code: 'React.createElement("br", { children: "Foo" })' errors: [message: errorMessage 'br'] , code: 'React.createElement("br", { dangerouslySetInnerHTML: { __html: "Foo" } })' errors: [message: errorMessage 'br'] , code: ''' import React, {createElement} from "react" createElement("img", {}, "Foo") ''' errors: [message: errorMessage 'img'] , # parser: 'babel-eslint' code: ''' import React, {createElement} from "react" createElement("img", { children: "Foo" }) ''' errors: [message: errorMessage 'img'] , # parser: 'babel-eslint' code: ''' import React, {createElement} from "react" createElement("img", { dangerouslySetInnerHTML: { __html: "Foo" } }) ''' errors: [message: errorMessage 'img'] # parser: 'babel-eslint' ]
true
###* # @fileoverview Tests for void-dom-elements-no-children # @author PI:NAME:<NAME>END_PI ### 'use strict' # ----------------------------------------------------------------------------- # Requirements # ----------------------------------------------------------------------------- rule = require 'eslint-plugin-react/lib/rules/void-dom-elements-no-children' {RuleTester} = require 'eslint' path = require 'path' errorMessage = (elementName) -> "Void DOM element <#{elementName} /> cannot receive children." # ----------------------------------------------------------------------------- # Tests # ----------------------------------------------------------------------------- ruleTester = new RuleTester parser: path.join __dirname, '../../..' ruleTester.run 'void-dom-elements-no-children', rule, valid: [ code: '<div>Foo</div>' , code: '<div children="Foo" />' , code: '<div dangerouslySetInnerHTML={{ __html: "Foo" }} />' , code: 'React.createElement("div", {}, "Foo")' , code: 'React.createElement("div", { children: "Foo" })' , code: 'React.createElement("div", { dangerouslySetInnerHTML: { __html: "Foo" } })' , code: 'document.createElement("img")' , code: 'React.createElement("img")' , code: 'React.createElement()' , code: 'document.createElement()' , code: ''' props = {} React.createElement("img", props) ''' , code: ''' import React, {createElement} from "react" createElement("div") ''' , code: ''' import React, {createElement} from "react" createElement("img") ''' , code: ''' import React, {createElement, PureComponent} from "react" class Button extends PureComponent handleClick: (ev) -> ev.preventDefault() render: -> return <div onClick={this.handleClick}>Hello</div> ''' ] invalid: [ code: '<br>Foo</br>' errors: [message: errorMessage 'br'] , code: '<br children="Foo" />' errors: [message: errorMessage 'br'] , code: '<img {...props} children="Foo" />' errors: [message: errorMessage 'img'] , code: '<br dangerouslySetInnerHTML={__html: "Foo"} />' errors: [message: errorMessage 'br'] , code: 'React.createElement("br", {}, "Foo")' errors: [message: errorMessage 'br'] , code: 'React.createElement("br", { children: "Foo" })' errors: [message: errorMessage 'br'] , code: 'React.createElement("br", { dangerouslySetInnerHTML: { __html: "Foo" } })' errors: [message: errorMessage 'br'] , code: ''' import React, {createElement} from "react" createElement("img", {}, "Foo") ''' errors: [message: errorMessage 'img'] , # parser: 'babel-eslint' code: ''' import React, {createElement} from "react" createElement("img", { children: "Foo" }) ''' errors: [message: errorMessage 'img'] , # parser: 'babel-eslint' code: ''' import React, {createElement} from "react" createElement("img", { dangerouslySetInnerHTML: { __html: "Foo" } }) ''' errors: [message: errorMessage 'img'] # parser: 'babel-eslint' ]
[ { "context": "........\n when 'P_alphanumeric'\n $key = '^alphanumeric'\n if tree.ukids.T_lcletters? then", "end": 9637, "score": 0.9102160334587097, "start": 9625, "tag": "KEY", "value": "alphanumeric" }, { "context": ".............\n when 'P_number'\n $key = '^number'\n type = switch tree.ukids?.T_sign?.text ? ", "end": 9985, "score": 0.5036281943321228, "start": 9979, "tag": "KEY", "value": "number" } ]
dev/paragate/src/old-grammars/asciisorter.grammar.coffee
loveencounterflow/hengist
0
'use strict' ############################################################################################################ CND = require 'cnd' badge = 'PARAGATE/GRAMMARS/ASCIISORTER' log = CND.get_logger 'plain', badge info = CND.get_logger 'info', badge whisper = CND.get_logger 'whisper', badge alert = CND.get_logger 'alert', badge debug = CND.get_logger 'debug', badge warn = CND.get_logger 'warn', badge help = CND.get_logger 'help', badge urge = CND.get_logger 'urge', badge echo = CND.echo.bind CND #........................................................................................................... { assign jr } = CND # CHVTN = require 'chevrotain' { lets freeze } = ( new ( require 'datom' ).Datom { dirty: false, } ).export() types = require '../../../../apps/paragate/lib/types' { isa type_of validate } = types GRAMMAR = require '../../../../apps/paragate/lib/grammar' INTERTEXT = require 'intertext' { rpr } = INTERTEXT.export() #----------------------------------------------------------------------------------------------------------- new_ref = ( this_ref, prv_ref ) -> ### TAINT implement as optional functionality of `DATOM.new_datom()` ### return ( this_ref + prv_ref ).replace /\^+/g, '^' #----------------------------------------------------------------------------------------------------------- dd = ( d, ref = null ) -> ### TAINT implement as optional functionality of `DATOM.new_datom()` ### # debug '^3334^', ( rpr d ), ( rpr ref.$ ), ( rpr new_ref d, ref ) if ref? d.$ = new_ref d.$, ref.$ if ref?.$? for k of d delete d[ k ] if d[ k ] in [ undefined, null, '', ] return d #----------------------------------------------------------------------------------------------------------- ### A function to perform matches; a matcher function may, but doesn't have to use regexes; if it does, it can use features not currently supported by Chevrotain (e.g. Unicode flag). Observe that in order to avoid generating a new string for each character tested, we prefer to use the 'sticky flag' (`/.../y`) and set `lastIndex`. It is probably a good idea to define patterns outside of matcher functions for better performance. ### match_ucletter = ( text, start ) -> pattern = /[A-Z]+/y pattern.lastIndex = start if ( match = text.match pattern )? return [ match[ 0 ], ] return null #----------------------------------------------------------------------------------------------------------- _match_catchall_with_function = ( matcher, text, start, last_idx ) -> last_idx = Math.min text.length, last_idx for idx in [ start ... last_idx ] return idx if ( matcher text, idx )? return null #----------------------------------------------------------------------------------------------------------- match_catchall = ( text, start ) -> ### xxx Assuming this token matcher has been put last, try all other token matchers for all positions starting from the current, recording their matching index. From all indexes, find the smallest index, if any, and return the text (wrapped in a list) between the current index and that minimal matching index, or else `null`. Optimizations: * need only consider smallest index, * so no need to build list of results, * and no need for function matchers to be called after current best result. ### nearest = +Infinity #......................................................................................................... for _, { match: matcher, } of XXXX_LEXER_MODES.basic_mode break if ( matcher is match_catchall ) ### stop here b/c this matcher must come last or act as if so ### idx = null #....................................................................................................... switch type = type_of matcher #..................................................................................................... when 'regex' my_matcher = new RegExp matcher, 'g' my_matcher.lastIndex = start continue unless ( match = my_matcher.exec text )? idx = match.index #..................................................................................................... when 'function' idx = _match_catchall_with_function matcher, text, start, nearest else throw new Error "^47478^ unknown matcher type #{rpr type}" #....................................................................................................... if idx? and idx < nearest nearest = idx #......................................................................................................... return [ text[ start ... nearest ] ] ### using `Infinity` for upper bound is OK ### #=========================================================================================================== # #----------------------------------------------------------------------------------------------------------- @lexer_modes = XXXX_LEXER_MODES = #......................................................................................................... basic_mode: T_lcletters: { match: /[a-z]+/, } # custom patterns should explicitly specify the line_breaks property T_ucletters: { match: match_ucletter, line_breaks: false, } ### match by function; used for advanced matching ### T_newline: { match: /\n/, } T_digits: { match: /[0-8]+/, } # lbrace: { match: /[(\[{]+/, } # rbrace: { match: /[)\]}]+/, } # quote: { match: /['"]+/, } T_sign: { match: /[-+]/, } T_punctuation: { match: /[=,.;:!?]+/, } T_spaces: { match: /\s+/, } T_catchalls: { match: match_catchall, line_breaks: false, } #----------------------------------------------------------------------------------------------------------- ### Minimal summarizer that could be generated where missing: ### @summarize = ( t, grammar ) -> # debug '^33442^', rpr grammar.settings @RULE 'document', => @MANY => @OR [ { ALT: => @SUBRULE @P_alphanumeric } { ALT: => @SUBRULE @P_number } { ALT: => @CONSUME t.T_lcletters } { ALT: => @CONSUME t.T_ucletters } { ALT: => @CONSUME t.T_newline } # { ALT: => @CONSUME t.T_digits } # { ALT: => @CONSUME t.lbrace } # { ALT: => @CONSUME t.rbrace } # { ALT: => @CONSUME t.quote } { ALT: => @CONSUME t.T_punctuation } { ALT: => @CONSUME t.T_spaces } { ALT: => @CONSUME t.T_sign } { ALT: => @CONSUME t.T_catchalls } ] @RULE 'P_alphanumeric', => @OR [ { ALT: => @CONSUME t.T_lcletters } { ALT: => @CONSUME t.T_ucletters } ] @CONSUME t.T_digits @RULE 'P_number', => @OPTION => @CONSUME t.T_sign @CONSUME t.T_digits #----------------------------------------------------------------------------------------------------------- @linearize = ( source, tree, level = 0 ) -> return null unless tree? #......................................................................................................... { name: token_name $key start stop text $vnr } = tree #......................................................................................................... if $key is '^token' switch token_name when 'T_lcletters' then yield dd { $key: '^text', type: 'lower', start, stop, text, $vnr, $: '^α1^', }, tree when 'T_ucletters' then yield dd { $key: '^text', type: 'upper', start, stop, text, $vnr, $: '^α2^', }, tree when 'T_digits' then yield dd { $key: '^number', start, stop, text, $vnr, $: '^α2^', }, tree when 'T_catchalls' then yield dd { $key: '^text', type: 'other', start, stop, text, $vnr, $: '^α3^', }, tree else yield dd { $key: '^unknown', text, start, stop, $value: tree, $vnr, $: '^α4^', }, tree return null throw new Error "^445^ unknown $key #{rpr $key}" unless $key in [ '^document', '^node', ] #......................................................................................................... { ukids } = tree ### NOTE we assume that unique kids exist and that values are stored in source order ### for _, ukid of ukids $vnr = ukid.$vnr break #......................................................................................................... if $key is '^document' yield dd { $key: '<document', start: 0, stop: 0, source, errors: tree.errors, $vnr: [ -Infinity, ], $: '^α5^', } for subtree in tree.kids yield from @linearize source, subtree, level + 1 x = text.length yield dd { $key: '>document', start: x, stop: x, $vnr: [ Infinity, ], $: '^α6^', } return null #......................................................................................................... switch token_name #....................................................................................................... when 'P_alphanumeric' $key = '^alphanumeric' if tree.ukids.T_lcletters? then type = 'lower' else if tree.ukids.T_ucletters? then type = 'upper' yield dd { $key, type, text, start, stop, $vnr, $: '^α7^', } #....................................................................................................... when 'P_number' $key = '^number' type = switch tree.ukids?.T_sign?.text ? '+' when '+' then 'positive' when '-' then 'negative' yield dd { $key, type, text, start, stop, type, $vnr, $: '^α7^', } #....................................................................................................... else yield dd { $key: '^unknown', text, start, stop, $value: tree, $vnr, $: '^α8^', } return null #=========================================================================================================== # #----------------------------------------------------------------------------------------------------------- ASCIISORTER = @ class Asciisorter extends GRAMMAR.Grammar constructor: ( settings = null ) -> settings = assign { use_summarize: true, }, settings name = if settings.use_summarize then 'asciisorter' else 'asciiautosumm' super name, ASCIISORTER, settings unless @settings.use_summarize delete @linearize delete @summarize @parser = @_new_parser name return @ asciisorter = new Asciisorter() module.exports = { asciisorter, Asciisorter, }
139446
'use strict' ############################################################################################################ CND = require 'cnd' badge = 'PARAGATE/GRAMMARS/ASCIISORTER' log = CND.get_logger 'plain', badge info = CND.get_logger 'info', badge whisper = CND.get_logger 'whisper', badge alert = CND.get_logger 'alert', badge debug = CND.get_logger 'debug', badge warn = CND.get_logger 'warn', badge help = CND.get_logger 'help', badge urge = CND.get_logger 'urge', badge echo = CND.echo.bind CND #........................................................................................................... { assign jr } = CND # CHVTN = require 'chevrotain' { lets freeze } = ( new ( require 'datom' ).Datom { dirty: false, } ).export() types = require '../../../../apps/paragate/lib/types' { isa type_of validate } = types GRAMMAR = require '../../../../apps/paragate/lib/grammar' INTERTEXT = require 'intertext' { rpr } = INTERTEXT.export() #----------------------------------------------------------------------------------------------------------- new_ref = ( this_ref, prv_ref ) -> ### TAINT implement as optional functionality of `DATOM.new_datom()` ### return ( this_ref + prv_ref ).replace /\^+/g, '^' #----------------------------------------------------------------------------------------------------------- dd = ( d, ref = null ) -> ### TAINT implement as optional functionality of `DATOM.new_datom()` ### # debug '^3334^', ( rpr d ), ( rpr ref.$ ), ( rpr new_ref d, ref ) if ref? d.$ = new_ref d.$, ref.$ if ref?.$? for k of d delete d[ k ] if d[ k ] in [ undefined, null, '', ] return d #----------------------------------------------------------------------------------------------------------- ### A function to perform matches; a matcher function may, but doesn't have to use regexes; if it does, it can use features not currently supported by Chevrotain (e.g. Unicode flag). Observe that in order to avoid generating a new string for each character tested, we prefer to use the 'sticky flag' (`/.../y`) and set `lastIndex`. It is probably a good idea to define patterns outside of matcher functions for better performance. ### match_ucletter = ( text, start ) -> pattern = /[A-Z]+/y pattern.lastIndex = start if ( match = text.match pattern )? return [ match[ 0 ], ] return null #----------------------------------------------------------------------------------------------------------- _match_catchall_with_function = ( matcher, text, start, last_idx ) -> last_idx = Math.min text.length, last_idx for idx in [ start ... last_idx ] return idx if ( matcher text, idx )? return null #----------------------------------------------------------------------------------------------------------- match_catchall = ( text, start ) -> ### xxx Assuming this token matcher has been put last, try all other token matchers for all positions starting from the current, recording their matching index. From all indexes, find the smallest index, if any, and return the text (wrapped in a list) between the current index and that minimal matching index, or else `null`. Optimizations: * need only consider smallest index, * so no need to build list of results, * and no need for function matchers to be called after current best result. ### nearest = +Infinity #......................................................................................................... for _, { match: matcher, } of XXXX_LEXER_MODES.basic_mode break if ( matcher is match_catchall ) ### stop here b/c this matcher must come last or act as if so ### idx = null #....................................................................................................... switch type = type_of matcher #..................................................................................................... when 'regex' my_matcher = new RegExp matcher, 'g' my_matcher.lastIndex = start continue unless ( match = my_matcher.exec text )? idx = match.index #..................................................................................................... when 'function' idx = _match_catchall_with_function matcher, text, start, nearest else throw new Error "^47478^ unknown matcher type #{rpr type}" #....................................................................................................... if idx? and idx < nearest nearest = idx #......................................................................................................... return [ text[ start ... nearest ] ] ### using `Infinity` for upper bound is OK ### #=========================================================================================================== # #----------------------------------------------------------------------------------------------------------- @lexer_modes = XXXX_LEXER_MODES = #......................................................................................................... basic_mode: T_lcletters: { match: /[a-z]+/, } # custom patterns should explicitly specify the line_breaks property T_ucletters: { match: match_ucletter, line_breaks: false, } ### match by function; used for advanced matching ### T_newline: { match: /\n/, } T_digits: { match: /[0-8]+/, } # lbrace: { match: /[(\[{]+/, } # rbrace: { match: /[)\]}]+/, } # quote: { match: /['"]+/, } T_sign: { match: /[-+]/, } T_punctuation: { match: /[=,.;:!?]+/, } T_spaces: { match: /\s+/, } T_catchalls: { match: match_catchall, line_breaks: false, } #----------------------------------------------------------------------------------------------------------- ### Minimal summarizer that could be generated where missing: ### @summarize = ( t, grammar ) -> # debug '^33442^', rpr grammar.settings @RULE 'document', => @MANY => @OR [ { ALT: => @SUBRULE @P_alphanumeric } { ALT: => @SUBRULE @P_number } { ALT: => @CONSUME t.T_lcletters } { ALT: => @CONSUME t.T_ucletters } { ALT: => @CONSUME t.T_newline } # { ALT: => @CONSUME t.T_digits } # { ALT: => @CONSUME t.lbrace } # { ALT: => @CONSUME t.rbrace } # { ALT: => @CONSUME t.quote } { ALT: => @CONSUME t.T_punctuation } { ALT: => @CONSUME t.T_spaces } { ALT: => @CONSUME t.T_sign } { ALT: => @CONSUME t.T_catchalls } ] @RULE 'P_alphanumeric', => @OR [ { ALT: => @CONSUME t.T_lcletters } { ALT: => @CONSUME t.T_ucletters } ] @CONSUME t.T_digits @RULE 'P_number', => @OPTION => @CONSUME t.T_sign @CONSUME t.T_digits #----------------------------------------------------------------------------------------------------------- @linearize = ( source, tree, level = 0 ) -> return null unless tree? #......................................................................................................... { name: token_name $key start stop text $vnr } = tree #......................................................................................................... if $key is '^token' switch token_name when 'T_lcletters' then yield dd { $key: '^text', type: 'lower', start, stop, text, $vnr, $: '^α1^', }, tree when 'T_ucletters' then yield dd { $key: '^text', type: 'upper', start, stop, text, $vnr, $: '^α2^', }, tree when 'T_digits' then yield dd { $key: '^number', start, stop, text, $vnr, $: '^α2^', }, tree when 'T_catchalls' then yield dd { $key: '^text', type: 'other', start, stop, text, $vnr, $: '^α3^', }, tree else yield dd { $key: '^unknown', text, start, stop, $value: tree, $vnr, $: '^α4^', }, tree return null throw new Error "^445^ unknown $key #{rpr $key}" unless $key in [ '^document', '^node', ] #......................................................................................................... { ukids } = tree ### NOTE we assume that unique kids exist and that values are stored in source order ### for _, ukid of ukids $vnr = ukid.$vnr break #......................................................................................................... if $key is '^document' yield dd { $key: '<document', start: 0, stop: 0, source, errors: tree.errors, $vnr: [ -Infinity, ], $: '^α5^', } for subtree in tree.kids yield from @linearize source, subtree, level + 1 x = text.length yield dd { $key: '>document', start: x, stop: x, $vnr: [ Infinity, ], $: '^α6^', } return null #......................................................................................................... switch token_name #....................................................................................................... when 'P_alphanumeric' $key = '^<KEY>' if tree.ukids.T_lcletters? then type = 'lower' else if tree.ukids.T_ucletters? then type = 'upper' yield dd { $key, type, text, start, stop, $vnr, $: '^α7^', } #....................................................................................................... when 'P_number' $key = '^<KEY>' type = switch tree.ukids?.T_sign?.text ? '+' when '+' then 'positive' when '-' then 'negative' yield dd { $key, type, text, start, stop, type, $vnr, $: '^α7^', } #....................................................................................................... else yield dd { $key: '^unknown', text, start, stop, $value: tree, $vnr, $: '^α8^', } return null #=========================================================================================================== # #----------------------------------------------------------------------------------------------------------- ASCIISORTER = @ class Asciisorter extends GRAMMAR.Grammar constructor: ( settings = null ) -> settings = assign { use_summarize: true, }, settings name = if settings.use_summarize then 'asciisorter' else 'asciiautosumm' super name, ASCIISORTER, settings unless @settings.use_summarize delete @linearize delete @summarize @parser = @_new_parser name return @ asciisorter = new Asciisorter() module.exports = { asciisorter, Asciisorter, }
true
'use strict' ############################################################################################################ CND = require 'cnd' badge = 'PARAGATE/GRAMMARS/ASCIISORTER' log = CND.get_logger 'plain', badge info = CND.get_logger 'info', badge whisper = CND.get_logger 'whisper', badge alert = CND.get_logger 'alert', badge debug = CND.get_logger 'debug', badge warn = CND.get_logger 'warn', badge help = CND.get_logger 'help', badge urge = CND.get_logger 'urge', badge echo = CND.echo.bind CND #........................................................................................................... { assign jr } = CND # CHVTN = require 'chevrotain' { lets freeze } = ( new ( require 'datom' ).Datom { dirty: false, } ).export() types = require '../../../../apps/paragate/lib/types' { isa type_of validate } = types GRAMMAR = require '../../../../apps/paragate/lib/grammar' INTERTEXT = require 'intertext' { rpr } = INTERTEXT.export() #----------------------------------------------------------------------------------------------------------- new_ref = ( this_ref, prv_ref ) -> ### TAINT implement as optional functionality of `DATOM.new_datom()` ### return ( this_ref + prv_ref ).replace /\^+/g, '^' #----------------------------------------------------------------------------------------------------------- dd = ( d, ref = null ) -> ### TAINT implement as optional functionality of `DATOM.new_datom()` ### # debug '^3334^', ( rpr d ), ( rpr ref.$ ), ( rpr new_ref d, ref ) if ref? d.$ = new_ref d.$, ref.$ if ref?.$? for k of d delete d[ k ] if d[ k ] in [ undefined, null, '', ] return d #----------------------------------------------------------------------------------------------------------- ### A function to perform matches; a matcher function may, but doesn't have to use regexes; if it does, it can use features not currently supported by Chevrotain (e.g. Unicode flag). Observe that in order to avoid generating a new string for each character tested, we prefer to use the 'sticky flag' (`/.../y`) and set `lastIndex`. It is probably a good idea to define patterns outside of matcher functions for better performance. ### match_ucletter = ( text, start ) -> pattern = /[A-Z]+/y pattern.lastIndex = start if ( match = text.match pattern )? return [ match[ 0 ], ] return null #----------------------------------------------------------------------------------------------------------- _match_catchall_with_function = ( matcher, text, start, last_idx ) -> last_idx = Math.min text.length, last_idx for idx in [ start ... last_idx ] return idx if ( matcher text, idx )? return null #----------------------------------------------------------------------------------------------------------- match_catchall = ( text, start ) -> ### xxx Assuming this token matcher has been put last, try all other token matchers for all positions starting from the current, recording their matching index. From all indexes, find the smallest index, if any, and return the text (wrapped in a list) between the current index and that minimal matching index, or else `null`. Optimizations: * need only consider smallest index, * so no need to build list of results, * and no need for function matchers to be called after current best result. ### nearest = +Infinity #......................................................................................................... for _, { match: matcher, } of XXXX_LEXER_MODES.basic_mode break if ( matcher is match_catchall ) ### stop here b/c this matcher must come last or act as if so ### idx = null #....................................................................................................... switch type = type_of matcher #..................................................................................................... when 'regex' my_matcher = new RegExp matcher, 'g' my_matcher.lastIndex = start continue unless ( match = my_matcher.exec text )? idx = match.index #..................................................................................................... when 'function' idx = _match_catchall_with_function matcher, text, start, nearest else throw new Error "^47478^ unknown matcher type #{rpr type}" #....................................................................................................... if idx? and idx < nearest nearest = idx #......................................................................................................... return [ text[ start ... nearest ] ] ### using `Infinity` for upper bound is OK ### #=========================================================================================================== # #----------------------------------------------------------------------------------------------------------- @lexer_modes = XXXX_LEXER_MODES = #......................................................................................................... basic_mode: T_lcletters: { match: /[a-z]+/, } # custom patterns should explicitly specify the line_breaks property T_ucletters: { match: match_ucletter, line_breaks: false, } ### match by function; used for advanced matching ### T_newline: { match: /\n/, } T_digits: { match: /[0-8]+/, } # lbrace: { match: /[(\[{]+/, } # rbrace: { match: /[)\]}]+/, } # quote: { match: /['"]+/, } T_sign: { match: /[-+]/, } T_punctuation: { match: /[=,.;:!?]+/, } T_spaces: { match: /\s+/, } T_catchalls: { match: match_catchall, line_breaks: false, } #----------------------------------------------------------------------------------------------------------- ### Minimal summarizer that could be generated where missing: ### @summarize = ( t, grammar ) -> # debug '^33442^', rpr grammar.settings @RULE 'document', => @MANY => @OR [ { ALT: => @SUBRULE @P_alphanumeric } { ALT: => @SUBRULE @P_number } { ALT: => @CONSUME t.T_lcletters } { ALT: => @CONSUME t.T_ucletters } { ALT: => @CONSUME t.T_newline } # { ALT: => @CONSUME t.T_digits } # { ALT: => @CONSUME t.lbrace } # { ALT: => @CONSUME t.rbrace } # { ALT: => @CONSUME t.quote } { ALT: => @CONSUME t.T_punctuation } { ALT: => @CONSUME t.T_spaces } { ALT: => @CONSUME t.T_sign } { ALT: => @CONSUME t.T_catchalls } ] @RULE 'P_alphanumeric', => @OR [ { ALT: => @CONSUME t.T_lcletters } { ALT: => @CONSUME t.T_ucletters } ] @CONSUME t.T_digits @RULE 'P_number', => @OPTION => @CONSUME t.T_sign @CONSUME t.T_digits #----------------------------------------------------------------------------------------------------------- @linearize = ( source, tree, level = 0 ) -> return null unless tree? #......................................................................................................... { name: token_name $key start stop text $vnr } = tree #......................................................................................................... if $key is '^token' switch token_name when 'T_lcletters' then yield dd { $key: '^text', type: 'lower', start, stop, text, $vnr, $: '^α1^', }, tree when 'T_ucletters' then yield dd { $key: '^text', type: 'upper', start, stop, text, $vnr, $: '^α2^', }, tree when 'T_digits' then yield dd { $key: '^number', start, stop, text, $vnr, $: '^α2^', }, tree when 'T_catchalls' then yield dd { $key: '^text', type: 'other', start, stop, text, $vnr, $: '^α3^', }, tree else yield dd { $key: '^unknown', text, start, stop, $value: tree, $vnr, $: '^α4^', }, tree return null throw new Error "^445^ unknown $key #{rpr $key}" unless $key in [ '^document', '^node', ] #......................................................................................................... { ukids } = tree ### NOTE we assume that unique kids exist and that values are stored in source order ### for _, ukid of ukids $vnr = ukid.$vnr break #......................................................................................................... if $key is '^document' yield dd { $key: '<document', start: 0, stop: 0, source, errors: tree.errors, $vnr: [ -Infinity, ], $: '^α5^', } for subtree in tree.kids yield from @linearize source, subtree, level + 1 x = text.length yield dd { $key: '>document', start: x, stop: x, $vnr: [ Infinity, ], $: '^α6^', } return null #......................................................................................................... switch token_name #....................................................................................................... when 'P_alphanumeric' $key = '^PI:KEY:<KEY>END_PI' if tree.ukids.T_lcletters? then type = 'lower' else if tree.ukids.T_ucletters? then type = 'upper' yield dd { $key, type, text, start, stop, $vnr, $: '^α7^', } #....................................................................................................... when 'P_number' $key = '^PI:KEY:<KEY>END_PI' type = switch tree.ukids?.T_sign?.text ? '+' when '+' then 'positive' when '-' then 'negative' yield dd { $key, type, text, start, stop, type, $vnr, $: '^α7^', } #....................................................................................................... else yield dd { $key: '^unknown', text, start, stop, $value: tree, $vnr, $: '^α8^', } return null #=========================================================================================================== # #----------------------------------------------------------------------------------------------------------- ASCIISORTER = @ class Asciisorter extends GRAMMAR.Grammar constructor: ( settings = null ) -> settings = assign { use_summarize: true, }, settings name = if settings.use_summarize then 'asciisorter' else 'asciiautosumm' super name, ASCIISORTER, settings unless @settings.use_summarize delete @linearize delete @summarize @parser = @_new_parser name return @ asciisorter = new Asciisorter() module.exports = { asciisorter, Asciisorter, }
[ { "context": "ake half damage on physical attacks.\n *\n * @name Barbarian\n * @special Rage (The Barbarian gets Rage so the", "end": 444, "score": 0.8393206596374512, "start": 435, "tag": "NAME", "value": "Barbarian" }, { "context": ".special.maximum = 100\n player.special.name = \"Rage\"\n\n player.on \"explore.walk\", @events.walk = ->", "end": 1867, "score": 0.8381345272064209, "start": 1863, "tag": "NAME", "value": "Rage" } ]
src/character/classes/Barbarian.coffee
sadbear-/IdleLands
3
Class = require "./../base/Class" `/** * This class is a physically powerful class. Their Rage is a powerful force that drastically * increases their STR. Rage is accumulated by taking damage and watching allies die. Each point of rage * adds to the Barbarians damage multiplier. They have an overall reduction in dex and agi to make up for their * bulky nature. They also take half damage on physical attacks. * * @name Barbarian * @special Rage (The Barbarian gets Rage so they can power themselves up while they get beaten up.) * @physical * @tank * @hp 200+[level*25]+[con*10] * @mp 0level*-10]+[int*-5] * @itemScore con*2 + str*2 - wis - int * @statPerLevel {str} 6 * @statPerLevel {dex} 2 * @statPerLevel {con} 6 * @statPerLevel {int} -3 * @statPerLevel {wis} -3 * @statPerLevel {agi} 0 * @minDamage 40% * @hpregen 5% * @category Classes * @package Player */` class Barbarian extends Class baseHp: 200 baseHpPerLevel: 25 baseHpPerCon: 10 baseMp: 0 baseMpPerLevel: -10 baseMpPerInt: -5 baseConPerLevel: 6 baseDexPerLevel: 2 baseAgiPerLevel: 0 baseStrPerLevel: 6 baseIntPerLevel: -3 baseWisPerLevel: -3 itemScore: (player, item) -> item.con*2 + item.str*2 - item.wis - item.int physicalAttackChance: (player) -> if player.special.getValue() > 70 then 30 else 5 hpregen: (player) -> Math.floor(player.hp.maximum*0.05) minDamage: (player) -> player.calc.damage()*0.40 strPercent: (player) -> player.special.getValue() dexPercent: -> -25 agiPercent: -> -25 damageTaken: (player, attacker, damage, skillType, spell, reductionType) -> return 0 if reductionType isnt "hp" or skillType isnt "magical" -Math.floor damage/2 events: {} load: (player) -> super player player.special.maximum = 100 player.special.name = "Rage" player.on "explore.walk", @events.walk = -> player.special.sub 1 player.on "combat.self.damaged", @events.hitReceived = -> player.special.add 5 player.on "combat.self.damage", @events.hitGiven = -> player.special.sub 2 player.on "combat.ally.killed", @events.allyDeath = -> player.special.add 10 player.on "combat.self.kill", @events.enemyDeath = -> player.special.sub 15 player.on "combat.self.killed", @events.selfDead = -> player.special.toMinimum() player.on "combat.self.deflect", @events.selfDeflect = (target) => probability = (Math.floor player.level.getValue()/10)*5 if @chance.bool({likelihood: probability}) player.party.currentBattle.doPhysicalAttack player, target, yes unload: (player) -> player.special.maximum = 0 player.special.name = "" player.off "explore.walk", @events.walk player.off "combat.self.damaged", @events.hitReceived player.off "combat.self.damage", @events.hitGiven player.off "combat.ally.killed", @events.allyDeath player.off "combat.self.kill", @events.enemyDeath player.off "combat.self.killed", @events.selfDead player.off "combat.self.deflect", @events.selfDeflect module.exports = exports = Barbarian
122364
Class = require "./../base/Class" `/** * This class is a physically powerful class. Their Rage is a powerful force that drastically * increases their STR. Rage is accumulated by taking damage and watching allies die. Each point of rage * adds to the Barbarians damage multiplier. They have an overall reduction in dex and agi to make up for their * bulky nature. They also take half damage on physical attacks. * * @name <NAME> * @special Rage (The Barbarian gets Rage so they can power themselves up while they get beaten up.) * @physical * @tank * @hp 200+[level*25]+[con*10] * @mp 0level*-10]+[int*-5] * @itemScore con*2 + str*2 - wis - int * @statPerLevel {str} 6 * @statPerLevel {dex} 2 * @statPerLevel {con} 6 * @statPerLevel {int} -3 * @statPerLevel {wis} -3 * @statPerLevel {agi} 0 * @minDamage 40% * @hpregen 5% * @category Classes * @package Player */` class Barbarian extends Class baseHp: 200 baseHpPerLevel: 25 baseHpPerCon: 10 baseMp: 0 baseMpPerLevel: -10 baseMpPerInt: -5 baseConPerLevel: 6 baseDexPerLevel: 2 baseAgiPerLevel: 0 baseStrPerLevel: 6 baseIntPerLevel: -3 baseWisPerLevel: -3 itemScore: (player, item) -> item.con*2 + item.str*2 - item.wis - item.int physicalAttackChance: (player) -> if player.special.getValue() > 70 then 30 else 5 hpregen: (player) -> Math.floor(player.hp.maximum*0.05) minDamage: (player) -> player.calc.damage()*0.40 strPercent: (player) -> player.special.getValue() dexPercent: -> -25 agiPercent: -> -25 damageTaken: (player, attacker, damage, skillType, spell, reductionType) -> return 0 if reductionType isnt "hp" or skillType isnt "magical" -Math.floor damage/2 events: {} load: (player) -> super player player.special.maximum = 100 player.special.name = "<NAME>" player.on "explore.walk", @events.walk = -> player.special.sub 1 player.on "combat.self.damaged", @events.hitReceived = -> player.special.add 5 player.on "combat.self.damage", @events.hitGiven = -> player.special.sub 2 player.on "combat.ally.killed", @events.allyDeath = -> player.special.add 10 player.on "combat.self.kill", @events.enemyDeath = -> player.special.sub 15 player.on "combat.self.killed", @events.selfDead = -> player.special.toMinimum() player.on "combat.self.deflect", @events.selfDeflect = (target) => probability = (Math.floor player.level.getValue()/10)*5 if @chance.bool({likelihood: probability}) player.party.currentBattle.doPhysicalAttack player, target, yes unload: (player) -> player.special.maximum = 0 player.special.name = "" player.off "explore.walk", @events.walk player.off "combat.self.damaged", @events.hitReceived player.off "combat.self.damage", @events.hitGiven player.off "combat.ally.killed", @events.allyDeath player.off "combat.self.kill", @events.enemyDeath player.off "combat.self.killed", @events.selfDead player.off "combat.self.deflect", @events.selfDeflect module.exports = exports = Barbarian
true
Class = require "./../base/Class" `/** * This class is a physically powerful class. Their Rage is a powerful force that drastically * increases their STR. Rage is accumulated by taking damage and watching allies die. Each point of rage * adds to the Barbarians damage multiplier. They have an overall reduction in dex and agi to make up for their * bulky nature. They also take half damage on physical attacks. * * @name PI:NAME:<NAME>END_PI * @special Rage (The Barbarian gets Rage so they can power themselves up while they get beaten up.) * @physical * @tank * @hp 200+[level*25]+[con*10] * @mp 0level*-10]+[int*-5] * @itemScore con*2 + str*2 - wis - int * @statPerLevel {str} 6 * @statPerLevel {dex} 2 * @statPerLevel {con} 6 * @statPerLevel {int} -3 * @statPerLevel {wis} -3 * @statPerLevel {agi} 0 * @minDamage 40% * @hpregen 5% * @category Classes * @package Player */` class Barbarian extends Class baseHp: 200 baseHpPerLevel: 25 baseHpPerCon: 10 baseMp: 0 baseMpPerLevel: -10 baseMpPerInt: -5 baseConPerLevel: 6 baseDexPerLevel: 2 baseAgiPerLevel: 0 baseStrPerLevel: 6 baseIntPerLevel: -3 baseWisPerLevel: -3 itemScore: (player, item) -> item.con*2 + item.str*2 - item.wis - item.int physicalAttackChance: (player) -> if player.special.getValue() > 70 then 30 else 5 hpregen: (player) -> Math.floor(player.hp.maximum*0.05) minDamage: (player) -> player.calc.damage()*0.40 strPercent: (player) -> player.special.getValue() dexPercent: -> -25 agiPercent: -> -25 damageTaken: (player, attacker, damage, skillType, spell, reductionType) -> return 0 if reductionType isnt "hp" or skillType isnt "magical" -Math.floor damage/2 events: {} load: (player) -> super player player.special.maximum = 100 player.special.name = "PI:NAME:<NAME>END_PI" player.on "explore.walk", @events.walk = -> player.special.sub 1 player.on "combat.self.damaged", @events.hitReceived = -> player.special.add 5 player.on "combat.self.damage", @events.hitGiven = -> player.special.sub 2 player.on "combat.ally.killed", @events.allyDeath = -> player.special.add 10 player.on "combat.self.kill", @events.enemyDeath = -> player.special.sub 15 player.on "combat.self.killed", @events.selfDead = -> player.special.toMinimum() player.on "combat.self.deflect", @events.selfDeflect = (target) => probability = (Math.floor player.level.getValue()/10)*5 if @chance.bool({likelihood: probability}) player.party.currentBattle.doPhysicalAttack player, target, yes unload: (player) -> player.special.maximum = 0 player.special.name = "" player.off "explore.walk", @events.walk player.off "combat.self.damaged", @events.hitReceived player.off "combat.self.damage", @events.hitGiven player.off "combat.ally.killed", @events.allyDeath player.off "combat.self.kill", @events.enemyDeath player.off "combat.self.killed", @events.selfDead player.off "combat.self.deflect", @events.selfDeflect module.exports = exports = Barbarian
[ { "context": "ial portfolio with meaningful new therapies,” said Russell Cox, executive vice president and chief operating off", "end": 3214, "score": 0.9998604655265808, "start": 3203, "tag": "NAME", "value": "Russell Cox" } ]
test/cleaner.coffee
Falkirks/node-unfluff
1,173
suite 'Cleaner', -> cleaner = require("../src/cleaner") cheerio = require("cheerio") test 'exists', -> ok cleaner test 'removes body classes', -> html = fs.readFileSync("./fixtures/test_businessWeek1.html").toString() origDoc = cheerio.load(html) eq origDoc("body").attr("class").trim(), "magazine" newDoc = cleaner(origDoc) eq newDoc("body").attr("class"), '' test 'removes article attrs', -> html = fs.readFileSync("./fixtures/test_gizmodo1.html").toString() origDoc = cheerio.load(html) eq origDoc("article").attr("class").trim(), "row post js_post_item status-published commented js_amazon_module" newDoc = cleaner(origDoc) eq newDoc("article").attr("class"), undefined test 'removes em tag from image-less ems', -> html = fs.readFileSync("./fixtures/test_gizmodo1.html").toString() origDoc = cheerio.load(html) eq origDoc("em").length, 6 newDoc = cleaner(origDoc) eq newDoc("em").length, 0 test 'removes scripts', -> html = fs.readFileSync("./fixtures/test_businessWeek1.html").toString() origDoc = cheerio.load(html) eq origDoc("script").length, 40 newDoc = cleaner(origDoc) eq newDoc("script").length, 0 test 'removes comments', -> html = fs.readFileSync("./fixtures/test_gizmodo1.html").toString() origDoc = cheerio.load(html) comments = origDoc('*').contents().filter () -> this.type == "comment" eq comments.length, 15 newDoc = cleaner(origDoc) comments = newDoc('*').contents().filter () -> this.type == "comment" eq comments.length, 0 test 'replaces childless divs with p tags', -> origDoc = cheerio.load("<html><body><div>text1</div></body></html>") newDoc = cleaner(origDoc) eq newDoc("div").length, 0 eq newDoc("p").length, 1 eq newDoc("p").text(), "text1" test 'replaces u tags with plain text', -> origDoc = cheerio.load("<html><body><u>text1</u></body></html>") newDoc = cleaner(origDoc) eq newDoc("u").length, 0 eq newDoc("body").html(), "text1" test 'removes divs by re (ex: /caption/)', -> html = fs.readFileSync("./fixtures/test_aolNews.html").toString() origDoc = cheerio.load(html) captions = origDoc('div.caption') eq captions.length, 1 newDoc = cleaner(origDoc) captions = newDoc('div.caption') eq captions.length, 0 test 'removes naughty elms by re (ex: /caption/)', -> html = fs.readFileSync("./fixtures/test_issue28.html").toString() origDoc = cheerio.load(html) naughty_els = origDoc('.retweet') eq naughty_els.length, 2 newDoc = cleaner(origDoc) naughty_els = newDoc('.retweet') eq naughty_els.length, 0 test 'removes trash line breaks that wouldn\'t be rendered by the browser', -> html = fs.readFileSync("./fixtures/test_sec1.html").toString() origDoc = cheerio.load(html) newDoc = cleaner(origDoc) pEls = newDoc('p') cleanedParaText = pEls[9].children[0].data eq cleanedParaText.trim(), "“This transaction would not only strengthen our global presence, but also demonstrate our commitment to diversify and expand our U.S. commercial portfolio with meaningful new therapies,” said Russell Cox, executive vice president and chief operating officer of Jazz Pharmaceuticals plc. “We look forward to ongoing discussions with the FDA as we continue our efforts toward submission of an NDA for defibrotide in the U.S. Patients in the U.S. with severe VOD have a critical unmet medical need, and we believe that defibrotide has the potential to become an important treatment option for these patients.”" test 'inlines code blocks as test', -> html = fs.readFileSync("./fixtures/test_github1.html").toString() origDoc = cheerio.load(html) codeEls = origDoc('code') eq codeEls.length, 26 newDoc = cleaner(origDoc) codeEls = newDoc('code') eq codeEls.length, 0 # This is a code block that should still be present in the doc after cleaning ok newDoc('body').text().indexOf("extractor = require('unfluff');") > 0
143100
suite 'Cleaner', -> cleaner = require("../src/cleaner") cheerio = require("cheerio") test 'exists', -> ok cleaner test 'removes body classes', -> html = fs.readFileSync("./fixtures/test_businessWeek1.html").toString() origDoc = cheerio.load(html) eq origDoc("body").attr("class").trim(), "magazine" newDoc = cleaner(origDoc) eq newDoc("body").attr("class"), '' test 'removes article attrs', -> html = fs.readFileSync("./fixtures/test_gizmodo1.html").toString() origDoc = cheerio.load(html) eq origDoc("article").attr("class").trim(), "row post js_post_item status-published commented js_amazon_module" newDoc = cleaner(origDoc) eq newDoc("article").attr("class"), undefined test 'removes em tag from image-less ems', -> html = fs.readFileSync("./fixtures/test_gizmodo1.html").toString() origDoc = cheerio.load(html) eq origDoc("em").length, 6 newDoc = cleaner(origDoc) eq newDoc("em").length, 0 test 'removes scripts', -> html = fs.readFileSync("./fixtures/test_businessWeek1.html").toString() origDoc = cheerio.load(html) eq origDoc("script").length, 40 newDoc = cleaner(origDoc) eq newDoc("script").length, 0 test 'removes comments', -> html = fs.readFileSync("./fixtures/test_gizmodo1.html").toString() origDoc = cheerio.load(html) comments = origDoc('*').contents().filter () -> this.type == "comment" eq comments.length, 15 newDoc = cleaner(origDoc) comments = newDoc('*').contents().filter () -> this.type == "comment" eq comments.length, 0 test 'replaces childless divs with p tags', -> origDoc = cheerio.load("<html><body><div>text1</div></body></html>") newDoc = cleaner(origDoc) eq newDoc("div").length, 0 eq newDoc("p").length, 1 eq newDoc("p").text(), "text1" test 'replaces u tags with plain text', -> origDoc = cheerio.load("<html><body><u>text1</u></body></html>") newDoc = cleaner(origDoc) eq newDoc("u").length, 0 eq newDoc("body").html(), "text1" test 'removes divs by re (ex: /caption/)', -> html = fs.readFileSync("./fixtures/test_aolNews.html").toString() origDoc = cheerio.load(html) captions = origDoc('div.caption') eq captions.length, 1 newDoc = cleaner(origDoc) captions = newDoc('div.caption') eq captions.length, 0 test 'removes naughty elms by re (ex: /caption/)', -> html = fs.readFileSync("./fixtures/test_issue28.html").toString() origDoc = cheerio.load(html) naughty_els = origDoc('.retweet') eq naughty_els.length, 2 newDoc = cleaner(origDoc) naughty_els = newDoc('.retweet') eq naughty_els.length, 0 test 'removes trash line breaks that wouldn\'t be rendered by the browser', -> html = fs.readFileSync("./fixtures/test_sec1.html").toString() origDoc = cheerio.load(html) newDoc = cleaner(origDoc) pEls = newDoc('p') cleanedParaText = pEls[9].children[0].data eq cleanedParaText.trim(), "“This transaction would not only strengthen our global presence, but also demonstrate our commitment to diversify and expand our U.S. commercial portfolio with meaningful new therapies,” said <NAME>, executive vice president and chief operating officer of Jazz Pharmaceuticals plc. “We look forward to ongoing discussions with the FDA as we continue our efforts toward submission of an NDA for defibrotide in the U.S. Patients in the U.S. with severe VOD have a critical unmet medical need, and we believe that defibrotide has the potential to become an important treatment option for these patients.”" test 'inlines code blocks as test', -> html = fs.readFileSync("./fixtures/test_github1.html").toString() origDoc = cheerio.load(html) codeEls = origDoc('code') eq codeEls.length, 26 newDoc = cleaner(origDoc) codeEls = newDoc('code') eq codeEls.length, 0 # This is a code block that should still be present in the doc after cleaning ok newDoc('body').text().indexOf("extractor = require('unfluff');") > 0
true
suite 'Cleaner', -> cleaner = require("../src/cleaner") cheerio = require("cheerio") test 'exists', -> ok cleaner test 'removes body classes', -> html = fs.readFileSync("./fixtures/test_businessWeek1.html").toString() origDoc = cheerio.load(html) eq origDoc("body").attr("class").trim(), "magazine" newDoc = cleaner(origDoc) eq newDoc("body").attr("class"), '' test 'removes article attrs', -> html = fs.readFileSync("./fixtures/test_gizmodo1.html").toString() origDoc = cheerio.load(html) eq origDoc("article").attr("class").trim(), "row post js_post_item status-published commented js_amazon_module" newDoc = cleaner(origDoc) eq newDoc("article").attr("class"), undefined test 'removes em tag from image-less ems', -> html = fs.readFileSync("./fixtures/test_gizmodo1.html").toString() origDoc = cheerio.load(html) eq origDoc("em").length, 6 newDoc = cleaner(origDoc) eq newDoc("em").length, 0 test 'removes scripts', -> html = fs.readFileSync("./fixtures/test_businessWeek1.html").toString() origDoc = cheerio.load(html) eq origDoc("script").length, 40 newDoc = cleaner(origDoc) eq newDoc("script").length, 0 test 'removes comments', -> html = fs.readFileSync("./fixtures/test_gizmodo1.html").toString() origDoc = cheerio.load(html) comments = origDoc('*').contents().filter () -> this.type == "comment" eq comments.length, 15 newDoc = cleaner(origDoc) comments = newDoc('*').contents().filter () -> this.type == "comment" eq comments.length, 0 test 'replaces childless divs with p tags', -> origDoc = cheerio.load("<html><body><div>text1</div></body></html>") newDoc = cleaner(origDoc) eq newDoc("div").length, 0 eq newDoc("p").length, 1 eq newDoc("p").text(), "text1" test 'replaces u tags with plain text', -> origDoc = cheerio.load("<html><body><u>text1</u></body></html>") newDoc = cleaner(origDoc) eq newDoc("u").length, 0 eq newDoc("body").html(), "text1" test 'removes divs by re (ex: /caption/)', -> html = fs.readFileSync("./fixtures/test_aolNews.html").toString() origDoc = cheerio.load(html) captions = origDoc('div.caption') eq captions.length, 1 newDoc = cleaner(origDoc) captions = newDoc('div.caption') eq captions.length, 0 test 'removes naughty elms by re (ex: /caption/)', -> html = fs.readFileSync("./fixtures/test_issue28.html").toString() origDoc = cheerio.load(html) naughty_els = origDoc('.retweet') eq naughty_els.length, 2 newDoc = cleaner(origDoc) naughty_els = newDoc('.retweet') eq naughty_els.length, 0 test 'removes trash line breaks that wouldn\'t be rendered by the browser', -> html = fs.readFileSync("./fixtures/test_sec1.html").toString() origDoc = cheerio.load(html) newDoc = cleaner(origDoc) pEls = newDoc('p') cleanedParaText = pEls[9].children[0].data eq cleanedParaText.trim(), "“This transaction would not only strengthen our global presence, but also demonstrate our commitment to diversify and expand our U.S. commercial portfolio with meaningful new therapies,” said PI:NAME:<NAME>END_PI, executive vice president and chief operating officer of Jazz Pharmaceuticals plc. “We look forward to ongoing discussions with the FDA as we continue our efforts toward submission of an NDA for defibrotide in the U.S. Patients in the U.S. with severe VOD have a critical unmet medical need, and we believe that defibrotide has the potential to become an important treatment option for these patients.”" test 'inlines code blocks as test', -> html = fs.readFileSync("./fixtures/test_github1.html").toString() origDoc = cheerio.load(html) codeEls = origDoc('code') eq codeEls.length, 26 newDoc = cleaner(origDoc) codeEls = newDoc('code') eq codeEls.length, 0 # This is a code block that should still be present in the doc after cleaning ok newDoc('body').text().indexOf("extractor = require('unfluff');") > 0
[ { "context": "tion for Backbone.Marionette\n#\n# Copyright (C)2012 Derick Bailey, Muted Solutions, LLC\n# Distributed Under MIT Lic", "end": 108, "score": 0.9998294115066528, "start": 95, "tag": "NAME", "value": "Derick Bailey" }, { "context": "nd Full License Available at:\n# http://github.com/derickbailey/backbone.bbclonemail\n# http://github.com/derickba", "end": 244, "score": 0.999704897403717, "start": 232, "tag": "USERNAME", "value": "derickbailey" }, { "context": "ckbailey/backbone.bbclonemail\n# http://github.com/derickbailey/backbone.marionette\n\n# MailApp\n# -------\n\n# This ", "end": 298, "score": 0.9997148513793945, "start": 286, "tag": "USERNAME", "value": "derickbailey" } ]
client/mail/app.coffee
zhangcheng/bbclonemail-meteor
1
# Backbone.BBCloneMail # A reference application for Backbone.Marionette # # Copyright (C)2012 Derick Bailey, Muted Solutions, LLC # Distributed Under MIT License # # Documentation and Full License Available at: # http://github.com/derickbailey/backbone.bbclonemail # http://github.com/derickbailey/backbone.marionette # MailApp # ------- # This is the app controller or sub-application # for email. It contains all of the # high level knowledge of how to run the app # when it's in mail mode. BBCloneMail.module "MailApp", (MailApp, BBCloneMail, Backbone, Marionette, $, _) -> MailApp.Email = Backbone.Model.extend meteorStorage: new Backbone.MeteorStorage(Email) MailApp.EmailCollection = BBCloneMail.Collection.extend meteorStorage: new Backbone.MeteorStorage(Email) model: MailApp.Email # Get email for the specified category. Returns a # new `EmailCollection` with the filtered contents. # If no category is specified, returns `this`. forCategory: (category) -> return this unless category filteredMailItems = @filter((email) -> categories = email.get("categories") found = categories.indexOf(category) >= 0 found ) x = new MailApp.EmailCollection(filteredMailItems) x showFilteredEmailList = (category) -> MailApp.emailList.onReset (list) -> filteredMail = list.forCategory(category) MailApp.MailBox.showMail filteredMail # Mail App Public API # ------------------- # Show the inbox with all email. MailApp.showInbox = -> MailApp.showCategory() BBCloneMail.vent.trigger "mail:show" # Show a list of email for the given category. MailApp.showCategory = (category) -> showFilteredEmailList category MailApp.Categories.showCategoryList() # Show an individual email message, by Id MailApp.showMessage = (messageId) -> MailApp.emailList.onReset (list) -> email = list.get(messageId) MailApp.MailBox.showMessage email MailApp.Categories.showCategoryList() # Mail App Event Handlers # ----------------------- # When a category is selected, filter the mail list # based on it. BBCloneMail.vent.bind "mail:category:show", (category) -> showFilteredEmailList category # When the mail app is shown or `inbox` is clicked, # show all the mail. BBCloneMail.vent.bind "mail:show", -> showFilteredEmailList() # Mail App Initializer # -------------------- # Initializes the email collection object with the list # of emails that are passed in from the call to # `BBCloneMail.start`. BBCloneMail.addInitializer -> MailApp.emailList = new MailApp.EmailCollection() MailApp.emailList.fetch()
11313
# Backbone.BBCloneMail # A reference application for Backbone.Marionette # # Copyright (C)2012 <NAME>, Muted Solutions, LLC # Distributed Under MIT License # # Documentation and Full License Available at: # http://github.com/derickbailey/backbone.bbclonemail # http://github.com/derickbailey/backbone.marionette # MailApp # ------- # This is the app controller or sub-application # for email. It contains all of the # high level knowledge of how to run the app # when it's in mail mode. BBCloneMail.module "MailApp", (MailApp, BBCloneMail, Backbone, Marionette, $, _) -> MailApp.Email = Backbone.Model.extend meteorStorage: new Backbone.MeteorStorage(Email) MailApp.EmailCollection = BBCloneMail.Collection.extend meteorStorage: new Backbone.MeteorStorage(Email) model: MailApp.Email # Get email for the specified category. Returns a # new `EmailCollection` with the filtered contents. # If no category is specified, returns `this`. forCategory: (category) -> return this unless category filteredMailItems = @filter((email) -> categories = email.get("categories") found = categories.indexOf(category) >= 0 found ) x = new MailApp.EmailCollection(filteredMailItems) x showFilteredEmailList = (category) -> MailApp.emailList.onReset (list) -> filteredMail = list.forCategory(category) MailApp.MailBox.showMail filteredMail # Mail App Public API # ------------------- # Show the inbox with all email. MailApp.showInbox = -> MailApp.showCategory() BBCloneMail.vent.trigger "mail:show" # Show a list of email for the given category. MailApp.showCategory = (category) -> showFilteredEmailList category MailApp.Categories.showCategoryList() # Show an individual email message, by Id MailApp.showMessage = (messageId) -> MailApp.emailList.onReset (list) -> email = list.get(messageId) MailApp.MailBox.showMessage email MailApp.Categories.showCategoryList() # Mail App Event Handlers # ----------------------- # When a category is selected, filter the mail list # based on it. BBCloneMail.vent.bind "mail:category:show", (category) -> showFilteredEmailList category # When the mail app is shown or `inbox` is clicked, # show all the mail. BBCloneMail.vent.bind "mail:show", -> showFilteredEmailList() # Mail App Initializer # -------------------- # Initializes the email collection object with the list # of emails that are passed in from the call to # `BBCloneMail.start`. BBCloneMail.addInitializer -> MailApp.emailList = new MailApp.EmailCollection() MailApp.emailList.fetch()
true
# Backbone.BBCloneMail # A reference application for Backbone.Marionette # # Copyright (C)2012 PI:NAME:<NAME>END_PI, Muted Solutions, LLC # Distributed Under MIT License # # Documentation and Full License Available at: # http://github.com/derickbailey/backbone.bbclonemail # http://github.com/derickbailey/backbone.marionette # MailApp # ------- # This is the app controller or sub-application # for email. It contains all of the # high level knowledge of how to run the app # when it's in mail mode. BBCloneMail.module "MailApp", (MailApp, BBCloneMail, Backbone, Marionette, $, _) -> MailApp.Email = Backbone.Model.extend meteorStorage: new Backbone.MeteorStorage(Email) MailApp.EmailCollection = BBCloneMail.Collection.extend meteorStorage: new Backbone.MeteorStorage(Email) model: MailApp.Email # Get email for the specified category. Returns a # new `EmailCollection` with the filtered contents. # If no category is specified, returns `this`. forCategory: (category) -> return this unless category filteredMailItems = @filter((email) -> categories = email.get("categories") found = categories.indexOf(category) >= 0 found ) x = new MailApp.EmailCollection(filteredMailItems) x showFilteredEmailList = (category) -> MailApp.emailList.onReset (list) -> filteredMail = list.forCategory(category) MailApp.MailBox.showMail filteredMail # Mail App Public API # ------------------- # Show the inbox with all email. MailApp.showInbox = -> MailApp.showCategory() BBCloneMail.vent.trigger "mail:show" # Show a list of email for the given category. MailApp.showCategory = (category) -> showFilteredEmailList category MailApp.Categories.showCategoryList() # Show an individual email message, by Id MailApp.showMessage = (messageId) -> MailApp.emailList.onReset (list) -> email = list.get(messageId) MailApp.MailBox.showMessage email MailApp.Categories.showCategoryList() # Mail App Event Handlers # ----------------------- # When a category is selected, filter the mail list # based on it. BBCloneMail.vent.bind "mail:category:show", (category) -> showFilteredEmailList category # When the mail app is shown or `inbox` is clicked, # show all the mail. BBCloneMail.vent.bind "mail:show", -> showFilteredEmailList() # Mail App Initializer # -------------------- # Initializes the email collection object with the list # of emails that are passed in from the call to # `BBCloneMail.start`. BBCloneMail.addInitializer -> MailApp.emailList = new MailApp.EmailCollection() MailApp.emailList.fetch()
[ { "context": "n 1.0 modified on ${DATE} ${TIME}\n# Copyright©2012 Matt Ma Design\n# Senior Web Developer -- Matt Ma. ( matt@mattmad", "end": 102, "score": 0.9934083223342896, "start": 88, "tag": "NAME", "value": "Matt Ma Design" }, { "context": "ight©2012 Matt Ma Design\n# Senior Web Developer -- Matt Ma. ( matt@mattmadesign.com )\n# http://www.mattmades", "end": 136, "score": 0.9998881220817566, "start": 129, "tag": "NAME", "value": "Matt Ma" }, { "context": "att Ma Design\n# Senior Web Developer -- Matt Ma. ( matt@mattmadesign.com )\n# http://www.mattmadesign.com\n\n# Use local alia", "end": 161, "score": 0.9999290108680725, "start": 140, "tag": "EMAIL", "value": "matt@mattmadesign.com" } ]
static/scripts/coffee/init.coffee
mattma/mvc-css
1
# Javascript for ProjectName # Version 1.0 modified on ${DATE} ${TIME} # Copyright©2012 Matt Ma Design # Senior Web Developer -- Matt Ma. ( matt@mattmadesign.com ) # http://www.mattmadesign.com # Use local alias $ = jQuery ($ document).ready -> # DOM Ready Function $.localScroll target: 'body' # could be a selector or a jQuery object too. queue: true duration: 600
180825
# Javascript for ProjectName # Version 1.0 modified on ${DATE} ${TIME} # Copyright©2012 <NAME> # Senior Web Developer -- <NAME>. ( <EMAIL> ) # http://www.mattmadesign.com # Use local alias $ = jQuery ($ document).ready -> # DOM Ready Function $.localScroll target: 'body' # could be a selector or a jQuery object too. queue: true duration: 600
true
# Javascript for ProjectName # Version 1.0 modified on ${DATE} ${TIME} # Copyright©2012 PI:NAME:<NAME>END_PI # Senior Web Developer -- PI:NAME:<NAME>END_PI. ( PI:EMAIL:<EMAIL>END_PI ) # http://www.mattmadesign.com # Use local alias $ = jQuery ($ document).ready -> # DOM Ready Function $.localScroll target: 'body' # could be a selector or a jQuery object too. queue: true duration: 600
[ { "context": "export default (\n austin:\n id: 0\n email: 'austin@makes.audio'\n username: 'austin'\n)\n", "end": 67, "score": 0.9999111890792847, "start": 49, "tag": "EMAIL", "value": "austin@makes.audio" }, { "context": " 0\n email: 'austin@makes.audio'\n username: 'austin'\n)\n", "end": 90, "score": 0.9996285438537598, "start": 84, "tag": "USERNAME", "value": "austin" } ]
ui/src/fixtures/users.coffee
jozsefsallai/makes.audio
4
export default ( austin: id: 0 email: 'austin@makes.audio' username: 'austin' )
161469
export default ( austin: id: 0 email: '<EMAIL>' username: 'austin' )
true
export default ( austin: id: 0 email: 'PI:EMAIL:<EMAIL>END_PI' username: 'austin' )
[ { "context": "###:\n * @plugindesc Skip Title Plugin\n * @author Dan Yamamoto\n * @license MIT\n *\n####\n\nload_game = ->\n if Data", "end": 61, "score": 0.9998790621757507, "start": 49, "tag": "NAME", "value": "Dan Yamamoto" } ]
js/plugins/SkipTitle.coffee
dan5/tkoolmv
1
###: * @plugindesc Skip Title Plugin * @author Dan Yamamoto * @license MIT * #### load_game = -> if DataManager.isAnySavefileExists() DataManager.loadGame(1) else DataManager.setupNewGame() Scene_Title::create = -> Scene_Base::create.call this Scene_Title::start = -> Scene_Base::start.call this load_game() SceneManager.clearStack() SceneManager.goto Scene_Map Scene_Title::update = -> Scene_Base::update.call this Scene_Title::isBusy = -> Scene_Base::isBusy.call(this)
28910
###: * @plugindesc Skip Title Plugin * @author <NAME> * @license MIT * #### load_game = -> if DataManager.isAnySavefileExists() DataManager.loadGame(1) else DataManager.setupNewGame() Scene_Title::create = -> Scene_Base::create.call this Scene_Title::start = -> Scene_Base::start.call this load_game() SceneManager.clearStack() SceneManager.goto Scene_Map Scene_Title::update = -> Scene_Base::update.call this Scene_Title::isBusy = -> Scene_Base::isBusy.call(this)
true
###: * @plugindesc Skip Title Plugin * @author PI:NAME:<NAME>END_PI * @license MIT * #### load_game = -> if DataManager.isAnySavefileExists() DataManager.loadGame(1) else DataManager.setupNewGame() Scene_Title::create = -> Scene_Base::create.call this Scene_Title::start = -> Scene_Base::start.call this load_game() SceneManager.clearStack() SceneManager.goto Scene_Map Scene_Title::update = -> Scene_Base::update.call this Scene_Title::isBusy = -> Scene_Base::isBusy.call(this)
[ { "context": "le'\n\nner('You do not work for Apple in London, Mr. Anderson hello@anderson.com', apiKeys, {language: 'english", "end": 113, "score": 0.998551607131958, "start": 105, "tag": "NAME", "value": "Anderson" }, { "context": "'You do not work for Apple in London, Mr. Anderson hello@anderson.com', apiKeys, {language: 'english'} ).then (res) ->\n", "end": 132, "score": 0.9999189972877502, "start": 114, "tag": "EMAIL", "value": "hello@anderson.com" } ]
test/test.coffee
FranzSkuffka/ner-unifier
0
ner = require '..' apiKeys = require './API_keys_module' ner('You do not work for Apple in London, Mr. Anderson hello@anderson.com', apiKeys, {language: 'english'} ).then (res) -> console.log() console.log res ner('Was ist denn in Stuttgart los, ich hoffe dass 3/4 der Leute bei Daimler arbeiten', apiKeys, {language: 'german'} ).then (res) -> console.log() console.log res ner('Our website is at pug2php.netlify.com', apiKeys, {language: 'german'} ).then (res) -> console.log() console.log res
161975
ner = require '..' apiKeys = require './API_keys_module' ner('You do not work for Apple in London, Mr. <NAME> <EMAIL>', apiKeys, {language: 'english'} ).then (res) -> console.log() console.log res ner('Was ist denn in Stuttgart los, ich hoffe dass 3/4 der Leute bei Daimler arbeiten', apiKeys, {language: 'german'} ).then (res) -> console.log() console.log res ner('Our website is at pug2php.netlify.com', apiKeys, {language: 'german'} ).then (res) -> console.log() console.log res
true
ner = require '..' apiKeys = require './API_keys_module' ner('You do not work for Apple in London, Mr. PI:NAME:<NAME>END_PI PI:EMAIL:<EMAIL>END_PI', apiKeys, {language: 'english'} ).then (res) -> console.log() console.log res ner('Was ist denn in Stuttgart los, ich hoffe dass 3/4 der Leute bei Daimler arbeiten', apiKeys, {language: 'german'} ).then (res) -> console.log() console.log res ner('Our website is at pug2php.netlify.com', apiKeys, {language: 'german'} ).then (res) -> console.log() console.log res
[ { "context": "###\n @author Piyush Katariya\n###\n\n\n# Exceptions\n\nclass DataFormatError extends", "end": 31, "score": 0.9998812675476074, "start": 16, "tag": "NAME", "value": "Piyush Katariya" } ]
project/src/sql-compute.coffee
corporatepiyush/sql-compute
1
### @author Piyush Katariya ### # Exceptions class DataFormatError extends Error constructor : (clause, requiredFormat) -> @message = "The value of '#{clause}' should be of type #{requiredFormat}" class DependancyError extends Error constructor : (clause, requiredClause) -> @message = "'#{requiredClause}' is required if '#{clause}' is used" class InvalidDataSourceAliasException extends Error constructor : (alias) -> @message = "Invalid database alias '#{alias}'" # Data Source class Iterator hasNext : -> false next : -> class Promise then : (success) -> success() catch : (error) -> class Resolver extends Promise constructor : (@promises...) -> @results = [] @count = @promises.length @resolve = (index, allResolveComplete) => (data) => @result[index] = data if -- @count is 0 allResolveComplete() then : (success, error) -> allResolveComplete = () -> success(@results...) for index, promise of @promises promise.then(@resolve(index, allResolveComplete)) .catch(error) class ArrayIterator extends Iterator constructor : (@array) -> @index = 0; @length = @array.length hasNext : -> @index < @length next : -> @array[@index++] class DataSource extends Promise constructor : (@promise) -> then : (success) -> @promise.then (data) -> switch when data instanceof Array success(new ArrayIterator(data)) when data instanceof Iterator success(data) else throw new DataFormatError 'datasource','either Array or instanceof Iterator class' class ArrayDataSource extends Promise constructor : (@array) -> unless @array instanceof Array throw new DataFormatError 'ArrayDataSource', 'Array' then : (success)-> success(@array) #sync because it is static data # Query Engine class OperationIterator extends Iterator constructor : (@operation, @iterator) -> class SelectIterator extends Iterator hasNext : -> @iterator.hasNext() next : -> record = @iterator.next() for projection in @operation.projections [alias, property] = projection.split '.' class FromIterator extends Iterator constructor : () hasNext : -> class Operation constructor : (@command) -> class Select extends Operation validate : -> unless @command.select instanceof Array throw new DataFormatError 'select', 'Array' projections = (projection for projection in @command.select when typeof projection is 'string') ds = Object.keys @command.from for projection in projections [alias, _] = projection.split '.' throw new InvalidDataSourceAliasException alias if alias not in ds chain : (iterator)-> new SelectIterator(@, iterator) class From extends Operation constructor : (command) -> super command @promise = null validate : -> unless typeof @command.from is 'object' throw new DataFormatError 'from', 'JSON Object' for name, source of @command.from unless source instanceof DataSource throw new DataFormatError "datasource #{name}", 'either ArrayDataSource or CustomDataSource' chain : -> resolver = new Resolver((for ds in (@command.from alias for alias in Object.keys @command.from))) resolver.then() class Where extends Operation validate : -> unless @command.where instanceof Function throw new DataFormatError 'where', 'Function' class GroupBy extends Operation validate : -> unless @command.select instanceof Array throw new DataFormatError 'groupBy', 'Array' class Having extends Operation validate : -> unless @command.groupBy throw new DependancyError 'having', 'groupBy' unless @command.having.condition throw new DependancyError 'having', 'having.condition' unless @command.having.condition instanceof Function throw new DataFormatError 'having.condition', 'Function' class OrderBy extends Operation validate : -> unless @command.orderBy instanceof Array throw new DataFormatError 'orderBy', 'Array' class Limit extends Operation validate : -> unless typeof @command.limit is 'number' throw new DataFormatError 'limit', 'Number' class Offset extends Operation validate : -> unless typeof @command.offset is 'number' throw new DataFormatError 'offset', 'Number' class Query constructor : (@command, ops) -> @pipeline = [] @pipeline.push new ops.Where(@command) if @command.where @pipeline.push new ops.GroupBy(@command) if @command.groupBy @pipeline.push new ops.Having(@command) if @command.having @pipeline.push new ops.Select(@command) @pipeline.push new ops.OrderBy(@command) if @command.orderBy @pipeline.push new ops.Offset(@command) if @command.offset @pipeline.push new ops.Limit(@command) if @command.limit validate : -> unless typeof @command is 'object' throw new DataFormatError 'Query Object', 'JSON' unless @command.select and @command.from throw new DependancyError 'Query Object', '"select" and "from"' for operation in @pipeline operation.validate() execute : (success, error, lazy=false) -> try result = new ops.From(@command) #async result.promise.success = (dataIterator) -> try for operation in @pipeline #sync dataIterator = operation.chain(dataIterator) unless lazy records = [] records.push dataIterator.next() while dataIterator.hasNext() success(data) else success(dataIterator) catch err error(err) result.promise.error = (err) -> error(err) result.execute() catch err error(err) # Global exports window.sqlCompute = window.sqlCompute || Query : Query Select : Select From : From Where : Where GroupBy : GroupBy Having : Having OrderBy : OrderBy Limit : Limit Offset : Offset ArrayDataSource : (arr) -> new ArrayDataSource arr CustomDataSource : (fn) -> new CustomDataSource fn()
221498
### @author <NAME> ### # Exceptions class DataFormatError extends Error constructor : (clause, requiredFormat) -> @message = "The value of '#{clause}' should be of type #{requiredFormat}" class DependancyError extends Error constructor : (clause, requiredClause) -> @message = "'#{requiredClause}' is required if '#{clause}' is used" class InvalidDataSourceAliasException extends Error constructor : (alias) -> @message = "Invalid database alias '#{alias}'" # Data Source class Iterator hasNext : -> false next : -> class Promise then : (success) -> success() catch : (error) -> class Resolver extends Promise constructor : (@promises...) -> @results = [] @count = @promises.length @resolve = (index, allResolveComplete) => (data) => @result[index] = data if -- @count is 0 allResolveComplete() then : (success, error) -> allResolveComplete = () -> success(@results...) for index, promise of @promises promise.then(@resolve(index, allResolveComplete)) .catch(error) class ArrayIterator extends Iterator constructor : (@array) -> @index = 0; @length = @array.length hasNext : -> @index < @length next : -> @array[@index++] class DataSource extends Promise constructor : (@promise) -> then : (success) -> @promise.then (data) -> switch when data instanceof Array success(new ArrayIterator(data)) when data instanceof Iterator success(data) else throw new DataFormatError 'datasource','either Array or instanceof Iterator class' class ArrayDataSource extends Promise constructor : (@array) -> unless @array instanceof Array throw new DataFormatError 'ArrayDataSource', 'Array' then : (success)-> success(@array) #sync because it is static data # Query Engine class OperationIterator extends Iterator constructor : (@operation, @iterator) -> class SelectIterator extends Iterator hasNext : -> @iterator.hasNext() next : -> record = @iterator.next() for projection in @operation.projections [alias, property] = projection.split '.' class FromIterator extends Iterator constructor : () hasNext : -> class Operation constructor : (@command) -> class Select extends Operation validate : -> unless @command.select instanceof Array throw new DataFormatError 'select', 'Array' projections = (projection for projection in @command.select when typeof projection is 'string') ds = Object.keys @command.from for projection in projections [alias, _] = projection.split '.' throw new InvalidDataSourceAliasException alias if alias not in ds chain : (iterator)-> new SelectIterator(@, iterator) class From extends Operation constructor : (command) -> super command @promise = null validate : -> unless typeof @command.from is 'object' throw new DataFormatError 'from', 'JSON Object' for name, source of @command.from unless source instanceof DataSource throw new DataFormatError "datasource #{name}", 'either ArrayDataSource or CustomDataSource' chain : -> resolver = new Resolver((for ds in (@command.from alias for alias in Object.keys @command.from))) resolver.then() class Where extends Operation validate : -> unless @command.where instanceof Function throw new DataFormatError 'where', 'Function' class GroupBy extends Operation validate : -> unless @command.select instanceof Array throw new DataFormatError 'groupBy', 'Array' class Having extends Operation validate : -> unless @command.groupBy throw new DependancyError 'having', 'groupBy' unless @command.having.condition throw new DependancyError 'having', 'having.condition' unless @command.having.condition instanceof Function throw new DataFormatError 'having.condition', 'Function' class OrderBy extends Operation validate : -> unless @command.orderBy instanceof Array throw new DataFormatError 'orderBy', 'Array' class Limit extends Operation validate : -> unless typeof @command.limit is 'number' throw new DataFormatError 'limit', 'Number' class Offset extends Operation validate : -> unless typeof @command.offset is 'number' throw new DataFormatError 'offset', 'Number' class Query constructor : (@command, ops) -> @pipeline = [] @pipeline.push new ops.Where(@command) if @command.where @pipeline.push new ops.GroupBy(@command) if @command.groupBy @pipeline.push new ops.Having(@command) if @command.having @pipeline.push new ops.Select(@command) @pipeline.push new ops.OrderBy(@command) if @command.orderBy @pipeline.push new ops.Offset(@command) if @command.offset @pipeline.push new ops.Limit(@command) if @command.limit validate : -> unless typeof @command is 'object' throw new DataFormatError 'Query Object', 'JSON' unless @command.select and @command.from throw new DependancyError 'Query Object', '"select" and "from"' for operation in @pipeline operation.validate() execute : (success, error, lazy=false) -> try result = new ops.From(@command) #async result.promise.success = (dataIterator) -> try for operation in @pipeline #sync dataIterator = operation.chain(dataIterator) unless lazy records = [] records.push dataIterator.next() while dataIterator.hasNext() success(data) else success(dataIterator) catch err error(err) result.promise.error = (err) -> error(err) result.execute() catch err error(err) # Global exports window.sqlCompute = window.sqlCompute || Query : Query Select : Select From : From Where : Where GroupBy : GroupBy Having : Having OrderBy : OrderBy Limit : Limit Offset : Offset ArrayDataSource : (arr) -> new ArrayDataSource arr CustomDataSource : (fn) -> new CustomDataSource fn()
true
### @author PI:NAME:<NAME>END_PI ### # Exceptions class DataFormatError extends Error constructor : (clause, requiredFormat) -> @message = "The value of '#{clause}' should be of type #{requiredFormat}" class DependancyError extends Error constructor : (clause, requiredClause) -> @message = "'#{requiredClause}' is required if '#{clause}' is used" class InvalidDataSourceAliasException extends Error constructor : (alias) -> @message = "Invalid database alias '#{alias}'" # Data Source class Iterator hasNext : -> false next : -> class Promise then : (success) -> success() catch : (error) -> class Resolver extends Promise constructor : (@promises...) -> @results = [] @count = @promises.length @resolve = (index, allResolveComplete) => (data) => @result[index] = data if -- @count is 0 allResolveComplete() then : (success, error) -> allResolveComplete = () -> success(@results...) for index, promise of @promises promise.then(@resolve(index, allResolveComplete)) .catch(error) class ArrayIterator extends Iterator constructor : (@array) -> @index = 0; @length = @array.length hasNext : -> @index < @length next : -> @array[@index++] class DataSource extends Promise constructor : (@promise) -> then : (success) -> @promise.then (data) -> switch when data instanceof Array success(new ArrayIterator(data)) when data instanceof Iterator success(data) else throw new DataFormatError 'datasource','either Array or instanceof Iterator class' class ArrayDataSource extends Promise constructor : (@array) -> unless @array instanceof Array throw new DataFormatError 'ArrayDataSource', 'Array' then : (success)-> success(@array) #sync because it is static data # Query Engine class OperationIterator extends Iterator constructor : (@operation, @iterator) -> class SelectIterator extends Iterator hasNext : -> @iterator.hasNext() next : -> record = @iterator.next() for projection in @operation.projections [alias, property] = projection.split '.' class FromIterator extends Iterator constructor : () hasNext : -> class Operation constructor : (@command) -> class Select extends Operation validate : -> unless @command.select instanceof Array throw new DataFormatError 'select', 'Array' projections = (projection for projection in @command.select when typeof projection is 'string') ds = Object.keys @command.from for projection in projections [alias, _] = projection.split '.' throw new InvalidDataSourceAliasException alias if alias not in ds chain : (iterator)-> new SelectIterator(@, iterator) class From extends Operation constructor : (command) -> super command @promise = null validate : -> unless typeof @command.from is 'object' throw new DataFormatError 'from', 'JSON Object' for name, source of @command.from unless source instanceof DataSource throw new DataFormatError "datasource #{name}", 'either ArrayDataSource or CustomDataSource' chain : -> resolver = new Resolver((for ds in (@command.from alias for alias in Object.keys @command.from))) resolver.then() class Where extends Operation validate : -> unless @command.where instanceof Function throw new DataFormatError 'where', 'Function' class GroupBy extends Operation validate : -> unless @command.select instanceof Array throw new DataFormatError 'groupBy', 'Array' class Having extends Operation validate : -> unless @command.groupBy throw new DependancyError 'having', 'groupBy' unless @command.having.condition throw new DependancyError 'having', 'having.condition' unless @command.having.condition instanceof Function throw new DataFormatError 'having.condition', 'Function' class OrderBy extends Operation validate : -> unless @command.orderBy instanceof Array throw new DataFormatError 'orderBy', 'Array' class Limit extends Operation validate : -> unless typeof @command.limit is 'number' throw new DataFormatError 'limit', 'Number' class Offset extends Operation validate : -> unless typeof @command.offset is 'number' throw new DataFormatError 'offset', 'Number' class Query constructor : (@command, ops) -> @pipeline = [] @pipeline.push new ops.Where(@command) if @command.where @pipeline.push new ops.GroupBy(@command) if @command.groupBy @pipeline.push new ops.Having(@command) if @command.having @pipeline.push new ops.Select(@command) @pipeline.push new ops.OrderBy(@command) if @command.orderBy @pipeline.push new ops.Offset(@command) if @command.offset @pipeline.push new ops.Limit(@command) if @command.limit validate : -> unless typeof @command is 'object' throw new DataFormatError 'Query Object', 'JSON' unless @command.select and @command.from throw new DependancyError 'Query Object', '"select" and "from"' for operation in @pipeline operation.validate() execute : (success, error, lazy=false) -> try result = new ops.From(@command) #async result.promise.success = (dataIterator) -> try for operation in @pipeline #sync dataIterator = operation.chain(dataIterator) unless lazy records = [] records.push dataIterator.next() while dataIterator.hasNext() success(data) else success(dataIterator) catch err error(err) result.promise.error = (err) -> error(err) result.execute() catch err error(err) # Global exports window.sqlCompute = window.sqlCompute || Query : Query Select : Select From : From Where : Where GroupBy : GroupBy Having : Having OrderBy : OrderBy Limit : Limit Offset : Offset ArrayDataSource : (arr) -> new ArrayDataSource arr CustomDataSource : (fn) -> new CustomDataSource fn()
[ { "context": "localStorage.\n getLocationKey: (keyChar) ->\n \"vimiumMark|#{window.location.href.split('#')[0]}|#{keyChar}\"\n", "end": 305, "score": 0.9208801984786987, "start": 294, "tag": "KEY", "value": "vimiumMark|" }, { "context": " \"vimiumMark|#{window.location.href.split('#')[0]}|#{keyChar}\"\n\n getMarkString: ->\n JSON.stringif", "end": 342, "score": 0.5535302758216858, "start": 342, "tag": "KEY", "value": "" }, { "context": "cationKey() in the back end.\n key = \"vimiumGlobalMark|#{keyChar}\"\n Settings.storage.get key, (items) -", "end": 2631, "score": 0.9836040139198303, "start": 2603, "tag": "KEY", "value": "vimiumGlobalMark|#{keyChar}\"" } ]
content_scripts/marks.coffee
mrmr1993/vimium
16
Marks = previousPositionRegisters: [ "`", "'" ] localRegisters: {} mode: null exit: (continuation = null) -> @mode?.exit() @mode = null continuation?() # This returns the key which is used for storing mark locations in localStorage. getLocationKey: (keyChar) -> "vimiumMark|#{window.location.href.split('#')[0]}|#{keyChar}" getMarkString: -> JSON.stringify scrollX: window.scrollX, scrollY: window.scrollY setPreviousPosition: -> markString = @getMarkString() @localRegisters[reg] = markString for reg in @previousPositionRegisters showMessage: (message, keyChar) -> HUD.showForDuration "#{message} \"#{keyChar}\".", 1000 # If <Shift> is depressed, then it's a global mark, otherwise it's a local mark. This is consistent # vim's [A-Z] for global marks and [a-z] for local marks. However, it also admits other non-Latin # characters. The exceptions are "`" and "'", which are always considered local marks. isGlobalMark: (event, keyChar) -> event.shiftKey and keyChar not in @previousPositionRegisters activateCreateMode: -> @mode = new Mode name: "create-mark" indicator: "Create mark..." exitOnEscape: true suppressAllKeyboardEvents: true keydown: (event) => if KeyboardUtils.isPrintable event keyChar = KeyboardUtils.getKeyChar event @exit => if @isGlobalMark event, keyChar # We record the current scroll position, but only if this is the top frame within the tab. # Otherwise, we'll fetch the scroll position of the top frame from the background page later. [ scrollX, scrollY ] = [ window.scrollX, window.scrollY ] if DomUtils.isTopFrame() chrome.runtime.sendMessage handler: 'createMark' markName: keyChar scrollX: scrollX scrollY: scrollY , => @showMessage "Created global mark", keyChar else localStorage[@getLocationKey keyChar] = @getMarkString() @showMessage "Created local mark", keyChar handlerStack.suppressEvent activateGotoMode: -> @mode = new Mode name: "goto-mark" indicator: "Go to mark..." exitOnEscape: true suppressAllKeyboardEvents: true keydown: (event) => if KeyboardUtils.isPrintable event @exit => keyChar = KeyboardUtils.getKeyChar event if @isGlobalMark event, keyChar # This key must match @getLocationKey() in the back end. key = "vimiumGlobalMark|#{keyChar}" Settings.storage.get key, (items) -> if key of items chrome.runtime.sendMessage handler: 'gotoMark', markName: keyChar HUD.showForDuration "Jumped to global mark '#{keyChar}'", 1000 else HUD.showForDuration "Global mark not set '#{keyChar}'", 1000 else markString = @localRegisters[keyChar] ? localStorage[@getLocationKey keyChar] if markString? @setPreviousPosition() position = JSON.parse markString window.scrollTo position.scrollX, position.scrollY @showMessage "Jumped to local mark", keyChar else @showMessage "Local mark not set", keyChar handlerStack.suppressEvent root = exports ? (window.root ?= {}) root.Marks = Marks extend window, root unless exports?
34062
Marks = previousPositionRegisters: [ "`", "'" ] localRegisters: {} mode: null exit: (continuation = null) -> @mode?.exit() @mode = null continuation?() # This returns the key which is used for storing mark locations in localStorage. getLocationKey: (keyChar) -> "<KEY>#{window.location.href.split('#')[0]}<KEY>|#{keyChar}" getMarkString: -> JSON.stringify scrollX: window.scrollX, scrollY: window.scrollY setPreviousPosition: -> markString = @getMarkString() @localRegisters[reg] = markString for reg in @previousPositionRegisters showMessage: (message, keyChar) -> HUD.showForDuration "#{message} \"#{keyChar}\".", 1000 # If <Shift> is depressed, then it's a global mark, otherwise it's a local mark. This is consistent # vim's [A-Z] for global marks and [a-z] for local marks. However, it also admits other non-Latin # characters. The exceptions are "`" and "'", which are always considered local marks. isGlobalMark: (event, keyChar) -> event.shiftKey and keyChar not in @previousPositionRegisters activateCreateMode: -> @mode = new Mode name: "create-mark" indicator: "Create mark..." exitOnEscape: true suppressAllKeyboardEvents: true keydown: (event) => if KeyboardUtils.isPrintable event keyChar = KeyboardUtils.getKeyChar event @exit => if @isGlobalMark event, keyChar # We record the current scroll position, but only if this is the top frame within the tab. # Otherwise, we'll fetch the scroll position of the top frame from the background page later. [ scrollX, scrollY ] = [ window.scrollX, window.scrollY ] if DomUtils.isTopFrame() chrome.runtime.sendMessage handler: 'createMark' markName: keyChar scrollX: scrollX scrollY: scrollY , => @showMessage "Created global mark", keyChar else localStorage[@getLocationKey keyChar] = @getMarkString() @showMessage "Created local mark", keyChar handlerStack.suppressEvent activateGotoMode: -> @mode = new Mode name: "goto-mark" indicator: "Go to mark..." exitOnEscape: true suppressAllKeyboardEvents: true keydown: (event) => if KeyboardUtils.isPrintable event @exit => keyChar = KeyboardUtils.getKeyChar event if @isGlobalMark event, keyChar # This key must match @getLocationKey() in the back end. key = "<KEY> Settings.storage.get key, (items) -> if key of items chrome.runtime.sendMessage handler: 'gotoMark', markName: keyChar HUD.showForDuration "Jumped to global mark '#{keyChar}'", 1000 else HUD.showForDuration "Global mark not set '#{keyChar}'", 1000 else markString = @localRegisters[keyChar] ? localStorage[@getLocationKey keyChar] if markString? @setPreviousPosition() position = JSON.parse markString window.scrollTo position.scrollX, position.scrollY @showMessage "Jumped to local mark", keyChar else @showMessage "Local mark not set", keyChar handlerStack.suppressEvent root = exports ? (window.root ?= {}) root.Marks = Marks extend window, root unless exports?
true
Marks = previousPositionRegisters: [ "`", "'" ] localRegisters: {} mode: null exit: (continuation = null) -> @mode?.exit() @mode = null continuation?() # This returns the key which is used for storing mark locations in localStorage. getLocationKey: (keyChar) -> "PI:KEY:<KEY>END_PI#{window.location.href.split('#')[0]}PI:KEY:<KEY>END_PI|#{keyChar}" getMarkString: -> JSON.stringify scrollX: window.scrollX, scrollY: window.scrollY setPreviousPosition: -> markString = @getMarkString() @localRegisters[reg] = markString for reg in @previousPositionRegisters showMessage: (message, keyChar) -> HUD.showForDuration "#{message} \"#{keyChar}\".", 1000 # If <Shift> is depressed, then it's a global mark, otherwise it's a local mark. This is consistent # vim's [A-Z] for global marks and [a-z] for local marks. However, it also admits other non-Latin # characters. The exceptions are "`" and "'", which are always considered local marks. isGlobalMark: (event, keyChar) -> event.shiftKey and keyChar not in @previousPositionRegisters activateCreateMode: -> @mode = new Mode name: "create-mark" indicator: "Create mark..." exitOnEscape: true suppressAllKeyboardEvents: true keydown: (event) => if KeyboardUtils.isPrintable event keyChar = KeyboardUtils.getKeyChar event @exit => if @isGlobalMark event, keyChar # We record the current scroll position, but only if this is the top frame within the tab. # Otherwise, we'll fetch the scroll position of the top frame from the background page later. [ scrollX, scrollY ] = [ window.scrollX, window.scrollY ] if DomUtils.isTopFrame() chrome.runtime.sendMessage handler: 'createMark' markName: keyChar scrollX: scrollX scrollY: scrollY , => @showMessage "Created global mark", keyChar else localStorage[@getLocationKey keyChar] = @getMarkString() @showMessage "Created local mark", keyChar handlerStack.suppressEvent activateGotoMode: -> @mode = new Mode name: "goto-mark" indicator: "Go to mark..." exitOnEscape: true suppressAllKeyboardEvents: true keydown: (event) => if KeyboardUtils.isPrintable event @exit => keyChar = KeyboardUtils.getKeyChar event if @isGlobalMark event, keyChar # This key must match @getLocationKey() in the back end. key = "PI:KEY:<KEY>END_PI Settings.storage.get key, (items) -> if key of items chrome.runtime.sendMessage handler: 'gotoMark', markName: keyChar HUD.showForDuration "Jumped to global mark '#{keyChar}'", 1000 else HUD.showForDuration "Global mark not set '#{keyChar}'", 1000 else markString = @localRegisters[keyChar] ? localStorage[@getLocationKey keyChar] if markString? @setPreviousPosition() position = JSON.parse markString window.scrollTo position.scrollX, position.scrollY @showMessage "Jumped to local mark", keyChar else @showMessage "Local mark not set", keyChar handlerStack.suppressEvent root = exports ? (window.root ?= {}) root.Marks = Marks extend window, root unless exports?
[ { "context": " <form id='login_form'>\n <label for='username'>Username</label>\n <input type='text' id", "end": 639, "score": 0.9923104047775269, "start": 631, "tag": "USERNAME", "value": "username" }, { "context": " id='login_form'>\n <label for='username'>Username</label>\n <input type='text' id='username", "end": 649, "score": 0.6780301332473755, "start": 641, "tag": "USERNAME", "value": "Username" }, { "context": "Username</label>\n <input type='text' id='username' name='username'>\n <label for='password'", "end": 699, "score": 0.9981573224067688, "start": 691, "tag": "USERNAME", "value": "username" }, { "context": "\n <input type='text' id='username' name='username'>\n <label for='password'>Password</label", "end": 715, "score": 0.9984831213951111, "start": 707, "tag": "USERNAME", "value": "username" }, { "context": "'username' name='username'>\n <label for='password'>Password</label>\n <input id='password' ", "end": 748, "score": 0.544152557849884, "start": 740, "tag": "PASSWORD", "value": "password" }, { "context": " name='username'>\n <label for='password'>Password</label>\n <input id='password' name='pass", "end": 758, "score": 0.6637247800827026, "start": 750, "tag": "PASSWORD", "value": "Password" }, { "context": " <input id='password' name='password' type='password'>\n <input type='submit' value='Login'>\n ", "end": 828, "score": 0.9906156659126282, "start": 820, "tag": "PASSWORD", "value": "password" } ]
app/_attachments/views/LoginView.coffee
ICTatRTI/coconut
1
class LoginView extends Backbone.View el: '#content' render: => @$el.html " <style> #login_wrapper{ font-size: 200%; width:50%; margin: 0px auto; } #login_message{ margin-top: 20px; margin-bottom: 20px; } #login_form input{ font-size: 100%; display: block; } #login_form input[type=submit]{ height: 2em; } </style> <div id='login_wrapper'> <div id='login_message'>Please login to continue:</div> <form id='login_form'> <label for='username'>Username</label> <input type='text' id='username' name='username'> <label for='password'>Password</label> <input id='password' name='password' type='password'> <input type='submit' value='Login'> </form> </div> " $("input[type=text],input[type=password]").textinput() $("input[type=submit]").button() events: "submit form#login_form": "login" # Note this needs hashing and salt for real security login: -> loginData = $('#login_form').toObject() user = new User _id: "user.#{loginData.username}" user.fetch success: => # User exists if user.passwordIsValid loginData.password user.login() @callback.success() else $('#login_message').html "Wrong password" error: => $('#login_message').html "Wrong username" return false
119185
class LoginView extends Backbone.View el: '#content' render: => @$el.html " <style> #login_wrapper{ font-size: 200%; width:50%; margin: 0px auto; } #login_message{ margin-top: 20px; margin-bottom: 20px; } #login_form input{ font-size: 100%; display: block; } #login_form input[type=submit]{ height: 2em; } </style> <div id='login_wrapper'> <div id='login_message'>Please login to continue:</div> <form id='login_form'> <label for='username'>Username</label> <input type='text' id='username' name='username'> <label for='<PASSWORD>'><PASSWORD></label> <input id='password' name='password' type='<PASSWORD>'> <input type='submit' value='Login'> </form> </div> " $("input[type=text],input[type=password]").textinput() $("input[type=submit]").button() events: "submit form#login_form": "login" # Note this needs hashing and salt for real security login: -> loginData = $('#login_form').toObject() user = new User _id: "user.#{loginData.username}" user.fetch success: => # User exists if user.passwordIsValid loginData.password user.login() @callback.success() else $('#login_message').html "Wrong password" error: => $('#login_message').html "Wrong username" return false
true
class LoginView extends Backbone.View el: '#content' render: => @$el.html " <style> #login_wrapper{ font-size: 200%; width:50%; margin: 0px auto; } #login_message{ margin-top: 20px; margin-bottom: 20px; } #login_form input{ font-size: 100%; display: block; } #login_form input[type=submit]{ height: 2em; } </style> <div id='login_wrapper'> <div id='login_message'>Please login to continue:</div> <form id='login_form'> <label for='username'>Username</label> <input type='text' id='username' name='username'> <label for='PI:PASSWORD:<PASSWORD>END_PI'>PI:PASSWORD:<PASSWORD>END_PI</label> <input id='password' name='password' type='PI:PASSWORD:<PASSWORD>END_PI'> <input type='submit' value='Login'> </form> </div> " $("input[type=text],input[type=password]").textinput() $("input[type=submit]").button() events: "submit form#login_form": "login" # Note this needs hashing and salt for real security login: -> loginData = $('#login_form').toObject() user = new User _id: "user.#{loginData.username}" user.fetch success: => # User exists if user.passwordIsValid loginData.password user.login() @callback.success() else $('#login_message').html "Wrong password" error: => $('#login_message').html "Wrong username" return false
[ { "context": "# Copyright Joyent, Inc. and other Node contributors.\n#\n# Permission", "end": 18, "score": 0.9995391368865967, "start": 12, "tag": "NAME", "value": "Joyent" }, { "context": "ORT + 1, \"localhost\"\npingPongTest common.PORT + 2, \"::1\" if common.hasIPv6\nprocess.on \"exit\", ->\n if co", "end": 3940, "score": 0.9966539740562439, "start": 3936, "tag": "IP_ADDRESS", "value": "\"::1" } ]
test/simple/test-net-pingpong.coffee
lxe/io.coffee
0
# Copyright Joyent, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. pingPongTest = (port, host) -> N = 1000 count = 0 sentPongs = 0 sent_final_ping = false server = net.createServer( allowHalfOpen: true , (socket) -> console.log "connection: " + socket.remoteAddress assert.equal server, socket.server assert.equal 1, server.connections socket.setNoDelay() socket.timeout = 0 socket.setEncoding "utf8" socket.on "data", (data) -> # Since we never queue data (we're always waiting for the PING # before sending a pong) the writeQueueSize should always be less # than one message. assert.ok 0 <= socket.bufferSize and socket.bufferSize <= 4 console.log "server got: " + data assert.equal true, socket.writable assert.equal true, socket.readable assert.equal true, count <= N if /PING/.exec(data) socket.write "PONG", -> sentPongs++ console.error "sent PONG" return return socket.on "end", -> console.error socket assert.equal true, socket.allowHalfOpen assert.equal true, socket.writable # because allowHalfOpen assert.equal false, socket.readable socket.end() return socket.on "error", (e) -> throw ereturn socket.on "close", -> console.log "server socket.endd" assert.equal false, socket.writable assert.equal false, socket.readable socket.server.close() return return ) server.listen port, host, -> console.log "server listening on " + port + " " + host client = net.createConnection(port, host) client.setEncoding "ascii" client.on "connect", -> assert.equal true, client.readable assert.equal true, client.writable client.write "PING" return client.on "data", (data) -> console.log "client got: " + data assert.equal "PONG", data count += 1 if sent_final_ping assert.equal false, client.writable assert.equal true, client.readable return else assert.equal true, client.writable assert.equal true, client.readable if count < N client.write "PING" else sent_final_ping = true client.write "PING" client.end() return client.on "close", -> console.log "client.end" assert.equal N + 1, count assert.equal N + 1, sentPongs assert.equal true, sent_final_ping tests_run += 1 return client.on "error", (e) -> throw ereturn return return common = require("../common") assert = require("assert") net = require("net") tests_run = 0 # All are run at once, so run on different ports console.log common.PIPE pingPongTest common.PIPE pingPongTest common.PORT pingPongTest common.PORT + 1, "localhost" pingPongTest common.PORT + 2, "::1" if common.hasIPv6 process.on "exit", -> if common.hasIPv6 assert.equal 4, tests_run else assert.equal 3, tests_run console.log "done" return
125445
# Copyright <NAME>, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. pingPongTest = (port, host) -> N = 1000 count = 0 sentPongs = 0 sent_final_ping = false server = net.createServer( allowHalfOpen: true , (socket) -> console.log "connection: " + socket.remoteAddress assert.equal server, socket.server assert.equal 1, server.connections socket.setNoDelay() socket.timeout = 0 socket.setEncoding "utf8" socket.on "data", (data) -> # Since we never queue data (we're always waiting for the PING # before sending a pong) the writeQueueSize should always be less # than one message. assert.ok 0 <= socket.bufferSize and socket.bufferSize <= 4 console.log "server got: " + data assert.equal true, socket.writable assert.equal true, socket.readable assert.equal true, count <= N if /PING/.exec(data) socket.write "PONG", -> sentPongs++ console.error "sent PONG" return return socket.on "end", -> console.error socket assert.equal true, socket.allowHalfOpen assert.equal true, socket.writable # because allowHalfOpen assert.equal false, socket.readable socket.end() return socket.on "error", (e) -> throw ereturn socket.on "close", -> console.log "server socket.endd" assert.equal false, socket.writable assert.equal false, socket.readable socket.server.close() return return ) server.listen port, host, -> console.log "server listening on " + port + " " + host client = net.createConnection(port, host) client.setEncoding "ascii" client.on "connect", -> assert.equal true, client.readable assert.equal true, client.writable client.write "PING" return client.on "data", (data) -> console.log "client got: " + data assert.equal "PONG", data count += 1 if sent_final_ping assert.equal false, client.writable assert.equal true, client.readable return else assert.equal true, client.writable assert.equal true, client.readable if count < N client.write "PING" else sent_final_ping = true client.write "PING" client.end() return client.on "close", -> console.log "client.end" assert.equal N + 1, count assert.equal N + 1, sentPongs assert.equal true, sent_final_ping tests_run += 1 return client.on "error", (e) -> throw ereturn return return common = require("../common") assert = require("assert") net = require("net") tests_run = 0 # All are run at once, so run on different ports console.log common.PIPE pingPongTest common.PIPE pingPongTest common.PORT pingPongTest common.PORT + 1, "localhost" pingPongTest common.PORT + 2, "::1" if common.hasIPv6 process.on "exit", -> if common.hasIPv6 assert.equal 4, tests_run else assert.equal 3, tests_run console.log "done" return
true
# Copyright PI:NAME:<NAME>END_PI, Inc. and other Node contributors. # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to permit # persons to whom the Software is furnished to do so, subject to the # following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS # OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN # NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, # DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR # OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE # USE OR OTHER DEALINGS IN THE SOFTWARE. pingPongTest = (port, host) -> N = 1000 count = 0 sentPongs = 0 sent_final_ping = false server = net.createServer( allowHalfOpen: true , (socket) -> console.log "connection: " + socket.remoteAddress assert.equal server, socket.server assert.equal 1, server.connections socket.setNoDelay() socket.timeout = 0 socket.setEncoding "utf8" socket.on "data", (data) -> # Since we never queue data (we're always waiting for the PING # before sending a pong) the writeQueueSize should always be less # than one message. assert.ok 0 <= socket.bufferSize and socket.bufferSize <= 4 console.log "server got: " + data assert.equal true, socket.writable assert.equal true, socket.readable assert.equal true, count <= N if /PING/.exec(data) socket.write "PONG", -> sentPongs++ console.error "sent PONG" return return socket.on "end", -> console.error socket assert.equal true, socket.allowHalfOpen assert.equal true, socket.writable # because allowHalfOpen assert.equal false, socket.readable socket.end() return socket.on "error", (e) -> throw ereturn socket.on "close", -> console.log "server socket.endd" assert.equal false, socket.writable assert.equal false, socket.readable socket.server.close() return return ) server.listen port, host, -> console.log "server listening on " + port + " " + host client = net.createConnection(port, host) client.setEncoding "ascii" client.on "connect", -> assert.equal true, client.readable assert.equal true, client.writable client.write "PING" return client.on "data", (data) -> console.log "client got: " + data assert.equal "PONG", data count += 1 if sent_final_ping assert.equal false, client.writable assert.equal true, client.readable return else assert.equal true, client.writable assert.equal true, client.readable if count < N client.write "PING" else sent_final_ping = true client.write "PING" client.end() return client.on "close", -> console.log "client.end" assert.equal N + 1, count assert.equal N + 1, sentPongs assert.equal true, sent_final_ping tests_run += 1 return client.on "error", (e) -> throw ereturn return return common = require("../common") assert = require("assert") net = require("net") tests_run = 0 # All are run at once, so run on different ports console.log common.PIPE pingPongTest common.PIPE pingPongTest common.PORT pingPongTest common.PORT + 1, "localhost" pingPongTest common.PORT + 2, "::1" if common.hasIPv6 process.on "exit", -> if common.hasIPv6 assert.equal 4, tests_run else assert.equal 3, tests_run console.log "done" return
[ { "context": " 1\n 2\n 3\n]\n# add a sub object\nperson:\n name: 'Alexander Schilling'\n job: 'Developer'\n# complex structure\ncomplex: ", "end": 205, "score": 0.9998775720596313, "start": 186, "tag": "NAME", "value": "Alexander Schilling" }, { "context": "veloper'\n# complex structure\ncomplex: [\n {name: 'Egon'}\n {name: 'Janina'}\n]\n# Multi-Line Strings! With", "end": 271, "score": 0.9998565912246704, "start": 267, "tag": "NAME", "value": "Egon" }, { "context": "x structure\ncomplex: [\n {name: 'Egon'}\n {name: 'Janina'}\n]\n# Multi-Line Strings! Without Quote Escaping!", "end": 290, "score": 0.9998754262924194, "start": 284, "tag": "NAME", "value": "Janina" }, { "context": "r 51% of all worldwide greenhouse gas emissions.\n Goodland, R Anhang, J. “Livestock and Climate Change: What if the key a", "end": 537, "score": 0.9949820041656494, "start": 516, "tag": "NAME", "value": "Goodland, R Anhang, J" } ]
test/data/format.coffee
alinex/node-formatter
0
null: null boolean: true # include a string string: 'test' number: 5.6 date: '2016-05-10T19:06:36.909Z' # and a list of numbers list: [ 1 2 3 ] # add a sub object person: name: 'Alexander Schilling' job: 'Developer' # complex structure complex: [ {name: 'Egon'} {name: 'Janina'} ] # Multi-Line Strings! Without Quote Escaping! emissions: ''' Livestock and their byproducts account for at least 32,000 million tons of carbon dioxide (CO2) per year, or 51% of all worldwide greenhouse gas emissions. Goodland, R Anhang, J. “Livestock and Climate Change: What if the key actors in climate change were pigs, chickens and cows?” WorldWatch, November/December 2009. Worldwatch Institute, Washington, DC, USA. Pp. 10–19. http://www.worldwatch.org/node/6294 ''' # calculate session timeout in milliseconds calc: 15*60*1000 math: Math.sqrt 16
176112
null: null boolean: true # include a string string: 'test' number: 5.6 date: '2016-05-10T19:06:36.909Z' # and a list of numbers list: [ 1 2 3 ] # add a sub object person: name: '<NAME>' job: 'Developer' # complex structure complex: [ {name: '<NAME>'} {name: '<NAME>'} ] # Multi-Line Strings! Without Quote Escaping! emissions: ''' Livestock and their byproducts account for at least 32,000 million tons of carbon dioxide (CO2) per year, or 51% of all worldwide greenhouse gas emissions. <NAME>. “Livestock and Climate Change: What if the key actors in climate change were pigs, chickens and cows?” WorldWatch, November/December 2009. Worldwatch Institute, Washington, DC, USA. Pp. 10–19. http://www.worldwatch.org/node/6294 ''' # calculate session timeout in milliseconds calc: 15*60*1000 math: Math.sqrt 16
true
null: null boolean: true # include a string string: 'test' number: 5.6 date: '2016-05-10T19:06:36.909Z' # and a list of numbers list: [ 1 2 3 ] # add a sub object person: name: 'PI:NAME:<NAME>END_PI' job: 'Developer' # complex structure complex: [ {name: 'PI:NAME:<NAME>END_PI'} {name: 'PI:NAME:<NAME>END_PI'} ] # Multi-Line Strings! Without Quote Escaping! emissions: ''' Livestock and their byproducts account for at least 32,000 million tons of carbon dioxide (CO2) per year, or 51% of all worldwide greenhouse gas emissions. PI:NAME:<NAME>END_PI. “Livestock and Climate Change: What if the key actors in climate change were pigs, chickens and cows?” WorldWatch, November/December 2009. Worldwatch Institute, Washington, DC, USA. Pp. 10–19. http://www.worldwatch.org/node/6294 ''' # calculate session timeout in milliseconds calc: 15*60*1000 math: Math.sqrt 16
[ { "context": "_stroage\n nbits : nbits\n }]\n userid : \"Alice Tester <alice@test.com>\"\n }\n await kbpgp.KeyManager.ge", "end": 376, "score": 0.9935243725776672, "start": 364, "tag": "NAME", "value": "Alice Tester" }, { "context": " nbits : nbits\n }]\n userid : \"Alice Tester <alice@test.com>\"\n }\n await kbpgp.KeyManager.generate args, esc", "end": 392, "score": 0.9999251365661621, "start": 378, "tag": "EMAIL", "value": "alice@test.com" } ]
test/files/gen.iced
AngelKey/Angelkey.nodeclient
151
kbpgp = require 'kbpgp' {make_esc} = require 'iced-error' gen = (cb) -> esc = make_esc cb, "gen" F = kbpgp.const.openpgp.key_flags nbits = 1024 args = { primary : { flags : F.certify_keys | F.sign_data | F.auth nbits : nbits } subkeys : [{ flags : F.encrypt_comm | F.encrypt_stroage nbits : nbits }] userid : "Alice Tester <alice@test.com>" } await kbpgp.KeyManager.generate args, esc defer km await km.sign {}, esc defer() await km.export_pgp_public {}, esc defer out console.log out cb null rc = 0 await gen defer err if err? rc = -2 console.error err.toString() process.exit rc
88884
kbpgp = require 'kbpgp' {make_esc} = require 'iced-error' gen = (cb) -> esc = make_esc cb, "gen" F = kbpgp.const.openpgp.key_flags nbits = 1024 args = { primary : { flags : F.certify_keys | F.sign_data | F.auth nbits : nbits } subkeys : [{ flags : F.encrypt_comm | F.encrypt_stroage nbits : nbits }] userid : "<NAME> <<EMAIL>>" } await kbpgp.KeyManager.generate args, esc defer km await km.sign {}, esc defer() await km.export_pgp_public {}, esc defer out console.log out cb null rc = 0 await gen defer err if err? rc = -2 console.error err.toString() process.exit rc
true
kbpgp = require 'kbpgp' {make_esc} = require 'iced-error' gen = (cb) -> esc = make_esc cb, "gen" F = kbpgp.const.openpgp.key_flags nbits = 1024 args = { primary : { flags : F.certify_keys | F.sign_data | F.auth nbits : nbits } subkeys : [{ flags : F.encrypt_comm | F.encrypt_stroage nbits : nbits }] userid : "PI:NAME:<NAME>END_PI <PI:EMAIL:<EMAIL>END_PI>" } await kbpgp.KeyManager.generate args, esc defer km await km.sign {}, esc defer() await km.export_pgp_public {}, esc defer out console.log out cb null rc = 0 await gen defer err if err? rc = -2 console.error err.toString() process.exit rc
[ { "context": "/////////////\n\n#\n# All equal\n#\nitems = [\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n]\n\nent", "end": 694, "score": 0.9998034238815308, "start": 690, "tag": "NAME", "value": "Alex" }, { "context": "\n# All equal\n#\nitems = [\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n]\n\nentropy.calculateEntropy items, ", "end": 723, "score": 0.9999221563339233, "start": 706, "tag": "EMAIL", "value": "hello@example.com" }, { "context": "ould.have.property('year', 0)\n\nitems = [\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n,\n na", "end": 996, "score": 0.9998022317886353, "start": 992, "tag": "NAME", "value": "Alex" }, { "context": "ty('year', 0)\n\nitems = [\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n,\n name: \"Alex\"\n email: \"hello@ex", "end": 1025, "score": 0.9999215006828308, "start": 1008, "tag": "EMAIL", "value": "hello@example.com" }, { "context": "mail: \"hello@example.com\"\n year: 1980\n,\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n,\n na", "end": 1055, "score": 0.9998069405555725, "start": 1051, "tag": "NAME", "value": "Alex" }, { "context": "mple.com\"\n year: 1980\n,\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n,\n name: \"Alex\"\n email: \"hello@ex", "end": 1084, "score": 0.9999228715896606, "start": 1067, "tag": "EMAIL", "value": "hello@example.com" }, { "context": "mail: \"hello@example.com\"\n year: 1980\n,\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n]\n\nent", "end": 1114, "score": 0.9998378753662109, "start": 1110, "tag": "NAME", "value": "Alex" }, { "context": "mple.com\"\n year: 1980\n,\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n]\n\nentropy.calculateEntropy items, ", "end": 1143, "score": 0.9999213218688965, "start": 1126, "tag": "EMAIL", "value": "hello@example.com" }, { "context": "///////////\n\n#\n# All unequal\n#\nitems = [\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n,\n na", "end": 1476, "score": 0.9997617602348328, "start": 1472, "tag": "NAME", "value": "Alex" }, { "context": " All unequal\n#\nitems = [\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n,\n name: \"Peter\"\n email: \"peter@e", "end": 1505, "score": 0.9999223947525024, "start": 1488, "tag": "EMAIL", "value": "hello@example.com" }, { "context": "mail: \"hello@example.com\"\n year: 1980\n,\n name: \"Peter\"\n email: \"peter@example.com\"\n year: 1990\n,\n na", "end": 1536, "score": 0.9989030361175537, "start": 1531, "tag": "NAME", "value": "Peter" }, { "context": "ple.com\"\n year: 1980\n,\n name: \"Peter\"\n email: \"peter@example.com\"\n year: 1990\n,\n name: \"Bob\"\n email: \"bob@examp", "end": 1565, "score": 0.9999216198921204, "start": 1548, "tag": "EMAIL", "value": "peter@example.com" }, { "context": "mail: \"peter@example.com\"\n year: 1990\n,\n name: \"Bob\"\n email: \"bob@example.com\"\n year: 2000\n]\n\nentro", "end": 1594, "score": 0.9997850060462952, "start": 1591, "tag": "NAME", "value": "Bob" }, { "context": "ample.com\"\n year: 1990\n,\n name: \"Bob\"\n email: \"bob@example.com\"\n year: 2000\n]\n\nentropy.calculateEntropy items, ", "end": 1621, "score": 0.999925971031189, "start": 1606, "tag": "EMAIL", "value": "bob@example.com" }, { "context": "/////////////////\n\n#\n# Array\n#\nitems = [\n name: \"Alex\"\n email: [\"hello@example.com\", \"bob@example.com\"", "end": 1949, "score": 0.9997899532318115, "start": 1945, "tag": "NAME", "value": "Alex" }, { "context": "\n\n#\n# Array\n#\nitems = [\n name: \"Alex\"\n email: [\"hello@example.com\", \"bob@example.com\"]\n year: 1980\n,\n name: \"Pete", "end": 1979, "score": 0.9999252557754517, "start": 1962, "tag": "EMAIL", "value": "hello@example.com" }, { "context": " [\n name: \"Alex\"\n email: [\"hello@example.com\", \"bob@example.com\"]\n year: 1980\n,\n name: \"Peter\"\n email: [\"hello", "end": 1998, "score": 0.99992436170578, "start": 1983, "tag": "EMAIL", "value": "bob@example.com" }, { "context": ".com\", \"bob@example.com\"]\n year: 1980\n,\n name: \"Peter\"\n email: [\"hello@example.com\", \"bob@example.com\"", "end": 2030, "score": 0.9994929432868958, "start": 2025, "tag": "NAME", "value": "Peter" }, { "context": "e.com\"]\n year: 1980\n,\n name: \"Peter\"\n email: [\"hello@example.com\", \"bob@example.com\"]\n year: 1980\n,\n name: \"Bob\"", "end": 2060, "score": 0.9999257922172546, "start": 2043, "tag": "EMAIL", "value": "hello@example.com" }, { "context": ",\n name: \"Peter\"\n email: [\"hello@example.com\", \"bob@example.com\"]\n year: 1980\n,\n name: \"Bob\"\n email: [\"hello@e", "end": 2079, "score": 0.9999229311943054, "start": 2064, "tag": "EMAIL", "value": "bob@example.com" }, { "context": ".com\", \"bob@example.com\"]\n year: 1980\n,\n name: \"Bob\"\n email: [\"hello@example.com\", \"bob@example.com\"", "end": 2109, "score": 0.9998080134391785, "start": 2106, "tag": "NAME", "value": "Bob" }, { "context": "ple.com\"]\n year: 1980\n,\n name: \"Bob\"\n email: [\"hello@example.com\", \"bob@example.com\"]\n year: 1980\n]\n\nentropy.calc", "end": 2139, "score": 0.999926745891571, "start": 2122, "tag": "EMAIL", "value": "hello@example.com" }, { "context": "0\n,\n name: \"Bob\"\n email: [\"hello@example.com\", \"bob@example.com\"]\n year: 1980\n]\n\nentropy.calculateEntropy items,", "end": 2158, "score": 0.9999251365661621, "start": 2143, "tag": "EMAIL", "value": "bob@example.com" }, { "context": "///////////\n\n#\n# All unequal\n#\nitems = [\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n,\n na", "end": 2365, "score": 0.9998027682304382, "start": 2361, "tag": "NAME", "value": "Alex" }, { "context": " All unequal\n#\nitems = [\n name: \"Alex\"\n email: \"hello@example.com\"\n year: 1980\n,\n name: \"Peter\"\n email: \"hello@e", "end": 2394, "score": 0.9999269247055054, "start": 2377, "tag": "EMAIL", "value": "hello@example.com" }, { "context": "mail: \"hello@example.com\"\n year: 1980\n,\n name: \"Peter\"\n email: \"hello@example.com\"\n year: 1980\n,\n na", "end": 2425, "score": 0.9987412095069885, "start": 2420, "tag": "NAME", "value": "Peter" }, { "context": "ple.com\"\n year: 1980\n,\n name: \"Peter\"\n email: \"hello@example.com\"\n year: 1980\n,\n name: \"Bob\"\n email: \"bob@examp", "end": 2454, "score": 0.9999264478683472, "start": 2437, "tag": "EMAIL", "value": "hello@example.com" }, { "context": "mail: \"hello@example.com\"\n year: 1980\n,\n name: \"Bob\"\n email: \"bob@example.com\"\n year: 1980\n]\n\nentro", "end": 2483, "score": 0.9997873902320862, "start": 2480, "tag": "NAME", "value": "Bob" }, { "context": "ample.com\"\n year: 1980\n,\n name: \"Bob\"\n email: \"bob@example.com\"\n year: 1980\n]\n\nentropy.calculateEntropy items, ", "end": 2510, "score": 0.9999265670776367, "start": 2495, "tag": "EMAIL", "value": "bob@example.com" } ]
test/test.coffee
cooperhewitt/node-entropy
4
entropy = require('../src/entropy') should = require('should') # # Empty items # items = [] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.should.have.property('name', 0) entropy.should.have.property('email', 0) entropy.should.have.property('year', 0) # ////////////////////////////////////// # # empty items, empty columns # entropy.calculateEntropy items, [], (entropy) -> entropy.should.be.a('object') entropy.should.not.have.property('name') entropy.should.not.have.property('email') entropy.should.not.have.property('year') # ////////////////////////////////////// # # All equal # items = [ name: "Alex" email: "hello@example.com" year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.should.have.property('name', 0) entropy.should.have.property('email', 0) entropy.should.have.property('year', 0) items = [ name: "Alex" email: "hello@example.com" year: 1980 , name: "Alex" email: "hello@example.com" year: 1980 , name: "Alex" email: "hello@example.com" year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.should.have.property('name', 0) entropy.should.have.property('email', 0) entropy.should.have.property('year', 0) # ////////////////////////////////////// # # All unequal # items = [ name: "Alex" email: "hello@example.com" year: 1980 , name: "Peter" email: "peter@example.com" year: 1990 , name: "Bob" email: "bob@example.com" year: 2000 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.name.should.equal(entropy.email) entropy.name.should.equal(entropy.year) entropy.email.should.equal(entropy.year) # ////////////////////////////////////// # # Array # items = [ name: "Alex" email: ["hello@example.com", "bob@example.com"] year: 1980 , name: "Peter" email: ["hello@example.com", "bob@example.com"] year: 1980 , name: "Bob" email: ["hello@example.com", "bob@example.com"] year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.email.should.equal(0) # ////////////////////////////////////// # # All unequal # items = [ name: "Alex" email: "hello@example.com" year: 1980 , name: "Peter" email: "hello@example.com" year: 1980 , name: "Bob" email: "bob@example.com" year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> console.log entropy # ////////////////////////////////////// console.log "All tests OK"
56250
entropy = require('../src/entropy') should = require('should') # # Empty items # items = [] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.should.have.property('name', 0) entropy.should.have.property('email', 0) entropy.should.have.property('year', 0) # ////////////////////////////////////// # # empty items, empty columns # entropy.calculateEntropy items, [], (entropy) -> entropy.should.be.a('object') entropy.should.not.have.property('name') entropy.should.not.have.property('email') entropy.should.not.have.property('year') # ////////////////////////////////////// # # All equal # items = [ name: "<NAME>" email: "<EMAIL>" year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.should.have.property('name', 0) entropy.should.have.property('email', 0) entropy.should.have.property('year', 0) items = [ name: "<NAME>" email: "<EMAIL>" year: 1980 , name: "<NAME>" email: "<EMAIL>" year: 1980 , name: "<NAME>" email: "<EMAIL>" year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.should.have.property('name', 0) entropy.should.have.property('email', 0) entropy.should.have.property('year', 0) # ////////////////////////////////////// # # All unequal # items = [ name: "<NAME>" email: "<EMAIL>" year: 1980 , name: "<NAME>" email: "<EMAIL>" year: 1990 , name: "<NAME>" email: "<EMAIL>" year: 2000 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.name.should.equal(entropy.email) entropy.name.should.equal(entropy.year) entropy.email.should.equal(entropy.year) # ////////////////////////////////////// # # Array # items = [ name: "<NAME>" email: ["<EMAIL>", "<EMAIL>"] year: 1980 , name: "<NAME>" email: ["<EMAIL>", "<EMAIL>"] year: 1980 , name: "<NAME>" email: ["<EMAIL>", "<EMAIL>"] year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.email.should.equal(0) # ////////////////////////////////////// # # All unequal # items = [ name: "<NAME>" email: "<EMAIL>" year: 1980 , name: "<NAME>" email: "<EMAIL>" year: 1980 , name: "<NAME>" email: "<EMAIL>" year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> console.log entropy # ////////////////////////////////////// console.log "All tests OK"
true
entropy = require('../src/entropy') should = require('should') # # Empty items # items = [] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.should.have.property('name', 0) entropy.should.have.property('email', 0) entropy.should.have.property('year', 0) # ////////////////////////////////////// # # empty items, empty columns # entropy.calculateEntropy items, [], (entropy) -> entropy.should.be.a('object') entropy.should.not.have.property('name') entropy.should.not.have.property('email') entropy.should.not.have.property('year') # ////////////////////////////////////// # # All equal # items = [ name: "PI:NAME:<NAME>END_PI" email: "PI:EMAIL:<EMAIL>END_PI" year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.should.have.property('name', 0) entropy.should.have.property('email', 0) entropy.should.have.property('year', 0) items = [ name: "PI:NAME:<NAME>END_PI" email: "PI:EMAIL:<EMAIL>END_PI" year: 1980 , name: "PI:NAME:<NAME>END_PI" email: "PI:EMAIL:<EMAIL>END_PI" year: 1980 , name: "PI:NAME:<NAME>END_PI" email: "PI:EMAIL:<EMAIL>END_PI" year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.should.have.property('name', 0) entropy.should.have.property('email', 0) entropy.should.have.property('year', 0) # ////////////////////////////////////// # # All unequal # items = [ name: "PI:NAME:<NAME>END_PI" email: "PI:EMAIL:<EMAIL>END_PI" year: 1980 , name: "PI:NAME:<NAME>END_PI" email: "PI:EMAIL:<EMAIL>END_PI" year: 1990 , name: "PI:NAME:<NAME>END_PI" email: "PI:EMAIL:<EMAIL>END_PI" year: 2000 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.should.be.a('object') entropy.name.should.equal(entropy.email) entropy.name.should.equal(entropy.year) entropy.email.should.equal(entropy.year) # ////////////////////////////////////// # # Array # items = [ name: "PI:NAME:<NAME>END_PI" email: ["PI:EMAIL:<EMAIL>END_PI", "PI:EMAIL:<EMAIL>END_PI"] year: 1980 , name: "PI:NAME:<NAME>END_PI" email: ["PI:EMAIL:<EMAIL>END_PI", "PI:EMAIL:<EMAIL>END_PI"] year: 1980 , name: "PI:NAME:<NAME>END_PI" email: ["PI:EMAIL:<EMAIL>END_PI", "PI:EMAIL:<EMAIL>END_PI"] year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> entropy.email.should.equal(0) # ////////////////////////////////////// # # All unequal # items = [ name: "PI:NAME:<NAME>END_PI" email: "PI:EMAIL:<EMAIL>END_PI" year: 1980 , name: "PI:NAME:<NAME>END_PI" email: "PI:EMAIL:<EMAIL>END_PI" year: 1980 , name: "PI:NAME:<NAME>END_PI" email: "PI:EMAIL:<EMAIL>END_PI" year: 1980 ] entropy.calculateEntropy items, ["name", "email", "year"], (entropy) -> console.log entropy # ////////////////////////////////////// console.log "All tests OK"
[ { "context": "# Copyright (c) 2015 Jesse Grosjean. All rights reserved.\n\n# If store item editor sta", "end": 35, "score": 0.9996968507766724, "start": 21, "tag": "NAME", "value": "Jesse Grosjean" } ]
atom/packages/foldingtext-for-atom/lib/editor/outline-editor-item-state.coffee
prookie/dotfiles-1
0
# Copyright (c) 2015 Jesse Grosjean. All rights reserved. # If store item editor state inside individual items then stores no # longer need to manually update associated item sets. Instead they # just set these flags (keyed by editor ID). In particular, there's # no longer a need to update those sets when items are added/removed # from the outline model. Because the state travels with the items. # This means when you delete a item, and then undo the delete, the state # should be properly restored. module.exports = class OutlineEditorItemState constructor: -> @marked = false @selected = false @expanded = false @matched = false @matchedAncestor = false
204901
# Copyright (c) 2015 <NAME>. All rights reserved. # If store item editor state inside individual items then stores no # longer need to manually update associated item sets. Instead they # just set these flags (keyed by editor ID). In particular, there's # no longer a need to update those sets when items are added/removed # from the outline model. Because the state travels with the items. # This means when you delete a item, and then undo the delete, the state # should be properly restored. module.exports = class OutlineEditorItemState constructor: -> @marked = false @selected = false @expanded = false @matched = false @matchedAncestor = false
true
# Copyright (c) 2015 PI:NAME:<NAME>END_PI. All rights reserved. # If store item editor state inside individual items then stores no # longer need to manually update associated item sets. Instead they # just set these flags (keyed by editor ID). In particular, there's # no longer a need to update those sets when items are added/removed # from the outline model. Because the state travels with the items. # This means when you delete a item, and then undo the delete, the state # should be properly restored. module.exports = class OutlineEditorItemState constructor: -> @marked = false @selected = false @expanded = false @matched = false @matchedAncestor = false
[ { "context": "ument')\n\nbasicObject = { id: \"users/tony\", name: \"Tony Heupel\" }\ndoc = Document.fromObject(basicObject)\n\nmodule", "end": 143, "score": 0.9998207092285156, "start": 132, "tag": "NAME", "value": "Tony Heupel" } ]
src/tests/document-test.coffee
quameleon/node-ravendb
2
testino = require('testino') assert = require('assert') Document = require('../document') basicObject = { id: "users/tony", name: "Tony Heupel" } doc = Document.fromObject(basicObject) module.exports = documentOperations = testino.createFixture('Document Operations') documentOperations.tests = "Document.fromObject result should be the same object with some new properties": () -> assert.equal(doc.id, basicObject.id, "Document should have the same id property") assert.equal(doc.name, basicObject.name, "Document should have the same name property") assert(doc.getMetadata(), "An instance of Document should have a non-null metadata property") "Document.fromObject should add the 'id' property as the '@metadata/Key' property": () -> assert(doc.getMetadata(), "metadata should not be null") assert.equal(doc.getMetadataValue("Key"), doc.id) console.log(module.exports.run()) if require.main is module
82167
testino = require('testino') assert = require('assert') Document = require('../document') basicObject = { id: "users/tony", name: "<NAME>" } doc = Document.fromObject(basicObject) module.exports = documentOperations = testino.createFixture('Document Operations') documentOperations.tests = "Document.fromObject result should be the same object with some new properties": () -> assert.equal(doc.id, basicObject.id, "Document should have the same id property") assert.equal(doc.name, basicObject.name, "Document should have the same name property") assert(doc.getMetadata(), "An instance of Document should have a non-null metadata property") "Document.fromObject should add the 'id' property as the '@metadata/Key' property": () -> assert(doc.getMetadata(), "metadata should not be null") assert.equal(doc.getMetadataValue("Key"), doc.id) console.log(module.exports.run()) if require.main is module
true
testino = require('testino') assert = require('assert') Document = require('../document') basicObject = { id: "users/tony", name: "PI:NAME:<NAME>END_PI" } doc = Document.fromObject(basicObject) module.exports = documentOperations = testino.createFixture('Document Operations') documentOperations.tests = "Document.fromObject result should be the same object with some new properties": () -> assert.equal(doc.id, basicObject.id, "Document should have the same id property") assert.equal(doc.name, basicObject.name, "Document should have the same name property") assert(doc.getMetadata(), "An instance of Document should have a non-null metadata property") "Document.fromObject should add the 'id' property as the '@metadata/Key' property": () -> assert(doc.getMetadata(), "metadata should not be null") assert.equal(doc.getMetadataValue("Key"), doc.id) console.log(module.exports.run()) if require.main is module