content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
x = int(input()) y = int(input()) menor = min(x, y) + 1 maior = max(x, y) - 1 soma = 0 while menor <= maior: if menor % 2 != 0: soma += menor menor += 1 print(soma)
x = int(input()) y = int(input()) menor = min(x, y) + 1 maior = max(x, y) - 1 soma = 0 while menor <= maior: if menor % 2 != 0: soma += menor menor += 1 print(soma)
def solution(enroll, referral, seller, amount): answer = [] name = {} money = {} for _ in range(len(enroll)): name[enroll[_]] = referral[_] money[enroll[_]] = 0 for _ in range (len(amount)): amount[_] *= 100 for _ in range (len(seller)): str = "" tmp = amount[_] - int(amount[_]/10) tmp_n = int(amount[_]/10) money[seller[_]] += tmp str = name[seller[_]] mm = tmp_n while(str != "-"): tmp_n = int(mm / 10) tmp = mm - int(mm / 10) money[str] += tmp str = name[str] mm = tmp_n for _ in enroll: answer.append(money[_]) return answer
def solution(enroll, referral, seller, amount): answer = [] name = {} money = {} for _ in range(len(enroll)): name[enroll[_]] = referral[_] money[enroll[_]] = 0 for _ in range(len(amount)): amount[_] *= 100 for _ in range(len(seller)): str = '' tmp = amount[_] - int(amount[_] / 10) tmp_n = int(amount[_] / 10) money[seller[_]] += tmp str = name[seller[_]] mm = tmp_n while str != '-': tmp_n = int(mm / 10) tmp = mm - int(mm / 10) money[str] += tmp str = name[str] mm = tmp_n for _ in enroll: answer.append(money[_]) return answer
def shellSort(array): gap = len(array) // 2 # loop over the gaps while gap > 0: # insertion sort for i in range(gap, len(array)): val = array[i] j = i while j >= gap and array[j - gap] > val: array[j] = array[j - gap] j -= gap array[j] = val gap //= 2 return array print(shellSort([5,6,4,7,12,9,1,8,32,49]))
def shell_sort(array): gap = len(array) // 2 while gap > 0: for i in range(gap, len(array)): val = array[i] j = i while j >= gap and array[j - gap] > val: array[j] = array[j - gap] j -= gap array[j] = val gap //= 2 return array print(shell_sort([5, 6, 4, 7, 12, 9, 1, 8, 32, 49]))
class Adjunct: def apply(self, right, arg): pass class A: pass def foo(): pass class B: pass print('239')
class Adjunct: def apply(self, right, arg): pass class A: pass def foo(): pass class B: pass print('239')
#!/usr/bin/env python3 # This program converts Fahrenheit to Celsius embedded = 1 # using embedded python libraries if embedded == 1: fahr_temp = 33 print("Fahrenheit Temperature = ", fahr_temp) else: fahr_temp = float(input("Fahrenheit temperature: ")) print("Celsius temperature:", (fahr_temp - 32.0) * 5.0 / 9.0)
embedded = 1 if embedded == 1: fahr_temp = 33 print('Fahrenheit Temperature = ', fahr_temp) else: fahr_temp = float(input('Fahrenheit temperature: ')) print('Celsius temperature:', (fahr_temp - 32.0) * 5.0 / 9.0)
def fibonacci(input,memory): if(input == 0 or input == 1): return memory[input] else: memory[input] = fibonacci(input - 1,memory) + fibonacci(input - 2,memory) return memory[input] memory = [0] * 10 memory[0] = 0 memory[1] = 1 for i in range(10): print(fibonacci(i,memory))
def fibonacci(input, memory): if input == 0 or input == 1: return memory[input] else: memory[input] = fibonacci(input - 1, memory) + fibonacci(input - 2, memory) return memory[input] memory = [0] * 10 memory[0] = 0 memory[1] = 1 for i in range(10): print(fibonacci(i, memory))
def ways(n, k) : if n == 1: return k elif n == 2: return k*k elif n == 3: return k * (k-1 +(k-1)*k) else: return k * ways(n-1,k)- ways(n-3,k)*(k-1) if __name__ == "__main__" : ## n, k = 2,4 ## n, k = 3,2 ## n, k = 6,3 n, k = 5,2 print(ways(n, k))
def ways(n, k): if n == 1: return k elif n == 2: return k * k elif n == 3: return k * (k - 1 + (k - 1) * k) else: return k * ways(n - 1, k) - ways(n - 3, k) * (k - 1) if __name__ == '__main__': (n, k) = (5, 2) print(ways(n, k))
# Comment it before submitting # class Node: # def __init__(self, value, left=None, right=None): # self.value = value # self.right = right # self.left = left def is_search_tree(root): if root is None: return True if root.left is None and root.right is None: return True if is_tree_less(root.left, root.value) \ and is_tree_greater(root.right, root.value) \ and is_search_tree(root.left) \ and is_search_tree(root.right): return True return False def is_tree_less(root, max_value): if root is None: return True if root.value >= max_value: return False return is_tree_less(root.left, max_value) and is_tree_less(root.right, max_value) def is_tree_greater(root, min_value): if root is None: return True if root.value <= min_value: return False return is_tree_greater(root.left, min_value) and is_tree_greater(root.right, min_value) def solution(root): return is_search_tree(root)
def is_search_tree(root): if root is None: return True if root.left is None and root.right is None: return True if is_tree_less(root.left, root.value) and is_tree_greater(root.right, root.value) and is_search_tree(root.left) and is_search_tree(root.right): return True return False def is_tree_less(root, max_value): if root is None: return True if root.value >= max_value: return False return is_tree_less(root.left, max_value) and is_tree_less(root.right, max_value) def is_tree_greater(root, min_value): if root is None: return True if root.value <= min_value: return False return is_tree_greater(root.left, min_value) and is_tree_greater(root.right, min_value) def solution(root): return is_search_tree(root)
def fun(s): sum = 0 ff = len(s) for i in range(ff): sum += int(s[i]) return sum print(fun(str(input())))
def fun(s): sum = 0 ff = len(s) for i in range(ff): sum += int(s[i]) return sum print(fun(str(input())))
AUTH_MODULE = 'auth.ldap' AUTHENTICATION_BACKENDS = [ 'django.contrib.auth.backends.ModelBackend', 'django_python3_ldap.auth.LDAPBackend' ] # LDAP Server Settings LDAP_BASE_DN = 'dc=demo1,dc=freeipa,dc=org' LDAP_SERVER_URI = 'ipa.demo1.freeipa.org' LDAP_MANAGER_DN = 'cn=Directory Manager' LDAP_MANAGER_SECRET = SECRET_KEY LDAP_USER_TABLE = 'ou=People' LDAP_USER_ROOT = '/home' LDAP_GROUP_TABLE = 'ou=Groups' LDAP_USER_SHELL ='/bin/bash' LDAP_SEND_EMAILS = False LDAP_ADMIN_UIDS = [2000] # LDAP Authentication Settings LDAP_AUTH_URL = "ldap://{}:389".format(LDAP_SERVER_URI) LDAP_AUTH_SEARCH_BASE = "{}{}".format(LDAP_USER_TABLE, LDAP_BASE_DN) LDAP_AUTH_OBJECT_CLASS = "posixAccount" LDAP_AUTH_USER_LOOKUP_FIELDS = ("username",) LDAP_AUTH_USE_TLS = True LDAP_AUTH_USER_FIELDS = { "username": "uid", "first_name": "givenName", "last_name": "sn", "email": "mail", } def clean_user(user, data): # A function to clean up user data from ldap information names = data['gecos'][0].split(' ', 1) first_name = names[0].strip() last_name = "" if len(names) < 2 else names[1].strip() email = data.get('mail', [''])[0] user_uids = set(map(int, data['gidnumber'])) admin_uids = set(map(int, LDAP_ADMIN_UIDS)) if user_uids & admin_uids: user.is_superuser = True user.is_staff = True if not user.name: user.name = user.username if (first_name, last_name, email) != (user.first_name, user.last_name, user.email): user.first_name = first_name user.last_name = last_name user.email = email user.save() LDAP_AUTH_SYNC_USER_RELATIONS = clean_user
auth_module = 'auth.ldap' authentication_backends = ['django.contrib.auth.backends.ModelBackend', 'django_python3_ldap.auth.LDAPBackend'] ldap_base_dn = 'dc=demo1,dc=freeipa,dc=org' ldap_server_uri = 'ipa.demo1.freeipa.org' ldap_manager_dn = 'cn=Directory Manager' ldap_manager_secret = SECRET_KEY ldap_user_table = 'ou=People' ldap_user_root = '/home' ldap_group_table = 'ou=Groups' ldap_user_shell = '/bin/bash' ldap_send_emails = False ldap_admin_uids = [2000] ldap_auth_url = 'ldap://{}:389'.format(LDAP_SERVER_URI) ldap_auth_search_base = '{}{}'.format(LDAP_USER_TABLE, LDAP_BASE_DN) ldap_auth_object_class = 'posixAccount' ldap_auth_user_lookup_fields = ('username',) ldap_auth_use_tls = True ldap_auth_user_fields = {'username': 'uid', 'first_name': 'givenName', 'last_name': 'sn', 'email': 'mail'} def clean_user(user, data): names = data['gecos'][0].split(' ', 1) first_name = names[0].strip() last_name = '' if len(names) < 2 else names[1].strip() email = data.get('mail', [''])[0] user_uids = set(map(int, data['gidnumber'])) admin_uids = set(map(int, LDAP_ADMIN_UIDS)) if user_uids & admin_uids: user.is_superuser = True user.is_staff = True if not user.name: user.name = user.username if (first_name, last_name, email) != (user.first_name, user.last_name, user.email): user.first_name = first_name user.last_name = last_name user.email = email user.save() ldap_auth_sync_user_relations = clean_user
def number_increment(numbers): def increase(): increased = [x + 1 for x in numbers] return increased return increase() print(number_increment([1, 2, 3]))
def number_increment(numbers): def increase(): increased = [x + 1 for x in numbers] return increased return increase() print(number_increment([1, 2, 3]))
def part_1() -> None: height_map: list[list[int]] = [] lowest_truths: list[list[bool]] = [] with open("../data/day9.txt") as dFile: for row in dFile.readlines(): if (row := row.strip()) != "": height_map.append([]) lowest_truths.append([]) for num in row: height_map[-1].append(int(num)) lowest_truths[-1].append(False) for r in range(len(height_map)): for c in range(len(height_map[r])): truths: list[bool] = [] if r >= 1: truths.append(height_map[r][c] < height_map[r - 1][c]) if r + 1 < len(height_map): truths.append(height_map[r][c] < height_map[r + 1][c]) if c >= 1: truths.append(height_map[r][c] < height_map[r][c - 1]) if c + 1 < len(height_map[r]): truths.append(height_map[r][c] < height_map[r][c + 1]) lowest_truths[r][c] = False not in truths result: int = sum( height_map[r][c] + 1 for r in range(len(height_map)) for c in range(len(height_map[r])) if lowest_truths[r][c] ) print("Day: 9 | Part: 1 | Result:", result) def backtrack_basin( height_map: list[list[int]], r: int, c: int, counter: int, visited: list[tuple[int, int]], ) -> int: if (r, c) in visited: return counter visited.append((r, c)) if height_map[r][c] == 9: return counter counter += 1 if r >= 1: counter = backtrack_basin(height_map, r - 1, c, counter, visited) if r + 1 < len(height_map): counter = backtrack_basin(height_map, r + 1, c, counter, visited) if c >= 1: counter = backtrack_basin(height_map, r, c - 1, counter, visited) if c + 1 < len(height_map[r]): counter = backtrack_basin(height_map, r, c + 1, counter, visited) return counter def part_2() -> None: height_map: list[list[int]] = [] lowest_truths: list[list[bool]] = [] with open("../data/day9.txt") as dFile: for row in dFile.readlines(): if (row := row.strip()) != "": height_map.append([]) lowest_truths.append([]) for num in row: height_map[-1].append(int(num)) lowest_truths[-1].append(False) for r in range(len(height_map)): for c in range(len(height_map[r])): truths: list[bool] = [] if r >= 1: truths.append(height_map[r][c] < height_map[r - 1][c]) if r + 1 < len(height_map): truths.append(height_map[r][c] < height_map[r + 1][c]) if c >= 1: truths.append(height_map[r][c] < height_map[r][c - 1]) if c + 1 < len(height_map[r]): truths.append(height_map[r][c] < height_map[r][c + 1]) lowest_truths[r][c] = False not in truths basins: list[int] = [] for r in range(len(height_map)): for c in range(len(height_map[r])): if lowest_truths[r][c]: basins.append(backtrack_basin(height_map, r, c, 0, [])) basins.sort() result: int = basins[-1] * basins[-2] * basins[-3] print("Day: 9 | Part: 2 | Result:", result) if __name__ == "__main__": part_1() part_2()
def part_1() -> None: height_map: list[list[int]] = [] lowest_truths: list[list[bool]] = [] with open('../data/day9.txt') as d_file: for row in dFile.readlines(): if (row := row.strip()) != '': height_map.append([]) lowest_truths.append([]) for num in row: height_map[-1].append(int(num)) lowest_truths[-1].append(False) for r in range(len(height_map)): for c in range(len(height_map[r])): truths: list[bool] = [] if r >= 1: truths.append(height_map[r][c] < height_map[r - 1][c]) if r + 1 < len(height_map): truths.append(height_map[r][c] < height_map[r + 1][c]) if c >= 1: truths.append(height_map[r][c] < height_map[r][c - 1]) if c + 1 < len(height_map[r]): truths.append(height_map[r][c] < height_map[r][c + 1]) lowest_truths[r][c] = False not in truths result: int = sum((height_map[r][c] + 1 for r in range(len(height_map)) for c in range(len(height_map[r])) if lowest_truths[r][c])) print('Day: 9 | Part: 1 | Result:', result) def backtrack_basin(height_map: list[list[int]], r: int, c: int, counter: int, visited: list[tuple[int, int]]) -> int: if (r, c) in visited: return counter visited.append((r, c)) if height_map[r][c] == 9: return counter counter += 1 if r >= 1: counter = backtrack_basin(height_map, r - 1, c, counter, visited) if r + 1 < len(height_map): counter = backtrack_basin(height_map, r + 1, c, counter, visited) if c >= 1: counter = backtrack_basin(height_map, r, c - 1, counter, visited) if c + 1 < len(height_map[r]): counter = backtrack_basin(height_map, r, c + 1, counter, visited) return counter def part_2() -> None: height_map: list[list[int]] = [] lowest_truths: list[list[bool]] = [] with open('../data/day9.txt') as d_file: for row in dFile.readlines(): if (row := row.strip()) != '': height_map.append([]) lowest_truths.append([]) for num in row: height_map[-1].append(int(num)) lowest_truths[-1].append(False) for r in range(len(height_map)): for c in range(len(height_map[r])): truths: list[bool] = [] if r >= 1: truths.append(height_map[r][c] < height_map[r - 1][c]) if r + 1 < len(height_map): truths.append(height_map[r][c] < height_map[r + 1][c]) if c >= 1: truths.append(height_map[r][c] < height_map[r][c - 1]) if c + 1 < len(height_map[r]): truths.append(height_map[r][c] < height_map[r][c + 1]) lowest_truths[r][c] = False not in truths basins: list[int] = [] for r in range(len(height_map)): for c in range(len(height_map[r])): if lowest_truths[r][c]: basins.append(backtrack_basin(height_map, r, c, 0, [])) basins.sort() result: int = basins[-1] * basins[-2] * basins[-3] print('Day: 9 | Part: 2 | Result:', result) if __name__ == '__main__': part_1() part_2()
#!/usr/bin/env python3 # https://abc071.contest.atcoder.jp/tasks/arc081_a d = {} _ = input() for x in input().split(): x = int(x) d[x] = d.get(x, 0) + 1 p = [] for k, v in d.items(): if v >= 4: p.append(k) if v >= 2: p.append(k) if len(p) < 2: print(0) else: p.sort(reverse=True) print(p[0] * p[1])
d = {} _ = input() for x in input().split(): x = int(x) d[x] = d.get(x, 0) + 1 p = [] for (k, v) in d.items(): if v >= 4: p.append(k) if v >= 2: p.append(k) if len(p) < 2: print(0) else: p.sort(reverse=True) print(p[0] * p[1])
class Solution: def solveNQueens(self, n: int) -> List[List[str]]: ans = [] def dfs(row,tmp,cols,sums,subs): if row==n: ans.append(tmp) return for j in range(n): if j not in cols and row+j not in sums and row-j not in subs: dfs(row+1,tmp+[j],cols|{j},sums|{row+j},subs|{row-j}) dfs(0,[],set(),set(),set()) return [['.'*i+'Q'+'.'*(n-i-1) for i in cur] for cur in ans]
class Solution: def solve_n_queens(self, n: int) -> List[List[str]]: ans = [] def dfs(row, tmp, cols, sums, subs): if row == n: ans.append(tmp) return for j in range(n): if j not in cols and row + j not in sums and (row - j not in subs): dfs(row + 1, tmp + [j], cols | {j}, sums | {row + j}, subs | {row - j}) dfs(0, [], set(), set(), set()) return [['.' * i + 'Q' + '.' * (n - i - 1) for i in cur] for cur in ans]
# # PySNMP MIB module TELESYN-ATI-TC (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/TELESYN-ATI-TC # Produced by pysmi-0.3.4 at Wed May 1 12:37:45 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsIntersection, ValueSizeConstraint, SingleValueConstraint, ValueRangeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueSizeConstraint", "SingleValueConstraint", "ValueRangeConstraint", "ConstraintsUnion") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") MibScalar, MibTable, MibTableRow, MibTableColumn, MibIdentifier, Counter32, ModuleIdentity, iso, TimeTicks, NotificationType, Counter64, Gauge32, enterprises, Bits, Unsigned32, ObjectIdentity, IpAddress, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "MibIdentifier", "Counter32", "ModuleIdentity", "iso", "TimeTicks", "NotificationType", "Counter64", "Gauge32", "enterprises", "Bits", "Unsigned32", "ObjectIdentity", "IpAddress", "Integer32") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") alliedtelesyn = MibIdentifier((1, 3, 6, 1, 4, 1, 207)) mibObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8)) products = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 1)) switchingHubs = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 1, 4)) at_8200Switch = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 1, 4, 9)).setLabel("at-8200Switch") at8200SwitchMib = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9)) switchChassis = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 1)) switchMibModules = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2)) atmModule = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2, 1)) bridgeModule = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2, 2)) fddiModule = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2, 3)) isdnModule = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2, 4)) vLanModule = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2, 5)) atiProducts = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 3)) switchProduct = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 3, 1)) atiAgents = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 100)) uplinkSwitchAgent = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 100, 1)) switchAgent = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 100, 2)) atiAgentCapabilities = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 1000)) atiConventions = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 200)) switchVendor = MibIdentifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 300)) mibBuilder.exportSymbols("TELESYN-ATI-TC", atiAgentCapabilities=atiAgentCapabilities, isdnModule=isdnModule, switchVendor=switchVendor, vLanModule=vLanModule, switchProduct=switchProduct, at_8200Switch=at_8200Switch, atmModule=atmModule, switchAgent=switchAgent, atiAgents=atiAgents, atiProducts=atiProducts, products=products, mibObjects=mibObjects, at8200SwitchMib=at8200SwitchMib, uplinkSwitchAgent=uplinkSwitchAgent, switchChassis=switchChassis, atiConventions=atiConventions, switchingHubs=switchingHubs, fddiModule=fddiModule, switchMibModules=switchMibModules, bridgeModule=bridgeModule, alliedtelesyn=alliedtelesyn)
(integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_intersection, value_size_constraint, single_value_constraint, value_range_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueSizeConstraint', 'SingleValueConstraint', 'ValueRangeConstraint', 'ConstraintsUnion') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (mib_scalar, mib_table, mib_table_row, mib_table_column, mib_identifier, counter32, module_identity, iso, time_ticks, notification_type, counter64, gauge32, enterprises, bits, unsigned32, object_identity, ip_address, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'MibIdentifier', 'Counter32', 'ModuleIdentity', 'iso', 'TimeTicks', 'NotificationType', 'Counter64', 'Gauge32', 'enterprises', 'Bits', 'Unsigned32', 'ObjectIdentity', 'IpAddress', 'Integer32') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') alliedtelesyn = mib_identifier((1, 3, 6, 1, 4, 1, 207)) mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8)) products = mib_identifier((1, 3, 6, 1, 4, 1, 207, 1)) switching_hubs = mib_identifier((1, 3, 6, 1, 4, 1, 207, 1, 4)) at_8200_switch = mib_identifier((1, 3, 6, 1, 4, 1, 207, 1, 4, 9)).setLabel('at-8200Switch') at8200_switch_mib = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9)) switch_chassis = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 1)) switch_mib_modules = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2)) atm_module = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2, 1)) bridge_module = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2, 2)) fddi_module = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2, 3)) isdn_module = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2, 4)) v_lan_module = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 2, 5)) ati_products = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 3)) switch_product = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 3, 1)) ati_agents = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 100)) uplink_switch_agent = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 100, 1)) switch_agent = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 100, 2)) ati_agent_capabilities = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 1000)) ati_conventions = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 200)) switch_vendor = mib_identifier((1, 3, 6, 1, 4, 1, 207, 8, 9, 300)) mibBuilder.exportSymbols('TELESYN-ATI-TC', atiAgentCapabilities=atiAgentCapabilities, isdnModule=isdnModule, switchVendor=switchVendor, vLanModule=vLanModule, switchProduct=switchProduct, at_8200Switch=at_8200Switch, atmModule=atmModule, switchAgent=switchAgent, atiAgents=atiAgents, atiProducts=atiProducts, products=products, mibObjects=mibObjects, at8200SwitchMib=at8200SwitchMib, uplinkSwitchAgent=uplinkSwitchAgent, switchChassis=switchChassis, atiConventions=atiConventions, switchingHubs=switchingHubs, fddiModule=fddiModule, switchMibModules=switchMibModules, bridgeModule=bridgeModule, alliedtelesyn=alliedtelesyn)
# Copyright 2019 Google LLC # # 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 # # https://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. # wpantund properties WPAN_STATE = "NCP:State" WPAN_NAME = "Network:Name" WPAN_PANID = "Network:PANID" WPAN_XPANID = "Network:XPANID" WPAN_KEY = "Network:Key" WPAN_KEY_INDEX = "Network:KeyIndex" WPAN_CHANNEL = "NCP:Channel" WPAN_HW_ADDRESS = "NCP:HardwareAddress" WPAN_EXT_ADDRESS = "NCP:ExtendedAddress" WPAN_POLL_INTERVAL = "NCP:SleepyPollInterval" WPAN_NODE_TYPE = "Network:NodeType" WPAN_ROLE = "Network:Role" WPAN_PARTITION_ID = "Network:PartitionId" WPAN_IS_COMMISSIONED = "Network:IsCommissioned" WPAN_NCP_VERSION = "NCP:Version" WPAN_NCP_MCU_POWER_STATE = "NCP:MCUPowerState" WPAN_NCP_MAC_ADDRESS = "NCP:MACAddress" WPAN_NETWORK_ALLOW_JOIN = "com.nestlabs.internal:Network:AllowingJoin" WPAN_NETWORK_PASSTHRU_PORT = "com.nestlabs.internal:Network:PassthruPort" WPAN_RCP_VERSION = "POSIXApp:RCPVersion" WPAN_IP6_LINK_LOCAL_ADDRESS = "IPv6:LinkLocalAddress" WPAN_IP6_MESH_LOCAL_ADDRESS = "IPv6:MeshLocalAddress" WPAN_IP6_MESH_LOCAL_PREFIX = "IPv6:MeshLocalPrefix" WPAN_IP6_ALL_ADDRESSES = "IPv6:AllAddresses" WPAN_IP6_MULTICAST_ADDRESSES = "IPv6:MulticastAddresses" WPAN_THREAD_RLOC16 = "Thread:RLOC16" WPAN_THREAD_ROUTER_ID = "Thread:RouterID" WPAN_THREAD_LEADER_ADDRESS = "Thread:Leader:Address" WPAN_THREAD_LEADER_ROUTER_ID = "Thread:Leader:RouterID" WPAN_THREAD_LEADER_WEIGHT = "Thread:Leader:Weight" WPAN_THREAD_LEADER_LOCAL_WEIGHT = "Thread:Leader:LocalWeight" WPAN_THREAD_LEADER_NETWORK_DATA = "Thread:Leader:NetworkData" WPAN_THREAD_STABLE_LEADER_NETWORK_DATA = "Thread:Leader:StableNetworkData" WPAN_THREAD_NETWORK_DATA = "Thread:NetworkData" WPAN_THREAD_CHILD_TABLE = "Thread:ChildTable" WPAN_THREAD_CHILD_TABLE_ASVALMAP = "Thread:ChildTable:AsValMap" WPAN_THREAD_CHILD_TABLE_ADDRESSES = "Thread:ChildTable:Addresses" WPAN_THREAD_NEIGHBOR_TABLE = "Thread:NeighborTable" WPAN_THREAD_NEIGHBOR_TABLE_ASVALMAP = "Thread:NeighborTable:AsValMap" WPAN_THREAD_NEIGHBOR_TABLE_ERR_RATES = "Thread:NeighborTable:ErrorRates" WPAN_THREAD_NEIGHBOR_TABLE_ERR_RATES_AVVALMAP = "Thread:NeighborTable:ErrorRates:AsValMap" WPAN_THREAD_ROUTER_TABLE = "Thread:RouterTable" WPAN_THREAD_ROUTER_TABLE_ASVALMAP = "Thread:RouterTable:AsValMap" WPAN_THREAD_CHILD_TIMEOUT = "Thread:ChildTimeout" WPAN_THREAD_PARENT = "Thread:Parent" WPAN_THREAD_PARENT_ASVALMAP = "Thread:Parent:AsValMap" WPAN_THREAD_NETWORK_DATA_VERSION = "Thread:NetworkDataVersion" WPAN_THREAD_STABLE_NETWORK_DATA = "Thread:StableNetworkData" WPAN_THREAD_STABLE_NETWORK_DATA_VERSION = "Thread:StableNetworkDataVersion" WPAN_THREAD_PREFERRED_ROUTER_ID = "Thread:PreferredRouterID" WPAN_THREAD_COMMISSIONER_ENABLED = "Thread:Commissioner:Enabled" WPAN_THREAD_DEVICE_MODE = "Thread:DeviceMode" WPAN_THREAD_OFF_MESH_ROUTES = "Thread:OffMeshRoutes" WPAN_THREAD_ON_MESH_PREFIXES = "Thread:OnMeshPrefixes" WPAN_THREAD_ROUTER_ROLE_ENABLED = "Thread:RouterRole:Enabled" WPAN_THREAD_CONFIG_FILTER_RLOC_ADDRESSES = "Thread:Config:FilterRLOCAddresses" WPAN_THREAD_ROUTER_UPGRADE_THRESHOLD = "Thread:RouterUpgradeThreshold" WPAN_THREAD_ROUTER_DOWNGRADE_THRESHOLD = "Thread:RouterDowngradeThreshold" WPAN_THREAD_ACTIVE_DATASET = "Thread:ActiveDataset" WPAN_THREAD_ACTIVE_DATASET_ASVALMAP = "Thread:ActiveDataset:AsValMap" WPAN_THREAD_PENDING_DATASET = "Thread:PendingDataset" WPAN_THREAD_PENDING_DATASET_ASVALMAP = "Thread:PendingDataset:AsValMap" WPAN_THREAD_ADDRESS_CACHE_TABLE = "Thread:AddressCacheTable" WPAN_THREAD_ADDRESS_CACHE_TABLE_ASVALMAP = "Thread:AddressCacheTable:AsValMap" WPAN_THREAD_JOINER_DISCERNER_VALUE = "Joiner:Discerner:Value" WPAN_THREAD_JOINER_DISCERNER_BIT_LENGTH = "Joiner:Discerner:BitLength" WPAN_THREAD_COMMISSIONER_JOINERS = "Commissioner:Joiners" WPAN_OT_LOG_LEVEL = "OpenThread:LogLevel" WPAN_OT_SLAAC_ENABLED = "OpenThread:SLAAC:Enabled" WPAN_OT_STEERING_DATA_ADDRESS = "OpenThread:SteeringData:Address" WPAN_OT_STEERING_DATA_SET_WHEN_JOINABLE = "OpenThread:SteeringData:SetWhenJoinable" WPAN_OT_MSG_BUFFER_COUNTERS = "OpenThread:MsgBufferCounters" WPAN_OT_MSG_BUFFER_COUNTERS_AS_STRING = "OpenThread:MsgBufferCounters:AsString" WPAN_OT_DEBUG_TEST_ASSERT = "OpenThread:Debug:TestAssert" WPAN_OT_DEBUG_TEST_WATCHDOG = "OpenThread:Debug:TestWatchdog" WPAN_NCP_COUNTER_ALL_MAC = "NCP:Counter:AllMac" WPAN_NCP_COUNTER_ALL_MAC_ASVALMAP = "NCP:Counter:AllMac:AsValMap" WPAN_NCP_RSSI = "NCP:RSSI" WPAN_NCP_STATE = "NCP:State" WPAN_NCP_COUNTER_TX_ERR_CCA = "NCP:Counter:TX_ERR_CCA" WPAN_NCP_COUNTER_TX_IP_DROPPED = "NCP:Counter:TX_IP_DROPPED" WPAN_NCP_COUNTER_TX_PKT_ACKED = "NCP:Counter:TX_PKT_ACKED" WPAN_NCP_COUNTER_TX_PKT_DATA_POLL = "NCP:Counter:TX_PKT_DATA_POLL" WPAN_MAC_ALLOWLIST_ENABLED = "MAC:Allowlist:Enabled" WPAN_MAC_ALLOWLIST_ENTRIES = "MAC:Allowlist:Entries" WPAN_MAC_ALLOWLIST_ENTRIES_ASVALMAP = "MAC:Allowlist:Entries:AsValMap" WPAN_MAC_DENYLIST_ENABLED = "MAC:Denylist:Enabled" WPAN_MAC_DENYLIST_ENTRIES = "MAC:Denylist:Entries" WPAN_MAC_DENYLIST_ENTRIES_ASVALMAP = "MAC:Denylist:Entries:AsValMap" WPAN_MAC_FILTER_FIXED_RSSI = "MAC:Filter:FixedRssi" WPAN_MAC_FILTER_ENTRIES = "MAC:Filter:Entries" WPAN_MAC_FILTER_ENTRIES_ASVALMAP = "MAC:Filter:Entries:AsValMap" WPAN_CHILD_SUPERVISION_INTERVAL = "ChildSupervision:Interval" WPAN_CHILD_SUPERVISION_CHECK_TIMEOUT = "ChildSupervision:CheckTimeout" WPAN_JAM_DETECTION_STATUS = "JamDetection:Status" WPAN_JAM_DETECTION_ENABLE = "JamDetection:Enable" WPAN_JAM_DETECTION_RSSI_THRESHOLD = "JamDetection:RssiThreshold" WPAN_JAM_DETECTION_WINDOW = "JamDetection:Window" WPAN_JAM_DETECTION_BUSY_PERIOD = "JamDetection:BusyPeriod" WPAN_JAM_DETECTION_DEBUG_HISTORY_BITMAP = "JamDetection:Debug:HistoryBitmap" WPAN_CHANNEL_MONITOR_SAMPLE_INTERVAL = "ChannelMonitor:SampleInterval" WPAN_CHANNEL_MONITOR_RSSI_THRESHOLD = "ChannelMonitor:RssiThreshold" WPAN_CHANNEL_MONITOR_SAMPLE_WINDOW = "ChannelMonitor:SampleWindow" WPAN_CHANNEL_MONITOR_SAMPLE_COUNT = "ChannelMonitor:SampleCount" WPAN_CHANNEL_MONITOR_CHANNEL_QUALITY = "ChannelMonitor:ChannelQuality" WPAN_CHANNEL_MONITOR_CHANNEL_QUALITY_ASVALMAP = "ChannelMonitor:ChannelQuality:AsValMap" WPAN_CHANNEL_MANAGER_NEW_CHANNEL = "ChannelManager:NewChannel" WPAN_CHANNEL_MANAGER_DELAY = "ChannelManager:Delay" WPAN_CHANNEL_MANAGER_CHANNEL_SELECT = "ChannelManager:ChannelSelect" WPAN_CHANNEL_MANAGER_AUTO_SELECT_ENABLED = "ChannelManager:AutoSelect:Enabled" WPAN_CHANNEL_MANAGER_AUTO_SELECT_INTERVAL = "ChannelManager:AutoSelect:Interval" WPAN_CHANNEL_MANAGER_SUPPORTED_CHANNEL_MASK = "ChannelManager:SupportedChannelMask" WPAN_CHANNEL_MANAGER_FAVORED_CHANNEL_MASK = "ChannelManager:FavoredChannelMask" #------------------------------------------------------------------------------------------------------------------- # Valid state values STATE_UNINITIALIZED = "\"uninitialized\"" STATE_FAULT = "\"uninitialized:fault\"" STATE_UPGRADING = "\"uninitialized:upgrading\"" STATE_DEEP_SLEEP = "\"offline:deep-sleep\"" STATE_OFFLINE = "\"offline\"" STATE_COMMISSIONED = "\"offline:commissioned\"" STATE_ASSOCIATING = "\"associating\"" STATE_CREDENTIALS_NEEDED = "\"associating:credentials-needed\"" STATE_ASSOCIATED = "\"associated\"" STATE_ISOLATED = "\"associated:no-parent\"" STATE_NETWAKE_ASLEEP = "\"associated:netwake-asleep\"" STATE_NETWAKE_WAKING = "\"associated:netwake-waking\"" #-------------------------------------------------------------------------------------------------------------------- # Address Cache Table Entry States ADDRESS_CACHE_ENTRY_STATE_CACHED = "cached" ADDRESS_CACHE_ENTRY_STATE_SNOOPED = "snooped" ADDRESS_CACHE_ENTRY_STATE_QUERY = "query" ADDRESS_CACHE_ENTRY_STATE_RETRY_QUERY = "retry-query" #-------------------------------------------------------------------------------------------------------------------- # MCU Power state from `WPAN_NCP_MCU_POWER_STATE` MCU_POWER_STATE_ON = "\"on\"" MCU_POWER_STATE_LOW_POWER = "\"low-power\"" MCU_POWER_STATE_OFF = "\"off\"" #-------------------------------------------------------------------------------------------------------------------- # Node types (from `WPAN_NODE_TYPE` property) NODE_TYPE_UNKNOWN = "\"unknown\"" NODE_TYPE_LEADER = "\"leader\"" NODE_TYPE_ROUTER = "\"router\"" NODE_TYPE_END_DEVICE = "\"end-device\"" NODE_TYPE_SLEEPY_END_DEVICE = "\"sleepy-end-device\"" NODE_TYPE_COMMISSIONER = "\"commissioner\"" NODE_TYPE_NEST_LURKER = "\"nl-lurker\"" #-------------------------------------------------------------------------------------------------------------------- # Node types used by `Node.join()` JOIN_TYPE_ROUTER = "r" JOIN_TYPE_END_DEVICE = "e" JOIN_TYPE_SLEEPY_END_DEVICE = "s" #-------------------------------------------------------------------------------------------------------------------- # Bit Flags for Thread Device Mode `WPAN_THREAD_DEVICE_MODE` THREAD_MODE_FLAG_FULL_NETWORK_DATA = (1 << 0) THREAD_MODE_FLAG_FULL_THREAD_DEV = (1 << 1) THREAD_MODE_FLAG_RX_ON_WHEN_IDLE = (1 << 3) #-------------------------------------------------------------------------------------------------------------------- # thread roles ROLES = {"router": 2, "end-node": 3, "sleepy-end-device": 4, 2: "router", 3: "end-node", 4: "sleepy-end-device"}
wpan_state = 'NCP:State' wpan_name = 'Network:Name' wpan_panid = 'Network:PANID' wpan_xpanid = 'Network:XPANID' wpan_key = 'Network:Key' wpan_key_index = 'Network:KeyIndex' wpan_channel = 'NCP:Channel' wpan_hw_address = 'NCP:HardwareAddress' wpan_ext_address = 'NCP:ExtendedAddress' wpan_poll_interval = 'NCP:SleepyPollInterval' wpan_node_type = 'Network:NodeType' wpan_role = 'Network:Role' wpan_partition_id = 'Network:PartitionId' wpan_is_commissioned = 'Network:IsCommissioned' wpan_ncp_version = 'NCP:Version' wpan_ncp_mcu_power_state = 'NCP:MCUPowerState' wpan_ncp_mac_address = 'NCP:MACAddress' wpan_network_allow_join = 'com.nestlabs.internal:Network:AllowingJoin' wpan_network_passthru_port = 'com.nestlabs.internal:Network:PassthruPort' wpan_rcp_version = 'POSIXApp:RCPVersion' wpan_ip6_link_local_address = 'IPv6:LinkLocalAddress' wpan_ip6_mesh_local_address = 'IPv6:MeshLocalAddress' wpan_ip6_mesh_local_prefix = 'IPv6:MeshLocalPrefix' wpan_ip6_all_addresses = 'IPv6:AllAddresses' wpan_ip6_multicast_addresses = 'IPv6:MulticastAddresses' wpan_thread_rloc16 = 'Thread:RLOC16' wpan_thread_router_id = 'Thread:RouterID' wpan_thread_leader_address = 'Thread:Leader:Address' wpan_thread_leader_router_id = 'Thread:Leader:RouterID' wpan_thread_leader_weight = 'Thread:Leader:Weight' wpan_thread_leader_local_weight = 'Thread:Leader:LocalWeight' wpan_thread_leader_network_data = 'Thread:Leader:NetworkData' wpan_thread_stable_leader_network_data = 'Thread:Leader:StableNetworkData' wpan_thread_network_data = 'Thread:NetworkData' wpan_thread_child_table = 'Thread:ChildTable' wpan_thread_child_table_asvalmap = 'Thread:ChildTable:AsValMap' wpan_thread_child_table_addresses = 'Thread:ChildTable:Addresses' wpan_thread_neighbor_table = 'Thread:NeighborTable' wpan_thread_neighbor_table_asvalmap = 'Thread:NeighborTable:AsValMap' wpan_thread_neighbor_table_err_rates = 'Thread:NeighborTable:ErrorRates' wpan_thread_neighbor_table_err_rates_avvalmap = 'Thread:NeighborTable:ErrorRates:AsValMap' wpan_thread_router_table = 'Thread:RouterTable' wpan_thread_router_table_asvalmap = 'Thread:RouterTable:AsValMap' wpan_thread_child_timeout = 'Thread:ChildTimeout' wpan_thread_parent = 'Thread:Parent' wpan_thread_parent_asvalmap = 'Thread:Parent:AsValMap' wpan_thread_network_data_version = 'Thread:NetworkDataVersion' wpan_thread_stable_network_data = 'Thread:StableNetworkData' wpan_thread_stable_network_data_version = 'Thread:StableNetworkDataVersion' wpan_thread_preferred_router_id = 'Thread:PreferredRouterID' wpan_thread_commissioner_enabled = 'Thread:Commissioner:Enabled' wpan_thread_device_mode = 'Thread:DeviceMode' wpan_thread_off_mesh_routes = 'Thread:OffMeshRoutes' wpan_thread_on_mesh_prefixes = 'Thread:OnMeshPrefixes' wpan_thread_router_role_enabled = 'Thread:RouterRole:Enabled' wpan_thread_config_filter_rloc_addresses = 'Thread:Config:FilterRLOCAddresses' wpan_thread_router_upgrade_threshold = 'Thread:RouterUpgradeThreshold' wpan_thread_router_downgrade_threshold = 'Thread:RouterDowngradeThreshold' wpan_thread_active_dataset = 'Thread:ActiveDataset' wpan_thread_active_dataset_asvalmap = 'Thread:ActiveDataset:AsValMap' wpan_thread_pending_dataset = 'Thread:PendingDataset' wpan_thread_pending_dataset_asvalmap = 'Thread:PendingDataset:AsValMap' wpan_thread_address_cache_table = 'Thread:AddressCacheTable' wpan_thread_address_cache_table_asvalmap = 'Thread:AddressCacheTable:AsValMap' wpan_thread_joiner_discerner_value = 'Joiner:Discerner:Value' wpan_thread_joiner_discerner_bit_length = 'Joiner:Discerner:BitLength' wpan_thread_commissioner_joiners = 'Commissioner:Joiners' wpan_ot_log_level = 'OpenThread:LogLevel' wpan_ot_slaac_enabled = 'OpenThread:SLAAC:Enabled' wpan_ot_steering_data_address = 'OpenThread:SteeringData:Address' wpan_ot_steering_data_set_when_joinable = 'OpenThread:SteeringData:SetWhenJoinable' wpan_ot_msg_buffer_counters = 'OpenThread:MsgBufferCounters' wpan_ot_msg_buffer_counters_as_string = 'OpenThread:MsgBufferCounters:AsString' wpan_ot_debug_test_assert = 'OpenThread:Debug:TestAssert' wpan_ot_debug_test_watchdog = 'OpenThread:Debug:TestWatchdog' wpan_ncp_counter_all_mac = 'NCP:Counter:AllMac' wpan_ncp_counter_all_mac_asvalmap = 'NCP:Counter:AllMac:AsValMap' wpan_ncp_rssi = 'NCP:RSSI' wpan_ncp_state = 'NCP:State' wpan_ncp_counter_tx_err_cca = 'NCP:Counter:TX_ERR_CCA' wpan_ncp_counter_tx_ip_dropped = 'NCP:Counter:TX_IP_DROPPED' wpan_ncp_counter_tx_pkt_acked = 'NCP:Counter:TX_PKT_ACKED' wpan_ncp_counter_tx_pkt_data_poll = 'NCP:Counter:TX_PKT_DATA_POLL' wpan_mac_allowlist_enabled = 'MAC:Allowlist:Enabled' wpan_mac_allowlist_entries = 'MAC:Allowlist:Entries' wpan_mac_allowlist_entries_asvalmap = 'MAC:Allowlist:Entries:AsValMap' wpan_mac_denylist_enabled = 'MAC:Denylist:Enabled' wpan_mac_denylist_entries = 'MAC:Denylist:Entries' wpan_mac_denylist_entries_asvalmap = 'MAC:Denylist:Entries:AsValMap' wpan_mac_filter_fixed_rssi = 'MAC:Filter:FixedRssi' wpan_mac_filter_entries = 'MAC:Filter:Entries' wpan_mac_filter_entries_asvalmap = 'MAC:Filter:Entries:AsValMap' wpan_child_supervision_interval = 'ChildSupervision:Interval' wpan_child_supervision_check_timeout = 'ChildSupervision:CheckTimeout' wpan_jam_detection_status = 'JamDetection:Status' wpan_jam_detection_enable = 'JamDetection:Enable' wpan_jam_detection_rssi_threshold = 'JamDetection:RssiThreshold' wpan_jam_detection_window = 'JamDetection:Window' wpan_jam_detection_busy_period = 'JamDetection:BusyPeriod' wpan_jam_detection_debug_history_bitmap = 'JamDetection:Debug:HistoryBitmap' wpan_channel_monitor_sample_interval = 'ChannelMonitor:SampleInterval' wpan_channel_monitor_rssi_threshold = 'ChannelMonitor:RssiThreshold' wpan_channel_monitor_sample_window = 'ChannelMonitor:SampleWindow' wpan_channel_monitor_sample_count = 'ChannelMonitor:SampleCount' wpan_channel_monitor_channel_quality = 'ChannelMonitor:ChannelQuality' wpan_channel_monitor_channel_quality_asvalmap = 'ChannelMonitor:ChannelQuality:AsValMap' wpan_channel_manager_new_channel = 'ChannelManager:NewChannel' wpan_channel_manager_delay = 'ChannelManager:Delay' wpan_channel_manager_channel_select = 'ChannelManager:ChannelSelect' wpan_channel_manager_auto_select_enabled = 'ChannelManager:AutoSelect:Enabled' wpan_channel_manager_auto_select_interval = 'ChannelManager:AutoSelect:Interval' wpan_channel_manager_supported_channel_mask = 'ChannelManager:SupportedChannelMask' wpan_channel_manager_favored_channel_mask = 'ChannelManager:FavoredChannelMask' state_uninitialized = '"uninitialized"' state_fault = '"uninitialized:fault"' state_upgrading = '"uninitialized:upgrading"' state_deep_sleep = '"offline:deep-sleep"' state_offline = '"offline"' state_commissioned = '"offline:commissioned"' state_associating = '"associating"' state_credentials_needed = '"associating:credentials-needed"' state_associated = '"associated"' state_isolated = '"associated:no-parent"' state_netwake_asleep = '"associated:netwake-asleep"' state_netwake_waking = '"associated:netwake-waking"' address_cache_entry_state_cached = 'cached' address_cache_entry_state_snooped = 'snooped' address_cache_entry_state_query = 'query' address_cache_entry_state_retry_query = 'retry-query' mcu_power_state_on = '"on"' mcu_power_state_low_power = '"low-power"' mcu_power_state_off = '"off"' node_type_unknown = '"unknown"' node_type_leader = '"leader"' node_type_router = '"router"' node_type_end_device = '"end-device"' node_type_sleepy_end_device = '"sleepy-end-device"' node_type_commissioner = '"commissioner"' node_type_nest_lurker = '"nl-lurker"' join_type_router = 'r' join_type_end_device = 'e' join_type_sleepy_end_device = 's' thread_mode_flag_full_network_data = 1 << 0 thread_mode_flag_full_thread_dev = 1 << 1 thread_mode_flag_rx_on_when_idle = 1 << 3 roles = {'router': 2, 'end-node': 3, 'sleepy-end-device': 4, 2: 'router', 3: 'end-node', 4: 'sleepy-end-device'}
default_app_config = "rest_live.apps.RestLiveConfig" DEFAULT_GROUP_BY_FIELD = "pk" def get_group_name(model_label) -> str: return f"RESOURCE-{model_label}" CREATED = "CREATED" UPDATED = "UPDATED" DELETED = "DELETED"
default_app_config = 'rest_live.apps.RestLiveConfig' default_group_by_field = 'pk' def get_group_name(model_label) -> str: return f'RESOURCE-{model_label}' created = 'CREATED' updated = 'UPDATED' deleted = 'DELETED'
def _filter(fn, arr): idx = 0 length = len(arr) result = [] while idx < length: if fn(arr[idx]): result.append(arr[idx]) idx += 1 return result
def _filter(fn, arr): idx = 0 length = len(arr) result = [] while idx < length: if fn(arr[idx]): result.append(arr[idx]) idx += 1 return result
class InvalidCredentialsError(Exception): pass class NotAuthorisedError(Exception): pass class InvalidRouteUUIDError(Exception): pass class RouteLinkNotFound(Exception): pass class InvalidURLError(Exception): pass class InvalidRouteTokenError(Exception): pass
class Invalidcredentialserror(Exception): pass class Notauthorisederror(Exception): pass class Invalidrouteuuiderror(Exception): pass class Routelinknotfound(Exception): pass class Invalidurlerror(Exception): pass class Invalidroutetokenerror(Exception): pass
fout = open('Street_Centrelines.csv','r') #It will open and perform read operation in file StreetCenterlines.csv # update file def tuple_func(): for i in fout: i = i.split(",") string = (i[2],i[4],i[6],i[7]) # A tuple of (STR_NAME,FULL_NAME,FROM_STR,TO_STR) print(tuple(string)) tuple_func()
fout = open('Street_Centrelines.csv', 'r') def tuple_func(): for i in fout: i = i.split(',') string = (i[2], i[4], i[6], i[7]) print(tuple(string)) tuple_func()
verbose = False class Controller(): name = 'WS2801' color = [0, 255, 0] def change_color(self, color): print(self.name + ' - Change color to: ' + str(color)) def change_brightness(self, brightness): print(self.name + ' - Set brightmess to : ' + str(brightness)) def set_pixels(self, leds, colors=[]): if verbose: print(self.name + ' - Turn on leds: ' + str(leds)) def set_pixel(self, led, color=[]): if verbose: print(self.name + ' - Turn on led: ' + str(led)) def show_pixels(self): if verbose: print(self.name + ' - Show pixels') def clear_pixels(self): if verbose: print(self.name + ' - Clear pixels') def turn_off(self): print(self.name + ' - Turn off leds')
verbose = False class Controller: name = 'WS2801' color = [0, 255, 0] def change_color(self, color): print(self.name + ' - Change color to: ' + str(color)) def change_brightness(self, brightness): print(self.name + ' - Set brightmess to : ' + str(brightness)) def set_pixels(self, leds, colors=[]): if verbose: print(self.name + ' - Turn on leds: ' + str(leds)) def set_pixel(self, led, color=[]): if verbose: print(self.name + ' - Turn on led: ' + str(led)) def show_pixels(self): if verbose: print(self.name + ' - Show pixels') def clear_pixels(self): if verbose: print(self.name + ' - Clear pixels') def turn_off(self): print(self.name + ' - Turn off leds')
# # PySNMP MIB module Fore-TCM-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Fore-TCM-MIB # Produced by pysmi-0.3.4 at Wed May 1 13:17:35 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ValueSizeConstraint, ConstraintsIntersection, ValueRangeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "ConstraintsUnion") EntryStatus, hardware, atmSwitch = mibBuilder.importSymbols("Fore-Common-MIB", "EntryStatus", "hardware", "atmSwitch") trapLogIndex, = mibBuilder.importSymbols("Fore-TrapLog-MIB", "trapLogIndex") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn, iso, Counter64, ObjectIdentity, MibIdentifier, Gauge32, Integer32, TimeTicks, Counter32, Unsigned32, NotificationType, Bits, ModuleIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso", "Counter64", "ObjectIdentity", "MibIdentifier", "Gauge32", "Integer32", "TimeTicks", "Counter32", "Unsigned32", "NotificationType", "Bits", "ModuleIdentity") TimeInterval, PhysAddress, DisplayString, TextualConvention, DateAndTime = mibBuilder.importSymbols("SNMPv2-TC", "TimeInterval", "PhysAddress", "DisplayString", "TextualConvention", "DateAndTime") ecpStationModule = ModuleIdentity((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7)) if mibBuilder.loadTexts: ecpStationModule.setLastUpdated('9911050000Z') if mibBuilder.loadTexts: ecpStationModule.setOrganization('FORE') if mibBuilder.loadTexts: ecpStationModule.setContactInfo(' Postal: FORE Systems Inc. 1000 FORE Drive Warrendale, PA 15086-7502 Tel: +1 724 742 6900 Email: nm_mibs@fore.com Web: http://www.fore.com') if mibBuilder.loadTexts: ecpStationModule.setDescription('The Timing Control Module (TCM).') ecpHardware = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1)) ecpSoftware = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2)) ecpSwMainGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1)) ecpIpGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2)) ecpEnvironment = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3)) ecpAlarmGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1)) ecpSnmp = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3)) ecpTrapConfGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1)) esiCard = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8)) esiHardware = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1)) esiSoftware = MibIdentifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2)) class EsiReferenceSource(Integer32): subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10)) namedValues = NamedValues(("fab1Pri", 1), ("fab1Sec", 2), ("fab2Pri", 3), ("fab2Sec", 4), ("fab3Pri", 5), ("fab3Sec", 6), ("fab4Pri", 7), ("fab4Sec", 8), ("bits1", 9), ("bits2", 10)) ecpBoardTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1), ) if mibBuilder.loadTexts: ecpBoardTable.setStatus('current') if mibBuilder.loadTexts: ecpBoardTable.setDescription('This table contains Extended Control Processor (ECP) board information.') ecpBoardEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex")) if mibBuilder.loadTexts: ecpBoardEntry.setStatus('current') if mibBuilder.loadTexts: ecpBoardEntry.setDescription('This entry contains Extended Control Processor (ECP) board information') ecpBoardIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("slotX", 1), ("slotY", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpBoardIndex.setStatus('current') if mibBuilder.loadTexts: ecpBoardIndex.setDescription('This is the Extended Control Processor board index within the management station.') ecpBoardVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpBoardVersion.setStatus('current') if mibBuilder.loadTexts: ecpBoardVersion.setDescription('This is the version number of this Extended Control Processor (ECP) board.') ecpBoardSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpBoardSerialNumber.setStatus('current') if mibBuilder.loadTexts: ecpBoardSerialNumber.setDescription('This is the serial number of this Extended Control Processor (ECP) board.') ecpBoardOtherEcpPresent = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ecpPresent", 1), ("ecpAbsent", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpBoardOtherEcpPresent.setStatus('current') if mibBuilder.loadTexts: ecpBoardOtherEcpPresent.setDescription('This is the other ECP board present indicator for this Extended Control Processor (ECP) board.') ecpBoardEsiPresent = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("esiPresent", 1), ("esiAbsent", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpBoardEsiPresent.setStatus('current') if mibBuilder.loadTexts: ecpBoardEsiPresent.setDescription('This is the External Synchronization Interface (ESI) present indicator for this Extended Control Processor (ECP) board.') ecpSerialIfTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2), ) if mibBuilder.loadTexts: ecpSerialIfTable.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfTable.setDescription('This table contains the serial port interface information for the Extended Control Processor (ECP) board.') ecpSerialIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex"), (0, "Fore-TCM-MIB", "ecpSerialIfPortIndex")) if mibBuilder.loadTexts: ecpSerialIfEntry.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfEntry.setDescription('This entry contains the serial port interface information for the Extended Control Processor (ECP) board.') ecpSerialIfPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpSerialIfPortIndex.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortIndex.setDescription('This is the serial port interface index for this port on the Extended Control Processor (ECP) board.') ecpSerialIfPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("other", 1), ("rs232", 2), ("rs422", 3), ("rs423", 4), ("v35", 5), ("x21", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpSerialIfPortType.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortType.setDescription('This is the serial port interface type for this port on the Extended Control Processor (ECP) board.') ecpSerialIfPortSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpSerialIfPortSpeed.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortSpeed.setDescription('This is the serial port interface speed for this port on the Extended Control Processor (ECP) board.') ecpSerialIfFlowType = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("ctsRts", 2), ("dsrDtr", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpSerialIfFlowType.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfFlowType.setDescription('This is the serial port interface flow control for this port on the Extended Control Processor (ECP) board.') ecpSerialIfPortBits = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpSerialIfPortBits.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortBits.setDescription('This is the serial port interface character size for this port on the Extended Control Processor (ECP) board.') ecpSerialIfPortStopBits = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("one", 1), ("two", 2), ("oneAndHalf", 3), ("dynamic", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpSerialIfPortStopBits.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortStopBits.setDescription('This is the serial port interface stop bit count for this port on the Extended Control Processor (ECP) board.') ecpSerialIfPortParity = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 1), ("odd", 2), ("even", 3), ("mark", 4), ("space", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpSerialIfPortParity.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortParity.setDescription('This is the serial port interface character parity for this port on the Extended Control Processor (ECP) board.') ecpAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1), ) if mibBuilder.loadTexts: ecpAlarmTable.setStatus('current') if mibBuilder.loadTexts: ecpAlarmTable.setDescription('A table of switch alarm definitions and configuration.') ecpAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex"), (0, "Fore-TCM-MIB", "ecpAlarmType")) if mibBuilder.loadTexts: ecpAlarmEntry.setStatus('current') if mibBuilder.loadTexts: ecpAlarmEntry.setDescription('A table entry containing switch alarm definitions.') ecpAlarmType = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("powerSupplyInputFailed", 1), ("powerSupplyOutputFailed", 2), ("fanBankFailed", 3), ("tempSensorOverTemp", 4), ("linkFailed", 5), ("spansFailed", 6), ("powerSupplyOverCurrent", 7), ("powerSupply5VoltFailed", 8), ("faultyOrMissingStandbyTcm", 9), ("esiLossOfSyncSrc", 10)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpAlarmType.setStatus('current') if mibBuilder.loadTexts: ecpAlarmType.setDescription('The type of the alarm.') ecpAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("active", 1), ("inactive", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpAlarmStatus.setStatus('current') if mibBuilder.loadTexts: ecpAlarmStatus.setDescription('The status of this alarm entry. An alarm becomes active if the underlying condition is detected. For power supplies, the input failed alarm condition is asserted if the input voltage is not within the nominal range for the supply. This does not necessarily mean that an ouput failure will result. A power supply output failure condition is asserted if any power supply is failing or if it is physically removed. Power supply output alarms are only applicable to switches with multiple power supplies. Fan bank and temperature sensor failures are applicable only to switches with the appropriate sensing capabilities. Link and spans failures are applicable to all switches.') ecpAlarmMinorCategory = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpAlarmMinorCategory.setStatus('current') if mibBuilder.loadTexts: ecpAlarmMinorCategory.setDescription('This object indicates whether a minor alarm is triggered when this event occurs.') ecpAlarmMajorCategory = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpAlarmMajorCategory.setStatus('current') if mibBuilder.loadTexts: ecpAlarmMajorCategory.setDescription('This object indicates whether a major alarm is triggered when this event occurs.') ecpAlarmReset = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1, 5), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpAlarmReset.setStatus('current') if mibBuilder.loadTexts: ecpAlarmReset.setDescription('The manager may set this to the value zero to cancel a current alarm. This is useful for silencing alarms triggered via edge detection. If this variable is readable, then the alarm is resettable.') ecpAlarmMajorRelayState = MibScalar((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("on", 1), ("off", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpAlarmMajorRelayState.setStatus('current') if mibBuilder.loadTexts: ecpAlarmMajorRelayState.setDescription('This object indicates the current state of the major alarm relay. If one or more of the alarms (ecpAlarmType) that are defined major (ecpAlarmMajorCategory) are currently active (ecpAlarmStatus), this object will be on(1).') ecpAlarmMinorRelayState = MibScalar((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("on", 1), ("off", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpAlarmMinorRelayState.setStatus('current') if mibBuilder.loadTexts: ecpAlarmMinorRelayState.setDescription('This object indicates the current state of the minor alarm relay. Ifone or mote of the alarms (ecpAlarmType) that are defined minor (ecpAlarmMinorCategory) are currently active (ecpAlarmStatus), this object will be on(1).') ecpAlarmRelayTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 4), ) if mibBuilder.loadTexts: ecpAlarmRelayTable.setStatus('current') if mibBuilder.loadTexts: ecpAlarmRelayTable.setDescription('This table contains the alarm relay definitions for the Extended Control Processor (ECP) board.') ecpAlarmRelayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 4, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex"), (0, "Fore-TCM-MIB", "ecpAlarmRelayIndex")) if mibBuilder.loadTexts: ecpAlarmRelayEntry.setStatus('current') if mibBuilder.loadTexts: ecpAlarmRelayEntry.setDescription('This entry contains the alarm relay definitions for the Extended Control Processor (ECP) board.') ecpAlarmRelayIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 4, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpAlarmRelayIndex.setStatus('current') if mibBuilder.loadTexts: ecpAlarmRelayIndex.setDescription('This is the index of the alarm relay on the Extended Control Processor (ECP). The Raven ECP has 5 addressable alarm relays (1-5).') ecpAlarmRelayFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ecpUnusedRelay", 1), ("ecpMajorAlarmRelay", 2), ("ecpMinorAlarmRelay", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpAlarmRelayFunction.setStatus('current') if mibBuilder.loadTexts: ecpAlarmRelayFunction.setDescription('This is the alarm function associated with an alarm relay on the Extended Control Processor (ECP). An alarm relay may either be unused, assigned to the major alarm, or assigned to the minor alarm.') ecpAlarmRelayState = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 4, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("on", 1), ("off", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpAlarmRelayState.setStatus('current') if mibBuilder.loadTexts: ecpAlarmRelayState.setDescription("This is the current state of the alarm relay on the Extended Control Processor (ECP). The state 'on' means that the alarm relay is activated; the state 'off' means that it is deactivated.") ecpSwMainTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1), ) if mibBuilder.loadTexts: ecpSwMainTable.setStatus('current') if mibBuilder.loadTexts: ecpSwMainTable.setDescription('The table contains the Extended Control Processor (ECP) information maintained by the control software.') ecpSwMainEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex")) if mibBuilder.loadTexts: ecpSwMainEntry.setStatus('current') if mibBuilder.loadTexts: ecpSwMainEntry.setDescription('This entry contains the Extended Control Processor (ECP) information maintained by the control software.') ecpName = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 1), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpName.setStatus('current') if mibBuilder.loadTexts: ecpName.setDescription('This is the system name of this Extended Control Processor (ECP) platform.') ecpHardwareVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpHardwareVersion.setStatus('current') if mibBuilder.loadTexts: ecpHardwareVersion.setDescription('This is the hardware version of the Extended Control Processor (ECP) platform.') ecpSoftwareVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpSoftwareVersion.setStatus('current') if mibBuilder.loadTexts: ecpSoftwareVersion.setDescription('This is the software version of the Extended Control Processor (ECP) control software. The version is encoded into 6 hex characters. Version 1.2.3 would be 0x010203.') ecpSoftwareVersionText = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpSoftwareVersionText.setStatus('current') if mibBuilder.loadTexts: ecpSoftwareVersionText.setDescription('This is the software version text of the Extended Control Processor (ECP) control software. This object contains information regarding the software configuration that was used to build this software.') ecpType = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("unrecognized", 1), ("cec-plus", 2), ("cec-plus-t", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpType.setStatus('current') if mibBuilder.loadTexts: ecpType.setDescription('This is the type of the Extended Control Processor (ECP) board.') ecpOperatingStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ecpUnknown", 1), ("ecpStandby", 2), ("ecpActive", 3), ("ecpOffline", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpOperatingStatus.setStatus('current') if mibBuilder.loadTexts: ecpOperatingStatus.setDescription('This is the software status of this Extended Control Processor (ECP).') ecpProtocolType = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tftp", 1), ("ftp", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpProtocolType.setStatus('current') if mibBuilder.loadTexts: ecpProtocolType.setDescription('The transfer protocol that is used when upgrading the software, saving/restoring the CDB, etc. on this Extended Control Processor (ECP) board.') ecpTimeZone = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpTimeZone.setStatus('current') if mibBuilder.loadTexts: ecpTimeZone.setDescription('The TimeZone configured for this Extended Control Processor (ECP). This variable follows the POSIX standard 1003.1-1988 for the format of the TZ environment variable. In particular, it is general enough to specify the rules for converting from Standard to Daylight Savings time for most timezones of the world. By default, the ECP has the rules built in for the following timezones: EST5EDT CST6CDT MST7MDT PST8PDT AKST9AKDT. Locales outside of these timezones will need to supply the appropriate rule for switching between Daylight and Standard time. ') ecpGMTime = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 9), DateAndTime()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpGMTime.setStatus('current') if mibBuilder.loadTexts: ecpGMTime.setDescription("The Extended Control Processor's (ECP's) notion of Greenwich Mean Time. Linked to hrSystemDate. Offset part of time spec, if supplied, is considered an error.") ecpUptime = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 10), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpUptime.setStatus('current') if mibBuilder.loadTexts: ecpUptime.setDescription('This is the amount of time that the Extended Control Processor (ECP) control software has been running, in hundredths of a second.') ecpModeChangeTime = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpModeChangeTime.setStatus('current') if mibBuilder.loadTexts: ecpModeChangeTime.setDescription('This is the time that the Extended Control Processor (ECP) control software has switched to the current operating mode.') ecpOtherEcpStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ecpNormal", 1), ("ecpUnknown", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpOtherEcpStatus.setStatus('current') if mibBuilder.loadTexts: ecpOtherEcpStatus.setDescription('This is the software status of the other Extended Control Processor (ECP) from the viewpoint of this ECP.') ecpExternalInput1 = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ecpInputOn", 1), ("ecpInputOff", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpExternalInput1.setStatus('current') if mibBuilder.loadTexts: ecpExternalInput1.setDescription('This is the state of External Input #1 from the viewpoint of the Extended Control Processor (ECP).') ecpExternalInput2 = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ecpInputOn", 1), ("ecpInputOff", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpExternalInput2.setStatus('current') if mibBuilder.loadTexts: ecpExternalInput2.setDescription('This is the state of External Input #2 from the viewpoint of the Extended Control Processor (ECP).') ecpExternalInput3 = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ecpInputOn", 1), ("ecpInputOff", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpExternalInput3.setStatus('current') if mibBuilder.loadTexts: ecpExternalInput3.setDescription('This is the state of External Input #3 from the viewpoint of the Extended Control Processor (ECP).') ecpExternalInput4 = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ecpInputOn", 1), ("ecpInputOff", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpExternalInput4.setStatus('current') if mibBuilder.loadTexts: ecpExternalInput4.setDescription('This is the state of External Input #4 from the viewpoint of the Extended Control Processor (ECP).') ecpExternalInput5 = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ecpInputOn", 1), ("ecpInputOff", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpExternalInput5.setStatus('current') if mibBuilder.loadTexts: ecpExternalInput5.setDescription('This is the state of External Input #5 from the viewpoint of the Extended Control Processor (ECP).') ecpNetIfTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1), ) if mibBuilder.loadTexts: ecpNetIfTable.setStatus('current') if mibBuilder.loadTexts: ecpNetIfTable.setDescription('This table contains the network interface information for the Extended Control Processor (ECP) board.') ecpNetIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex"), (0, "Fore-TCM-MIB", "ecpNetIfIndex")) if mibBuilder.loadTexts: ecpNetIfEntry.setStatus('current') if mibBuilder.loadTexts: ecpNetIfEntry.setDescription('This entry contains the network interface information for the Extended Control Processor (ECP) board.') ecpNetIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfIndex.setStatus('current') if mibBuilder.loadTexts: ecpNetIfIndex.setDescription("A unique value for each interface. Its value ranges between 1 and the value of ifNumber. The value for each interface must remain constant at least from one re-initialization of the entity's network management system to the next re- initialization.") ecpNetIfDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfDescr.setStatus('current') if mibBuilder.loadTexts: ecpNetIfDescr.setDescription('A textual string containing information about the interface. This string should include the name of the manufacturer, the product name and the version of the hardware interface.') ecpNetIfPhysAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 3), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfPhysAddress.setStatus('current') if mibBuilder.loadTexts: ecpNetIfPhysAddress.setDescription("The interface's address at the protocol layer immediately `below' the network layer in the protocol stack. For interfaces which do not have such an address (e.g., a serial line), this object should contain an octet string of zero length.") ecpNetIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("up", 1), ("down", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpNetIfAdminStatus.setStatus('current') if mibBuilder.loadTexts: ecpNetIfAdminStatus.setDescription('The desired state of the interface.') ecpNetIfOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("up", 1), ("down", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfOperStatus.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOperStatus.setDescription('The current operational state of the interface.') ecpNetIfLastChange = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 6), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfLastChange.setStatus('current') if mibBuilder.loadTexts: ecpNetIfLastChange.setDescription('The value of sysUpTime at the time the interface entered its current operational state. If the current state was entered prior to the last re- initialization of the local network management subsystem, then this object contains a zero value.') ecpNetIfIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 7), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpNetIfIpAddr.setStatus('current') if mibBuilder.loadTexts: ecpNetIfIpAddr.setDescription('The IP address associated with this network interface.') ecpNetIfIpMask = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 8), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpNetIfIpMask.setStatus('current') if mibBuilder.loadTexts: ecpNetIfIpMask.setDescription('The subnet mask associated with the IP address of this entry. The value of the mask is an IP address with all the network bits set to 1 and all the hosts bits set to 0.') ecpNetIfIpBcastAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 9), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpNetIfIpBcastAddr.setStatus('current') if mibBuilder.loadTexts: ecpNetIfIpBcastAddr.setDescription('The value of the least-significant bit in the IP broadcast address used for sending datagrams on the (logical) interface associated with the IP address of this entry. For example, when the Internet standard all-ones broadcast address is used, the value will be 1. This value applies to both the subnet and network broadcasts addresses used by the entity on this (logical) interface.') ecpNetIfStatsTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2), ) if mibBuilder.loadTexts: ecpNetIfStatsTable.setStatus('current') if mibBuilder.loadTexts: ecpNetIfStatsTable.setDescription('This table contains the network interface statistics for the Extended Control Processor (ECP) board.') ecpNetIfStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex"), (0, "Fore-TCM-MIB", "ecpNetIfIndex")) if mibBuilder.loadTexts: ecpNetIfStatsEntry.setStatus('current') if mibBuilder.loadTexts: ecpNetIfStatsEntry.setDescription('This entry contains the network interface statistics for the Extended Control Processor (ECP) board.') ecpNetIfInOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfInOctets.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInOctets.setDescription('The total number of octets received on the interface, including framing characters.') ecpNetIfInUcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfInUcastPkts.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInUcastPkts.setDescription('The number of subnetwork-unicast packets delivered to a higher-layer protocol.') ecpNetIfInNUcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfInNUcastPkts.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInNUcastPkts.setDescription('The number of non-unicast (i.e., subnetwork- broadcast or subnetwork-multicast) packets delivered to a higher-layer protocol.') ecpNetIfInDiscards = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfInDiscards.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInDiscards.setDescription('The number of inbound packets which were chosen to be discarded even though no errors had been detected to prevent their being deliverable to a higher-layer protocol. One possible reason for discarding such a packet could be to free up buffer space.') ecpNetIfInErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfInErrors.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInErrors.setDescription('The number of inbound packets that contained errors preventing them from being deliverable to a higher-layer protocol.') ecpNetIfInUnknownProtos = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfInUnknownProtos.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInUnknownProtos.setDescription('The number of packets received via the interface which were discarded because of an unknown or unsupported protocol.') ecpNetIfOutOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfOutOctets.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutOctets.setDescription('The total number of octets transmitted out of the interface, including framing characters.') ecpNetIfOutUcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfOutUcastPkts.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutUcastPkts.setDescription('The total number of packets that higher-level protocols requested be transmitted to a subnetwork-unicast address, including those that were discarded or not sent.') ecpNetIfOutNUcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfOutNUcastPkts.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutNUcastPkts.setDescription('The total number of packets that higher-level protocols requested be transmitted to a non- unicast (i.e., a subnetwork-broadcast or subnetwork-multicast) address, including those that were discarded or not sent.') ecpNetIfOutDiscards = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfOutDiscards.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutDiscards.setDescription('The number of outbound packets which were chosen to be discarded even though no errors had been detected to prevent their being transmitted. One possible reason for discarding such a packet could be to free up buffer space.') ecpNetIfOutErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfOutErrors.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutErrors.setDescription('The number of outbound packets that could not be transmitted because of errors.') ecpNetIfOutQLen = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpNetIfOutQLen.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutQLen.setDescription('The length of the output packet queue (in packets).') ecpIpStatsTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3), ) if mibBuilder.loadTexts: ecpIpStatsTable.setStatus('current') if mibBuilder.loadTexts: ecpIpStatsTable.setDescription('This table contains the Internet protocol statistics for the Extended Control Processor (ECP) board.') ecpIpStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex")) if mibBuilder.loadTexts: ecpIpStatsEntry.setStatus('current') if mibBuilder.loadTexts: ecpIpStatsEntry.setDescription('This entry contains the Internet protocol statistics for the Extended Control Processor (ECP) board.') ecpIpInReceives = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpInReceives.setStatus('current') if mibBuilder.loadTexts: ecpIpInReceives.setDescription('The total number of input datagrams received from interfaces, including those received in error.') ecpIpInHdrErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpInHdrErrors.setStatus('current') if mibBuilder.loadTexts: ecpIpInHdrErrors.setDescription('The number of input datagrams discarded due to errors in their IP headers, including bad checksums, version number mismatch, other format errors, time-to-live exceeded, errors discovered in processing their IP options, etc.') ecpIpInAddrErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpInAddrErrors.setStatus('current') if mibBuilder.loadTexts: ecpIpInAddrErrors.setDescription("The number of input datagrams discarded because the IP address in their IP header's destination field was not a valid address to be received at this entity. This count includes invalid addresses (e.g., 0.0.0.0) and addresses of unsupported Classes (e.g., Class E). For entities which are not IP Gateways and therefore do not forward datagrams, this counter includes datagrams discarded because the destination address was not a local address.") ecpIpForwDatagrams = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpForwDatagrams.setStatus('current') if mibBuilder.loadTexts: ecpIpForwDatagrams.setDescription('The number of input datagrams for which this entity was not their final IP destination, as a result of which an attempt was made to find a route to forward them to that final destination. In entities which do not act as IP Gateways, this counter will include only those packets which were Source-Routed via this entity, and the Source- Route option processing was successful.') ecpIpInUnknownProtos = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpInUnknownProtos.setStatus('current') if mibBuilder.loadTexts: ecpIpInUnknownProtos.setDescription('The number of locally-addressed datagrams received successfully but discarded because of an unknown or unsupported protocol.') ecpIpInDiscards = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpInDiscards.setStatus('current') if mibBuilder.loadTexts: ecpIpInDiscards.setDescription('The number of input IP datagrams for which no problems were encountered to prevent their continued processing, but which were discarded (e.g., for lack of buffer space). Note that this counter does not include any datagrams discarded while awaiting re-assembly.') ecpIpInDelivers = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpInDelivers.setStatus('current') if mibBuilder.loadTexts: ecpIpInDelivers.setDescription('The total number of input datagrams successfully delivered to IP user-protocols (including ICMP).') ecpIpOutRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpOutRequests.setStatus('current') if mibBuilder.loadTexts: ecpIpOutRequests.setDescription('The total number of IP datagrams which local IP user-protocols (including ICMP) supplied to IP in requests for transmission. Note that this counter does not include any datagrams counted in ipForwDatagrams.') ecpIpOutDiscards = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpOutDiscards.setStatus('current') if mibBuilder.loadTexts: ecpIpOutDiscards.setDescription('The number of output IP datagrams for which no problem was encountered to prevent their transmission to their destination, but which were discarded (e.g., for lack of buffer space). Note that this counter would include datagrams counted in ipForwDatagrams if any such packets met this (discretionary) discard criterion.') ecpIpOutNoRoutes = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpOutNoRoutes.setStatus('current') if mibBuilder.loadTexts: ecpIpOutNoRoutes.setDescription("The number of IP datagrams discarded because no route could be found to transmit them to their destination. Note that this counter includes any packets counted in ipForwDatagrams which meet this `no-route' criterion. Note that this includes any datagarms which a host cannot route because all of its default gateways are down.") ecpIpReasmReqds = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpReasmReqds.setStatus('current') if mibBuilder.loadTexts: ecpIpReasmReqds.setDescription('The number of IP fragments received which needed to be reassembled at this entity.') ecpIpReasmOKs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpReasmOKs.setStatus('current') if mibBuilder.loadTexts: ecpIpReasmOKs.setDescription('The number of IP datagrams successfully re- assembled.') ecpIpReasmFails = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpReasmFails.setStatus('current') if mibBuilder.loadTexts: ecpIpReasmFails.setDescription('The number of failures detected by the IP re- assembly algorithm (for whatever reason: timed out, errors, etc). Note that this is not necessarily a count of discarded IP fragments since some algorithms (notably the algorithm in RFC 815) can lose track of the number of fragments by combining them as they are received.') ecpIpFragOKs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpFragOKs.setStatus('current') if mibBuilder.loadTexts: ecpIpFragOKs.setDescription('The number of IP datagrams that have been successfully fragmented at this entity.') ecpIpFragFails = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpFragFails.setStatus('current') if mibBuilder.loadTexts: ecpIpFragFails.setDescription("The number of IP datagrams that have been discarded because they needed to be fragmented at this entity but could not be, e.g., because their Don't Fragment flag was set.") ecpIpFragCreates = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpFragCreates.setStatus('current') if mibBuilder.loadTexts: ecpIpFragCreates.setDescription('The number of IP datagram fragments that have been generated as a result of fragmentation at this entity.') ecpIpRouteTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4), ) if mibBuilder.loadTexts: ecpIpRouteTable.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteTable.setDescription('This table contains the Internet Protocol routing entries for the Extended Control Processor (ECP) board.') ecpIpRouteEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex"), (0, "Fore-TCM-MIB", "ecpIpRouteDest")) if mibBuilder.loadTexts: ecpIpRouteEntry.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteEntry.setDescription('This entry contains the Internet Protocol routing data for the Extended Control Processor (ECP) board.') ecpIpRouteDest = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 1), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIpRouteDest.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteDest.setDescription('The destination IP address of this route. An entry with a value of 0.0.0.0 is considered a default route. Multiple routes to a single destination can appear in the table, but access to such multiple entries is dependent on the table- access mechanisms defined by the network management protocol in use.') ecpIpRouteIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 2), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpIpRouteIfIndex.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteIfIndex.setDescription('The index value which uniquely identifies the local interface through which the next hop of this route should be reached. The interface identified by a particular value of this index is the same interface as identified by the same value of ifIndex.') ecpIpRouteNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpIpRouteNextHop.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteNextHop.setDescription("The IP address of the next hop of this route. (In the case of a route bound to an interface which is realized via a broadcast media, the value of this field is the agent's IP address on that interface.)") ecpIpRouteMetric1 = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 4), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpIpRouteMetric1.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteMetric1.setDescription("The primary routing metric for this route. The semantics of this metric are determined by the routing-protocol specified in the route's ipRouteProto value. If this metric is not used, its value should be set to -1.") ecpIpRouteType = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("invalid", 2), ("direct", 3), ("indirect", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpIpRouteType.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteType.setDescription('The type of route. Note that the values direct(3) and indirect(4) refer to the notion of direct and indirect routing in the IP architecture. Setting this object to the value invalid(2) has the effect of invalidating the corresponding entry in the ipRouteTable object. That is, it effectively dissasociates the destination identified with said entry from the route identified with said entry. It is an implementation-specific matter as to whether the agent removes an invalidated entry from the table. Accordingly, management stations must be prepared to receive tabular information from agents that corresponds to entries not currently in use. Proper interpretation of such entries requires examination of the relevant ipRouteType object.') ecpIpRouteMask = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 6), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpIpRouteMask.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteMask.setDescription('Indicate the mask to be logical-ANDed with the destination address before being compared to the value in the ipRouteDest field. For those systems that do not support arbitrary subnet masks, an agent constructs the value of the ipRouteMask by determining whether the value of the correspondent ipRouteDest field belong to a class-A, B, or C network, and then using one of: mask network 255.0.0.0 class-A 255.255.0.0 class-B 255.255.255.0 class-C If the value of the ipRouteDest is 0.0.0.0 (a default route), then the mask value is also 0.0.0.0. It should be noted that all IP routing subsystems implicitly use this mechanism.') ecpIcmpStatsTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5), ) if mibBuilder.loadTexts: ecpIcmpStatsTable.setStatus('current') if mibBuilder.loadTexts: ecpIcmpStatsTable.setDescription('This table contains the Internet Control Message Protocol statistics for the Extended Control Processor (ECP) board.') ecpIcmpStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex")) if mibBuilder.loadTexts: ecpIcmpStatsEntry.setStatus('current') if mibBuilder.loadTexts: ecpIcmpStatsEntry.setDescription('This entry contains the Internet Control Message Protocol statistics for the Extended Control Processor (ECP) board.') ecpIcmpInMsgs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInMsgs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInMsgs.setDescription('The total number of ICMP messages which the entity received. Note that this counter includes all those counted by icmpInErrors.') ecpIcmpInErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInErrors.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInErrors.setDescription('The number of ICMP messages which the entity received but determined as having ICMP-specific errors (bad ICMP checksums, bad length, etc.).') ecpIcmpInDestUnreach = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInDestUnreach.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInDestUnreach.setDescription('The number of ICMP Destination Unreachable messages received.') ecpIcmpInTimeExcds = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInTimeExcds.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInTimeExcds.setDescription('The number of ICMP Time Exceeded messages received.') ecpIcmpInParmProbs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInParmProbs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInParmProbs.setDescription('The number of ICMP Parameter Problem messages received.') ecpIcmpInSrcQuenchs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInSrcQuenchs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInSrcQuenchs.setDescription('The number of ICMP Source Quench messages received.') ecpIcmpInRedirects = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInRedirects.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInRedirects.setDescription('The number of ICMP Redirect messages received.') ecpIcmpInEchos = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInEchos.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInEchos.setDescription('The number of ICMP Echo (request) messages received.') ecpIcmpInEchoReps = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInEchoReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInEchoReps.setDescription('The number of ICMP Echo Reply messages received.') ecpIcmpInTimestamps = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInTimestamps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInTimestamps.setDescription('The number of ICMP Timestamp (request) messages received.') ecpIcmpInTimestampReps = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInTimestampReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInTimestampReps.setDescription('The number of ICMP Timestamp Reply messages received.') ecpIcmpInaddrMasks = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInaddrMasks.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInaddrMasks.setDescription('The number of ICMP Address Mask Request messages received.') ecpIcmpInAddrMaskReps = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpInAddrMaskReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInAddrMaskReps.setDescription('The number of ICMP Address Mask Reply messages received.') ecpIcmpOutMsgs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutMsgs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutMsgs.setDescription('The total number of ICMP messages which this entity attempted to send. Note that this counter includes all those counted by icmpOutErrors.') ecpIcmpOutErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutErrors.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutErrors.setDescription("The number of ICMP messages which this entity did not send due to problems discovered within ICMP such as a lack of buffers. This value should not include errors discovered outside the ICMP layer such as the inability of IP to route the resultant datagram. In some implementations there may be no types of error which contribute to this counter's value.") ecpIcmpOutDestUnreachs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutDestUnreachs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutDestUnreachs.setDescription('The number of ICMP Destination Unreachable messages sent.') ecpIcmpOutTimeExcds = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutTimeExcds.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutTimeExcds.setDescription('The number of ICMP Time Exceeded messages sent.') ecpIcmpOutParmProbs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutParmProbs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutParmProbs.setDescription('The number of ICMP Parameter Problem messages sent.') ecpIcmpOutSrcQuenchs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutSrcQuenchs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutSrcQuenchs.setDescription('The number of ICMP Source Quench messages sent.') ecpIcmpOutRedirects = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutRedirects.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutRedirects.setDescription('The number of ICMP Redirect messages sent. For a host, this object will always be zero, since hosts do not send redirects.') ecpIcmpOutEchos = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutEchos.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutEchos.setDescription('The number of ICMP Echo (request) messages sent.') ecpIcmpOutEchoReps = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutEchoReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutEchoReps.setDescription('The number of ICMP Echo Reply messages sent.') ecpIcmpOutTimestamps = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutTimestamps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutTimestamps.setDescription('The number of ICMP Timestamp (request) messages sent.') ecpIcmpOutTimestampReps = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutTimestampReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutTimestampReps.setDescription('The number of ICMP Timestamp Reply messages sent.') ecpIcmpOutAddrMasks = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutAddrMasks.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutAddrMasks.setDescription('The number of ICMP Address Mask Request messages sent.') ecpIcmpOutAddrMaskReps = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 26), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpIcmpOutAddrMaskReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutAddrMaskReps.setDescription('The number of ICMP Address Mask Reply messages sent.') ecpTcpStatsTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6), ) if mibBuilder.loadTexts: ecpTcpStatsTable.setStatus('current') if mibBuilder.loadTexts: ecpTcpStatsTable.setDescription('This table contains the Transmission Control Protocol statistics for the Extended Control Processor (ECP) board.') ecpTcpStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex")) if mibBuilder.loadTexts: ecpTcpStatsEntry.setStatus('current') if mibBuilder.loadTexts: ecpTcpStatsEntry.setDescription('This entry contains the Transmission Control Protocol statistics for the Extended Control Processor (ECP) board.') ecpTcpActiveOpens = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpTcpActiveOpens.setStatus('current') if mibBuilder.loadTexts: ecpTcpActiveOpens.setDescription('The number of times TCP connections have made a direct transition to the SYN-SENT state from the CLOSED state.') ecpTcpPassiveOpens = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpTcpPassiveOpens.setStatus('current') if mibBuilder.loadTexts: ecpTcpPassiveOpens.setDescription('The number of times TCP connections have made a direct transition to the SYN-RCVD state from the LISTEN state.') ecpTcpAttemptFails = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpTcpAttemptFails.setStatus('current') if mibBuilder.loadTexts: ecpTcpAttemptFails.setDescription('The number of times TCP connections have made a direct transition to the CLOSED state from either the SYN-SENT state or the SYN-RCVD state, plus the number of times TCP connections have made a direct transition to the LISTEN state from the SYN-RCVD state.') ecpTcpEstabResets = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpTcpEstabResets.setStatus('current') if mibBuilder.loadTexts: ecpTcpEstabResets.setDescription('The number of times TCP connections have made a direct transition to the CLOSED state from either the ESTABLISHED state or the CLOSE-WAIT state.') ecpTcpCurrEstab = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpTcpCurrEstab.setStatus('current') if mibBuilder.loadTexts: ecpTcpCurrEstab.setDescription('The number of TCP connections for which the current state is either ESTABLISHED or CLOSE- WAIT.') ecpTcpInSegs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpTcpInSegs.setStatus('current') if mibBuilder.loadTexts: ecpTcpInSegs.setDescription('The total number of segments received, including those received in error. This count includes segments received on currently established connections.') ecpTcpOutSegs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpTcpOutSegs.setStatus('current') if mibBuilder.loadTexts: ecpTcpOutSegs.setDescription('The total number of segments sent, including those on current connections but excluding those containing only retransmitted octets.') ecpTcpRetransSegs = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpTcpRetransSegs.setStatus('current') if mibBuilder.loadTexts: ecpTcpRetransSegs.setDescription('The total number of segments retransmitted - that is, the number of TCP segments transmitted containing one or more previously transmitted octets.') ecpUdpStatsTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7), ) if mibBuilder.loadTexts: ecpUdpStatsTable.setStatus('current') if mibBuilder.loadTexts: ecpUdpStatsTable.setDescription('This table contains the User Datagram Protocol statistics for the Extended Control Processor (ECP) board.') ecpUdpStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex")) if mibBuilder.loadTexts: ecpUdpStatsEntry.setStatus('current') if mibBuilder.loadTexts: ecpUdpStatsEntry.setDescription('This entry contains the User Datagram Protocol statistics for the Extended Control Processor (ECP) board.') ecpUdpInDatagrams = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpUdpInDatagrams.setStatus('current') if mibBuilder.loadTexts: ecpUdpInDatagrams.setDescription('The total number of UDP datagrams delivered to UDP users.') ecpUdpNoPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpUdpNoPorts.setStatus('current') if mibBuilder.loadTexts: ecpUdpNoPorts.setDescription('The total number of received UDP datagrams for which there was no application at the destination port.') ecpUdpInErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpUdpInErrors.setStatus('current') if mibBuilder.loadTexts: ecpUdpInErrors.setDescription('The number of received UDP datagrams that could not be delivered for reasons other than the lack of an application at the destination port.') ecpUdpOutDatagrams = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpUdpOutDatagrams.setStatus('current') if mibBuilder.loadTexts: ecpUdpOutDatagrams.setDescription('The total number of UDP datagrams sent from this entity.') ecpIpConfigTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 8), ) if mibBuilder.loadTexts: ecpIpConfigTable.setStatus('current') if mibBuilder.loadTexts: ecpIpConfigTable.setDescription('IP Configuration table for the TCMs') ecpIpConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 8, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex")) if mibBuilder.loadTexts: ecpIpConfigEntry.setStatus('current') if mibBuilder.loadTexts: ecpIpConfigEntry.setDescription('IP Configuration table entry for the TCMs') ecpIpForwarding = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 8, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("forwarding", 1), ("not-forwarding", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpIpForwarding.setStatus('current') if mibBuilder.loadTexts: ecpIpForwarding.setDescription("The indication of whether this entity is acting as an IP gateway in respect to the forwarding of datagrams received by, but not addressed to, this entity. IP gateways forward datagrams. IP hosts do not (except those source-routed via the host). Note that for some managed nodes, this object may take on only a subset of the values possible. Accordingly, it is appropriate for an agent to return a `badValue' response if a management station attempts to change this object to an inappropriate value.") ecpTrapNumberOfDest = MibScalar((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpTrapNumberOfDest.setStatus('current') if mibBuilder.loadTexts: ecpTrapNumberOfDest.setDescription('The current number of configured trap destinations. All traps are sent to all destinations.') ecpTrapDestTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1, 2), ) if mibBuilder.loadTexts: ecpTrapDestTable.setStatus('current') if mibBuilder.loadTexts: ecpTrapDestTable.setDescription('A table of destinations to which the agent sends traps.') ecpTrapDestEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1, 2, 1), ).setIndexNames((0, "Fore-TCM-MIB", "ecpBoardIndex"), (0, "Fore-TCM-MIB", "ecpTrapDest")) if mibBuilder.loadTexts: ecpTrapDestEntry.setStatus('current') if mibBuilder.loadTexts: ecpTrapDestEntry.setDescription('A table entry containing address of a management station, to which the agent sends traps.') ecpTrapDest = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1, 2, 1, 1), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: ecpTrapDest.setStatus('current') if mibBuilder.loadTexts: ecpTrapDest.setDescription('Address to which the agent sends traps. Usually a network management station sets this address to itself.') ecpTrapDestStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1, 2, 1, 2), EntryStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ecpTrapDestStatus.setStatus('current') if mibBuilder.loadTexts: ecpTrapDestStatus.setDescription('The status of this trap destination entry.') esiCardHwTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1), ) if mibBuilder.loadTexts: esiCardHwTable.setStatus('current') if mibBuilder.loadTexts: esiCardHwTable.setDescription('This table contains the hardware information for the External Synchronization Interface (ESI) cards.') esiCardHwEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1, 1), ).setIndexNames((0, "Fore-TCM-MIB", "esiCardIndex")) if mibBuilder.loadTexts: esiCardHwEntry.setStatus('current') if mibBuilder.loadTexts: esiCardHwEntry.setDescription('This table entry contains the hardware information for a single External Synchronization Interface (ESI) card.') esiCardIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("slotX", 1), ("slotY", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: esiCardIndex.setStatus('current') if mibBuilder.loadTexts: esiCardIndex.setDescription('This is the index for this External Synchronization Interface (ESI) card.') esiHwCardType = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("esiDs1TypeA", 1), ("esiDs1TypeB", 2), ("esiE1TypeA", 3), ("esiE1TypeB", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: esiHwCardType.setStatus('current') if mibBuilder.loadTexts: esiHwCardType.setDescription('This is the card type for this External Synchronization Interface (ESI) card.') esiHwCardVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: esiHwCardVersion.setStatus('current') if mibBuilder.loadTexts: esiHwCardVersion.setDescription('This is the card version for this External Synchronization Interface (ESI) card.') esiHwPllStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("pllFreeRun", 1), ("pllLocked", 2), ("pllAcquire", 3), ("pllHoldover", 4), ("pllRefQualFail", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: esiHwPllStatus.setStatus('current') if mibBuilder.loadTexts: esiHwPllStatus.setDescription('This is the card phase-locked loop (PLL) status for this External Synchronization Interface (ESI) card.') esiCardSwTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1), ) if mibBuilder.loadTexts: esiCardSwTable.setStatus('current') if mibBuilder.loadTexts: esiCardSwTable.setDescription('This table contains the software information for the External Synchronization Interface (ESI) cards.') esiCardSwEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1), ).setIndexNames((0, "Fore-TCM-MIB", "esiCardIndex")) if mibBuilder.loadTexts: esiCardSwEntry.setStatus('current') if mibBuilder.loadTexts: esiCardSwEntry.setDescription('This table entry contains the software information for a single External Synchronization Interface (ESI) card.') esiOperationStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: esiOperationStatus.setStatus('current') if mibBuilder.loadTexts: esiOperationStatus.setDescription('This is the operation status of the clock output for this External Synchronization Interface (ESI) card.') esiCurrentTimingRef = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 5, 6))).clone(namedValues=NamedValues(("refFreeRun", 1), ("refIsPrimary", 2), ("refIsSecondary", 3), ("refIsBits1", 5), ("refIsBits2", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: esiCurrentTimingRef.setStatus('current') if mibBuilder.loadTexts: esiCurrentTimingRef.setDescription('This is the current timing reference in use for this External Synchronization Interface (ESI) card.') esiRequestedTimingRef = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("requestFreeRun", 1), ("requestPrimary", 2), ("requestSecondary", 3), ("requestAutomatic", 4), ("requestBits", 5)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiRequestedTimingRef.setStatus('current') if mibBuilder.loadTexts: esiRequestedTimingRef.setDescription('This is the timing reference requested to be used for this External Synchronization Interface (ESI) card.') esiPrimaryRefSource = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 4), EsiReferenceSource()).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiPrimaryRefSource.setStatus('current') if mibBuilder.loadTexts: esiPrimaryRefSource.setDescription('This is the primary timing reference source for this External Synchronization Interface (ESI) card.') esiSecondaryRefSource = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 5), EsiReferenceSource()).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiSecondaryRefSource.setStatus('current') if mibBuilder.loadTexts: esiSecondaryRefSource.setDescription('This is the secondary timing reference source for this External Synchronization Interface (ESI) card.') esiCurrentFaultBits = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: esiCurrentFaultBits.setStatus('current') if mibBuilder.loadTexts: esiCurrentFaultBits.setDescription('This is the current state of the fault bits presented by this External Synchronization Interface (ESI) card.') esiBitsFramingFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("d4", 1), ("esf", 2), ("mfas", 3), ("mfascrc4", 4), ("fas", 5), ("fascrc4", 6)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiBitsFramingFormat.setStatus('current') if mibBuilder.loadTexts: esiBitsFramingFormat.setDescription('This is the framing format of the BITS interface for this External Synchronization Interface (ESI) card.') esiBitsCodingFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ami", 1), ("b8zs", 2), ("hdb3", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiBitsCodingFormat.setStatus('current') if mibBuilder.loadTexts: esiBitsCodingFormat.setDescription('This is the coding format of the BITS interface for this External Synchronization Interface (ESI) card.') esiBitsOutputLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("esiDs1Level0-6", 1), ("esiDs1Level1-2", 2), ("esiDs1Level1-8", 3), ("esiDs1Level2-4", 4), ("esiDs1Level3-0", 5)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiBitsOutputLevel.setStatus('current') if mibBuilder.loadTexts: esiBitsOutputLevel.setDescription('This is the output level (dB) of the DS1 BITS interface for this External Synchronization Interface (ESI) card.') esiRevertiveSwitching = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiRevertiveSwitching.setStatus('current') if mibBuilder.loadTexts: esiRevertiveSwitching.setDescription('This is the status of the revertive switching for timing sources on this External Synchronization Interface (ESI) card.') esiRevertiveDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 11), TimeInterval()).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiRevertiveDelay.setStatus('current') if mibBuilder.loadTexts: esiRevertiveDelay.setDescription('This is the amount of time after the restoration of the primary timing reference before the External Synchronization Interface (ESI) card will be instructed to return to the primary timing reference. This value is truncated to whole seconds.') esiSwitchingDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 12), TimeInterval()).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiSwitchingDelay.setStatus('current') if mibBuilder.loadTexts: esiSwitchingDelay.setDescription('This is the amount of time after the failure of a timing reference before the External Synchronization Interface (ESI) card will be instructed to switch to the next available timing reference. This value is truncated to whole seconds.') esiReferenceTable = MibTable((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2), ) if mibBuilder.loadTexts: esiReferenceTable.setStatus('current') if mibBuilder.loadTexts: esiReferenceTable.setDescription('This table contains the timing reference source information for the External Synchronization Interface (ESI) card.') esiReferenceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1), ).setIndexNames((0, "Fore-TCM-MIB", "esiCardIndex"), (0, "Fore-TCM-MIB", "esiRefSource")) if mibBuilder.loadTexts: esiReferenceEntry.setStatus('current') if mibBuilder.loadTexts: esiReferenceEntry.setDescription('This table entry contains the timing reference source information for a single External Synchronization Interface (ESI) card.') esiRefSource = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1, 1), EsiReferenceSource()).setMaxAccess("readonly") if mibBuilder.loadTexts: esiRefSource.setStatus('current') if mibBuilder.loadTexts: esiRefSource.setDescription('This is the timing reference source index for the External Synchronization Interface (ESI) card.') esiRefSourceText = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: esiRefSourceText.setStatus('current') if mibBuilder.loadTexts: esiRefSourceText.setDescription('This is a textual description of the timing reference source that is provided to the External Synchronization Interface (ESI) card.') esiRefSourceStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("available", 1), ("unavailable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: esiRefSourceStatus.setStatus('current') if mibBuilder.loadTexts: esiRefSourceStatus.setDescription('This is the status of the timing reference source that is provided to the External Synchornization Interface (ESI) card.') esiRefSourceAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("up", 1), ("down", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiRefSourceAdminStatus.setStatus('current') if mibBuilder.loadTexts: esiRefSourceAdminStatus.setDescription('This is the admin status of the timing reference source that is provided to the External Synchornization Interface (ESI) card.') esiRefSourceQualStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ok", 1), ("fail", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: esiRefSourceQualStatus.setStatus('current') if mibBuilder.loadTexts: esiRefSourceQualStatus.setDescription('This is the RefQual status of the timing reference source that is provided to the External Synchornization Interface (ESI) card.') ecpOperatingModeChange = NotificationType((1, 3, 6, 1, 4, 1, 326, 2, 2, 0, 1050)).setObjects(("Fore-TCM-MIB", "ecpBoardIndex"), ("Fore-TCM-MIB", "ecpOperatingStatus"), ("Fore-TrapLog-MIB", "trapLogIndex")) if mibBuilder.loadTexts: ecpOperatingModeChange.setStatus('current') if mibBuilder.loadTexts: ecpOperatingModeChange.setDescription('This trap indicates that the Extended Control Processor (ECP) has change operating state.') esiTimingSourceChange = NotificationType((1, 3, 6, 1, 4, 1, 326, 2, 2, 0, 1051)).setObjects(("Fore-TCM-MIB", "esiCardIndex"), ("Fore-TCM-MIB", "esiCurrentTimingRef"), ("Fore-TCM-MIB", "esiRefSource"), ("Fore-TrapLog-MIB", "trapLogIndex")) if mibBuilder.loadTexts: esiTimingSourceChange.setStatus('current') if mibBuilder.loadTexts: esiTimingSourceChange.setDescription('This trap is generated whenever the External Synchronization Interface (ESI) timing source (esiCurrentTimingRef) is changed either manually or by the system due to failure detection.') esiTimingSourceFailed = NotificationType((1, 3, 6, 1, 4, 1, 326, 2, 2, 0, 1052)).setObjects(("Fore-TCM-MIB", "esiCardIndex"), ("Fore-TCM-MIB", "esiCurrentTimingRef"), ("Fore-TCM-MIB", "esiRefSource"), ("Fore-TrapLog-MIB", "trapLogIndex")) if mibBuilder.loadTexts: esiTimingSourceFailed.setStatus('current') if mibBuilder.loadTexts: esiTimingSourceFailed.setDescription('This trap is generated whenever the External Synchronization Interface (ESI) timing source (esiCurrentTimingRef) fails.') ecpStandbyFailed = NotificationType((1, 3, 6, 1, 4, 1, 326, 2, 2, 0, 1076)).setObjects(("Fore-TCM-MIB", "ecpBoardIndex"), ("Fore-TrapLog-MIB", "trapLogIndex")) if mibBuilder.loadTexts: ecpStandbyFailed.setStatus('current') if mibBuilder.loadTexts: ecpStandbyFailed.setDescription('This trap is generated whenever the Standby Timing Control Module (TCM) appears to haved failed. This is determined by lack of response from it.') mibBuilder.exportSymbols("Fore-TCM-MIB", ecpAlarmGroup=ecpAlarmGroup, EsiReferenceSource=EsiReferenceSource, ecpTcpStatsEntry=ecpTcpStatsEntry, ecpNetIfTable=ecpNetIfTable, ecpOtherEcpStatus=ecpOtherEcpStatus, ecpAlarmMajorCategory=ecpAlarmMajorCategory, ecpGMTime=ecpGMTime, ecpNetIfOutNUcastPkts=ecpNetIfOutNUcastPkts, ecpIpRouteDest=ecpIpRouteDest, ecpTcpActiveOpens=ecpTcpActiveOpens, ecpIcmpInaddrMasks=ecpIcmpInaddrMasks, ecpIcmpInRedirects=ecpIcmpInRedirects, ecpSerialIfPortStopBits=ecpSerialIfPortStopBits, ecpIpStatsTable=ecpIpStatsTable, ecpExternalInput2=ecpExternalInput2, ecpAlarmRelayIndex=ecpAlarmRelayIndex, ecpIpStatsEntry=ecpIpStatsEntry, ecpIpReasmReqds=ecpIpReasmReqds, ecpSerialIfPortSpeed=ecpSerialIfPortSpeed, ecpExternalInput3=ecpExternalInput3, ecpSnmp=ecpSnmp, esiRefSourceText=esiRefSourceText, ecpIcmpInTimestampReps=ecpIcmpInTimestampReps, esiCardIndex=esiCardIndex, esiBitsFramingFormat=esiBitsFramingFormat, ecpType=ecpType, ecpSoftwareVersionText=ecpSoftwareVersionText, ecpIpReasmFails=ecpIpReasmFails, ecpAlarmTable=ecpAlarmTable, ecpTcpPassiveOpens=ecpTcpPassiveOpens, ecpIpRouteEntry=ecpIpRouteEntry, ecpBoardOtherEcpPresent=ecpBoardOtherEcpPresent, ecpAlarmRelayTable=ecpAlarmRelayTable, ecpIcmpStatsEntry=ecpIcmpStatsEntry, ecpIpForwarding=ecpIpForwarding, ecpIcmpOutTimestamps=ecpIcmpOutTimestamps, ecpIcmpOutTimestampReps=ecpIcmpOutTimestampReps, ecpExternalInput4=ecpExternalInput4, ecpIpRouteTable=ecpIpRouteTable, ecpUdpNoPorts=ecpUdpNoPorts, ecpTcpStatsTable=ecpTcpStatsTable, ecpSwMainTable=ecpSwMainTable, ecpIpRouteMask=ecpIpRouteMask, ecpIpForwDatagrams=ecpIpForwDatagrams, esiRevertiveSwitching=esiRevertiveSwitching, ecpSerialIfPortBits=ecpSerialIfPortBits, ecpIcmpInParmProbs=ecpIcmpInParmProbs, ecpOperatingModeChange=ecpOperatingModeChange, ecpIpInAddrErrors=ecpIpInAddrErrors, ecpNetIfDescr=ecpNetIfDescr, PYSNMP_MODULE_ID=ecpStationModule, esiHardware=esiHardware, esiRefSourceAdminStatus=esiRefSourceAdminStatus, ecpNetIfIpBcastAddr=ecpNetIfIpBcastAddr, ecpModeChangeTime=ecpModeChangeTime, ecpSerialIfPortParity=ecpSerialIfPortParity, ecpTcpCurrEstab=ecpTcpCurrEstab, ecpIcmpOutParmProbs=ecpIcmpOutParmProbs, esiRequestedTimingRef=esiRequestedTimingRef, esiRevertiveDelay=esiRevertiveDelay, ecpTrapDestTable=ecpTrapDestTable, ecpAlarmMinorCategory=ecpAlarmMinorCategory, ecpBoardEsiPresent=ecpBoardEsiPresent, ecpSwMainGroup=ecpSwMainGroup, esiPrimaryRefSource=esiPrimaryRefSource, ecpNetIfOutUcastPkts=ecpNetIfOutUcastPkts, ecpIcmpInSrcQuenchs=ecpIcmpInSrcQuenchs, ecpTcpInSegs=ecpTcpInSegs, esiBitsOutputLevel=esiBitsOutputLevel, ecpUdpStatsTable=ecpUdpStatsTable, ecpSoftware=ecpSoftware, ecpEnvironment=ecpEnvironment, ecpSerialIfPortIndex=ecpSerialIfPortIndex, ecpIpRouteMetric1=ecpIpRouteMetric1, ecpAlarmEntry=ecpAlarmEntry, esiRefSourceStatus=esiRefSourceStatus, esiSwitchingDelay=esiSwitchingDelay, ecpIcmpOutEchoReps=ecpIcmpOutEchoReps, ecpUdpStatsEntry=ecpUdpStatsEntry, ecpIpInDiscards=ecpIpInDiscards, ecpIpOutRequests=ecpIpOutRequests, ecpHardware=ecpHardware, ecpBoardTable=ecpBoardTable, esiHwCardType=esiHwCardType, ecpNetIfPhysAddress=ecpNetIfPhysAddress, esiCardSwTable=esiCardSwTable, esiOperationStatus=esiOperationStatus, ecpNetIfLastChange=ecpNetIfLastChange, ecpAlarmReset=ecpAlarmReset, ecpIcmpStatsTable=ecpIcmpStatsTable, esiHwPllStatus=esiHwPllStatus, ecpIpRouteNextHop=ecpIpRouteNextHop, ecpIcmpInEchos=ecpIcmpInEchos, ecpNetIfOutQLen=ecpNetIfOutQLen, ecpIcmpInEchoReps=ecpIcmpInEchoReps, esiCardHwEntry=esiCardHwEntry, ecpNetIfOutDiscards=ecpNetIfOutDiscards, esiCardSwEntry=esiCardSwEntry, ecpSerialIfPortType=ecpSerialIfPortType, ecpTimeZone=ecpTimeZone, ecpTrapDestEntry=ecpTrapDestEntry, ecpIpOutDiscards=ecpIpOutDiscards, ecpAlarmStatus=ecpAlarmStatus, ecpUdpInDatagrams=ecpUdpInDatagrams, ecpOperatingStatus=ecpOperatingStatus, ecpNetIfInUnknownProtos=ecpNetIfInUnknownProtos, ecpIpGroup=ecpIpGroup, ecpIpFragOKs=ecpIpFragOKs, esiCardHwTable=esiCardHwTable, ecpExternalInput1=ecpExternalInput1, esiTimingSourceFailed=esiTimingSourceFailed, ecpIpOutNoRoutes=ecpIpOutNoRoutes, ecpIpFragFails=ecpIpFragFails, ecpIpRouteType=ecpIpRouteType, ecpIpConfigTable=ecpIpConfigTable, ecpUdpOutDatagrams=ecpUdpOutDatagrams, ecpNetIfStatsEntry=ecpNetIfStatsEntry, ecpTrapNumberOfDest=ecpTrapNumberOfDest, ecpAlarmRelayFunction=ecpAlarmRelayFunction, ecpSerialIfFlowType=ecpSerialIfFlowType, ecpNetIfInErrors=ecpNetIfInErrors, ecpSerialIfTable=ecpSerialIfTable, ecpNetIfOutOctets=ecpNetIfOutOctets, ecpIpInHdrErrors=ecpIpInHdrErrors, ecpSoftwareVersion=ecpSoftwareVersion, ecpNetIfOperStatus=ecpNetIfOperStatus, ecpTcpOutSegs=ecpTcpOutSegs, ecpIcmpOutTimeExcds=ecpIcmpOutTimeExcds, ecpTrapConfGroup=ecpTrapConfGroup, ecpSerialIfEntry=ecpSerialIfEntry, ecpHardwareVersion=ecpHardwareVersion, ecpUptime=ecpUptime, ecpTrapDest=ecpTrapDest, esiHwCardVersion=esiHwCardVersion, ecpName=ecpName, ecpStandbyFailed=ecpStandbyFailed, ecpIcmpInAddrMaskReps=ecpIcmpInAddrMaskReps, ecpIcmpOutEchos=ecpIcmpOutEchos, ecpExternalInput5=ecpExternalInput5, ecpBoardEntry=ecpBoardEntry, ecpIpInDelivers=ecpIpInDelivers, ecpIcmpInErrors=ecpIcmpInErrors, esiCurrentTimingRef=esiCurrentTimingRef, ecpIcmpInTimeExcds=ecpIcmpInTimeExcds, ecpNetIfInNUcastPkts=ecpNetIfInNUcastPkts, ecpIcmpInMsgs=ecpIcmpInMsgs, ecpIcmpOutRedirects=ecpIcmpOutRedirects, esiTimingSourceChange=esiTimingSourceChange, ecpAlarmRelayEntry=ecpAlarmRelayEntry, ecpIcmpOutDestUnreachs=ecpIcmpOutDestUnreachs, ecpNetIfStatsTable=ecpNetIfStatsTable, esiCurrentFaultBits=esiCurrentFaultBits, ecpNetIfIpAddr=ecpNetIfIpAddr, ecpNetIfInDiscards=ecpNetIfInDiscards, ecpIpConfigEntry=ecpIpConfigEntry, ecpIpReasmOKs=ecpIpReasmOKs, esiRefSource=esiRefSource, ecpIpFragCreates=ecpIpFragCreates, ecpIcmpInDestUnreach=ecpIcmpInDestUnreach, ecpTcpEstabResets=ecpTcpEstabResets, ecpNetIfInUcastPkts=ecpNetIfInUcastPkts, esiBitsCodingFormat=esiBitsCodingFormat, ecpIcmpInTimestamps=ecpIcmpInTimestamps, ecpAlarmType=ecpAlarmType, ecpNetIfIndex=ecpNetIfIndex, ecpIpRouteIfIndex=ecpIpRouteIfIndex, ecpNetIfAdminStatus=ecpNetIfAdminStatus, ecpIcmpOutErrors=ecpIcmpOutErrors, ecpTrapDestStatus=ecpTrapDestStatus, esiCard=esiCard, ecpNetIfEntry=ecpNetIfEntry, esiReferenceEntry=esiReferenceEntry, esiRefSourceQualStatus=esiRefSourceQualStatus, ecpBoardSerialNumber=ecpBoardSerialNumber, ecpIpInUnknownProtos=ecpIpInUnknownProtos, esiSecondaryRefSource=esiSecondaryRefSource, ecpTcpRetransSegs=ecpTcpRetransSegs, ecpUdpInErrors=ecpUdpInErrors, esiReferenceTable=esiReferenceTable, ecpAlarmMinorRelayState=ecpAlarmMinorRelayState, ecpNetIfOutErrors=ecpNetIfOutErrors, ecpIcmpOutSrcQuenchs=ecpIcmpOutSrcQuenchs, ecpSwMainEntry=ecpSwMainEntry, ecpTcpAttemptFails=ecpTcpAttemptFails, ecpBoardVersion=ecpBoardVersion, ecpIpInReceives=ecpIpInReceives, ecpAlarmMajorRelayState=ecpAlarmMajorRelayState, ecpBoardIndex=ecpBoardIndex, ecpAlarmRelayState=ecpAlarmRelayState, ecpIcmpOutMsgs=ecpIcmpOutMsgs, ecpIcmpOutAddrMaskReps=ecpIcmpOutAddrMaskReps, ecpProtocolType=ecpProtocolType, ecpNetIfIpMask=ecpNetIfIpMask, ecpIcmpOutAddrMasks=ecpIcmpOutAddrMasks, esiSoftware=esiSoftware, ecpNetIfInOctets=ecpNetIfInOctets, ecpStationModule=ecpStationModule)
(integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (single_value_constraint, value_size_constraint, constraints_intersection, value_range_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ConstraintsUnion') (entry_status, hardware, atm_switch) = mibBuilder.importSymbols('Fore-Common-MIB', 'EntryStatus', 'hardware', 'atmSwitch') (trap_log_index,) = mibBuilder.importSymbols('Fore-TrapLog-MIB', 'trapLogIndex') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (ip_address, mib_scalar, mib_table, mib_table_row, mib_table_column, iso, counter64, object_identity, mib_identifier, gauge32, integer32, time_ticks, counter32, unsigned32, notification_type, bits, module_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'IpAddress', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'iso', 'Counter64', 'ObjectIdentity', 'MibIdentifier', 'Gauge32', 'Integer32', 'TimeTicks', 'Counter32', 'Unsigned32', 'NotificationType', 'Bits', 'ModuleIdentity') (time_interval, phys_address, display_string, textual_convention, date_and_time) = mibBuilder.importSymbols('SNMPv2-TC', 'TimeInterval', 'PhysAddress', 'DisplayString', 'TextualConvention', 'DateAndTime') ecp_station_module = module_identity((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7)) if mibBuilder.loadTexts: ecpStationModule.setLastUpdated('9911050000Z') if mibBuilder.loadTexts: ecpStationModule.setOrganization('FORE') if mibBuilder.loadTexts: ecpStationModule.setContactInfo(' Postal: FORE Systems Inc. 1000 FORE Drive Warrendale, PA 15086-7502 Tel: +1 724 742 6900 Email: nm_mibs@fore.com Web: http://www.fore.com') if mibBuilder.loadTexts: ecpStationModule.setDescription('The Timing Control Module (TCM).') ecp_hardware = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1)) ecp_software = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2)) ecp_sw_main_group = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1)) ecp_ip_group = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2)) ecp_environment = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3)) ecp_alarm_group = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1)) ecp_snmp = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3)) ecp_trap_conf_group = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1)) esi_card = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8)) esi_hardware = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1)) esi_software = mib_identifier((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2)) class Esireferencesource(Integer32): subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10)) named_values = named_values(('fab1Pri', 1), ('fab1Sec', 2), ('fab2Pri', 3), ('fab2Sec', 4), ('fab3Pri', 5), ('fab3Sec', 6), ('fab4Pri', 7), ('fab4Sec', 8), ('bits1', 9), ('bits2', 10)) ecp_board_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1)) if mibBuilder.loadTexts: ecpBoardTable.setStatus('current') if mibBuilder.loadTexts: ecpBoardTable.setDescription('This table contains Extended Control Processor (ECP) board information.') ecp_board_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex')) if mibBuilder.loadTexts: ecpBoardEntry.setStatus('current') if mibBuilder.loadTexts: ecpBoardEntry.setDescription('This entry contains Extended Control Processor (ECP) board information') ecp_board_index = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('slotX', 1), ('slotY', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpBoardIndex.setStatus('current') if mibBuilder.loadTexts: ecpBoardIndex.setDescription('This is the Extended Control Processor board index within the management station.') ecp_board_version = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpBoardVersion.setStatus('current') if mibBuilder.loadTexts: ecpBoardVersion.setDescription('This is the version number of this Extended Control Processor (ECP) board.') ecp_board_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpBoardSerialNumber.setStatus('current') if mibBuilder.loadTexts: ecpBoardSerialNumber.setDescription('This is the serial number of this Extended Control Processor (ECP) board.') ecp_board_other_ecp_present = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ecpPresent', 1), ('ecpAbsent', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpBoardOtherEcpPresent.setStatus('current') if mibBuilder.loadTexts: ecpBoardOtherEcpPresent.setDescription('This is the other ECP board present indicator for this Extended Control Processor (ECP) board.') ecp_board_esi_present = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('esiPresent', 1), ('esiAbsent', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpBoardEsiPresent.setStatus('current') if mibBuilder.loadTexts: ecpBoardEsiPresent.setDescription('This is the External Synchronization Interface (ESI) present indicator for this Extended Control Processor (ECP) board.') ecp_serial_if_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2)) if mibBuilder.loadTexts: ecpSerialIfTable.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfTable.setDescription('This table contains the serial port interface information for the Extended Control Processor (ECP) board.') ecp_serial_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex'), (0, 'Fore-TCM-MIB', 'ecpSerialIfPortIndex')) if mibBuilder.loadTexts: ecpSerialIfEntry.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfEntry.setDescription('This entry contains the serial port interface information for the Extended Control Processor (ECP) board.') ecp_serial_if_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpSerialIfPortIndex.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortIndex.setDescription('This is the serial port interface index for this port on the Extended Control Processor (ECP) board.') ecp_serial_if_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('other', 1), ('rs232', 2), ('rs422', 3), ('rs423', 4), ('v35', 5), ('x21', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpSerialIfPortType.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortType.setDescription('This is the serial port interface type for this port on the Extended Control Processor (ECP) board.') ecp_serial_if_port_speed = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpSerialIfPortSpeed.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortSpeed.setDescription('This is the serial port interface speed for this port on the Extended Control Processor (ECP) board.') ecp_serial_if_flow_type = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('ctsRts', 2), ('dsrDtr', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpSerialIfFlowType.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfFlowType.setDescription('This is the serial port interface flow control for this port on the Extended Control Processor (ECP) board.') ecp_serial_if_port_bits = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 5), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpSerialIfPortBits.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortBits.setDescription('This is the serial port interface character size for this port on the Extended Control Processor (ECP) board.') ecp_serial_if_port_stop_bits = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('one', 1), ('two', 2), ('oneAndHalf', 3), ('dynamic', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpSerialIfPortStopBits.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortStopBits.setDescription('This is the serial port interface stop bit count for this port on the Extended Control Processor (ECP) board.') ecp_serial_if_port_parity = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 1), ('odd', 2), ('even', 3), ('mark', 4), ('space', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpSerialIfPortParity.setStatus('current') if mibBuilder.loadTexts: ecpSerialIfPortParity.setDescription('This is the serial port interface character parity for this port on the Extended Control Processor (ECP) board.') ecp_alarm_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1)) if mibBuilder.loadTexts: ecpAlarmTable.setStatus('current') if mibBuilder.loadTexts: ecpAlarmTable.setDescription('A table of switch alarm definitions and configuration.') ecp_alarm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex'), (0, 'Fore-TCM-MIB', 'ecpAlarmType')) if mibBuilder.loadTexts: ecpAlarmEntry.setStatus('current') if mibBuilder.loadTexts: ecpAlarmEntry.setDescription('A table entry containing switch alarm definitions.') ecp_alarm_type = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('powerSupplyInputFailed', 1), ('powerSupplyOutputFailed', 2), ('fanBankFailed', 3), ('tempSensorOverTemp', 4), ('linkFailed', 5), ('spansFailed', 6), ('powerSupplyOverCurrent', 7), ('powerSupply5VoltFailed', 8), ('faultyOrMissingStandbyTcm', 9), ('esiLossOfSyncSrc', 10)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpAlarmType.setStatus('current') if mibBuilder.loadTexts: ecpAlarmType.setDescription('The type of the alarm.') ecp_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('active', 1), ('inactive', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpAlarmStatus.setStatus('current') if mibBuilder.loadTexts: ecpAlarmStatus.setDescription('The status of this alarm entry. An alarm becomes active if the underlying condition is detected. For power supplies, the input failed alarm condition is asserted if the input voltage is not within the nominal range for the supply. This does not necessarily mean that an ouput failure will result. A power supply output failure condition is asserted if any power supply is failing or if it is physically removed. Power supply output alarms are only applicable to switches with multiple power supplies. Fan bank and temperature sensor failures are applicable only to switches with the appropriate sensing capabilities. Link and spans failures are applicable to all switches.') ecp_alarm_minor_category = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpAlarmMinorCategory.setStatus('current') if mibBuilder.loadTexts: ecpAlarmMinorCategory.setDescription('This object indicates whether a minor alarm is triggered when this event occurs.') ecp_alarm_major_category = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpAlarmMajorCategory.setStatus('current') if mibBuilder.loadTexts: ecpAlarmMajorCategory.setDescription('This object indicates whether a major alarm is triggered when this event occurs.') ecp_alarm_reset = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 1, 1, 5), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpAlarmReset.setStatus('current') if mibBuilder.loadTexts: ecpAlarmReset.setDescription('The manager may set this to the value zero to cancel a current alarm. This is useful for silencing alarms triggered via edge detection. If this variable is readable, then the alarm is resettable.') ecp_alarm_major_relay_state = mib_scalar((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('on', 1), ('off', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpAlarmMajorRelayState.setStatus('current') if mibBuilder.loadTexts: ecpAlarmMajorRelayState.setDescription('This object indicates the current state of the major alarm relay. If one or more of the alarms (ecpAlarmType) that are defined major (ecpAlarmMajorCategory) are currently active (ecpAlarmStatus), this object will be on(1).') ecp_alarm_minor_relay_state = mib_scalar((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('on', 1), ('off', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpAlarmMinorRelayState.setStatus('current') if mibBuilder.loadTexts: ecpAlarmMinorRelayState.setDescription('This object indicates the current state of the minor alarm relay. Ifone or mote of the alarms (ecpAlarmType) that are defined minor (ecpAlarmMinorCategory) are currently active (ecpAlarmStatus), this object will be on(1).') ecp_alarm_relay_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 4)) if mibBuilder.loadTexts: ecpAlarmRelayTable.setStatus('current') if mibBuilder.loadTexts: ecpAlarmRelayTable.setDescription('This table contains the alarm relay definitions for the Extended Control Processor (ECP) board.') ecp_alarm_relay_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 4, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex'), (0, 'Fore-TCM-MIB', 'ecpAlarmRelayIndex')) if mibBuilder.loadTexts: ecpAlarmRelayEntry.setStatus('current') if mibBuilder.loadTexts: ecpAlarmRelayEntry.setDescription('This entry contains the alarm relay definitions for the Extended Control Processor (ECP) board.') ecp_alarm_relay_index = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 4, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpAlarmRelayIndex.setStatus('current') if mibBuilder.loadTexts: ecpAlarmRelayIndex.setDescription('This is the index of the alarm relay on the Extended Control Processor (ECP). The Raven ECP has 5 addressable alarm relays (1-5).') ecp_alarm_relay_function = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ecpUnusedRelay', 1), ('ecpMajorAlarmRelay', 2), ('ecpMinorAlarmRelay', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpAlarmRelayFunction.setStatus('current') if mibBuilder.loadTexts: ecpAlarmRelayFunction.setDescription('This is the alarm function associated with an alarm relay on the Extended Control Processor (ECP). An alarm relay may either be unused, assigned to the major alarm, or assigned to the minor alarm.') ecp_alarm_relay_state = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 1, 3, 1, 4, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('on', 1), ('off', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpAlarmRelayState.setStatus('current') if mibBuilder.loadTexts: ecpAlarmRelayState.setDescription("This is the current state of the alarm relay on the Extended Control Processor (ECP). The state 'on' means that the alarm relay is activated; the state 'off' means that it is deactivated.") ecp_sw_main_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1)) if mibBuilder.loadTexts: ecpSwMainTable.setStatus('current') if mibBuilder.loadTexts: ecpSwMainTable.setDescription('The table contains the Extended Control Processor (ECP) information maintained by the control software.') ecp_sw_main_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex')) if mibBuilder.loadTexts: ecpSwMainEntry.setStatus('current') if mibBuilder.loadTexts: ecpSwMainEntry.setDescription('This entry contains the Extended Control Processor (ECP) information maintained by the control software.') ecp_name = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 1), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpName.setStatus('current') if mibBuilder.loadTexts: ecpName.setDescription('This is the system name of this Extended Control Processor (ECP) platform.') ecp_hardware_version = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpHardwareVersion.setStatus('current') if mibBuilder.loadTexts: ecpHardwareVersion.setDescription('This is the hardware version of the Extended Control Processor (ECP) platform.') ecp_software_version = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpSoftwareVersion.setStatus('current') if mibBuilder.loadTexts: ecpSoftwareVersion.setDescription('This is the software version of the Extended Control Processor (ECP) control software. The version is encoded into 6 hex characters. Version 1.2.3 would be 0x010203.') ecp_software_version_text = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 4), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpSoftwareVersionText.setStatus('current') if mibBuilder.loadTexts: ecpSoftwareVersionText.setDescription('This is the software version text of the Extended Control Processor (ECP) control software. This object contains information regarding the software configuration that was used to build this software.') ecp_type = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('unrecognized', 1), ('cec-plus', 2), ('cec-plus-t', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpType.setStatus('current') if mibBuilder.loadTexts: ecpType.setDescription('This is the type of the Extended Control Processor (ECP) board.') ecp_operating_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ecpUnknown', 1), ('ecpStandby', 2), ('ecpActive', 3), ('ecpOffline', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpOperatingStatus.setStatus('current') if mibBuilder.loadTexts: ecpOperatingStatus.setDescription('This is the software status of this Extended Control Processor (ECP).') ecp_protocol_type = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tftp', 1), ('ftp', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpProtocolType.setStatus('current') if mibBuilder.loadTexts: ecpProtocolType.setDescription('The transfer protocol that is used when upgrading the software, saving/restoring the CDB, etc. on this Extended Control Processor (ECP) board.') ecp_time_zone = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpTimeZone.setStatus('current') if mibBuilder.loadTexts: ecpTimeZone.setDescription('The TimeZone configured for this Extended Control Processor (ECP). This variable follows the POSIX standard 1003.1-1988 for the format of the TZ environment variable. In particular, it is general enough to specify the rules for converting from Standard to Daylight Savings time for most timezones of the world. By default, the ECP has the rules built in for the following timezones: EST5EDT CST6CDT MST7MDT PST8PDT AKST9AKDT. Locales outside of these timezones will need to supply the appropriate rule for switching between Daylight and Standard time. ') ecp_gm_time = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 9), date_and_time()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpGMTime.setStatus('current') if mibBuilder.loadTexts: ecpGMTime.setDescription("The Extended Control Processor's (ECP's) notion of Greenwich Mean Time. Linked to hrSystemDate. Offset part of time spec, if supplied, is considered an error.") ecp_uptime = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 10), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpUptime.setStatus('current') if mibBuilder.loadTexts: ecpUptime.setDescription('This is the amount of time that the Extended Control Processor (ECP) control software has been running, in hundredths of a second.') ecp_mode_change_time = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 11), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpModeChangeTime.setStatus('current') if mibBuilder.loadTexts: ecpModeChangeTime.setDescription('This is the time that the Extended Control Processor (ECP) control software has switched to the current operating mode.') ecp_other_ecp_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ecpNormal', 1), ('ecpUnknown', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpOtherEcpStatus.setStatus('current') if mibBuilder.loadTexts: ecpOtherEcpStatus.setDescription('This is the software status of the other Extended Control Processor (ECP) from the viewpoint of this ECP.') ecp_external_input1 = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ecpInputOn', 1), ('ecpInputOff', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpExternalInput1.setStatus('current') if mibBuilder.loadTexts: ecpExternalInput1.setDescription('This is the state of External Input #1 from the viewpoint of the Extended Control Processor (ECP).') ecp_external_input2 = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ecpInputOn', 1), ('ecpInputOff', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpExternalInput2.setStatus('current') if mibBuilder.loadTexts: ecpExternalInput2.setDescription('This is the state of External Input #2 from the viewpoint of the Extended Control Processor (ECP).') ecp_external_input3 = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ecpInputOn', 1), ('ecpInputOff', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpExternalInput3.setStatus('current') if mibBuilder.loadTexts: ecpExternalInput3.setDescription('This is the state of External Input #3 from the viewpoint of the Extended Control Processor (ECP).') ecp_external_input4 = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ecpInputOn', 1), ('ecpInputOff', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpExternalInput4.setStatus('current') if mibBuilder.loadTexts: ecpExternalInput4.setDescription('This is the state of External Input #4 from the viewpoint of the Extended Control Processor (ECP).') ecp_external_input5 = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 1, 1, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ecpInputOn', 1), ('ecpInputOff', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpExternalInput5.setStatus('current') if mibBuilder.loadTexts: ecpExternalInput5.setDescription('This is the state of External Input #5 from the viewpoint of the Extended Control Processor (ECP).') ecp_net_if_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1)) if mibBuilder.loadTexts: ecpNetIfTable.setStatus('current') if mibBuilder.loadTexts: ecpNetIfTable.setDescription('This table contains the network interface information for the Extended Control Processor (ECP) board.') ecp_net_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex'), (0, 'Fore-TCM-MIB', 'ecpNetIfIndex')) if mibBuilder.loadTexts: ecpNetIfEntry.setStatus('current') if mibBuilder.loadTexts: ecpNetIfEntry.setDescription('This entry contains the network interface information for the Extended Control Processor (ECP) board.') ecp_net_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfIndex.setStatus('current') if mibBuilder.loadTexts: ecpNetIfIndex.setDescription("A unique value for each interface. Its value ranges between 1 and the value of ifNumber. The value for each interface must remain constant at least from one re-initialization of the entity's network management system to the next re- initialization.") ecp_net_if_descr = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfDescr.setStatus('current') if mibBuilder.loadTexts: ecpNetIfDescr.setDescription('A textual string containing information about the interface. This string should include the name of the manufacturer, the product name and the version of the hardware interface.') ecp_net_if_phys_address = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 3), phys_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfPhysAddress.setStatus('current') if mibBuilder.loadTexts: ecpNetIfPhysAddress.setDescription("The interface's address at the protocol layer immediately `below' the network layer in the protocol stack. For interfaces which do not have such an address (e.g., a serial line), this object should contain an octet string of zero length.") ecp_net_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('up', 1), ('down', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpNetIfAdminStatus.setStatus('current') if mibBuilder.loadTexts: ecpNetIfAdminStatus.setDescription('The desired state of the interface.') ecp_net_if_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('up', 1), ('down', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfOperStatus.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOperStatus.setDescription('The current operational state of the interface.') ecp_net_if_last_change = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 6), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfLastChange.setStatus('current') if mibBuilder.loadTexts: ecpNetIfLastChange.setDescription('The value of sysUpTime at the time the interface entered its current operational state. If the current state was entered prior to the last re- initialization of the local network management subsystem, then this object contains a zero value.') ecp_net_if_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 7), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpNetIfIpAddr.setStatus('current') if mibBuilder.loadTexts: ecpNetIfIpAddr.setDescription('The IP address associated with this network interface.') ecp_net_if_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 8), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpNetIfIpMask.setStatus('current') if mibBuilder.loadTexts: ecpNetIfIpMask.setDescription('The subnet mask associated with the IP address of this entry. The value of the mask is an IP address with all the network bits set to 1 and all the hosts bits set to 0.') ecp_net_if_ip_bcast_addr = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 1, 1, 9), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpNetIfIpBcastAddr.setStatus('current') if mibBuilder.loadTexts: ecpNetIfIpBcastAddr.setDescription('The value of the least-significant bit in the IP broadcast address used for sending datagrams on the (logical) interface associated with the IP address of this entry. For example, when the Internet standard all-ones broadcast address is used, the value will be 1. This value applies to both the subnet and network broadcasts addresses used by the entity on this (logical) interface.') ecp_net_if_stats_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2)) if mibBuilder.loadTexts: ecpNetIfStatsTable.setStatus('current') if mibBuilder.loadTexts: ecpNetIfStatsTable.setDescription('This table contains the network interface statistics for the Extended Control Processor (ECP) board.') ecp_net_if_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex'), (0, 'Fore-TCM-MIB', 'ecpNetIfIndex')) if mibBuilder.loadTexts: ecpNetIfStatsEntry.setStatus('current') if mibBuilder.loadTexts: ecpNetIfStatsEntry.setDescription('This entry contains the network interface statistics for the Extended Control Processor (ECP) board.') ecp_net_if_in_octets = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfInOctets.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInOctets.setDescription('The total number of octets received on the interface, including framing characters.') ecp_net_if_in_ucast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfInUcastPkts.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInUcastPkts.setDescription('The number of subnetwork-unicast packets delivered to a higher-layer protocol.') ecp_net_if_in_n_ucast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfInNUcastPkts.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInNUcastPkts.setDescription('The number of non-unicast (i.e., subnetwork- broadcast or subnetwork-multicast) packets delivered to a higher-layer protocol.') ecp_net_if_in_discards = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfInDiscards.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInDiscards.setDescription('The number of inbound packets which were chosen to be discarded even though no errors had been detected to prevent their being deliverable to a higher-layer protocol. One possible reason for discarding such a packet could be to free up buffer space.') ecp_net_if_in_errors = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfInErrors.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInErrors.setDescription('The number of inbound packets that contained errors preventing them from being deliverable to a higher-layer protocol.') ecp_net_if_in_unknown_protos = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfInUnknownProtos.setStatus('current') if mibBuilder.loadTexts: ecpNetIfInUnknownProtos.setDescription('The number of packets received via the interface which were discarded because of an unknown or unsupported protocol.') ecp_net_if_out_octets = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfOutOctets.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutOctets.setDescription('The total number of octets transmitted out of the interface, including framing characters.') ecp_net_if_out_ucast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfOutUcastPkts.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutUcastPkts.setDescription('The total number of packets that higher-level protocols requested be transmitted to a subnetwork-unicast address, including those that were discarded or not sent.') ecp_net_if_out_n_ucast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfOutNUcastPkts.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutNUcastPkts.setDescription('The total number of packets that higher-level protocols requested be transmitted to a non- unicast (i.e., a subnetwork-broadcast or subnetwork-multicast) address, including those that were discarded or not sent.') ecp_net_if_out_discards = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfOutDiscards.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutDiscards.setDescription('The number of outbound packets which were chosen to be discarded even though no errors had been detected to prevent their being transmitted. One possible reason for discarding such a packet could be to free up buffer space.') ecp_net_if_out_errors = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfOutErrors.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutErrors.setDescription('The number of outbound packets that could not be transmitted because of errors.') ecp_net_if_out_q_len = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 2, 1, 12), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpNetIfOutQLen.setStatus('current') if mibBuilder.loadTexts: ecpNetIfOutQLen.setDescription('The length of the output packet queue (in packets).') ecp_ip_stats_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3)) if mibBuilder.loadTexts: ecpIpStatsTable.setStatus('current') if mibBuilder.loadTexts: ecpIpStatsTable.setDescription('This table contains the Internet protocol statistics for the Extended Control Processor (ECP) board.') ecp_ip_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex')) if mibBuilder.loadTexts: ecpIpStatsEntry.setStatus('current') if mibBuilder.loadTexts: ecpIpStatsEntry.setDescription('This entry contains the Internet protocol statistics for the Extended Control Processor (ECP) board.') ecp_ip_in_receives = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpInReceives.setStatus('current') if mibBuilder.loadTexts: ecpIpInReceives.setDescription('The total number of input datagrams received from interfaces, including those received in error.') ecp_ip_in_hdr_errors = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpInHdrErrors.setStatus('current') if mibBuilder.loadTexts: ecpIpInHdrErrors.setDescription('The number of input datagrams discarded due to errors in their IP headers, including bad checksums, version number mismatch, other format errors, time-to-live exceeded, errors discovered in processing their IP options, etc.') ecp_ip_in_addr_errors = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpInAddrErrors.setStatus('current') if mibBuilder.loadTexts: ecpIpInAddrErrors.setDescription("The number of input datagrams discarded because the IP address in their IP header's destination field was not a valid address to be received at this entity. This count includes invalid addresses (e.g., 0.0.0.0) and addresses of unsupported Classes (e.g., Class E). For entities which are not IP Gateways and therefore do not forward datagrams, this counter includes datagrams discarded because the destination address was not a local address.") ecp_ip_forw_datagrams = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpForwDatagrams.setStatus('current') if mibBuilder.loadTexts: ecpIpForwDatagrams.setDescription('The number of input datagrams for which this entity was not their final IP destination, as a result of which an attempt was made to find a route to forward them to that final destination. In entities which do not act as IP Gateways, this counter will include only those packets which were Source-Routed via this entity, and the Source- Route option processing was successful.') ecp_ip_in_unknown_protos = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpInUnknownProtos.setStatus('current') if mibBuilder.loadTexts: ecpIpInUnknownProtos.setDescription('The number of locally-addressed datagrams received successfully but discarded because of an unknown or unsupported protocol.') ecp_ip_in_discards = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpInDiscards.setStatus('current') if mibBuilder.loadTexts: ecpIpInDiscards.setDescription('The number of input IP datagrams for which no problems were encountered to prevent their continued processing, but which were discarded (e.g., for lack of buffer space). Note that this counter does not include any datagrams discarded while awaiting re-assembly.') ecp_ip_in_delivers = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpInDelivers.setStatus('current') if mibBuilder.loadTexts: ecpIpInDelivers.setDescription('The total number of input datagrams successfully delivered to IP user-protocols (including ICMP).') ecp_ip_out_requests = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpOutRequests.setStatus('current') if mibBuilder.loadTexts: ecpIpOutRequests.setDescription('The total number of IP datagrams which local IP user-protocols (including ICMP) supplied to IP in requests for transmission. Note that this counter does not include any datagrams counted in ipForwDatagrams.') ecp_ip_out_discards = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpOutDiscards.setStatus('current') if mibBuilder.loadTexts: ecpIpOutDiscards.setDescription('The number of output IP datagrams for which no problem was encountered to prevent their transmission to their destination, but which were discarded (e.g., for lack of buffer space). Note that this counter would include datagrams counted in ipForwDatagrams if any such packets met this (discretionary) discard criterion.') ecp_ip_out_no_routes = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpOutNoRoutes.setStatus('current') if mibBuilder.loadTexts: ecpIpOutNoRoutes.setDescription("The number of IP datagrams discarded because no route could be found to transmit them to their destination. Note that this counter includes any packets counted in ipForwDatagrams which meet this `no-route' criterion. Note that this includes any datagarms which a host cannot route because all of its default gateways are down.") ecp_ip_reasm_reqds = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpReasmReqds.setStatus('current') if mibBuilder.loadTexts: ecpIpReasmReqds.setDescription('The number of IP fragments received which needed to be reassembled at this entity.') ecp_ip_reasm_o_ks = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpReasmOKs.setStatus('current') if mibBuilder.loadTexts: ecpIpReasmOKs.setDescription('The number of IP datagrams successfully re- assembled.') ecp_ip_reasm_fails = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpReasmFails.setStatus('current') if mibBuilder.loadTexts: ecpIpReasmFails.setDescription('The number of failures detected by the IP re- assembly algorithm (for whatever reason: timed out, errors, etc). Note that this is not necessarily a count of discarded IP fragments since some algorithms (notably the algorithm in RFC 815) can lose track of the number of fragments by combining them as they are received.') ecp_ip_frag_o_ks = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpFragOKs.setStatus('current') if mibBuilder.loadTexts: ecpIpFragOKs.setDescription('The number of IP datagrams that have been successfully fragmented at this entity.') ecp_ip_frag_fails = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpFragFails.setStatus('current') if mibBuilder.loadTexts: ecpIpFragFails.setDescription("The number of IP datagrams that have been discarded because they needed to be fragmented at this entity but could not be, e.g., because their Don't Fragment flag was set.") ecp_ip_frag_creates = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 3, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpFragCreates.setStatus('current') if mibBuilder.loadTexts: ecpIpFragCreates.setDescription('The number of IP datagram fragments that have been generated as a result of fragmentation at this entity.') ecp_ip_route_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4)) if mibBuilder.loadTexts: ecpIpRouteTable.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteTable.setDescription('This table contains the Internet Protocol routing entries for the Extended Control Processor (ECP) board.') ecp_ip_route_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex'), (0, 'Fore-TCM-MIB', 'ecpIpRouteDest')) if mibBuilder.loadTexts: ecpIpRouteEntry.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteEntry.setDescription('This entry contains the Internet Protocol routing data for the Extended Control Processor (ECP) board.') ecp_ip_route_dest = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 1), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIpRouteDest.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteDest.setDescription('The destination IP address of this route. An entry with a value of 0.0.0.0 is considered a default route. Multiple routes to a single destination can appear in the table, but access to such multiple entries is dependent on the table- access mechanisms defined by the network management protocol in use.') ecp_ip_route_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 2), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpIpRouteIfIndex.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteIfIndex.setDescription('The index value which uniquely identifies the local interface through which the next hop of this route should be reached. The interface identified by a particular value of this index is the same interface as identified by the same value of ifIndex.') ecp_ip_route_next_hop = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 3), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpIpRouteNextHop.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteNextHop.setDescription("The IP address of the next hop of this route. (In the case of a route bound to an interface which is realized via a broadcast media, the value of this field is the agent's IP address on that interface.)") ecp_ip_route_metric1 = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 4), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpIpRouteMetric1.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteMetric1.setDescription("The primary routing metric for this route. The semantics of this metric are determined by the routing-protocol specified in the route's ipRouteProto value. If this metric is not used, its value should be set to -1.") ecp_ip_route_type = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('other', 1), ('invalid', 2), ('direct', 3), ('indirect', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpIpRouteType.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteType.setDescription('The type of route. Note that the values direct(3) and indirect(4) refer to the notion of direct and indirect routing in the IP architecture. Setting this object to the value invalid(2) has the effect of invalidating the corresponding entry in the ipRouteTable object. That is, it effectively dissasociates the destination identified with said entry from the route identified with said entry. It is an implementation-specific matter as to whether the agent removes an invalidated entry from the table. Accordingly, management stations must be prepared to receive tabular information from agents that corresponds to entries not currently in use. Proper interpretation of such entries requires examination of the relevant ipRouteType object.') ecp_ip_route_mask = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 4, 1, 6), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpIpRouteMask.setStatus('current') if mibBuilder.loadTexts: ecpIpRouteMask.setDescription('Indicate the mask to be logical-ANDed with the destination address before being compared to the value in the ipRouteDest field. For those systems that do not support arbitrary subnet masks, an agent constructs the value of the ipRouteMask by determining whether the value of the correspondent ipRouteDest field belong to a class-A, B, or C network, and then using one of: mask network 255.0.0.0 class-A 255.255.0.0 class-B 255.255.255.0 class-C If the value of the ipRouteDest is 0.0.0.0 (a default route), then the mask value is also 0.0.0.0. It should be noted that all IP routing subsystems implicitly use this mechanism.') ecp_icmp_stats_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5)) if mibBuilder.loadTexts: ecpIcmpStatsTable.setStatus('current') if mibBuilder.loadTexts: ecpIcmpStatsTable.setDescription('This table contains the Internet Control Message Protocol statistics for the Extended Control Processor (ECP) board.') ecp_icmp_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex')) if mibBuilder.loadTexts: ecpIcmpStatsEntry.setStatus('current') if mibBuilder.loadTexts: ecpIcmpStatsEntry.setDescription('This entry contains the Internet Control Message Protocol statistics for the Extended Control Processor (ECP) board.') ecp_icmp_in_msgs = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInMsgs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInMsgs.setDescription('The total number of ICMP messages which the entity received. Note that this counter includes all those counted by icmpInErrors.') ecp_icmp_in_errors = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInErrors.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInErrors.setDescription('The number of ICMP messages which the entity received but determined as having ICMP-specific errors (bad ICMP checksums, bad length, etc.).') ecp_icmp_in_dest_unreach = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInDestUnreach.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInDestUnreach.setDescription('The number of ICMP Destination Unreachable messages received.') ecp_icmp_in_time_excds = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInTimeExcds.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInTimeExcds.setDescription('The number of ICMP Time Exceeded messages received.') ecp_icmp_in_parm_probs = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInParmProbs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInParmProbs.setDescription('The number of ICMP Parameter Problem messages received.') ecp_icmp_in_src_quenchs = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInSrcQuenchs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInSrcQuenchs.setDescription('The number of ICMP Source Quench messages received.') ecp_icmp_in_redirects = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInRedirects.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInRedirects.setDescription('The number of ICMP Redirect messages received.') ecp_icmp_in_echos = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInEchos.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInEchos.setDescription('The number of ICMP Echo (request) messages received.') ecp_icmp_in_echo_reps = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInEchoReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInEchoReps.setDescription('The number of ICMP Echo Reply messages received.') ecp_icmp_in_timestamps = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInTimestamps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInTimestamps.setDescription('The number of ICMP Timestamp (request) messages received.') ecp_icmp_in_timestamp_reps = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInTimestampReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInTimestampReps.setDescription('The number of ICMP Timestamp Reply messages received.') ecp_icmp_inaddr_masks = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInaddrMasks.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInaddrMasks.setDescription('The number of ICMP Address Mask Request messages received.') ecp_icmp_in_addr_mask_reps = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpInAddrMaskReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpInAddrMaskReps.setDescription('The number of ICMP Address Mask Reply messages received.') ecp_icmp_out_msgs = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutMsgs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutMsgs.setDescription('The total number of ICMP messages which this entity attempted to send. Note that this counter includes all those counted by icmpOutErrors.') ecp_icmp_out_errors = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutErrors.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutErrors.setDescription("The number of ICMP messages which this entity did not send due to problems discovered within ICMP such as a lack of buffers. This value should not include errors discovered outside the ICMP layer such as the inability of IP to route the resultant datagram. In some implementations there may be no types of error which contribute to this counter's value.") ecp_icmp_out_dest_unreachs = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutDestUnreachs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutDestUnreachs.setDescription('The number of ICMP Destination Unreachable messages sent.') ecp_icmp_out_time_excds = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutTimeExcds.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutTimeExcds.setDescription('The number of ICMP Time Exceeded messages sent.') ecp_icmp_out_parm_probs = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutParmProbs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutParmProbs.setDescription('The number of ICMP Parameter Problem messages sent.') ecp_icmp_out_src_quenchs = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutSrcQuenchs.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutSrcQuenchs.setDescription('The number of ICMP Source Quench messages sent.') ecp_icmp_out_redirects = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 20), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutRedirects.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutRedirects.setDescription('The number of ICMP Redirect messages sent. For a host, this object will always be zero, since hosts do not send redirects.') ecp_icmp_out_echos = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 21), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutEchos.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutEchos.setDescription('The number of ICMP Echo (request) messages sent.') ecp_icmp_out_echo_reps = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 22), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutEchoReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutEchoReps.setDescription('The number of ICMP Echo Reply messages sent.') ecp_icmp_out_timestamps = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 23), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutTimestamps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutTimestamps.setDescription('The number of ICMP Timestamp (request) messages sent.') ecp_icmp_out_timestamp_reps = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 24), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutTimestampReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutTimestampReps.setDescription('The number of ICMP Timestamp Reply messages sent.') ecp_icmp_out_addr_masks = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 25), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutAddrMasks.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutAddrMasks.setDescription('The number of ICMP Address Mask Request messages sent.') ecp_icmp_out_addr_mask_reps = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 5, 1, 26), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpIcmpOutAddrMaskReps.setStatus('current') if mibBuilder.loadTexts: ecpIcmpOutAddrMaskReps.setDescription('The number of ICMP Address Mask Reply messages sent.') ecp_tcp_stats_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6)) if mibBuilder.loadTexts: ecpTcpStatsTable.setStatus('current') if mibBuilder.loadTexts: ecpTcpStatsTable.setDescription('This table contains the Transmission Control Protocol statistics for the Extended Control Processor (ECP) board.') ecp_tcp_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex')) if mibBuilder.loadTexts: ecpTcpStatsEntry.setStatus('current') if mibBuilder.loadTexts: ecpTcpStatsEntry.setDescription('This entry contains the Transmission Control Protocol statistics for the Extended Control Processor (ECP) board.') ecp_tcp_active_opens = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpTcpActiveOpens.setStatus('current') if mibBuilder.loadTexts: ecpTcpActiveOpens.setDescription('The number of times TCP connections have made a direct transition to the SYN-SENT state from the CLOSED state.') ecp_tcp_passive_opens = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpTcpPassiveOpens.setStatus('current') if mibBuilder.loadTexts: ecpTcpPassiveOpens.setDescription('The number of times TCP connections have made a direct transition to the SYN-RCVD state from the LISTEN state.') ecp_tcp_attempt_fails = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpTcpAttemptFails.setStatus('current') if mibBuilder.loadTexts: ecpTcpAttemptFails.setDescription('The number of times TCP connections have made a direct transition to the CLOSED state from either the SYN-SENT state or the SYN-RCVD state, plus the number of times TCP connections have made a direct transition to the LISTEN state from the SYN-RCVD state.') ecp_tcp_estab_resets = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpTcpEstabResets.setStatus('current') if mibBuilder.loadTexts: ecpTcpEstabResets.setDescription('The number of times TCP connections have made a direct transition to the CLOSED state from either the ESTABLISHED state or the CLOSE-WAIT state.') ecp_tcp_curr_estab = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpTcpCurrEstab.setStatus('current') if mibBuilder.loadTexts: ecpTcpCurrEstab.setDescription('The number of TCP connections for which the current state is either ESTABLISHED or CLOSE- WAIT.') ecp_tcp_in_segs = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpTcpInSegs.setStatus('current') if mibBuilder.loadTexts: ecpTcpInSegs.setDescription('The total number of segments received, including those received in error. This count includes segments received on currently established connections.') ecp_tcp_out_segs = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpTcpOutSegs.setStatus('current') if mibBuilder.loadTexts: ecpTcpOutSegs.setDescription('The total number of segments sent, including those on current connections but excluding those containing only retransmitted octets.') ecp_tcp_retrans_segs = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 6, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpTcpRetransSegs.setStatus('current') if mibBuilder.loadTexts: ecpTcpRetransSegs.setDescription('The total number of segments retransmitted - that is, the number of TCP segments transmitted containing one or more previously transmitted octets.') ecp_udp_stats_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7)) if mibBuilder.loadTexts: ecpUdpStatsTable.setStatus('current') if mibBuilder.loadTexts: ecpUdpStatsTable.setDescription('This table contains the User Datagram Protocol statistics for the Extended Control Processor (ECP) board.') ecp_udp_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex')) if mibBuilder.loadTexts: ecpUdpStatsEntry.setStatus('current') if mibBuilder.loadTexts: ecpUdpStatsEntry.setDescription('This entry contains the User Datagram Protocol statistics for the Extended Control Processor (ECP) board.') ecp_udp_in_datagrams = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpUdpInDatagrams.setStatus('current') if mibBuilder.loadTexts: ecpUdpInDatagrams.setDescription('The total number of UDP datagrams delivered to UDP users.') ecp_udp_no_ports = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpUdpNoPorts.setStatus('current') if mibBuilder.loadTexts: ecpUdpNoPorts.setDescription('The total number of received UDP datagrams for which there was no application at the destination port.') ecp_udp_in_errors = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpUdpInErrors.setStatus('current') if mibBuilder.loadTexts: ecpUdpInErrors.setDescription('The number of received UDP datagrams that could not be delivered for reasons other than the lack of an application at the destination port.') ecp_udp_out_datagrams = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 7, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpUdpOutDatagrams.setStatus('current') if mibBuilder.loadTexts: ecpUdpOutDatagrams.setDescription('The total number of UDP datagrams sent from this entity.') ecp_ip_config_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 8)) if mibBuilder.loadTexts: ecpIpConfigTable.setStatus('current') if mibBuilder.loadTexts: ecpIpConfigTable.setDescription('IP Configuration table for the TCMs') ecp_ip_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 8, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex')) if mibBuilder.loadTexts: ecpIpConfigEntry.setStatus('current') if mibBuilder.loadTexts: ecpIpConfigEntry.setDescription('IP Configuration table entry for the TCMs') ecp_ip_forwarding = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 2, 8, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('forwarding', 1), ('not-forwarding', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpIpForwarding.setStatus('current') if mibBuilder.loadTexts: ecpIpForwarding.setDescription("The indication of whether this entity is acting as an IP gateway in respect to the forwarding of datagrams received by, but not addressed to, this entity. IP gateways forward datagrams. IP hosts do not (except those source-routed via the host). Note that for some managed nodes, this object may take on only a subset of the values possible. Accordingly, it is appropriate for an agent to return a `badValue' response if a management station attempts to change this object to an inappropriate value.") ecp_trap_number_of_dest = mib_scalar((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpTrapNumberOfDest.setStatus('current') if mibBuilder.loadTexts: ecpTrapNumberOfDest.setDescription('The current number of configured trap destinations. All traps are sent to all destinations.') ecp_trap_dest_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1, 2)) if mibBuilder.loadTexts: ecpTrapDestTable.setStatus('current') if mibBuilder.loadTexts: ecpTrapDestTable.setDescription('A table of destinations to which the agent sends traps.') ecp_trap_dest_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1, 2, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'ecpBoardIndex'), (0, 'Fore-TCM-MIB', 'ecpTrapDest')) if mibBuilder.loadTexts: ecpTrapDestEntry.setStatus('current') if mibBuilder.loadTexts: ecpTrapDestEntry.setDescription('A table entry containing address of a management station, to which the agent sends traps.') ecp_trap_dest = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1, 2, 1, 1), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: ecpTrapDest.setStatus('current') if mibBuilder.loadTexts: ecpTrapDest.setDescription('Address to which the agent sends traps. Usually a network management station sets this address to itself.') ecp_trap_dest_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 7, 2, 3, 1, 2, 1, 2), entry_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ecpTrapDestStatus.setStatus('current') if mibBuilder.loadTexts: ecpTrapDestStatus.setDescription('The status of this trap destination entry.') esi_card_hw_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1)) if mibBuilder.loadTexts: esiCardHwTable.setStatus('current') if mibBuilder.loadTexts: esiCardHwTable.setDescription('This table contains the hardware information for the External Synchronization Interface (ESI) cards.') esi_card_hw_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'esiCardIndex')) if mibBuilder.loadTexts: esiCardHwEntry.setStatus('current') if mibBuilder.loadTexts: esiCardHwEntry.setDescription('This table entry contains the hardware information for a single External Synchronization Interface (ESI) card.') esi_card_index = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('slotX', 1), ('slotY', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: esiCardIndex.setStatus('current') if mibBuilder.loadTexts: esiCardIndex.setDescription('This is the index for this External Synchronization Interface (ESI) card.') esi_hw_card_type = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('esiDs1TypeA', 1), ('esiDs1TypeB', 2), ('esiE1TypeA', 3), ('esiE1TypeB', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: esiHwCardType.setStatus('current') if mibBuilder.loadTexts: esiHwCardType.setDescription('This is the card type for this External Synchronization Interface (ESI) card.') esi_hw_card_version = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: esiHwCardVersion.setStatus('current') if mibBuilder.loadTexts: esiHwCardVersion.setDescription('This is the card version for this External Synchronization Interface (ESI) card.') esi_hw_pll_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('pllFreeRun', 1), ('pllLocked', 2), ('pllAcquire', 3), ('pllHoldover', 4), ('pllRefQualFail', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: esiHwPllStatus.setStatus('current') if mibBuilder.loadTexts: esiHwPllStatus.setDescription('This is the card phase-locked loop (PLL) status for this External Synchronization Interface (ESI) card.') esi_card_sw_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1)) if mibBuilder.loadTexts: esiCardSwTable.setStatus('current') if mibBuilder.loadTexts: esiCardSwTable.setDescription('This table contains the software information for the External Synchronization Interface (ESI) cards.') esi_card_sw_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'esiCardIndex')) if mibBuilder.loadTexts: esiCardSwEntry.setStatus('current') if mibBuilder.loadTexts: esiCardSwEntry.setDescription('This table entry contains the software information for a single External Synchronization Interface (ESI) card.') esi_operation_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: esiOperationStatus.setStatus('current') if mibBuilder.loadTexts: esiOperationStatus.setDescription('This is the operation status of the clock output for this External Synchronization Interface (ESI) card.') esi_current_timing_ref = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 5, 6))).clone(namedValues=named_values(('refFreeRun', 1), ('refIsPrimary', 2), ('refIsSecondary', 3), ('refIsBits1', 5), ('refIsBits2', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: esiCurrentTimingRef.setStatus('current') if mibBuilder.loadTexts: esiCurrentTimingRef.setDescription('This is the current timing reference in use for this External Synchronization Interface (ESI) card.') esi_requested_timing_ref = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('requestFreeRun', 1), ('requestPrimary', 2), ('requestSecondary', 3), ('requestAutomatic', 4), ('requestBits', 5)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiRequestedTimingRef.setStatus('current') if mibBuilder.loadTexts: esiRequestedTimingRef.setDescription('This is the timing reference requested to be used for this External Synchronization Interface (ESI) card.') esi_primary_ref_source = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 4), esi_reference_source()).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiPrimaryRefSource.setStatus('current') if mibBuilder.loadTexts: esiPrimaryRefSource.setDescription('This is the primary timing reference source for this External Synchronization Interface (ESI) card.') esi_secondary_ref_source = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 5), esi_reference_source()).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiSecondaryRefSource.setStatus('current') if mibBuilder.loadTexts: esiSecondaryRefSource.setDescription('This is the secondary timing reference source for this External Synchronization Interface (ESI) card.') esi_current_fault_bits = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: esiCurrentFaultBits.setStatus('current') if mibBuilder.loadTexts: esiCurrentFaultBits.setDescription('This is the current state of the fault bits presented by this External Synchronization Interface (ESI) card.') esi_bits_framing_format = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('d4', 1), ('esf', 2), ('mfas', 3), ('mfascrc4', 4), ('fas', 5), ('fascrc4', 6)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiBitsFramingFormat.setStatus('current') if mibBuilder.loadTexts: esiBitsFramingFormat.setDescription('This is the framing format of the BITS interface for this External Synchronization Interface (ESI) card.') esi_bits_coding_format = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ami', 1), ('b8zs', 2), ('hdb3', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiBitsCodingFormat.setStatus('current') if mibBuilder.loadTexts: esiBitsCodingFormat.setDescription('This is the coding format of the BITS interface for this External Synchronization Interface (ESI) card.') esi_bits_output_level = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('esiDs1Level0-6', 1), ('esiDs1Level1-2', 2), ('esiDs1Level1-8', 3), ('esiDs1Level2-4', 4), ('esiDs1Level3-0', 5)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiBitsOutputLevel.setStatus('current') if mibBuilder.loadTexts: esiBitsOutputLevel.setDescription('This is the output level (dB) of the DS1 BITS interface for this External Synchronization Interface (ESI) card.') esi_revertive_switching = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiRevertiveSwitching.setStatus('current') if mibBuilder.loadTexts: esiRevertiveSwitching.setDescription('This is the status of the revertive switching for timing sources on this External Synchronization Interface (ESI) card.') esi_revertive_delay = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 11), time_interval()).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiRevertiveDelay.setStatus('current') if mibBuilder.loadTexts: esiRevertiveDelay.setDescription('This is the amount of time after the restoration of the primary timing reference before the External Synchronization Interface (ESI) card will be instructed to return to the primary timing reference. This value is truncated to whole seconds.') esi_switching_delay = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 1, 1, 12), time_interval()).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiSwitchingDelay.setStatus('current') if mibBuilder.loadTexts: esiSwitchingDelay.setDescription('This is the amount of time after the failure of a timing reference before the External Synchronization Interface (ESI) card will be instructed to switch to the next available timing reference. This value is truncated to whole seconds.') esi_reference_table = mib_table((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2)) if mibBuilder.loadTexts: esiReferenceTable.setStatus('current') if mibBuilder.loadTexts: esiReferenceTable.setDescription('This table contains the timing reference source information for the External Synchronization Interface (ESI) card.') esi_reference_entry = mib_table_row((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1)).setIndexNames((0, 'Fore-TCM-MIB', 'esiCardIndex'), (0, 'Fore-TCM-MIB', 'esiRefSource')) if mibBuilder.loadTexts: esiReferenceEntry.setStatus('current') if mibBuilder.loadTexts: esiReferenceEntry.setDescription('This table entry contains the timing reference source information for a single External Synchronization Interface (ESI) card.') esi_ref_source = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1, 1), esi_reference_source()).setMaxAccess('readonly') if mibBuilder.loadTexts: esiRefSource.setStatus('current') if mibBuilder.loadTexts: esiRefSource.setDescription('This is the timing reference source index for the External Synchronization Interface (ESI) card.') esi_ref_source_text = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: esiRefSourceText.setStatus('current') if mibBuilder.loadTexts: esiRefSourceText.setDescription('This is a textual description of the timing reference source that is provided to the External Synchronization Interface (ESI) card.') esi_ref_source_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('available', 1), ('unavailable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: esiRefSourceStatus.setStatus('current') if mibBuilder.loadTexts: esiRefSourceStatus.setDescription('This is the status of the timing reference source that is provided to the External Synchornization Interface (ESI) card.') esi_ref_source_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('up', 1), ('down', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiRefSourceAdminStatus.setStatus('current') if mibBuilder.loadTexts: esiRefSourceAdminStatus.setDescription('This is the admin status of the timing reference source that is provided to the External Synchornization Interface (ESI) card.') esi_ref_source_qual_status = mib_table_column((1, 3, 6, 1, 4, 1, 326, 2, 2, 1, 8, 2, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ok', 1), ('fail', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: esiRefSourceQualStatus.setStatus('current') if mibBuilder.loadTexts: esiRefSourceQualStatus.setDescription('This is the RefQual status of the timing reference source that is provided to the External Synchornization Interface (ESI) card.') ecp_operating_mode_change = notification_type((1, 3, 6, 1, 4, 1, 326, 2, 2, 0, 1050)).setObjects(('Fore-TCM-MIB', 'ecpBoardIndex'), ('Fore-TCM-MIB', 'ecpOperatingStatus'), ('Fore-TrapLog-MIB', 'trapLogIndex')) if mibBuilder.loadTexts: ecpOperatingModeChange.setStatus('current') if mibBuilder.loadTexts: ecpOperatingModeChange.setDescription('This trap indicates that the Extended Control Processor (ECP) has change operating state.') esi_timing_source_change = notification_type((1, 3, 6, 1, 4, 1, 326, 2, 2, 0, 1051)).setObjects(('Fore-TCM-MIB', 'esiCardIndex'), ('Fore-TCM-MIB', 'esiCurrentTimingRef'), ('Fore-TCM-MIB', 'esiRefSource'), ('Fore-TrapLog-MIB', 'trapLogIndex')) if mibBuilder.loadTexts: esiTimingSourceChange.setStatus('current') if mibBuilder.loadTexts: esiTimingSourceChange.setDescription('This trap is generated whenever the External Synchronization Interface (ESI) timing source (esiCurrentTimingRef) is changed either manually or by the system due to failure detection.') esi_timing_source_failed = notification_type((1, 3, 6, 1, 4, 1, 326, 2, 2, 0, 1052)).setObjects(('Fore-TCM-MIB', 'esiCardIndex'), ('Fore-TCM-MIB', 'esiCurrentTimingRef'), ('Fore-TCM-MIB', 'esiRefSource'), ('Fore-TrapLog-MIB', 'trapLogIndex')) if mibBuilder.loadTexts: esiTimingSourceFailed.setStatus('current') if mibBuilder.loadTexts: esiTimingSourceFailed.setDescription('This trap is generated whenever the External Synchronization Interface (ESI) timing source (esiCurrentTimingRef) fails.') ecp_standby_failed = notification_type((1, 3, 6, 1, 4, 1, 326, 2, 2, 0, 1076)).setObjects(('Fore-TCM-MIB', 'ecpBoardIndex'), ('Fore-TrapLog-MIB', 'trapLogIndex')) if mibBuilder.loadTexts: ecpStandbyFailed.setStatus('current') if mibBuilder.loadTexts: ecpStandbyFailed.setDescription('This trap is generated whenever the Standby Timing Control Module (TCM) appears to haved failed. This is determined by lack of response from it.') mibBuilder.exportSymbols('Fore-TCM-MIB', ecpAlarmGroup=ecpAlarmGroup, EsiReferenceSource=EsiReferenceSource, ecpTcpStatsEntry=ecpTcpStatsEntry, ecpNetIfTable=ecpNetIfTable, ecpOtherEcpStatus=ecpOtherEcpStatus, ecpAlarmMajorCategory=ecpAlarmMajorCategory, ecpGMTime=ecpGMTime, ecpNetIfOutNUcastPkts=ecpNetIfOutNUcastPkts, ecpIpRouteDest=ecpIpRouteDest, ecpTcpActiveOpens=ecpTcpActiveOpens, ecpIcmpInaddrMasks=ecpIcmpInaddrMasks, ecpIcmpInRedirects=ecpIcmpInRedirects, ecpSerialIfPortStopBits=ecpSerialIfPortStopBits, ecpIpStatsTable=ecpIpStatsTable, ecpExternalInput2=ecpExternalInput2, ecpAlarmRelayIndex=ecpAlarmRelayIndex, ecpIpStatsEntry=ecpIpStatsEntry, ecpIpReasmReqds=ecpIpReasmReqds, ecpSerialIfPortSpeed=ecpSerialIfPortSpeed, ecpExternalInput3=ecpExternalInput3, ecpSnmp=ecpSnmp, esiRefSourceText=esiRefSourceText, ecpIcmpInTimestampReps=ecpIcmpInTimestampReps, esiCardIndex=esiCardIndex, esiBitsFramingFormat=esiBitsFramingFormat, ecpType=ecpType, ecpSoftwareVersionText=ecpSoftwareVersionText, ecpIpReasmFails=ecpIpReasmFails, ecpAlarmTable=ecpAlarmTable, ecpTcpPassiveOpens=ecpTcpPassiveOpens, ecpIpRouteEntry=ecpIpRouteEntry, ecpBoardOtherEcpPresent=ecpBoardOtherEcpPresent, ecpAlarmRelayTable=ecpAlarmRelayTable, ecpIcmpStatsEntry=ecpIcmpStatsEntry, ecpIpForwarding=ecpIpForwarding, ecpIcmpOutTimestamps=ecpIcmpOutTimestamps, ecpIcmpOutTimestampReps=ecpIcmpOutTimestampReps, ecpExternalInput4=ecpExternalInput4, ecpIpRouteTable=ecpIpRouteTable, ecpUdpNoPorts=ecpUdpNoPorts, ecpTcpStatsTable=ecpTcpStatsTable, ecpSwMainTable=ecpSwMainTable, ecpIpRouteMask=ecpIpRouteMask, ecpIpForwDatagrams=ecpIpForwDatagrams, esiRevertiveSwitching=esiRevertiveSwitching, ecpSerialIfPortBits=ecpSerialIfPortBits, ecpIcmpInParmProbs=ecpIcmpInParmProbs, ecpOperatingModeChange=ecpOperatingModeChange, ecpIpInAddrErrors=ecpIpInAddrErrors, ecpNetIfDescr=ecpNetIfDescr, PYSNMP_MODULE_ID=ecpStationModule, esiHardware=esiHardware, esiRefSourceAdminStatus=esiRefSourceAdminStatus, ecpNetIfIpBcastAddr=ecpNetIfIpBcastAddr, ecpModeChangeTime=ecpModeChangeTime, ecpSerialIfPortParity=ecpSerialIfPortParity, ecpTcpCurrEstab=ecpTcpCurrEstab, ecpIcmpOutParmProbs=ecpIcmpOutParmProbs, esiRequestedTimingRef=esiRequestedTimingRef, esiRevertiveDelay=esiRevertiveDelay, ecpTrapDestTable=ecpTrapDestTable, ecpAlarmMinorCategory=ecpAlarmMinorCategory, ecpBoardEsiPresent=ecpBoardEsiPresent, ecpSwMainGroup=ecpSwMainGroup, esiPrimaryRefSource=esiPrimaryRefSource, ecpNetIfOutUcastPkts=ecpNetIfOutUcastPkts, ecpIcmpInSrcQuenchs=ecpIcmpInSrcQuenchs, ecpTcpInSegs=ecpTcpInSegs, esiBitsOutputLevel=esiBitsOutputLevel, ecpUdpStatsTable=ecpUdpStatsTable, ecpSoftware=ecpSoftware, ecpEnvironment=ecpEnvironment, ecpSerialIfPortIndex=ecpSerialIfPortIndex, ecpIpRouteMetric1=ecpIpRouteMetric1, ecpAlarmEntry=ecpAlarmEntry, esiRefSourceStatus=esiRefSourceStatus, esiSwitchingDelay=esiSwitchingDelay, ecpIcmpOutEchoReps=ecpIcmpOutEchoReps, ecpUdpStatsEntry=ecpUdpStatsEntry, ecpIpInDiscards=ecpIpInDiscards, ecpIpOutRequests=ecpIpOutRequests, ecpHardware=ecpHardware, ecpBoardTable=ecpBoardTable, esiHwCardType=esiHwCardType, ecpNetIfPhysAddress=ecpNetIfPhysAddress, esiCardSwTable=esiCardSwTable, esiOperationStatus=esiOperationStatus, ecpNetIfLastChange=ecpNetIfLastChange, ecpAlarmReset=ecpAlarmReset, ecpIcmpStatsTable=ecpIcmpStatsTable, esiHwPllStatus=esiHwPllStatus, ecpIpRouteNextHop=ecpIpRouteNextHop, ecpIcmpInEchos=ecpIcmpInEchos, ecpNetIfOutQLen=ecpNetIfOutQLen, ecpIcmpInEchoReps=ecpIcmpInEchoReps, esiCardHwEntry=esiCardHwEntry, ecpNetIfOutDiscards=ecpNetIfOutDiscards, esiCardSwEntry=esiCardSwEntry, ecpSerialIfPortType=ecpSerialIfPortType, ecpTimeZone=ecpTimeZone, ecpTrapDestEntry=ecpTrapDestEntry, ecpIpOutDiscards=ecpIpOutDiscards, ecpAlarmStatus=ecpAlarmStatus, ecpUdpInDatagrams=ecpUdpInDatagrams, ecpOperatingStatus=ecpOperatingStatus, ecpNetIfInUnknownProtos=ecpNetIfInUnknownProtos, ecpIpGroup=ecpIpGroup, ecpIpFragOKs=ecpIpFragOKs, esiCardHwTable=esiCardHwTable, ecpExternalInput1=ecpExternalInput1, esiTimingSourceFailed=esiTimingSourceFailed, ecpIpOutNoRoutes=ecpIpOutNoRoutes, ecpIpFragFails=ecpIpFragFails, ecpIpRouteType=ecpIpRouteType, ecpIpConfigTable=ecpIpConfigTable, ecpUdpOutDatagrams=ecpUdpOutDatagrams, ecpNetIfStatsEntry=ecpNetIfStatsEntry, ecpTrapNumberOfDest=ecpTrapNumberOfDest, ecpAlarmRelayFunction=ecpAlarmRelayFunction, ecpSerialIfFlowType=ecpSerialIfFlowType, ecpNetIfInErrors=ecpNetIfInErrors, ecpSerialIfTable=ecpSerialIfTable, ecpNetIfOutOctets=ecpNetIfOutOctets, ecpIpInHdrErrors=ecpIpInHdrErrors, ecpSoftwareVersion=ecpSoftwareVersion, ecpNetIfOperStatus=ecpNetIfOperStatus, ecpTcpOutSegs=ecpTcpOutSegs, ecpIcmpOutTimeExcds=ecpIcmpOutTimeExcds, ecpTrapConfGroup=ecpTrapConfGroup, ecpSerialIfEntry=ecpSerialIfEntry, ecpHardwareVersion=ecpHardwareVersion, ecpUptime=ecpUptime, ecpTrapDest=ecpTrapDest, esiHwCardVersion=esiHwCardVersion, ecpName=ecpName, ecpStandbyFailed=ecpStandbyFailed, ecpIcmpInAddrMaskReps=ecpIcmpInAddrMaskReps, ecpIcmpOutEchos=ecpIcmpOutEchos, ecpExternalInput5=ecpExternalInput5, ecpBoardEntry=ecpBoardEntry, ecpIpInDelivers=ecpIpInDelivers, ecpIcmpInErrors=ecpIcmpInErrors, esiCurrentTimingRef=esiCurrentTimingRef, ecpIcmpInTimeExcds=ecpIcmpInTimeExcds, ecpNetIfInNUcastPkts=ecpNetIfInNUcastPkts, ecpIcmpInMsgs=ecpIcmpInMsgs, ecpIcmpOutRedirects=ecpIcmpOutRedirects, esiTimingSourceChange=esiTimingSourceChange, ecpAlarmRelayEntry=ecpAlarmRelayEntry, ecpIcmpOutDestUnreachs=ecpIcmpOutDestUnreachs, ecpNetIfStatsTable=ecpNetIfStatsTable, esiCurrentFaultBits=esiCurrentFaultBits, ecpNetIfIpAddr=ecpNetIfIpAddr, ecpNetIfInDiscards=ecpNetIfInDiscards, ecpIpConfigEntry=ecpIpConfigEntry, ecpIpReasmOKs=ecpIpReasmOKs, esiRefSource=esiRefSource, ecpIpFragCreates=ecpIpFragCreates, ecpIcmpInDestUnreach=ecpIcmpInDestUnreach, ecpTcpEstabResets=ecpTcpEstabResets, ecpNetIfInUcastPkts=ecpNetIfInUcastPkts, esiBitsCodingFormat=esiBitsCodingFormat, ecpIcmpInTimestamps=ecpIcmpInTimestamps, ecpAlarmType=ecpAlarmType, ecpNetIfIndex=ecpNetIfIndex, ecpIpRouteIfIndex=ecpIpRouteIfIndex, ecpNetIfAdminStatus=ecpNetIfAdminStatus, ecpIcmpOutErrors=ecpIcmpOutErrors, ecpTrapDestStatus=ecpTrapDestStatus, esiCard=esiCard, ecpNetIfEntry=ecpNetIfEntry, esiReferenceEntry=esiReferenceEntry, esiRefSourceQualStatus=esiRefSourceQualStatus, ecpBoardSerialNumber=ecpBoardSerialNumber, ecpIpInUnknownProtos=ecpIpInUnknownProtos, esiSecondaryRefSource=esiSecondaryRefSource, ecpTcpRetransSegs=ecpTcpRetransSegs, ecpUdpInErrors=ecpUdpInErrors, esiReferenceTable=esiReferenceTable, ecpAlarmMinorRelayState=ecpAlarmMinorRelayState, ecpNetIfOutErrors=ecpNetIfOutErrors, ecpIcmpOutSrcQuenchs=ecpIcmpOutSrcQuenchs, ecpSwMainEntry=ecpSwMainEntry, ecpTcpAttemptFails=ecpTcpAttemptFails, ecpBoardVersion=ecpBoardVersion, ecpIpInReceives=ecpIpInReceives, ecpAlarmMajorRelayState=ecpAlarmMajorRelayState, ecpBoardIndex=ecpBoardIndex, ecpAlarmRelayState=ecpAlarmRelayState, ecpIcmpOutMsgs=ecpIcmpOutMsgs, ecpIcmpOutAddrMaskReps=ecpIcmpOutAddrMaskReps, ecpProtocolType=ecpProtocolType, ecpNetIfIpMask=ecpNetIfIpMask, ecpIcmpOutAddrMasks=ecpIcmpOutAddrMasks, esiSoftware=esiSoftware, ecpNetIfInOctets=ecpNetIfInOctets, ecpStationModule=ecpStationModule)
# FINDING ARE OF TRIANGLE N = list(map(int, input().split(' ')[:2])) print(0.5*N[0]*N[1])
n = list(map(int, input().split(' ')[:2])) print(0.5 * N[0] * N[1])
def missing_ranges(nums): LOW, HIGH = 0, 100 nums.append(HIGH) ranges = [] low = LOW for num in nums: if num == low + 1: ranges.append(str(num - 1)) elif num > low + 1: ranges.append("{}->{}".format(low, num - 1)) low = num + 1 return ranges if __name__ == "__main__": test_arrs = [ [0, 1, 3, 50, 75], [20, 37, 55], [], list(range(100)), list(range(0, 100, 2)) ] for index, test_arr in enumerate(test_arrs): print("Test Case #{}: {}".format(index + 1, missing_ranges(test_arr)))
def missing_ranges(nums): (low, high) = (0, 100) nums.append(HIGH) ranges = [] low = LOW for num in nums: if num == low + 1: ranges.append(str(num - 1)) elif num > low + 1: ranges.append('{}->{}'.format(low, num - 1)) low = num + 1 return ranges if __name__ == '__main__': test_arrs = [[0, 1, 3, 50, 75], [20, 37, 55], [], list(range(100)), list(range(0, 100, 2))] for (index, test_arr) in enumerate(test_arrs): print('Test Case #{}: {}'.format(index + 1, missing_ranges(test_arr)))
while True: num = int(input()) if num == 0: break a = 0 b = 0 turn_a = True i = 0 while num != 0: bit = num & 1 num = num >> 1 if bit == 1: if turn_a: a ^= (1 << i) else: b ^= (1 << i) turn_a = not turn_a i += 1 print ("{} {}".format(a, b))
while True: num = int(input()) if num == 0: break a = 0 b = 0 turn_a = True i = 0 while num != 0: bit = num & 1 num = num >> 1 if bit == 1: if turn_a: a ^= 1 << i else: b ^= 1 << i turn_a = not turn_a i += 1 print('{} {}'.format(a, b))
N, T = map(int, input().split()) c = [0 for i in range(N)] t = [0 for i in range(N)] for i in range(N): c[i], t[i] = map(int, input().split()) ans = float('inf') flag = False for i in range(N): if t[i] <= T: flag = True if ans > c[i]: ans = c[i] if flag: print(ans) else: print('TLE')
(n, t) = map(int, input().split()) c = [0 for i in range(N)] t = [0 for i in range(N)] for i in range(N): (c[i], t[i]) = map(int, input().split()) ans = float('inf') flag = False for i in range(N): if t[i] <= T: flag = True if ans > c[i]: ans = c[i] if flag: print(ans) else: print('TLE')
class ArrayError(Exception): pass class IndexOutOfBoundsError(ArrayError): pass class ValueNotFoundError(Exception): pass
class Arrayerror(Exception): pass class Indexoutofboundserror(ArrayError): pass class Valuenotfounderror(Exception): pass
n=int(input()) p=[] k=0 l=list(map(int,input().split())) l=sorted(l) for i in range(len(l)): c=l.count(l[i]) if(c>1): if(l[i] not in p): p.append(l[i]) i=i+c-1 k=k+1 if(k==0): print("unique") else: for i in p: print(i,end=" ")
n = int(input()) p = [] k = 0 l = list(map(int, input().split())) l = sorted(l) for i in range(len(l)): c = l.count(l[i]) if c > 1: if l[i] not in p: p.append(l[i]) i = i + c - 1 k = k + 1 if k == 0: print('unique') else: for i in p: print(i, end=' ')
#!/usr/bin/env python3 PIECE_SIZE = 4096 LOCALHOST = '127.0.0.1' SERVER_PORT = 5000 CIPHER_MATRIX = [ [-3, -3, -4], [0, 1, 1], [4, 3, 4] ] INVERSE_CIPHER = [ [1, 0, 1], [4, 4, 3], [-4, -3, -3] ] CIPHER_ROW_LENGTH = 3 CIPHER_COL_LENGTH = 3 POLY_LENGTH = 4 CRC_POLYNOMIAL = '1011' # x^3 + x + 1
piece_size = 4096 localhost = '127.0.0.1' server_port = 5000 cipher_matrix = [[-3, -3, -4], [0, 1, 1], [4, 3, 4]] inverse_cipher = [[1, 0, 1], [4, 4, 3], [-4, -3, -3]] cipher_row_length = 3 cipher_col_length = 3 poly_length = 4 crc_polynomial = '1011'
#!/usr/bin/env python3 # https://codeforces.com/problemset/problem/1159/A n = int(input()) ol = list(input()) ol.reverse() c = 0 pc = 0 for o in ol: if o=='+': if pc==0: c += 1 else: pc -= 1 if o=='-': pc += 1 print(c)
n = int(input()) ol = list(input()) ol.reverse() c = 0 pc = 0 for o in ol: if o == '+': if pc == 0: c += 1 else: pc -= 1 if o == '-': pc += 1 print(c)
_base_ = [ './pipelines/semisl_pipeline.py' ] __train_pipeline = {{_base_.train_pipeline}} __train_pipeline_strong = {{_base_.train_pipeline_strong}} __test_pipeline = {{_base_.test_pipeline}} data = dict( samples_per_gpu=64, workers_per_gpu=4, num_classes=10, train=dict( type='ClsTVDataset', base='SVHN', data_prefix='data/torchvision/svhn', split='train', num_images=100, pipeline=__train_pipeline, samples_per_gpu=16, workers_per_gpu=2, download=True, ), # Unlabeled Dataset unlabeled=dict( type='ClsTVDataset', base='SVHN', split='train', data_prefix='data/torchvision/svhn', num_images=400, pipeline=dict( weak=__train_pipeline, strong=__train_pipeline_strong ), samples_per_gpu=48, workers_per_gpu=2, download=True, use_labels=False ), val=dict( type='ClsTVDataset', base='SVHN', split='train', data_prefix='data/torchvision/svhn', num_images=1400, samples_per_gpu=64, workers_per_gpu=4, pipeline=__test_pipeline, download=True, ), test=dict( type='ClsTVDataset', base='SVHN', split='test', data_prefix='data/torchvision/svhn', num_images=-1, samples_per_gpu=128, workers_per_gpu=4, pipeline=__test_pipeline, download=True, ) )
_base_ = ['./pipelines/semisl_pipeline.py'] __train_pipeline = {{_base_.train_pipeline}} __train_pipeline_strong = {{_base_.train_pipeline_strong}} __test_pipeline = {{_base_.test_pipeline}} data = dict(samples_per_gpu=64, workers_per_gpu=4, num_classes=10, train=dict(type='ClsTVDataset', base='SVHN', data_prefix='data/torchvision/svhn', split='train', num_images=100, pipeline=__train_pipeline, samples_per_gpu=16, workers_per_gpu=2, download=True), unlabeled=dict(type='ClsTVDataset', base='SVHN', split='train', data_prefix='data/torchvision/svhn', num_images=400, pipeline=dict(weak=__train_pipeline, strong=__train_pipeline_strong), samples_per_gpu=48, workers_per_gpu=2, download=True, use_labels=False), val=dict(type='ClsTVDataset', base='SVHN', split='train', data_prefix='data/torchvision/svhn', num_images=1400, samples_per_gpu=64, workers_per_gpu=4, pipeline=__test_pipeline, download=True), test=dict(type='ClsTVDataset', base='SVHN', split='test', data_prefix='data/torchvision/svhn', num_images=-1, samples_per_gpu=128, workers_per_gpu=4, pipeline=__test_pipeline, download=True))
i = 0 #defines the integer while (i<119): #i is less than 119 print(i) #prints current value of 1 i += 10 #adds 10 to i
i = 0 while i < 119: print(i) i += 10
# # PySNMP MIB module CISCO-DMN-DSG-VIDEO-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-DMN-DSG-VIDEO-MIB # Produced by pysmi-0.3.4 at Wed May 1 11:55:19 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ConstraintsIntersection, ConstraintsUnion, ValueSizeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsIntersection", "ConstraintsUnion", "ValueSizeConstraint", "SingleValueConstraint") ciscoDSGUtilities, = mibBuilder.importSymbols("CISCO-DMN-DSG-ROOT-MIB", "ciscoDSGUtilities") ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup") Unsigned32, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, Gauge32, Integer32, TimeTicks, NotificationType, iso, Bits, ObjectIdentity, ModuleIdentity, Counter32, IpAddress, MibIdentifier = mibBuilder.importSymbols("SNMPv2-SMI", "Unsigned32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "Gauge32", "Integer32", "TimeTicks", "NotificationType", "iso", "Bits", "ObjectIdentity", "ModuleIdentity", "Counter32", "IpAddress", "MibIdentifier") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") ciscoDSGVideo = ModuleIdentity((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14)) ciscoDSGVideo.setRevisions(('2010-10-13 08:00', '2010-08-30 11:00', '2010-03-22 05:00', '2010-02-12 12:00', '2009-12-07 12:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ciscoDSGVideo.setRevisionsDescriptions(('V01.00.04 2010-10-13 Updated videoPVFormat options for migrating D985X/D9865 to generic logic.', 'V01.00.03 2010-08-30 Updated for adherence to SNMPv2 format.', 'V01.00.02 2010-03-22 The Syntax of Unsigned32 MIB objects whose range is within the range of Integer32, is updated to Integer32.', 'V01.00.01 2010-02-12 The Syntax of read-only objects is updated to DisplayString.', 'V01.00.00 2009-12-07 Initial Version.',)) if mibBuilder.loadTexts: ciscoDSGVideo.setLastUpdated('201010130800Z') if mibBuilder.loadTexts: ciscoDSGVideo.setOrganization('Cisco Systems, Inc.') if mibBuilder.loadTexts: ciscoDSGVideo.setContactInfo('Cisco Systems, Inc. Customer Service Postal: 170 W Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553 NETS E-mail: cs-ipsla@cisco.com') if mibBuilder.loadTexts: ciscoDSGVideo.setDescription('Cisco DSG Video MIB.') videoCtrlTable = MibTable((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1), ) if mibBuilder.loadTexts: videoCtrlTable.setStatus('current') if mibBuilder.loadTexts: videoCtrlTable.setDescription('Video Control Table.') videoCtrlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1), ).setIndexNames((0, "CISCO-DMN-DSG-VIDEO-MIB", "videoCtrlInstance")) if mibBuilder.loadTexts: videoCtrlEntry.setStatus('current') if mibBuilder.loadTexts: videoCtrlEntry.setDescription('Entry for Video Control Table.') videoCtrlInstance = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))) if mibBuilder.loadTexts: videoCtrlInstance.setStatus('current') if mibBuilder.loadTexts: videoCtrlInstance.setDescription('Instance for Video Control Table.') videoPVFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("auto", 1), ("hd1080i", 2), ("hd720p", 3), ("sd", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: videoPVFormat.setStatus('current') if mibBuilder.loadTexts: videoPVFormat.setDescription('Primary Video Format: 1080i/720p/SD/Auto.') videoSDFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("auto", 1), ("ntsc", 2), ("palBG", 3), ("palD", 4), ("palI", 5), ("palM", 6), ("palNAR", 7), ("ntscJ", 8)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: videoSDFormat.setStatus('current') if mibBuilder.loadTexts: videoSDFormat.setDescription('Standard Definition Video Format: PAL-B/G /PAL-D/PAL-I/PAL-M/ PAL-N(AR)/NTSC/NTSC-J/AUTO.') videoTriSynch = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: videoTriSynch.setStatus('current') if mibBuilder.loadTexts: videoTriSynch.setDescription('Component Tri-Sync Enabled/Disabled.') videoCutoff = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: videoCutoff.setStatus('current') if mibBuilder.loadTexts: videoCutoff.setDescription('Enable/Disable cutting video when an alarm occurs.') aspectRatioSD = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fourThird", 1), ("sixteenNinth", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: aspectRatioSD.setStatus('current') if mibBuilder.loadTexts: aspectRatioSD.setDescription('Standard Definition Aspect Ratio: 4:3/16:9.') aspectRatioSelection = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("none", 1), ("auto", 2), ("autoAFD", 3), ("sixteenByNineLetterBox", 4), ("fourByThreePillarBox", 5), ("fourteenByNine", 6), ("fourByThreeCCO", 7), ("sixteenByNineSCALE", 8)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: aspectRatioSelection.setStatus('current') if mibBuilder.loadTexts: aspectRatioSelection.setDescription('Aspect Ratio Selection.') closedCaptionPrefMode = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("auto", 1), ("saCustom", 2), ("eia708", 3), ("type3", 4), ("type4SA", 5), ("type4ATSC", 6), ("reserved", 7), ("dvs157", 8)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: closedCaptionPrefMode.setStatus('current') if mibBuilder.loadTexts: closedCaptionPrefMode.setDescription('Preferred Closed Captioning Mode if multiple in stream.') videoStatusTable = MibTable((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2), ) if mibBuilder.loadTexts: videoStatusTable.setStatus('current') if mibBuilder.loadTexts: videoStatusTable.setDescription('Video Status Table.') videoStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1), ).setIndexNames((0, "CISCO-DMN-DSG-VIDEO-MIB", "videoStatusInstance")) if mibBuilder.loadTexts: videoStatusEntry.setStatus('current') if mibBuilder.loadTexts: videoStatusEntry.setDescription('Entry for Video Status Table.') videoStatusInstance = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))) if mibBuilder.loadTexts: videoStatusInstance.setStatus('current') if mibBuilder.loadTexts: videoStatusInstance.setDescription('Instance for Video Status Table.') videoStream = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("sd480i2997", 1), ("sd480i3000", 2), ("sd576i2500", 3), ("hd720p5000", 4), ("hd720p5994", 5), ("hd720p6000", 6), ("hd1080i2500", 7), ("hd1080i2997", 8), ("hd1080i3000", 9), ("unknown", 10), ("unsupported", 11)))).setMaxAccess("readonly") if mibBuilder.loadTexts: videoStream.setStatus('current') if mibBuilder.loadTexts: videoStream.setDescription('Video Stream Format.') videoPVOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("hd1080i", 1), ("hd720p", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: videoPVOutput.setStatus('current') if mibBuilder.loadTexts: videoPVOutput.setDescription('Primary Video Actual Output Format.') videoSDOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("ntsc", 1), ("palBG", 2), ("palD", 3), ("palI", 4), ("palM", 5), ("palNAR", 6), ("ntscJ", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: videoSDOutput.setStatus('current') if mibBuilder.loadTexts: videoSDOutput.setDescription('Standard Definition Actual Video Output Format.') videoBitRate = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: videoBitRate.setStatus('current') if mibBuilder.loadTexts: videoBitRate.setDescription('Video Bitrate in Mbps.The range is from 0.0 to 4294.967295 Mbps in steps of 0.000001 Mbps.') video32PullDown = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("yes", 1), ("no", 2), ("recent", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: video32PullDown.setStatus('current') if mibBuilder.loadTexts: video32PullDown.setDescription('3:2 Pulldown: Yes/No/Recent.') videoFPS = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: videoFPS.setStatus('current') if mibBuilder.loadTexts: videoFPS.setDescription('Frames per Second ( fps ).The range is from 0.0 to 4294967.295 fps.') videoSynchMode = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("auto", 1), ("manual", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: videoSynchMode.setStatus('current') if mibBuilder.loadTexts: videoSynchMode.setDescription('Synchronization Mode: Auto/Manual.') videoEncoding = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("unknown", 1), ("mpeg1", 2), ("mpeg2", 3), ("h264", 4), ("vc1", 5), ("mpeg4p2", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: videoEncoding.setStatus('current') if mibBuilder.loadTexts: videoEncoding.setDescription('Encoding format of the incoming video stream.') aspectRatioConversion = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("none", 1), ("fourByThreeLetterBox", 2), ("fourByThreePillarBox", 3), ("fourteenByNineLetterBox", 4), ("fourteenByNinePillarBox", 5), ("fourByThreeCCO", 6), ("sixteenByNineCCO", 7), ("sixteenByNineLBToFourteenByNineLB", 8), ("fourByThreePBToFourteenByNinePB", 9)))).setMaxAccess("readonly") if mibBuilder.loadTexts: aspectRatioConversion.setStatus('current') if mibBuilder.loadTexts: aspectRatioConversion.setDescription('Actual Aspect Ratio Conversion.') aspectRatioStreamAR = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("fourByThree", 1), ("sixteenByNine", 2), ("twoTwentyOneByHundred", 3), ("square", 4), ("unavailable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: aspectRatioStreamAR.setStatus('current') if mibBuilder.loadTexts: aspectRatioStreamAR.setDescription('Actual Video Stream Aspect Ratio.') aspectRatioWSSMode = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("passthrough", 1), ("suppress", 2), ("autoModify", 3), ("autoCreate", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: aspectRatioWSSMode.setStatus('current') if mibBuilder.loadTexts: aspectRatioWSSMode.setDescription('Widescreen Signalling Mode.') aspectRatioWSSStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("fourByThreeFullFormat", 1), ("sixteenByNineLetterBoxCentre", 2), ("sixteenByNineLetterBoxTop", 3), ("greaterThanSixteenByNineLetterBoxCentre", 4), ("fourteenByNineLetterBoxCentre", 5), ("fourteenByNineLetterBoxTop", 6), ("fourteenByNineFullFormatCentre", 7), ("sixteenByNineFullFormat", 8), ("undefined", 9)))).setMaxAccess("readonly") if mibBuilder.loadTexts: aspectRatioWSSStatus.setStatus('current') if mibBuilder.loadTexts: aspectRatioWSSStatus.setDescription('Widescreen Signalling Status.') closedCaptionActOP = MibTableColumn((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("auto", 1), ("saCustom", 2), ("eia708", 3), ("type3", 4), ("type4SA", 5), ("type4ATSC", 6), ("reserved", 7), ("dvs157", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: closedCaptionActOP.setStatus('current') if mibBuilder.loadTexts: closedCaptionActOP.setDescription('Actual Closed Captioning Output Mode.') mibBuilder.exportSymbols("CISCO-DMN-DSG-VIDEO-MIB", videoEncoding=videoEncoding, videoSDFormat=videoSDFormat, videoSynchMode=videoSynchMode, PYSNMP_MODULE_ID=ciscoDSGVideo, video32PullDown=video32PullDown, videoCtrlInstance=videoCtrlInstance, videoStream=videoStream, videoCtrlTable=videoCtrlTable, aspectRatioWSSStatus=aspectRatioWSSStatus, aspectRatioConversion=aspectRatioConversion, videoPVFormat=videoPVFormat, videoPVOutput=videoPVOutput, videoBitRate=videoBitRate, aspectRatioStreamAR=aspectRatioStreamAR, closedCaptionPrefMode=closedCaptionPrefMode, ciscoDSGVideo=ciscoDSGVideo, videoSDOutput=videoSDOutput, videoCutoff=videoCutoff, videoStatusTable=videoStatusTable, videoFPS=videoFPS, aspectRatioWSSMode=aspectRatioWSSMode, aspectRatioSD=aspectRatioSD, aspectRatioSelection=aspectRatioSelection, videoCtrlEntry=videoCtrlEntry, videoStatusInstance=videoStatusInstance, videoTriSynch=videoTriSynch, videoStatusEntry=videoStatusEntry, closedCaptionActOP=closedCaptionActOP)
(object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, constraints_intersection, constraints_union, value_size_constraint, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ConstraintsUnion', 'ValueSizeConstraint', 'SingleValueConstraint') (cisco_dsg_utilities,) = mibBuilder.importSymbols('CISCO-DMN-DSG-ROOT-MIB', 'ciscoDSGUtilities') (module_compliance, notification_group, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup', 'ObjectGroup') (unsigned32, mib_scalar, mib_table, mib_table_row, mib_table_column, counter64, gauge32, integer32, time_ticks, notification_type, iso, bits, object_identity, module_identity, counter32, ip_address, mib_identifier) = mibBuilder.importSymbols('SNMPv2-SMI', 'Unsigned32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64', 'Gauge32', 'Integer32', 'TimeTicks', 'NotificationType', 'iso', 'Bits', 'ObjectIdentity', 'ModuleIdentity', 'Counter32', 'IpAddress', 'MibIdentifier') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') cisco_dsg_video = module_identity((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14)) ciscoDSGVideo.setRevisions(('2010-10-13 08:00', '2010-08-30 11:00', '2010-03-22 05:00', '2010-02-12 12:00', '2009-12-07 12:00')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ciscoDSGVideo.setRevisionsDescriptions(('V01.00.04 2010-10-13 Updated videoPVFormat options for migrating D985X/D9865 to generic logic.', 'V01.00.03 2010-08-30 Updated for adherence to SNMPv2 format.', 'V01.00.02 2010-03-22 The Syntax of Unsigned32 MIB objects whose range is within the range of Integer32, is updated to Integer32.', 'V01.00.01 2010-02-12 The Syntax of read-only objects is updated to DisplayString.', 'V01.00.00 2009-12-07 Initial Version.')) if mibBuilder.loadTexts: ciscoDSGVideo.setLastUpdated('201010130800Z') if mibBuilder.loadTexts: ciscoDSGVideo.setOrganization('Cisco Systems, Inc.') if mibBuilder.loadTexts: ciscoDSGVideo.setContactInfo('Cisco Systems, Inc. Customer Service Postal: 170 W Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553 NETS E-mail: cs-ipsla@cisco.com') if mibBuilder.loadTexts: ciscoDSGVideo.setDescription('Cisco DSG Video MIB.') video_ctrl_table = mib_table((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1)) if mibBuilder.loadTexts: videoCtrlTable.setStatus('current') if mibBuilder.loadTexts: videoCtrlTable.setDescription('Video Control Table.') video_ctrl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1)).setIndexNames((0, 'CISCO-DMN-DSG-VIDEO-MIB', 'videoCtrlInstance')) if mibBuilder.loadTexts: videoCtrlEntry.setStatus('current') if mibBuilder.loadTexts: videoCtrlEntry.setDescription('Entry for Video Control Table.') video_ctrl_instance = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 1))) if mibBuilder.loadTexts: videoCtrlInstance.setStatus('current') if mibBuilder.loadTexts: videoCtrlInstance.setDescription('Instance for Video Control Table.') video_pv_format = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('auto', 1), ('hd1080i', 2), ('hd720p', 3), ('sd', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: videoPVFormat.setStatus('current') if mibBuilder.loadTexts: videoPVFormat.setDescription('Primary Video Format: 1080i/720p/SD/Auto.') video_sd_format = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('auto', 1), ('ntsc', 2), ('palBG', 3), ('palD', 4), ('palI', 5), ('palM', 6), ('palNAR', 7), ('ntscJ', 8)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: videoSDFormat.setStatus('current') if mibBuilder.loadTexts: videoSDFormat.setDescription('Standard Definition Video Format: PAL-B/G /PAL-D/PAL-I/PAL-M/ PAL-N(AR)/NTSC/NTSC-J/AUTO.') video_tri_synch = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: videoTriSynch.setStatus('current') if mibBuilder.loadTexts: videoTriSynch.setDescription('Component Tri-Sync Enabled/Disabled.') video_cutoff = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: videoCutoff.setStatus('current') if mibBuilder.loadTexts: videoCutoff.setDescription('Enable/Disable cutting video when an alarm occurs.') aspect_ratio_sd = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fourThird', 1), ('sixteenNinth', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: aspectRatioSD.setStatus('current') if mibBuilder.loadTexts: aspectRatioSD.setDescription('Standard Definition Aspect Ratio: 4:3/16:9.') aspect_ratio_selection = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('none', 1), ('auto', 2), ('autoAFD', 3), ('sixteenByNineLetterBox', 4), ('fourByThreePillarBox', 5), ('fourteenByNine', 6), ('fourByThreeCCO', 7), ('sixteenByNineSCALE', 8)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: aspectRatioSelection.setStatus('current') if mibBuilder.loadTexts: aspectRatioSelection.setDescription('Aspect Ratio Selection.') closed_caption_pref_mode = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('auto', 1), ('saCustom', 2), ('eia708', 3), ('type3', 4), ('type4SA', 5), ('type4ATSC', 6), ('reserved', 7), ('dvs157', 8)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: closedCaptionPrefMode.setStatus('current') if mibBuilder.loadTexts: closedCaptionPrefMode.setDescription('Preferred Closed Captioning Mode if multiple in stream.') video_status_table = mib_table((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2)) if mibBuilder.loadTexts: videoStatusTable.setStatus('current') if mibBuilder.loadTexts: videoStatusTable.setDescription('Video Status Table.') video_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1)).setIndexNames((0, 'CISCO-DMN-DSG-VIDEO-MIB', 'videoStatusInstance')) if mibBuilder.loadTexts: videoStatusEntry.setStatus('current') if mibBuilder.loadTexts: videoStatusEntry.setDescription('Entry for Video Status Table.') video_status_instance = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 1))) if mibBuilder.loadTexts: videoStatusInstance.setStatus('current') if mibBuilder.loadTexts: videoStatusInstance.setDescription('Instance for Video Status Table.') video_stream = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('sd480i2997', 1), ('sd480i3000', 2), ('sd576i2500', 3), ('hd720p5000', 4), ('hd720p5994', 5), ('hd720p6000', 6), ('hd1080i2500', 7), ('hd1080i2997', 8), ('hd1080i3000', 9), ('unknown', 10), ('unsupported', 11)))).setMaxAccess('readonly') if mibBuilder.loadTexts: videoStream.setStatus('current') if mibBuilder.loadTexts: videoStream.setDescription('Video Stream Format.') video_pv_output = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('hd1080i', 1), ('hd720p', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: videoPVOutput.setStatus('current') if mibBuilder.loadTexts: videoPVOutput.setDescription('Primary Video Actual Output Format.') video_sd_output = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('ntsc', 1), ('palBG', 2), ('palD', 3), ('palI', 4), ('palM', 5), ('palNAR', 6), ('ntscJ', 7)))).setMaxAccess('readonly') if mibBuilder.loadTexts: videoSDOutput.setStatus('current') if mibBuilder.loadTexts: videoSDOutput.setDescription('Standard Definition Actual Video Output Format.') video_bit_rate = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: videoBitRate.setStatus('current') if mibBuilder.loadTexts: videoBitRate.setDescription('Video Bitrate in Mbps.The range is from 0.0 to 4294.967295 Mbps in steps of 0.000001 Mbps.') video32_pull_down = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('yes', 1), ('no', 2), ('recent', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: video32PullDown.setStatus('current') if mibBuilder.loadTexts: video32PullDown.setDescription('3:2 Pulldown: Yes/No/Recent.') video_fps = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: videoFPS.setStatus('current') if mibBuilder.loadTexts: videoFPS.setDescription('Frames per Second ( fps ).The range is from 0.0 to 4294967.295 fps.') video_synch_mode = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('auto', 1), ('manual', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: videoSynchMode.setStatus('current') if mibBuilder.loadTexts: videoSynchMode.setDescription('Synchronization Mode: Auto/Manual.') video_encoding = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('unknown', 1), ('mpeg1', 2), ('mpeg2', 3), ('h264', 4), ('vc1', 5), ('mpeg4p2', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: videoEncoding.setStatus('current') if mibBuilder.loadTexts: videoEncoding.setDescription('Encoding format of the incoming video stream.') aspect_ratio_conversion = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('none', 1), ('fourByThreeLetterBox', 2), ('fourByThreePillarBox', 3), ('fourteenByNineLetterBox', 4), ('fourteenByNinePillarBox', 5), ('fourByThreeCCO', 6), ('sixteenByNineCCO', 7), ('sixteenByNineLBToFourteenByNineLB', 8), ('fourByThreePBToFourteenByNinePB', 9)))).setMaxAccess('readonly') if mibBuilder.loadTexts: aspectRatioConversion.setStatus('current') if mibBuilder.loadTexts: aspectRatioConversion.setDescription('Actual Aspect Ratio Conversion.') aspect_ratio_stream_ar = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('fourByThree', 1), ('sixteenByNine', 2), ('twoTwentyOneByHundred', 3), ('square', 4), ('unavailable', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: aspectRatioStreamAR.setStatus('current') if mibBuilder.loadTexts: aspectRatioStreamAR.setDescription('Actual Video Stream Aspect Ratio.') aspect_ratio_wss_mode = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('passthrough', 1), ('suppress', 2), ('autoModify', 3), ('autoCreate', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: aspectRatioWSSMode.setStatus('current') if mibBuilder.loadTexts: aspectRatioWSSMode.setDescription('Widescreen Signalling Mode.') aspect_ratio_wss_status = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('fourByThreeFullFormat', 1), ('sixteenByNineLetterBoxCentre', 2), ('sixteenByNineLetterBoxTop', 3), ('greaterThanSixteenByNineLetterBoxCentre', 4), ('fourteenByNineLetterBoxCentre', 5), ('fourteenByNineLetterBoxTop', 6), ('fourteenByNineFullFormatCentre', 7), ('sixteenByNineFullFormat', 8), ('undefined', 9)))).setMaxAccess('readonly') if mibBuilder.loadTexts: aspectRatioWSSStatus.setStatus('current') if mibBuilder.loadTexts: aspectRatioWSSStatus.setDescription('Widescreen Signalling Status.') closed_caption_act_op = mib_table_column((1, 3, 6, 1, 4, 1, 1429, 2, 2, 5, 14, 2, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('auto', 1), ('saCustom', 2), ('eia708', 3), ('type3', 4), ('type4SA', 5), ('type4ATSC', 6), ('reserved', 7), ('dvs157', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: closedCaptionActOP.setStatus('current') if mibBuilder.loadTexts: closedCaptionActOP.setDescription('Actual Closed Captioning Output Mode.') mibBuilder.exportSymbols('CISCO-DMN-DSG-VIDEO-MIB', videoEncoding=videoEncoding, videoSDFormat=videoSDFormat, videoSynchMode=videoSynchMode, PYSNMP_MODULE_ID=ciscoDSGVideo, video32PullDown=video32PullDown, videoCtrlInstance=videoCtrlInstance, videoStream=videoStream, videoCtrlTable=videoCtrlTable, aspectRatioWSSStatus=aspectRatioWSSStatus, aspectRatioConversion=aspectRatioConversion, videoPVFormat=videoPVFormat, videoPVOutput=videoPVOutput, videoBitRate=videoBitRate, aspectRatioStreamAR=aspectRatioStreamAR, closedCaptionPrefMode=closedCaptionPrefMode, ciscoDSGVideo=ciscoDSGVideo, videoSDOutput=videoSDOutput, videoCutoff=videoCutoff, videoStatusTable=videoStatusTable, videoFPS=videoFPS, aspectRatioWSSMode=aspectRatioWSSMode, aspectRatioSD=aspectRatioSD, aspectRatioSelection=aspectRatioSelection, videoCtrlEntry=videoCtrlEntry, videoStatusInstance=videoStatusInstance, videoTriSynch=videoTriSynch, videoStatusEntry=videoStatusEntry, closedCaptionActOP=closedCaptionActOP)
class DistanceMeasureBase(object): @staticmethod def distances(fixed_x, fixed_y, x_vec, y_vec): ''' :param fixed_x: float :param fixed_y: float :param x_vec: np.array[float] :param y_vec: np.array[float] :return: np.array[float] ''' raise NotImplementedError()
class Distancemeasurebase(object): @staticmethod def distances(fixed_x, fixed_y, x_vec, y_vec): """ :param fixed_x: float :param fixed_y: float :param x_vec: np.array[float] :param y_vec: np.array[float] :return: np.array[float] """ raise not_implemented_error()
valid_codes = ( "01", "0101", "010110", "010111", "010119", "010120", "010121", "010129", "010130", "010190", "0102", "010210", "010221", "010229", "010231", "010239", "010290", "0103", "010310", "010391", "010392", "0104", "010410", "010420", "0105", "010511", "010512", "010513", "010514", "010515", "010519", "010591", "010592", "010593", "010594", "010599", "0106", "010600", "010611", "010612", "010613", "010613", "010614", "010619", "010619", "010620", "010631", "010632", "010633", "010639", "010641", "010649", "010690", "02", "0201", "020110", "020120", "020130", "0202", "020210", "020220", "020230", "0203", "020311", "020312", "020319", "020321", "020322", "020329", "0204", "020410", "020421", "020422", "020423", "020430", "020441", "020442", "020443", "020450", "0205", "020500", "0206", "020610", "020621", "020622", "020629", "020630", "020641", "020649", "020680", "020690", "0207", "020710", "020711", "020712", "020713", "020714", "020721", "020722", "020723", "020724", "020725", "020726", "020727", "020731", "020732", "020733", "020734", "020735", "020736", "020739", "020741", "020742", "020743", "020744", "020745", "020750", "020751", "020752", "020753", "020754", "020755", "020760", "0208", "020810", "020820", "020830", "020840", "020850", "020860", "020860", "020890", "0209", "020900", "020910", "020990", "0210", "021011", "021012", "021019", "021020", "021090", "021091", "021092", "021093", "021099", "03", "0301", "030110", "030111", "030119", "030191", "030192", "030193", "030193", "030194", "030195", "030199", "0302", "030211", "030212", "030213", "030214", "030219", "030219", "030221", "030221", "030222", "030223", "030224", "030224", "030229", "030231", "030232", "030233", "030234", "030235", "030236", "030239", "030240", "030241", "030242", "030243", "030244", "030245", "030246", "030247", "030249", "030250", "030251", "030252", "030253", "030254", "030255", "030256", "030259", "030261", "030262", "030263", "030264", "030265", "030266", "030267", "030268", "030269", "030270", "030271", "030272", "030273", "030273", "030274", "030279", "030281", "030282", "030282", "030283", "030284", "030285", "030285", "030289", "030290", "030291", "030292", "030299", "0303", "030310", "030311", "030312", "030313", "030314", "030319", "030321", "030322", "030323", "030324", "030325", "030325", "030326", "030329", "030329", "030331", "030331", "030332", "030333", "030334", "030334", "030339", "030341", "030342", "030343", "030344", "030345", "030346", "030349", "030350", "030351", "030352", "030353", "030354", "030355", "030356", "030357", "030359", "030360", "030361", "030362", "030363", "030364", "030365", "030366", "030367", "030368", "030369", "030369", "030371", "030372", "030373", "030374", "030375", "030376", "030377", "030378", "030379", "030380", "030381", "030382", "030382", "030383", "030384", "030389", "030390", "030391", "030392", "030399", "0304", "030410", "030411", "030412", "030419", "030420", "030421", "030422", "030429", "030431", "030432", "030433", "030439", "030439", "030441", "030442", "030443", "030443", "030444", "030444", "030445", "030446", "030447", "030448", "030448", "030449", "030451", "030452", "030452", "030453", "030453", "030454", "030455", "030456", "030457", "030457", "030459", "030461", "030462", "030463", "030469", "030469", "030471", "030472", "030473", "030474", "030475", "030479", "030479", "030481", "030482", "030483", "030483", "030484", "030485", "030486", "030487", "030488", "030488", "030489", "030490", "030491", "030492", "030493", "030494", "030495", "030495", "030496", "030497", "030497", "030499", "0305", "030510", "030520", "030530", "030531", "030532", "030532", "030539", "030541", "030542", "030543", "030544", "030549", "030551", "030552", "030553", "030553", "030554", "030559", "030561", "030562", "030563", "030564", "030569", "030571", "030572", "030579", "0306", "030611", "030612", "030613", "030614", "030615", "030616", "030617", "030619", "030621", "030622", "030623", "030624", "030625", "030626", "030627", "030629", "030631", "030632", "030633", "030634", "030635", "030636", "030639", "030691", "030692", "030693", "030694", "030695", "030699", "0307", "030710", "030711", "030712", "030719", "030721", "030722", "030729", "030731", "030732", "030739", "030741", "030741", "030742", "030742", "030743", "030743", "030749", "030749", "030751", "030752", "030759", "030760", "030771", "030771", "030772", "030772", "030779", "030779", "030781", "030782", "030782", "030783", "030784", "030784", "030787", "030788", "030788", "030789", "030791", "030792", "030799", "0308", "030811", "030811", "030812", "030812", "030819", "030819", "030821", "030821", "030822", "030822", "030829", "030829", "030830", "030890", "04", "0401", "040110", "040120", "040130", "040140", "040150", "0402", "040210", "040210", "040221", "040221", "040229", "040229", "040291", "040291", "040299", "040299", "0403", "0403", "040310", "040390", "040390", "0404", "040410", "040490", "0405", "040500", "040510", "040520", "040590", "0406", "040610", "040620", "040630", "040640", "040690", "0407", "040700", "040711", "040719", "040721", "040729", "040790", "0408", "040811", "040819", "040891", "040899", "0409", "040900", "0410", "041000", "05", "0501", "050100", "0502", "050210", "050290", "0503", "050300", "0504", "050400", "0505", "050510", "050590", "0506", "0506", "050610", "050610", "050690", "050690", "0507", "050710", "050790", "0508", "050800", "0509", "050900", "0510", "0510", "051000", "051000", "0511", "051110", "051191", "051199", "06", "0601", "060110", "060120", "0602", "060210", "060220", "060230", "060240", "060290", "060291", "060299", "0603", "060310", "060311", "060312", "060313", "060313", "060314", "060315", "060319", "060319", "060390", "0604", "060410", "060420", "060490", "060491", "060499", "07", "0701", "070110", "070190", "0702", "070200", "0703", "070310", "070320", "070390", "0704", "070410", "070420", "070490", "0705", "070511", "070519", "070521", "070529", "0706", "070610", "070690", "0707", "070700", "0708", "070810", "070820", "070890", "0709", "070910", "070920", "070930", "070940", "070951", "070952", "070959", "070960", "070970", "070990", "070991", "070992", "070993", "070999", "0710", "071010", "071021", "071022", "071029", "071030", "071040", "071080", "071090", "0711", "0711", "071110", "071110", "071120", "071130", "071140", "071151", "071159", "071190", "0712", "071210", "071220", "071230", "071231", "071232", "071233", "071239", "071290", "0713", "071310", "071320", "071331", "071332", "071333", "071333", "071334", "071335", "071339", "071340", "071350", "071360", "071390", "0714", "071410", "071420", "071430", "071440", "071450", "071490", "08", "0801", "080110", "080111", "080112", "080119", "080120", "080121", "080122", "080130", "080131", "080132", "0802", "080211", "080212", "080221", "080222", "080231", "080232", "080240", "080241", "080242", "080250", "080251", "080252", "080260", "080261", "080262", "080270", "080280", "080290", "0803", "080300", "080310", "080390", "0804", "080410", "080420", "080430", "080440", "080450", "0805", "080510", "080520", "080520", "080521", "080522", "080529", "080529", "080530", "080540", "080550", "080590", "0806", "080610", "080620", "0807", "080710", "080711", "080719", "080720", "0808", "080810", "080820", "080830", "080840", "0809", "080910", "080920", "080921", "080929", "080930", "080940", "0810", "081010", "081020", "081030", "081040", "081050", "081060", "081070", "081090", "0811", "081110", "081120", "081190", "0812", "0812", "081210", "081220", "081290", "0813", "081310", "081320", "081330", "081340", "081350", "0814", "081400", "09", "0901", "090111", "090112", "090121", "090122", "090130", "090140", "090190", "0902", "090210", "090220", "090230", "090240", "0903", "090300", "0904", "090411", "090412", "090420", "090421", "090422", "0905", "090500", "090510", "090520", "0906", "090610", "090611", "090619", "090620", "0907", "090700", "090710", "090720", "0908", "090810", "090811", "090812", "090820", "090821", "090822", "090830", "090831", "090832", "0909", "090910", "090920", "090921", "090922", "090930", "090931", "090932", "090940", "090950", "090961", "090962", "0910", "091010", "091011", "091012", "091020", "091030", "091040", "091050", "091091", "091099", "10", "1001", "100110", "100111", "100119", "100190", "100191", "100199", "1002", "100200", "100210", "100290", "1003", "100300", "100310", "100390", "1004", "100400", "100410", "100490", "1005", "100510", "100590", "1006", "100610", "100620", "100630", "100640", "1007", "100700", "100710", "100790", "1008", "100810", "100820", "100821", "100829", "100830", "100840", "100850", "100860", "100890", "11", "1101", "110100", "1102", "110210", "110220", "110230", "110290", "1103", "110311", "110312", "110313", "110314", "110319", "110320", "110321", "110329", "1104", "110411", "110412", "110419", "110421", "110422", "110423", "110429", "110430", "1105", "110510", "110520", "1106", "110610", "110620", "110630", "1107", "110710", "110720", "1108", "110811", "110812", "110813", "110814", "110819", "110820", "1109", "110900", "12", "1201", "120100", "120110", "120190", "1202", "120210", "120220", "120230", "120241", "120242", "1203", "120300", "1204", "120400", "1205", "120500", "120510", "120510", "120590", "1206", "120600", "1207", "120710", "120720", "120721", "120729", "120730", "120740", "120750", "120760", "120770", "120791", "120792", "120799", "1208", "120810", "120890", "1209", "120910", "120911", "120919", "120921", "120922", "120923", "120924", "120925", "120926", "120929", "120930", "120991", "120999", "1210", "121010", "121020", "1211", "1211", "121110", "121110", "121120", "121120", "121130", "121130", "121140", "121140", "121150", "121150", "121190", "121190", "1212", "121210", "121220", "121221", "121229", "121230", "121291", "121292", "121293", "121294", "121299", "1213", "121300", "1214", "121410", "121490", "13", "1301", "130110", "130120", "130190", "1302", "130211", "130212", "130213", "130214", "130219", "130220", "130231", "130232", "130239", "14", "1401", "140110", "140120", "140190", "1402", "140200", "140210", "140290", "140291", "140299", "1403", "140300", "140310", "140390", "1404", "140410", "140420", "140490", "15", "1501", "150100", "150110", "150120", "150190", "1502", "150200", "150210", "150290", "1503", "150300", "1504", "150410", "150420", "150430", "1505", "150500", "150510", "150590", "1506", "150600", "1507", "150710", "150790", "1508", "150810", "150890", "1509", "150910", "150990", "1510", "151000", "1511", "151110", "151190", "1512", "151211", "151219", "151221", "151229", "1513", "151311", "151319", "151321", "151329", "1514", "151410", "151411", "151411", "151419", "151419", "151490", "151491", "151491", "151499", "151499", "1515", "151511", "151519", "151521", "151529", "151530", "151540", "151550", "151560", "151590", "1516", "1516", "151610", "151610", "151620", "151620", "1517", "151710", "151710", "151790", "1518", "151800", "151800", "1519", "1519", "151911", "151911", "151912", "151912", "151913", "151913", "151919", "151919", "151920", "151920", "151930", "1520", "152000", "152010", "152090", "1521", "1521", "152110", "152110", "152190", "1522", "1522", "152200", "152200", "16", "1601", "160100", "1602", "160210", "160220", "160231", "160232", "160239", "160241", "160242", "160249", "160250", "160290", "1603", "160300", "1604", "160411", "160412", "160413", "160414", "160415", "160416", "160417", "160418", "160419", "160420", "160430", "160431", "160432", "1605", "160510", "160520", "160521", "160529", "160530", "160540", "160551", "160552", "160553", "160554", "160554", "160555", "160556", "160557", "160558", "160559", "160561", "160562", "160563", "160569", "160590", "17", "1701", "1701", "170111", "170111", "170112", "170112", "170113", "170113", "170114", "170114", "170191", "170191", "170199", "170199", "1702", "1702", "170210", "170210", "170211", "170219", "170220", "170220", "170230", "170240", "170250", "170250", "170260", "170290", "1703", "170310", "170390", "1704", "170410", "170490", "18", "1801", "180100", "1802", "180200", "1803", "180310", "180320", "1804", "180400", "1805", "180500", "1806", "180610", "180620", "180620", "180631", "180632", "180690", "19", "1901", "190110", "190120", "190190", "1902", "190211", "190219", "190220", "190230", "190240", "1903", "190300", "1904", "190410", "190420", "190430", "190490", "1905", "190510", "190520", "190530", "190531", "190532", "190540", "190590", "20", "2001", "2001", "200110", "200110", "200120", "200120", "200190", "200190", "2002", "2002", "200210", "200210", "200290", "200290", "2003", "2003", "200310", "200310", "200320", "200320", "200390", "200390", "2004", "2004", "200410", "200410", "200490", "200490", "2005", "2005", "200510", "200510", "200520", "200520", "200530", "200540", "200540", "200551", "200551", "200559", "200559", "200560", "200560", "200570", "200570", "200580", "200580", "200590", "200590", "200591", "200591", "200599", "200599", "2006", "200600", "2007", "200710", "200791", "200799", "2008", "200811", "200819", "200820", "200830", "200840", "200850", "200860", "200870", "200880", "200891", "200892", "200893", "200893", "200897", "200899", "2009", "200911", "200912", "200919", "200920", "200921", "200929", "200930", "200931", "200939", "200940", "200941", "200949", "200950", "200960", "200961", "200969", "200970", "200971", "200979", "200980", "200981", "200981", "200989", "200990", "21", "2101", "210110", "210111", "210112", "210120", "210130", "2102", "210210", "210220", "210230", "2103", "210310", "210320", "210330", "210390", "2104", "210410", "210420", "2105", "210500", "2106", "210610", "210690", "22", "2201", "220110", "220190", "2202", "220210", "220290", "220291", "220299", "2203", "220300", "2204", "220410", "220421", "220422", "220429", "220430", "2205", "220510", "220590", "2206", "2206", "220600", "220600", "2207", "220710", "220720", "2208", "220810", "220820", "220830", "220840", "220850", "220860", "220870", "220890", "2209", "2209", "220900", "220900", "23", "23", "2301", "230110", "230120", "2302", "2302", "230210", "230210", "230220", "230220", "230230", "230230", "230240", "230240", "230250", "230250", "2303", "2303", "230310", "230310", "230320", "230330", "2304", "2304", "230400", "230400", "2305", "2305", "230500", "230500", "2306", "2306", "230610", "230610", "230620", "230620", "230630", "230630", "230640", "230640", "230641", "230641", "230649", "230649", "230650", "230650", "230660", "230660", "230670", "230670", "230690", "230690", "2307", "230700", "2308", "2308", "230800", "230800", "230810", "230810", "230890", "230890", "2309", "230910", "230990", "24", "2401", "240110", "240120", "240130", "2402", "240210", "240220", "240290", "2403", "240310", "240311", "240319", "240391", "240399", "25", "2501", "2501", "250100", "250100", "2502", "250200", "2503", "2503", "250300", "250300", "250310", "250390", "250390", "2504", "250410", "250490", "2505", "250510", "250590", "2506", "250610", "250620", "250621", "250629", "2507", "250700", "2508", "250810", "250820", "250830", "250840", "250850", "250860", "250870", "2509", "250900", "2510", "251010", "251020", "2511", "2511", "251110", "251120", "251120", "2512", "251200", "2513", "251310", "251311", "251319", "251320", "251321", "251329", "2514", "251400", "2515", "251511", "251512", "251520", "2516", "251611", "251612", "251620", "251621", "251622", "251690", "2517", "251710", "251720", "251730", "251741", "251749", "2518", "251810", "251820", "251830", "2519", "2519", "251910", "251990", "251990", "2520", "252010", "252020", "2521", "252100", "2522", "2522", "252210", "252210", "252220", "252220", "252230", "252230", "2523", "252310", "252321", "252329", "252330", "252390", "2524", "252400", "252410", "252410", "252490", "252490", "2525", "252510", "252520", "252530", "2526", "252610", "252620", "2527", "252700", "2528", "2528", "252800", "252800", "252810", "252890", "252890", "2529", "252910", "252921", "252921", "252922", "252922", "252930", "2530", "253010", "253020", "253030", "253040", "253040", "253090", "26", "2601", "260111", "260112", "260120", "2602", "260200", "2603", "260300", "2604", "260400", "2605", "260500", "2606", "260600", "2607", "260700", "2608", "260800", "2609", "260900", "2610", "261000", "2611", "261100", "2612", "261210", "261220", "2613", "261310", "261390", "2614", "261400", "2615", "261510", "261590", "2616", "261610", "261690", "2617", "261710", "261790", "2618", "261800", "2619", "261900", "2620", "2620", "262011", "262011", "262019", "262019", "262020", "262020", "262021", "262021", "262029", "262029", "262030", "262030", "262040", "262040", "262050", "262050", "262060", "262060", "262090", "262090", "262091", "262091", "262099", "262099", "2621", "262100", "262110", "262110", "262190", "262190", "27", "2701", "2701", "270111", "270112", "270119", "270120", "270120", "2702", "270210", "270220", "2703", "270300", "2704", "270400", "2705", "270500", "2706", "270600", "2707", "270710", "270720", "270730", "270740", "270750", "270760", "270791", "270799", "2708", "270810", "270820", "2709", "270900", "2710", "271000", "271011", "271012", "271013", "271014", "271015", "271016", "271019", "271020", "271021", "271022", "271025", "271026", "271027", "271029", "271091", "271093", "271094", "271095", "271096", "271099", "2711", "271111", "271112", "271113", "271114", "271119", "271121", "271129", "2712", "271210", "271220", "271290", "2713", "2713", "271311", "271312", "271320", "271390", "271390", "2714", "271410", "271490", "2715", "271500", "2716", "271600", "28", "2801", "280110", "280120", "280130", "2802", "2802", "280200", "280200", "2803", "280300", "2804", "280410", "280421", "280429", "280430", "280440", "280450", "280461", "280469", "280470", "280480", "280490", "2805", "280511", "280512", "280519", "280521", "280522", "280530", "280540", "2806", "2806", "280610", "280610", "280620", "280620", "2807", "2807", "280700", "280700", "2808", "2808", "280800", "280800", "2809", "2809", "280910", "280910", "280920", "280920", "2810", "2810", "281000", "281000", "2811", "2811", "281111", "281111", "281112", "281112", "281119", "281119", "281121", "281121", "281122", "281122", "281123", "281123", "281129", "2812", "2812", "281210", "281210", "281211", "281211", "281212", "281212", "281213", "281213", "281214", "281214", "281215", "281215", "281216", "281216", "281217", "281217", "281219", "281219", "281290", "281290", "2813", "2813", "281310", "281310", "281390", "281390", "2814", "281410", "281420", "2815", "2815", "281511", "281511", "281512", "281512", "281520", "281520", "281530", "281530", "2816", "2816", "281610", "281610", "281620", "281620", "281630", "281630", "281640", "281640", "2817", "2817", "281700", "281700", "2818", "2818", "281810", "281810", "281820", "281820", "281830", "281830", "2819", "2819", "281910", "281910", "281990", "281990", "2820", "2820", "282010", "282010", "282090", "282090", "2821", "2821", "282110", "282110", "282120", "2822", "2822", "282200", "282200", "2823", "2823", "282300", "282300", "2824", "2824", "282410", "282410", "282420", "282490", "282490", "2825", "2825", "282510", "282520", "282520", "282530", "282530", "282540", "282540", "282550", "282550", "282560", "282560", "282570", "282570", "282580", "282580", "282590", "282590", "2826", "2826", "282611", "282611", "282612", "282612", "282619", "282619", "282620", "282630", "282690", "282690", "2827", "2827", "282710", "282710", "282720", "282720", "282731", "282731", "282732", "282732", "282733", "282733", "282734", "282734", "282735", "282735", "282736", "282736", "282737", "282737", "282738", "282738", "282739", "282739", "282741", "282741", "282749", "282749", "282751", "282751", "282759", "282759", "282760", "282760", "2828", "282810", "282890", "2829", "282911", "282919", "282990", "2830", "2830", "283010", "283010", "283020", "283020", "283030", "283030", "283090", "283090", "2831", "283110", "283190", "2832", "283210", "283220", "283230", "2833", "283311", "283319", "283321", "283322", "283323", "283324", "283325", "283326", "283327", "283329", "283330", "283340", "2834", "283410", "283421", "283422", "283429", "2835", "283510", "283521", "283522", "283523", "283524", "283525", "283526", "283529", "283531", "283539", "2836", "283610", "283620", "283630", "283640", "283650", "283660", "283670", "283691", "283692", "283693", "283699", "2837", "2837", "283711", "283711", "283719", "283719", "283720", "283720", "2838", "283800", "2839", "283911", "283919", "283920", "283990", "2840", "284011", "284019", "284020", "284030", "2841", "2841", "284110", "284120", "284130", "284140", "284150", "284160", "284161", "284161", "284169", "284169", "284170", "284180", "284190", "284190", "2842", "2842", "284210", "284290", "284290", "2843", "2843", "284310", "284310", "284321", "284329", "284330", "284390", "2844", "2844", "284410", "284420", "284430", "284440", "284440", "284450", "284450", "2845", "284510", "284510", "284590", "2846", "284610", "284690", "2847", "2847", "284700", "284700", "2848", "2848", "284800", "284800", "284810", "284810", "284890", "284890", "2849", "2849", "284910", "284910", "284920", "284920", "284990", "284990", "2850", "2850", "285000", "285000", "2851", "2851", "285100", "285100", "2852", "285200", "285210", "285290", "2853", "2853", "285300", "285300", "285310", "285310", "285390", "285390", "29", "2901", "290110", "290121", "290122", "290123", "290124", "290129", "2902", "290211", "290219", "290220", "290230", "290241", "290242", "290243", "290244", "290250", "290260", "290270", "290290", "2903", "290311", "290311", "290312", "290312", "290313", "290314", "290314", "290315", "290315", "290316", "290316", "290319", "290321", "290321", "290322", "290323", "290329", "290330", "290331", "290331", "290339", "290339", "290340", "290341", "290342", "290343", "290344", "290345", "290346", "290347", "290349", "290351", "290352", "290359", "290361", "290362", "290369", "290371", "290372", "290373", "290374", "290375", "290376", "290377", "290378", "290379", "290381", "290382", "290383", "290389", "290391", "290392", "290393", "290394", "290399", "2904", "290410", "290420", "290431", "290431", "290432", "290433", "290434", "290435", "290435", "290436", "290436", "290490", "290491", "290499", "2905", "290511", "290512", "290513", "290514", "290515", "290516", "290517", "290519", "290521", "290522", "290529", "290531", "290532", "290539", "290541", "290542", "290543", "290544", "290545", "290549", "290550", "290551", "290559", "2906", "290611", "290612", "290613", "290614", "290619", "290621", "290629", "2907", "290711", "290712", "290713", "290714", "290715", "290719", "290721", "290722", "290723", "290723", "290729", "290730", "2908", "290810", "290811", "290819", "290820", "290890", "290891", "290892", "290899", "2909", "2909", "290911", "290919", "290920", "290930", "290941", "290942", "290943", "290944", "290949", "290950", "290960", "290960", "2910", "2910", "291010", "291010", "291020", "291020", "291030", "291030", "291040", "291040", "291050", "291050", "291090", "291090", "2911", "291100", "2912", "291211", "291212", "291213", "291219", "291221", "291229", "291230", "291241", "291242", "291249", "291250", "291260", "2913", "291300", "2914", "291411", "291412", "291413", "291419", "291421", "291422", "291423", "291429", "291430", "291431", "291439", "291440", "291441", "291449", "291450", "291461", "291462", "291462", "291469", "291469", "291470", "291471", "291479", "2915", "2915", "291511", "291511", "291512", "291512", "291513", "291513", "291521", "291521", "291522", "291522", "291523", "291523", "291524", "291524", "291529", "291529", "291531", "291531", "291532", "291532", "291533", "291533", "291534", "291534", "291535", "291535", "291536", "291536", "291539", "291539", "291540", "291540", "291550", "291550", "291560", "291560", "291570", "291570", "291590", "291590", "2916", "2916", "291611", "291611", "291612", "291612", "291613", "291613", "291614", "291614", "291615", "291615", "291616", "291616", "291619", "291619", "291620", "291620", "291631", "291631", "291632", "291632", "291633", "291633", "291634", "291634", "291635", "291635", "291636", "291636", "291639", "291639", "2917", "2917", "291711", "291711", "291712", "291712", "291713", "291713", "291714", "291714", "291719", "291719", "291720", "291720", "291731", "291731", "291732", "291732", "291733", "291733", "291734", "291734", "291735", "291735", "291736", "291736", "291737", "291737", "291739", "291739", "2918", "2918", "291811", "291811", "291812", "291812", "291813", "291813", "291814", "291814", "291815", "291815", "291816", "291816", "291817", "291817", "291818", "291818", "291819", "291819", "291821", "291821", "291822", "291822", "291823", "291823", "291829", "291829", "291830", "291830", "291890", "291890", "291891", "291891", "291899", "291899", "2919", "291900", "291910", "291990", "2920", "2920", "292010", "292011", "292019", "292021", "292022", "292023", "292024", "292029", "292030", "292030", "292090", "2921", "292111", "292112", "292113", "292113", "292114", "292114", "292119", "292121", "292122", "292129", "292130", "292141", "292142", "292143", "292143", "292144", "292145", "292146", "292149", "292151", "292159", "2922", "292211", "292212", "292213", "292214", "292215", "292216", "292217", "292218", "292219", "292221", "292221", "292222", "292222", "292229", "292230", "292231", "292239", "292241", "292241", "292242", "292242", "292243", "292243", "292244", "292244", "292249", "292249", "292250", "292250", "2923", "2923", "292310", "292310", "292320", "292320", "292330", "292330", "292340", "292340", "292390", "292390", "2924", "2924", "292410", "292410", "292411", "292411", "292412", "292412", "292419", "292419", "292421", "292421", "292422", "292422", "292423", "292423", "292424", "292424", "292425", "292425", "292429", "292429", "2925", "2925", "292511", "292511", "292512", "292512", "292519", "292519", "292520", "292521", "292529", "2926", "292610", "292620", "292620", "292630", "292640", "292690", "292690", "2927", "292700", "2928", "292800", "2929", "292910", "292990", "2930", "293010", "293020", "293030", "293030", "293040", "293050", "293050", "293060", "293070", "293070", "293080", "293080", "293090", "2931", "293100", "293110", "293120", "293131", "293132", "293133", "293134", "293135", "293135", "293136", "293136", "293137", "293137", "293138", "293138", "293139", "293190", "2932", "293211", "293212", "293213", "293214", "293219", "293220", "293221", "293229", "293290", "293291", "293292", "293293", "293294", "293295", "293299", "2933", "2933", "293311", "293319", "293321", "293321", "293329", "293329", "293331", "293331", "293332", "293332", "293333", "293333", "293339", "293339", "293340", "293341", "293349", "293351", "293351", "293352", "293352", "293353", "293354", "293354", "293355", "293355", "293359", "293359", "293361", "293369", "293371", "293372", "293379", "293390", "293391", "293392", "293399", "2934", "2934", "293410", "293420", "293430", "293490", "293490", "293491", "293499", "293499", "2935", "2935", "293500", "293500", "293510", "293510", "293520", "293520", "293530", "293530", "293540", "293540", "293550", "293550", "293590", "293590", "2936", "293610", "293621", "293622", "293623", "293624", "293624", "293625", "293626", "293627", "293628", "293629", "293690", "2937", "2937", "293710", "293711", "293711", "293712", "293712", "293719", "293719", "293721", "293721", "293722", "293722", "293723", "293723", "293729", "293729", "293731", "293739", "293740", "293740", "293750", "293790", "293790", "293791", "293791", "293792", "293792", "293799", "293799", "2938", "2938", "293810", "293810", "293890", "293890", "2939", "2939", "293910", "293910", "293911", "293911", "293919", "293919", "293920", "293920", "293921", "293921", "293929", "293929", "293930", "293930", "293940", "293940", "293941", "293941", "293942", "293942", "293943", "293943", "293944", "293944", "293949", "293949", "293950", "293950", "293951", "293951", "293959", "293959", "293960", "293960", "293961", "293961", "293962", "293962", "293963", "293963", "293969", "293969", "293970", "293970", "293971", "293971", "293979", "293979", "293980", "293980", "293990", "293990", "293991", "293991", "293999", "293999", "2940", "294000", "2941", "294110", "294110", "294120", "294130", "294140", "294150", "294190", "2942", "294200", "30", "3001", "300110", "300120", "300190", "3002", "300210", "300211", "300212", "300213", "300214", "300215", "300219", "300220", "300230", "300231", "300239", "300290", "3003", "300310", "300320", "300331", "300339", "300340", "300340", "300341", "300341", "300342", "300342", "300343", "300343", "300349", "300349", "300360", "300390", "300390", "3004", "300410", "300420", "300431", "300432", "300432", "300439", "300440", "300440", "300441", "300441", "300442", "300442", "300443", "300443", "300449", "300449", "300450", "300460", "300490", "3005", "300510", "300590", "3006", "300610", "300620", "300630", "300640", "300650", "300650", "300660", "300660", "300670", "300680", "300691", "300691", "300692", "31", "3101", "310100", "3102", "310210", "310221", "310229", "310230", "310240", "310250", "310260", "310270", "310270", "310280", "310290", "3103", "310310", "310311", "310311", "310319", "310319", "310320", "310390", "3104", "310410", "310420", "310420", "310430", "310490", "3105", "310510", "310520", "310530", "310540", "310551", "310559", "310560", "310590", "32", "3201", "320110", "320120", "320130", "320190", "3202", "320210", "320290", "3203", "320300", "3204", "320411", "320412", "320412", "320413", "320414", "320415", "320416", "320417", "320419", "320420", "320490", "3205", "320500", "3206", "320610", "320610", "320611", "320611", "320619", "320619", "320620", "320630", "320641", "320642", "320642", "320643", "320643", "320649", "320650", "3207", "3207", "320710", "320720", "320730", "320730", "320740", "3208", "320810", "320820", "320890", "3209", "320910", "320990", "3210", "321000", "3211", "321100", "3212", "3212", "321210", "321290", "3213", "321310", "321390", "3214", "321410", "321490", "3215", "3215", "321511", "321511", "321519", "321519", "321590", "321590", "33", "33", "3301", "3301", "330111", "330112", "330113", "330114", "330119", "330121", "330122", "330123", "330124", "330125", "330126", "330129", "330130", "330130", "330190", "3302", "330210", "330290", "3303", "330300", "3304", "330410", "330420", "330430", "330491", "330499", "3305", "330510", "330520", "330530", "330590", "3306", "3306", "330610", "330620", "330690", "3307", "330710", "330720", "330730", "330741", "330749", "330790", "34", "3401", "340111", "340119", "340120", "340130", "340130", "3402", "340211", "340212", "340213", "340219", "340220", "340290", "3403", "340311", "340319", "340391", "340399", "3404", "340410", "340420", "340490", "3405", "340510", "340520", "340530", "340540", "340590", "3406", "340600", "3407", "340700", "35", "35", "3501", "350110", "350190", "3502", "350210", "350211", "350219", "350220", "350290", "3503", "350300", "3504", "3504", "350400", "350400", "3505", "350510", "350520", "3506", "350610", "350691", "350699", "3507", "350710", "350790", "36", "3601", "360100", "3602", "360200", "3603", "360300", "3604", "360410", "360490", "3605", "360500", "3606", "360610", "360610", "360690", "37", "3701", "370110", "370120", "370130", "370130", "370191", "370191", "370199", "370199", "3702", "370210", "370220", "370231", "370231", "370232", "370232", "370239", "370239", "370241", "370241", "370242", "370242", "370243", "370243", "370244", "370244", "370251", "370251", "370252", "370252", "370253", "370253", "370254", "370254", "370255", "370255", "370256", "370256", "370291", "370291", "370292", "370292", "370293", "370293", "370294", "370294", "370295", "370295", "370296", "370296", "370297", "370297", "370298", "370298", "3703", "370310", "370310", "370320", "370320", "370390", "370390", "3704", "370400", "3705", "370500", "370510", "370520", "370590", "3706", "370610", "370610", "370690", "370690", "3707", "370710", "370790", "38", "3801", "3801", "380110", "380120", "380120", "380130", "380190", "3802", "380210", "380290", "3803", "380300", "3804", "3804", "380400", "380400", "3805", "380510", "380520", "380590", "3806", "3806", "380610", "380610", "380620", "380620", "380630", "380690", "3807", "3807", "380700", "380700", "3808", "3808", "380810", "380810", "380820", "380820", "380830", "380830", "380840", "380850", "380850", "380852", "380852", "380859", "380859", "380861", "380861", "380862", "380862", "380869", "380869", "380890", "380890", "380891", "380891", "380892", "380892", "380893", "380893", "380894", "380899", "380899", "3809", "380910", "380991", "380992", "380993", "380999", "3810", "381010", "381090", "3811", "3811", "381111", "381119", "381121", "381129", "381190", "381190", "3812", "3812", "381210", "381220", "381230", "381230", "381231", "381231", "381239", "381239", "3813", "381300", "3814", "381400", "3815", "381511", "381512", "381519", "381590", "3816", "381600", "3817", "381700", "381710", "381720", "3818", "381800", "3819", "3819", "381900", "381900", "3820", "3820", "382000", "382000", "3821", "382100", "3822", "382200", "3823", "3823", "382310", "382311", "382311", "382312", "382312", "382313", "382313", "382319", "382319", "382320", "382320", "382330", "382330", "382340", "382350", "382360", "382370", "382390", "382390", "3824", "382410", "382420", "382420", "382430", "382430", "382440", "382450", "382460", "382471", "382472", "382473", "382474", "382475", "382475", "382476", "382477", "382477", "382478", "382479", "382481", "382481", "382482", "382483", "382484", "382485", "382486", "382487", "382487", "382488", "382490", "382490", "382491", "382491", "382499", "3825", "3825", "382510", "382510", "382520", "382520", "382530", "382530", "382541", "382541", "382549", "382549", "382550", "382550", "382561", "382561", "382569", "382569", "382590", "382590", "3826", "382600", "39", "3901", "390110", "390120", "390130", "390140", "390190", "3902", "390210", "390220", "390230", "390290", "3903", "390311", "390319", "390320", "390330", "390390", "3904", "3904", "390410", "390410", "390421", "390421", "390422", "390422", "390430", "390430", "390440", "390440", "390450", "390450", "390461", "390469", "390490", "390490", "3905", "390511", "390512", "390519", "390520", "390521", "390529", "390530", "390590", "390591", "390599", "3906", "390610", "390690", "3907", "3907", "390710", "390720", "390730", "390730", "390740", "390750", "390760", "390761", "390769", "390770", "390770", "390791", "390799", "3908", "3908", "390810", "390810", "390890", "390890", "3909", "390910", "390920", "390930", "390931", "390939", "390940", "390950", "3910", "391000", "3911", "3911", "391110", "391190", "391190", "3912", "391211", "391212", "391220", "391231", "391239", "391290", "3913", "3913", "391310", "391310", "391390", "391390", "3914", "391400", "3915", "391510", "391520", "391530", "391530", "391590", "3916", "391610", "391620", "391620", "391690", "3917", "391710", "391721", "391721", "391722", "391722", "391723", "391723", "391729", "391729", "391731", "391732", "391733", "391739", "391740", "3918", "3918", "391810", "391810", "391890", "391890", "3919", "391910", "391910", "391990", "391990", "3920", "392010", "392020", "392030", "392041", "392041", "392042", "392042", "392043", "392043", "392049", "392049", "392051", "392059", "392061", "392062", "392063", "392069", "392071", "392072", "392073", "392079", "392091", "392092", "392092", "392093", "392094", "392099", "3921", "392111", "392112", "392112", "392113", "392114", "392119", "392190", "3922", "3922", "392210", "392220", "392290", "392290", "3923", "3923", "392310", "392321", "392329", "392330", "392340", "392350", "392350", "392390", "3924", "392410", "392490", "3925", "392510", "392520", "392530", "392590", "3926", "392610", "392620", "392630", "392640", "392690", "40", "4001", "400110", "400121", "400122", "400129", "400130", "4002", "400211", "400219", "400220", "400231", "400239", "400241", "400249", "400251", "400259", "400260", "400270", "400280", "400291", "400299", "4003", "400300", "4004", "400400", "4005", "400510", "400520", "400591", "400599", "4006", "400610", "400690", "4007", "400700", "4008", "400811", "400819", "400821", "400829", "4009", "400910", "400911", "400912", "400920", "400921", "400922", "400930", "400931", "400932", "400940", "400941", "400942", "400950", "4010", "401010", "401010", "401011", "401012", "401013", "401019", "401021", "401021", "401022", "401022", "401023", "401024", "401029", "401031", "401031", "401032", "401032", "401033", "401033", "401034", "401034", "401035", "401035", "401036", "401036", "401039", "401091", "401091", "401099", "401099", "4011", "401110", "401120", "401130", "401140", "401150", "401161", "401162", "401163", "401169", "401170", "401180", "401190", "401191", "401192", "401193", "401194", "401199", "4012", "4012", "401210", "401211", "401212", "401213", "401219", "401220", "401290", "4013", "401310", "401320", "401390", "4014", "401410", "401490", "4015", "401511", "401519", "401590", "4016", "401610", "401691", "401692", "401693", "401694", "401695", "401699", "4017", "401700", "41", "41", "4101", "4101", "410110", "410110", "410120", "410120", "410121", "410121", "410122", "410122", "410129", "410129", "410130", "410130", "410140", "410140", "410150", "410150", "410190", "410190", "4102", "410210", "410221", "410229", "4103", "4103", "410310", "410310", "410320", "410320", "410330", "410330", "410390", "410390", "4104", "4104", "410410", "410411", "410411", "410419", "410419", "410421", "410422", "410429", "410431", "410439", "410441", "410441", "410449", "410449", "4105", "410510", "410511", "410512", "410519", "410520", "410530", "4106", "4106", "410611", "410611", "410612", "410612", "410619", "410619", "410620", "410620", "410621", "410621", "410622", "410622", "410631", "410631", "410632", "410632", "410640", "410640", "410691", "410691", "410692", "410692", "4107", "410710", "410711", "410711", "410712", "410712", "410719", "410721", "410729", "410790", "410791", "410791", "410792", "410792", "410799", "410799", "4108", "410800", "4109", "410900", "4110", "411000", "4111", "411100", "4112", "411200", "4113", "411310", "411310", "411320", "411330", "411390", "411390", "4114", "411410", "411420", "4115", "411510", "411520", "42", "4201", "420100", "4202", "420211", "420212", "420219", "420221", "420222", "420229", "420231", "420232", "420239", "420291", "420292", "420299", "4203", "420310", "420321", "420329", "420330", "420340", "4204", "420400", "4205", "420500", "4206", "420600", "420610", "420690", "43", "4301", "4301", "430110", "430120", "430130", "430140", "430150", "430160", "430170", "430180", "430190", "4302", "430211", "430212", "430213", "430219", "430220", "430230", "4303", "430310", "430390", "4304", "430400", "44", "4401", "440110", "440111", "440112", "440121", "440122", "440130", "440131", "440139", "440140", "4402", "440200", "440210", "440290", "4403", "440310", "440311", "440312", "440320", "440321", "440322", "440323", "440324", "440325", "440326", "440331", "440332", "440333", "440334", "440335", "440341", "440349", "440391", "440392", "440393", "440394", "440395", "440396", "440397", "440398", "440399", "4404", "440410", "440420", "4405", "440500", "4406", "440610", "440611", "440612", "440690", "440691", "440692", "4407", "440710", "440711", "440712", "440719", "440721", "440722", "440723", "440724", "440725", "440726", "440727", "440728", "440729", "440791", "440792", "440793", "440794", "440795", "440796", "440797", "440799", "4408", "440810", "440820", "440831", "440839", "440890", "4409", "440910", "440920", "440921", "440922", "440929", "4410", "441010", "441011", "441012", "441019", "441021", "441029", "441031", "441032", "441033", "441039", "441090", "4411", "441111", "441112", "441113", "441114", "441119", "441121", "441129", "441131", "441139", "441191", "441192", "441193", "441194", "441199", "4412", "441210", "441211", "441212", "441213", "441214", "441219", "441221", "441222", "441223", "441229", "441231", "441232", "441233", "441234", "441239", "441291", "441292", "441293", "441294", "441299", "4413", "441300", "4414", "441400", "4415", "441510", "441520", "4416", "441600", "4417", "441700", "4418", "441810", "441820", "441830", "441840", "441850", "441860", "441871", "441872", "441873", "441874", "441875", "441879", "441890", "441891", "441899", "4419", "441900", "441911", "441912", "441919", "441990", "4420", "4420", "442010", "442090", "442090", "4421", "442110", "442190", "442191", "442199", "45", "4501", "450110", "450190", "4502", "450200", "4503", "450310", "450390", "4504", "450410", "450410", "450490", "46", "4601", "460110", "460120", "460121", "460122", "460129", "460191", "460192", "460193", "460194", "460199", "4602", "460210", "460211", "460212", "460219", "460290", "47", "4701", "470100", "4702", "470200", "4703", "470311", "470319", "470321", "470329", "4704", "470411", "470419", "470421", "470429", "4705", "470500", "4706", "470610", "470620", "470630", "470691", "470692", "470693", "4707", "470710", "470720", "470730", "470790", "48", "4801", "480100", "4802", "480210", "480220", "480230", "480240", "480251", "480252", "480253", "480254", "480255", "480256", "480257", "480258", "480258", "480260", "480261", "480262", "480269", "4803", "4803", "480300", "480300", "4804", "480411", "480419", "480421", "480429", "480431", "480439", "480441", "480442", "480449", "480451", "480452", "480459", "4805", "480510", "480511", "480512", "480519", "480521", "480522", "480523", "480524", "480525", "480529", "480530", "480540", "480550", "480560", "480570", "480580", "480591", "480592", "480593", "4806", "480610", "480620", "480630", "480640", "4807", "480700", "480710", "480790", "480791", "480799", "4808", "480810", "480820", "480830", "480840", "480890", "4809", "480910", "480910", "480920", "480990", "480990", "4810", "4810", "481011", "481012", "481013", "481014", "481014", "481019", "481019", "481021", "481022", "481029", "481031", "481032", "481039", "481091", "481092", "481099", "4811", "481110", "481121", "481129", "481131", "481139", "481140", "481141", "481149", "481151", "481159", "481160", "481190", "4812", "481200", "4813", "481310", "481320", "481320", "481390", "481390", "4814", "481410", "481420", "481420", "481430", "481430", "481490", "4815", "481500", "4816", "481610", "481620", "481630", "481690", "4817", "481710", "481720", "481730", "4818", "4818", "481810", "481820", "481830", "481840", "481850", "481890", "4819", "481910", "481920", "481930", "481930", "481940", "481940", "481950", "481960", "4820", "482010", "482020", "482030", "482040", "482050", "482090", "4821", "482110", "482190", "4822", "482210", "482290", "4823", "482311", "482312", "482319", "482320", "482330", "482340", "482351", "482359", "482360", "482361", "482369", "482370", "482390", "49", "4901", "490110", "490191", "490199", "4902", "490210", "490290", "4903", "490300", "4904", "490400", "4905", "490510", "490591", "490599", "4906", "490600", "4907", "490700", "4908", "490810", "490890", "4909", "490900", "4910", "491000", "4911", "491110", "491191", "491199", "50", "5001", "500100", "5002", "500200", "5003", "500300", "500310", "500390", "5004", "500400", "5005", "500500", "5006", "500600", "5007", "500710", "500720", "500790", "51", "5101", "510111", "510119", "510121", "510129", "510130", "5102", "510210", "510211", "510219", "510220", "5103", "510310", "510320", "510330", "5104", "510400", "5105", "510510", "510521", "510529", "510530", "510531", "510539", "510540", "5106", "510610", "510620", "5107", "510710", "510720", "5108", "510810", "510820", "5109", "510910", "510990", "5110", "511000", "5111", "511111", "511119", "511120", "511130", "511190", "5112", "511211", "511219", "511220", "511230", "511290", "5113", "511300", "52", "5201", "520100", "5202", "520210", "520291", "520299", "5203", "520300", "5204", "520411", "520419", "520420", "5205", "520511", "520512", "520513", "520514", "520515", "520521", "520522", "520523", "520524", "520525", "520526", "520527", "520528", "520531", "520532", "520533", "520534", "520535", "520541", "520542", "520543", "520544", "520545", "520546", "520547", "520548", "5206", "520611", "520612", "520613", "520614", "520615", "520621", "520622", "520623", "520624", "520625", "520631", "520632", "520633", "520634", "520635", "520641", "520642", "520643", "520644", "520645", "5207", "520710", "520790", "5208", "520811", "520812", "520813", "520819", "520821", "520822", "520823", "520829", "520831", "520832", "520833", "520839", "520841", "520842", "520843", "520849", "520851", "520852", "520853", "520859", "5209", "520911", "520912", "520919", "520921", "520922", "520929", "520931", "520932", "520939", "520941", "520942", "520943", "520949", "520951", "520952", "520959", "5210", "521011", "521012", "521019", "521021", "521022", "521029", "521031", "521032", "521039", "521041", "521042", "521049", "521051", "521052", "521059", "5211", "521111", "521112", "521119", "521120", "521121", "521122", "521129", "521131", "521132", "521139", "521141", "521142", "521143", "521149", "521151", "521152", "521159", "5212", "521211", "521212", "521213", "521214", "521215", "521221", "521222", "521223", "521224", "521225", "53", "5301", "530110", "530121", "530129", "530130", "5302", "530210", "530290", "5303", "530310", "530390", "5304", "530410", "530490", "5305", "530500", "530511", "530519", "530521", "530529", "530590", "530591", "530599", "5306", "530610", "530620", "5307", "530710", "530720", "5308", "530810", "530820", "530830", "530890", "5309", "530911", "530919", "530921", "530929", "5310", "531010", "531090", "5311", "531100", "54", "5401", "540110", "540120", "5402", "540210", "540210", "540211", "540211", "540219", "540219", "540220", "540231", "540231", "540232", "540232", "540233", "540234", "540239", "540241", "540241", "540242", "540243", "540244", "540245", "540245", "540246", "540247", "540248", "540249", "540251", "540251", "540252", "540253", "540259", "540261", "540261", "540262", "540263", "540269", "5403", "540310", "540320", "540331", "540332", "540333", "540339", "540341", "540342", "540349", "5404", "5404", "540410", "540411", "540412", "540419", "540490", "540490", "5405", "5405", "540500", "540500", "5406", "540600", "540610", "540620", "5407", "540710", "540710", "540720", "540730", "540741", "540741", "540742", "540742", "540743", "540743", "540744", "540744", "540751", "540752", "540753", "540754", "540760", "540761", "540769", "540771", "540771", "540772", "540772", "540773", "540773", "540774", "540774", "540781", "540782", "540783", "540784", "540791", "540792", "540793", "540794", "5408", "540810", "540821", "540822", "540823", "540824", "540831", "540832", "540833", "540834", "55", "5501", "550110", "550110", "550120", "550130", "550140", "550190", "5502", "550200", "550210", "550290", "5503", "550310", "550310", "550311", "550311", "550319", "550319", "550320", "550330", "550340", "550390", "5504", "550410", "550490", "5505", "550510", "550520", "5506", "550610", "550610", "550620", "550630", "550640", "550690", "5507", "550700", "5508", "550810", "550820", "5509", "550911", "550911", "550912", "550912", "550921", "550922", "550931", "550932", "550941", "550942", "550951", "550952", "550953", "550959", "550961", "550962", "550969", "550991", "550992", "550999", "5510", "551011", "551012", "551020", "551030", "551090", "5511", "551110", "551120", "551130", "5512", "551211", "551219", "551221", "551229", "551291", "551299", "5513", "551311", "551312", "551313", "551319", "551321", "551322", "551323", "551329", "551331", "551332", "551333", "551339", "551341", "551342", "551343", "551349", "5514", "551411", "551412", "551413", "551419", "551421", "551422", "551423", "551429", "551430", "551431", "551432", "551433", "551439", "551441", "551442", "551443", "551449", "5515", "551511", "551512", "551513", "551519", "551521", "551522", "551529", "551591", "551592", "551599", "5516", "551611", "551612", "551613", "551614", "551621", "551622", "551623", "551624", "551631", "551632", "551633", "551634", "551641", "551642", "551643", "551644", "551691", "551692", "551693", "551694", "56", "5601", "560110", "560121", "560122", "560129", "560130", "5602", "560210", "560221", "560229", "560290", "5603", "560300", "560311", "560312", "560313", "560314", "560391", "560392", "560393", "560394", "5604", "560410", "560420", "560420", "560490", "5605", "560500", "5606", "560600", "5607", "5607", "560710", "560710", "560721", "560729", "560729", "560730", "560741", "560749", "560749", "560750", "560750", "560790", "560790", "5608", "560811", "560819", "560890", "5609", "560900", "57", "5701", "570110", "570190", "5702", "570210", "570220", "570231", "570232", "570239", "570241", "570242", "570249", "570250", "570251", "570252", "570259", "570291", "570292", "570299", "5703", "570310", "570320", "570320", "570330", "570330", "570390", "5704", "570410", "570420", "570490", "5705", "570500", "58", "58", "5801", "580110", "580121", "580122", "580123", "580124", "580125", "580126", "580127", "580131", "580132", "580133", "580134", "580135", "580136", "580137", "580190", "5802", "580211", "580219", "580220", "580230", "5803", "580300", "580310", "580390", "5804", "580410", "580421", "580429", "580430", "5805", "580500", "5806", "580610", "580620", "580631", "580632", "580639", "580640", "5807", "5807", "580710", "580710", "580790", "580790", "5808", "5808", "580810", "580810", "580890", "580890", "5809", "580900", "5810", "5810", "581010", "581010", "581091", "581091", "581092", "581092", "581099", "581099", "5811", "5811", "581100", "581100", "59", "5901", "590110", "590190", "5902", "5902", "590210", "590210", "590220", "590290", "5903", "590310", "590310", "590320", "590390", "590390", "5904", "590410", "590490", "590491", "590492", "5905", "590500", "5906", "590610", "590610", "590691", "590691", "590699", "590699", "5907", "590700", "5908", "590800", "5909", "590900", "5910", "591000", "5911", "591110", "591120", "591131", "591132", "591140", "591190", "60", "6001", "600110", "600121", "600122", "600129", "600191", "600192", "600199", "6002", "600210", "600210", "600220", "600220", "600230", "600230", "600240", "600240", "600241", "600242", "600243", "600249", "600290", "600290", "600291", "600292", "600293", "600299", "6003", "6003", "600310", "600310", "600320", "600320", "600330", "600330", "600340", "600340", "600390", "600390", "6004", "6004", "600410", "600410", "600490", "600490", "6005", "600510", "600521", "600522", "600523", "600524", "600531", "600532", "600533", "600534", "600535", "600536", "600537", "600538", "600539", "600541", "600542", "600543", "600544", "600590", "6006", "600610", "600621", "600622", "600623", "600624", "600631", "600632", "600633", "600634", "600641", "600642", "600643", "600644", "600690", "61", "6101", "610110", "610120", "610130", "610190", "6102", "610210", "610220", "610230", "610290", "6103", "610310", "610311", "610312", "610319", "610321", "610322", "610323", "610329", "610331", "610332", "610333", "610339", "610341", "610342", "610343", "610349", "6104", "6104", "610411", "610412", "610413", "610419", "610421", "610422", "610423", "610429", "610431", "610432", "610433", "610439", "610441", "610442", "610443", "610444", "610449", "610451", "610451", "610452", "610452", "610453", "610453", "610459", "610459", "610461", "610462", "610463", "610469", "6105", "610510", "610520", "610590", "6106", "610610", "610620", "610690", "6107", "610711", "610712", "610719", "610721", "610722", "610729", "610791", "610792", "610799", "6108", "610811", "610819", "610821", "610822", "610829", "610831", "610832", "610839", "610891", "610892", "610899", "6109", "610910", "610990", "6110", "611010", "611011", "611012", "611019", "611020", "611030", "611090", "6111", "611110", "611120", "611130", "611190", "6112", "611211", "611212", "611219", "611220", "611231", "611239", "611241", "611249", "6113", "611300", "6114", "611410", "611420", "611430", "611490", "6115", "611510", "611511", "611512", "611519", "611520", "611521", "611522", "611529", "611530", "611591", "611592", "611593", "611594", "611595", "611596", "611599", "6116", "611610", "611691", "611692", "611693", "611699", "6117", "611710", "611720", "611780", "611790", "62", "6201", "620111", "620112", "620113", "620119", "620191", "620192", "620193", "620199", "6202", "620211", "620212", "620213", "620219", "620291", "620292", "620293", "620299", "6203", "620311", "620312", "620319", "620321", "620322", "620323", "620329", "620331", "620332", "620333", "620339", "620341", "620342", "620343", "620349", "6204", "6204", "620411", "620412", "620413", "620419", "620421", "620422", "620423", "620429", "620431", "620432", "620433", "620439", "620441", "620442", "620443", "620444", "620449", "620451", "620451", "620452", "620452", "620453", "620453", "620459", "620459", "620461", "620462", "620463", "620469", "6205", "620510", "620520", "620530", "620590", "6206", "620610", "620620", "620630", "620640", "620690", "6207", "620711", "620719", "620721", "620722", "620729", "620791", "620792", "620799", "6208", "620811", "620819", "620821", "620822", "620829", "620891", "620892", "620899", "6209", "620910", "620920", "620930", "620990", "6210", "621010", "621020", "621030", "621040", "621050", "6211", "621111", "621112", "621120", "621131", "621132", "621133", "621139", "621141", "621142", "621143", "621149", "6212", "621210", "621220", "621230", "621290", "6213", "621310", "621320", "621390", "6214", "621410", "621420", "621430", "621440", "621490", "6215", "621510", "621520", "621590", "6216", "621600", "6217", "621710", "621790", "63", "6301", "630110", "630120", "630130", "630140", "630190", "6302", "630210", "630221", "630222", "630229", "630231", "630232", "630239", "630240", "630251", "630252", "630253", "630259", "630260", "630291", "630292", "630293", "630299", "6303", "630311", "630312", "630319", "630391", "630392", "630399", "6304", "630411", "630419", "630420", "630491", "630492", "630493", "630499", "6305", "630510", "630520", "630531", "630532", "630533", "630539", "630590", "6306", "630611", "630612", "630619", "630621", "630622", "630629", "630630", "630631", "630639", "630640", "630641", "630649", "630690", "630691", "630699", "6307", "630710", "630720", "630790", "6308", "6308", "630800", "630800", "6309", "630900", "6310", "631010", "631090", "64", "6401", "640110", "640191", "640192", "640199", "6402", "640211", "640212", "640219", "640220", "640230", "640291", "640299", "6403", "640311", "640312", "640319", "640320", "640330", "640340", "640351", "640359", "640391", "640399", "6404", "640411", "640419", "640420", "6405", "640510", "640520", "640590", "6406", "640610", "640620", "640690", "640691", "640699", "65", "6501", "650100", "6502", "650200", "6503", "650300", "6504", "650400", "6505", "650500", "650510", "650590", "6506", "650610", "650691", "650692", "650699", "6507", "650700", "66", "66", "6601", "660110", "660191", "660199", "6602", "6602", "660200", "660200", "6603", "660310", "660320", "660390", "67", "6701", "670100", "6702", "670210", "670290", "6703", "670300", "6704", "670411", "670419", "670420", "670490", "68", "6801", "680100", "6802", "680210", "680210", "680221", "680222", "680223", "680229", "680291", "680292", "680293", "680299", "6803", "680300", "6804", "680410", "680421", "680422", "680423", "680430", "6805", "680510", "680520", "680530", "6806", "680610", "680620", "680690", "6807", "680710", "680790", "6808", "680800", "6809", "680911", "680919", "680990", "6810", "681011", "681019", "681020", "681091", "681099", "6811", "681110", "681120", "681130", "681140", "681181", "681182", "681183", "681189", "681190", "6812", "681210", "681220", "681230", "681240", "681250", "681260", "681270", "681280", "681280", "681290", "681291", "681291", "681292", "681292", "681293", "681293", "681299", "681299", "6813", "681310", "681320", "681381", "681389", "681390", "6814", "681410", "681490", "6815", "681510", "681520", "681591", "681599", "69", "6901", "690100", "6902", "690210", "690220", "690290", "6903", "690310", "690320", "690390", "6904", "690410", "690490", "6905", "690510", "690590", "6906", "690600", "6907", "690710", "690710", "690721", "690722", "690723", "690730", "690740", "690790", "6908", "690810", "690890", "6909", "690911", "690912", "690919", "690990", "6910", "6910", "691010", "691010", "691090", "691090", "6911", "691110", "691190", "6912", "691200", "6913", "691310", "691390", "6914", "691410", "691490", "70", "7001", "700100", "7002", "700210", "700220", "700231", "700232", "700239", "7003", "700311", "700312", "700319", "700320", "700330", "7004", "700410", "700420", "700490", "7005", "700510", "700521", "700529", "700530", "7006", "700600", "7007", "700711", "700719", "700721", "700729", "7008", "700800", "7009", "700910", "700991", "700992", "7010", "7010", "701010", "701020", "701020", "701090", "701091", "701092", "701093", "701094", "7011", "701110", "701120", "701190", "7012", "701200", "7013", "701310", "701321", "701322", "701328", "701329", "701331", "701332", "701333", "701337", "701339", "701341", "701342", "701349", "701391", "701399", "7014", "701400", "7015", "701510", "701590", "7016", "701610", "701690", "7017", "701710", "701720", "701790", "7018", "701810", "701820", "701890", "7019", "701910", "701911", "701912", "701919", "701920", "701931", "701932", "701939", "701940", "701951", "701951", "701952", "701952", "701959", "701990", "7020", "702000", "71", "7101", "710110", "710121", "710122", "7102", "710210", "710221", "710229", "710231", "710239", "7103", "710310", "710391", "710399", "7104", "710410", "710420", "710490", "7105", "710510", "710590", "7106", "710610", "710691", "710692", "7107", "710700", "7108", "710811", "710812", "710813", "710820", "7109", "710900", "7110", "711011", "711019", "711021", "711029", "711031", "711039", "711041", "711041", "711049", "711049", "7111", "711100", "7112", "711210", "711220", "711230", "711290", "711291", "711292", "711299", "7113", "711311", "711319", "711320", "7114", "711411", "711419", "711420", "7115", "711510", "711590", "7116", "711610", "711620", "7117", "711711", "711719", "711790", "7118", "711810", "711890", "72", "7201", "720110", "720120", "720130", "720140", "720150", "7202", "720211", "720219", "720221", "720229", "720230", "720241", "720249", "720250", "720260", "720270", "720280", "720291", "720292", "720293", "720299", "7203", "720310", "720390", "7204", "720410", "720421", "720429", "720430", "720441", "720449", "720450", "7205", "720510", "720521", "720529", "7206", "720610", "720690", "7207", "720711", "720711", "720712", "720719", "720720", "7208", "7208", "720810", "720810", "720811", "720811", "720812", "720812", "720813", "720813", "720814", "720814", "720821", "720821", "720822", "720822", "720823", "720823", "720824", "720824", "720825", "720825", "720826", "720826", "720827", "720827", "720831", "720831", "720832", "720833", "720834", "720835", "720836", "720836", "720837", "720837", "720838", "720838", "720839", "720839", "720840", "720840", "720841", "720841", "720842", "720843", "720844", "720845", "720851", "720851", "720852", "720852", "720853", "720853", "720854", "720854", "720890", "720890", "7209", "7209", "720911", "720911", "720912", "720912", "720913", "720913", "720914", "720914", "720915", "720915", "720916", "720916", "720917", "720917", "720918", "720918", "720921", "720921", "720922", "720922", "720923", "720923", "720924", "720924", "720925", "720925", "720926", "720926", "720927", "720927", "720928", "720928", "720931", "720931", "720932", "720932", "720933", "720933", "720934", "720934", "720941", "720941", "720942", "720942", "720943", "720943", "720944", "720944", "720990", "720990", "7210", "7210", "721011", "721011", "721012", "721012", "721020", "721020", "721030", "721030", "721031", "721031", "721039", "721039", "721041", "721041", "721049", "721049", "721050", "721050", "721060", "721060", "721061", "721061", "721069", "721069", "721070", "721070", "721090", "721090", "7211", "7211", "721111", "721111", "721112", "721112", "721113", "721113", "721114", "721114", "721119", "721119", "721121", "721121", "721122", "721122", "721123", "721123", "721129", "721129", "721130", "721130", "721141", "721141", "721149", "721149", "721190", "721190", "7212", "7212", "721210", "721210", "721220", "721220", "721221", "721221", "721229", "721229", "721230", "721230", "721240", "721240", "721250", "721250", "721260", "721260", "7213", "721310", "721320", "721331", "721339", "721341", "721349", "721350", "721391", "721399", "7214", "721410", "721420", "721430", "721440", "721450", "721460", "721491", "721499", "7215", "721510", "721520", "721530", "721540", "721550", "721590", "7216", "721610", "721621", "721622", "721631", "721632", "721633", "721640", "721650", "721660", "721661", "721669", "721690", "721691", "721699", "7217", "721710", "721711", "721712", "721713", "721719", "721720", "721721", "721722", "721723", "721729", "721730", "721731", "721732", "721733", "721739", "721790", "7218", "721810", "721890", "721891", "721899", "7219", "7219", "721911", "721911", "721912", "721912", "721913", "721913", "721914", "721914", "721921", "721921", "721922", "721922", "721923", "721923", "721924", "721924", "721931", "721931", "721932", "721932", "721933", "721933", "721934", "721934", "721935", "721935", "721990", "721990", "7220", "7220", "722011", "722011", "722012", "722012", "722020", "722020", "722090", "722090", "7221", "722100", "7222", "722210", "722211", "722219", "722220", "722230", "722240", "7223", "722300", "7224", "722410", "722490", "7225", "7225", "722510", "722510", "722511", "722511", "722519", "722519", "722520", "722520", "722530", "722530", "722540", "722540", "722550", "722550", "722590", "722590", "722591", "722591", "722592", "722592", "722599", "722599", "7226", "7226", "722610", "722610", "722611", "722611", "722619", "722619", "722620", "722620", "722691", "722691", "722692", "722692", "722693", "722693", "722694", "722694", "722699", "722699", "7227", "722710", "722720", "722790", "7228", "722810", "722820", "722830", "722840", "722850", "722860", "722870", "722880", "7229", "722910", "722920", "722990", "73", "7301", "730110", "730120", "7302", "730210", "730220", "730230", "730240", "730290", "7303", "730300", "7304", "730410", "730411", "730419", "730420", "730421", "730422", "730423", "730424", "730429", "730431", "730439", "730441", "730449", "730451", "730459", "730490", "7305", "730511", "730512", "730519", "730520", "730531", "730539", "730590", "7306", "730610", "730611", "730619", "730620", "730621", "730629", "730630", "730640", "730650", "730660", "730661", "730669", "730690", "7307", "730711", "730719", "730721", "730722", "730723", "730729", "730791", "730792", "730793", "730799", "7308", "730810", "730810", "730820", "730830", "730840", "730890", "7309", "730900", "7310", "731010", "731021", "731029", "7311", "731100", "7312", "731210", "731290", "7313", "731300", "7314", "731411", "731412", "731413", "731414", "731419", "731420", "731430", "731431", "731439", "731441", "731442", "731449", "731450", "7315", "731511", "731512", "731519", "731520", "731520", "731581", "731582", "731589", "731590", "7316", "731600", "7317", "731700", "7318", "731811", "731812", "731813", "731814", "731815", "731816", "731819", "731821", "731822", "731823", "731824", "731829", "7319", "7319", "731910", "731910", "731920", "731930", "731940", "731990", "731990", "7320", "732010", "732020", "732090", "7321", "7321", "732111", "732112", "732112", "732113", "732113", "732119", "732119", "732181", "732182", "732182", "732183", "732183", "732189", "732189", "732190", "7322", "732211", "732219", "732290", "7323", "732310", "732391", "732392", "732393", "732394", "732399", "7324", "732410", "732421", "732429", "732490", "7325", "732510", "732591", "732599", "7326", "732611", "732619", "732620", "732690", "74", "7401", "740100", "740110", "740120", "7402", "740200", "7403", "740311", "740312", "740313", "740319", "740321", "740322", "740323", "740329", "7404", "740400", "7405", "740500", "7406", "740610", "740620", "7407", "740710", "740721", "740722", "740729", "7408", "740811", "740819", "740821", "740822", "740829", "7409", "740911", "740919", "740921", "740929", "740931", "740939", "740940", "740990", "7410", "741011", "741012", "741021", "741022", "7411", "741110", "741121", "741122", "741129", "7412", "741210", "741220", "7413", "741300", "7414", "741410", "741420", "741490", "7415", "741510", "741521", "741529", "741531", "741532", "741533", "741539", "7416", "741600", "7417", "741700", "7418", "741810", "741811", "741819", "741820", "7419", "741910", "741991", "741999", "75", "7501", "7501", "750110", "750120", "750120", "7502", "750210", "750220", "7503", "750300", "7504", "750400", "7505", "750511", "750512", "750521", "750522", "7506", "750610", "750620", "7507", "750711", "750712", "750720", "7508", "750800", "750810", "750890", "76", "7601", "760110", "760120", "7602", "760200", "7603", "760310", "760320", "7604", "760410", "760421", "760429", "7605", "760511", "760519", "760521", "760529", "7606", "760611", "760612", "760691", "760692", "7607", "760711", "760719", "760720", "7608", "760810", "760820", "7609", "760900", "7610", "7610", "761010", "761090", "7611", "761100", "7612", "7612", "761210", "761290", "7613", "761300", "7614", "761410", "761490", "7615", "761510", "761511", "761519", "761520", "7616", "761610", "761690", "761691", "761699", "78", "7801", "780110", "780191", "780199", "7802", "780200", "7803", "780300", "7804", "780411", "780419", "780420", "7805", "780500", "7806", "780600", "79", "7901", "790111", "790112", "790120", "7902", "790200", "7903", "790310", "790390", "7904", "790400", "7905", "790500", "7906", "790600", "7907", "790700", "790710", "790790", "80", "8001", "800110", "800120", "8002", "800200", "8003", "800300", "8004", "800400", "8005", "800500", "800510", "800520", "8006", "800600", "8007", "800700", "81", "8101", "810110", "810191", "810192", "810193", "810194", "810195", "810196", "810197", "810199", "8102", "810210", "810291", "810292", "810293", "810294", "810295", "810296", "810297", "810299", "8103", "810310", "810320", "810330", "810390", "8104", "810411", "810419", "810420", "810430", "810490", "8105", "810510", "810520", "810530", "810590", "8106", "810600", "8107", "810710", "810720", "810730", "810790", "8108", "810810", "810820", "810830", "810890", "8109", "810910", "810920", "810930", "810990", "8110", "811000", "811010", "811020", "811090", "8111", "811100", "8112", "811211", "811212", "811213", "811219", "811220", "811221", "811222", "811229", "811230", "811240", "811251", "811252", "811259", "811291", "811292", "811299", "8113", "811300", "82", "8201", "820110", "820120", "820130", "820140", "820150", "820160", "820190", "8202", "820210", "820220", "820231", "820232", "820239", "820240", "820291", "820299", "8203", "820310", "820320", "820330", "820340", "8204", "820411", "820412", "820420", "8205", "820510", "820520", "820530", "820540", "820551", "820559", "820560", "820570", "820580", "820590", "8206", "820600", "8207", "820711", "820711", "820712", "820712", "820713", "820719", "820720", "820730", "820740", "820750", "820760", "820770", "820780", "820790", "8208", "820810", "820820", "820830", "820840", "820890", "8209", "8209", "820900", "820900", "8210", "821000", "8211", "821110", "821191", "821192", "821193", "821194", "821195", "8212", "821210", "821220", "821290", "8213", "821300", "8214", "821410", "821420", "821490", "8215", "821510", "821520", "821591", "821599", "83", "8301", "830110", "830120", "830130", "830140", "830150", "830160", "830170", "8302", "830210", "830220", "830230", "830241", "830242", "830249", "830250", "830260", "8303", "830300", "8304", "830400", "8305", "830510", "830520", "830590", "8306", "830610", "830621", "830629", "830630", "8307", "830710", "830790", "8308", "830810", "830820", "830890", "8309", "8309", "830910", "830990", "830990", "8310", "831000", "8311", "8311", "831110", "831120", "831130", "831190", "831190", "84", "8401", "8401", "840110", "840120", "840130", "840130", "840140", "8402", "840211", "840212", "840219", "840219", "840220", "840290", "8403", "840310", "840390", "8404", "840410", "840420", "840490", "8405", "840510", "840590", "8406", "840610", "840611", "840619", "840681", "840682", "840690", "8407", "840710", "840721", "840729", "840731", "840732", "840733", "840734", "840790", "8408", "840810", "840820", "840890", "8409", "840910", "840991", "840999", "8410", "841011", "841012", "841013", "841090", "8411", "841111", "841112", "841121", "841122", "841181", "841182", "841191", "841199", "8412", "841210", "841221", "841229", "841231", "841239", "841280", "841290", "8413", "8413", "841311", "841319", "841319", "841320", "841320", "841330", "841340", "841350", "841350", "841360", "841360", "841370", "841370", "841381", "841381", "841382", "841382", "841391", "841392", "841392", "8414", "841410", "841420", "841430", "841440", "841451", "841459", "841460", "841460", "841480", "841490", "8415", "8415", "841510", "841510", "841520", "841520", "841581", "841582", "841583", "841590", "8416", "8416", "841610", "841610", "841620", "841620", "841630", "841690", "841690", "8417", "841710", "841720", "841780", "841790", "8418", "841810", "841821", "841822", "841829", "841830", "841840", "841850", "841861", "841869", "841891", "841899", "8419", "841911", "841919", "841920", "841931", "841932", "841939", "841940", "841950", "841960", "841981", "841989", "841990", "8420", "842010", "842091", "842099", "8421", "8421", "842111", "842112", "842119", "842121", "842122", "842123", "842129", "842129", "842131", "842139", "842191", "842199", "842199", "8422", "842211", "842219", "842220", "842230", "842240", "842290", "8423", "842310", "842320", "842330", "842381", "842382", "842389", "842390", "8424", "8424", "842410", "842420", "842430", "842441", "842449", "842481", "842481", "842482", "842489", "842489", "842490", "842490", "8425", "842511", "842519", "842520", "842531", "842539", "842541", "842542", "842549", "8426", "842611", "842612", "842619", "842619", "842620", "842630", "842641", "842649", "842691", "842699", "8427", "842710", "842720", "842790", "8428", "842810", "842820", "842831", "842832", "842833", "842839", "842840", "842850", "842860", "842890", "8429", "842911", "842919", "842920", "842930", "842940", "842951", "842952", "842959", "8430", "843010", "843020", "843031", "843039", "843041", "843049", "843050", "843061", "843062", "843069", "8431", "843110", "843120", "843131", "843139", "843141", "843142", "843143", "843149", "8432", "843210", "843221", "843229", "843230", "843231", "843239", "843240", "843241", "843242", "843280", "843290", "8433", "843311", "843319", "843320", "843330", "843340", "843351", "843352", "843353", "843359", "843360", "843390", "8434", "843410", "843420", "843490", "8435", "8435", "843510", "843510", "843590", "843590", "8436", "843610", "843621", "843629", "843680", "843691", "843699", "8437", "843710", "843780", "843790", "8438", "843810", "843820", "843830", "843840", "843850", "843860", "843880", "843890", "8439", "843910", "843920", "843930", "843991", "843999", "8440", "844010", "844090", "8441", "844110", "844120", "844130", "844140", "844180", "844190", "8442", "844210", "844220", "844230", "844240", "844250", "8443", "844311", "844312", "844313", "844314", "844315", "844316", "844317", "844319", "844321", "844329", "844330", "844331", "844332", "844339", "844340", "844350", "844351", "844359", "844360", "844390", "844391", "844399", "8444", "844400", "8445", "844511", "844512", "844513", "844519", "844520", "844530", "844540", "844590", "8446", "844610", "844610", "844621", "844621", "844629", "844629", "844630", "844630", "8447", "8447", "844711", "844712", "844720", "844790", "844790", "8448", "844811", "844819", "844820", "844831", "844832", "844833", "844839", "844841", "844842", "844849", "844851", "844859", "8449", "844900", "8450", "845011", "845012", "845019", "845020", "845090", "8451", "845110", "845121", "845129", "845130", "845140", "845150", "845180", "845190", "8452", "845210", "845221", "845229", "845230", "845240", "845290", "8453", "8453", "845310", "845310", "845320", "845380", "845380", "845390", "845390", "8454", "845410", "845420", "845430", "845490", "8455", "845510", "845521", "845522", "845530", "845590", "8456", "845610", "845611", "845612", "845620", "845630", "845640", "845650", "845690", "845691", "845699", "8457", "845710", "845720", "845730", "8458", "845811", "845819", "845891", "845899", "8459", "845910", "845921", "845929", "845931", "845939", "845940", "845941", "845949", "845951", "845959", "845961", "845969", "845970", "8460", "8460", "846011", "846012", "846019", "846021", "846022", "846023", "846024", "846029", "846031", "846039", "846040", "846090", "846090", "8461", "8461", "846110", "846110", "846120", "846120", "846130", "846130", "846140", "846140", "846150", "846150", "846190", "846190", "8462", "846210", "846221", "846229", "846231", "846239", "846241", "846249", "846291", "846291", "846299", "846299", "8463", "8463", "846310", "846310", "846320", "846320", "846330", "846390", "846390", "8464", "846410", "846420", "846490", "8465", "846510", "846520", "846591", "846592", "846593", "846594", "846595", "846596", "846599", "8466", "8466", "846610", "846620", "846630", "846630", "846691", "846692", "846693", "846694", "8467", "846711", "846719", "846721", "846722", "846729", "846781", "846789", "846791", "846792", "846799", "8468", "846810", "846820", "846880", "846890", "8469", "846900", "846910", "846911", "846912", "846920", "846921", "846929", "846930", "846931", "846939", "8470", "847010", "847021", "847029", "847030", "847040", "847050", "847090", "8471", "847110", "847110", "847120", "847130", "847141", "847141", "847149", "847149", "847150", "847160", "847170", "847180", "847190", "847191", "847192", "847193", "847199", "8472", "847210", "847220", "847230", "847290", "8473", "847310", "847321", "847329", "847330", "847340", "847350", "8474", "8474", "847410", "847420", "847431", "847432", "847439", "847480", "847480", "847490", "847490", "8475", "847510", "847520", "847521", "847529", "847590", "8476", "847611", "847619", "847621", "847629", "847681", "847689", "847690", "8477", "847710", "847720", "847730", "847740", "847751", "847759", "847780", "847790", "8478", "847810", "847890", "8479", "8479", "847910", "847920", "847930", "847940", "847950", "847960", "847971", "847971", "847979", "847979", "847981", "847982", "847989", "847989", "847990", "847990", "8480", "8480", "848010", "848020", "848020", "848030", "848030", "848041", "848041", "848049", "848049", "848050", "848060", "848071", "848079", "8481", "848110", "848120", "848130", "848140", "848180", "848190", "8482", "848210", "848220", "848230", "848240", "848250", "848280", "848291", "848299", "8483", "848310", "848320", "848330", "848340", "848350", "848360", "848390", "8484", "848410", "848420", "848490", "8485", "848510", "848590", "8486", "848610", "848620", "848630", "848640", "848690", "8487", "848710", "848790", "85", "8501", "850110", "850120", "850131", "850132", "850133", "850134", "850140", "850151", "850152", "850153", "850161", "850162", "850163", "850164", "8502", "850211", "850212", "850213", "850220", "850230", "850231", "850239", "850240", "8503", "850300", "8504", "850410", "850421", "850421", "850422", "850422", "850423", "850423", "850431", "850432", "850433", "850434", "850440", "850450", "850490", "8505", "850511", "850519", "850520", "850530", "850590", "8506", "850610", "850610", "850611", "850611", "850612", "850612", "850613", "850613", "850619", "850620", "850630", "850630", "850640", "850640", "850650", "850660", "850680", "850680", "850690", "8507", "850710", "850710", "850720", "850720", "850730", "850740", "850750", "850750", "850760", "850780", "850780", "850790", "8508", "850810", "850811", "850819", "850820", "850860", "850870", "850880", "850890", "8509", "850910", "850920", "850930", "850940", "850980", "850990", "8510", "851010", "851020", "851030", "851090", "8511", "851110", "851120", "851130", "851140", "851150", "851180", "851190", "8512", "851210", "851220", "851230", "851240", "851290", "8513", "851310", "851390", "8514", "851410", "851420", "851430", "851440", "851490", "8515", "8515", "851511", "851519", "851521", "851529", "851531", "851539", "851580", "851590", "8516", "851610", "851621", "851629", "851631", "851632", "851633", "851640", "851650", "851660", "851671", "851672", "851679", "851680", "851690", "8517", "851710", "851711", "851712", "851718", "851719", "851719", "851720", "851721", "851722", "851730", "851740", "851750", "851761", "851762", "851769", "851770", "851780", "851781", "851782", "851790", "8518", "851810", "851821", "851822", "851829", "851830", "851840", "851850", "851890", "8519", "851910", "851920", "851921", "851929", "851930", "851931", "851939", "851940", "851950", "851981", "851989", "851991", "851992", "851993", "851999", "8520", "852010", "852020", "852031", "852032", "852033", "852039", "852090", "8521", "8521", "852110", "852110", "852190", "852190", "8522", "8522", "852210", "852210", "852290", "852290", "8523", "852311", "852311", "852312", "852312", "852313", "852313", "852320", "852321", "852329", "852330", "852340", "852341", "852349", "852351", "852351", "852352", "852359", "852380", "852390", "8524", "852410", "852421", "852421", "852422", "852422", "852423", "852423", "852431", "852432", "852439", "852440", "852451", "852451", "852452", "852452", "852453", "852453", "852460", "852490", "852491", "852499", "8525", "8525", "852510", "852520", "852530", "852540", "852540", "852550", "852560", "852580", "852580", "8526", "8526", "852610", "852691", "852691", "852692", "8527", "852711", "852712", "852713", "852719", "852721", "852729", "852731", "852732", "852739", "852790", "852791", "852792", "852799", "8528", "8528", "852810", "852810", "852812", "852812", "852813", "852813", "852820", "852820", "852821", "852821", "852822", "852822", "852830", "852830", "852841", "852842", "852849", "852851", "852852", "852859", "852861", "852862", "852869", "852871", "852871", "852872", "852872", "852873", "852873", "8529", "852910", "852990", "8530", "853010", "853080", "853090", "8531", "853110", "853120", "853120", "853180", "853190", "8532", "853210", "853221", "853222", "853223", "853224", "853225", "853229", "853230", "853290", "8533", "853310", "853321", "853329", "853331", "853339", "853340", "853390", "8534", "853400", "8535", "853510", "853521", "853529", "853530", "853540", "853590", "8536", "853610", "853620", "853630", "853641", "853649", "853650", "853661", "853669", "853670", "853690", "8537", "853710", "853720", "8538", "853810", "853890", "8539", "853910", "853921", "853922", "853929", "853931", "853932", "853932", "853939", "853940", "853941", "853949", "853950", "853990", "8540", "854011", "854011", "854012", "854012", "854020", "854030", "854040", "854041", "854041", "854042", "854042", "854049", "854049", "854050", "854060", "854071", "854071", "854072", "854072", "854079", "854079", "854081", "854089", "854091", "854099", "8541", "854110", "854121", "854129", "854130", "854140", "854150", "854160", "854190", "8542", "854210", "854211", "854212", "854213", "854213", "854214", "854219", "854220", "854220", "854221", "854229", "854230", "854231", "854232", "854233", "854239", "854240", "854240", "854250", "854260", "854260", "854270", "854280", "854280", "854290", "8543", "8543", "854310", "854311", "854311", "854319", "854319", "854320", "854320", "854330", "854330", "854340", "854340", "854370", "854370", "854380", "854380", "854381", "854381", "854389", "854389", "854390", "8544", "8544", "854411", "854419", "854420", "854430", "854441", "854442", "854449", "854451", "854459", "854460", "854470", "8545", "854511", "854519", "854520", "854590", "8546", "854610", "854620", "854690", "8547", "854710", "854720", "854790", "8548", "854800", "854810", "854890", "86", "8601", "860110", "860120", "8602", "860210", "860290", "8603", "860310", "860390", "8604", "860400", "8605", "860500", "8606", "860610", "860620", "860630", "860691", "860692", "860692", "860699", "8607", "860711", "860712", "860719", "860721", "860729", "860730", "860791", "860799", "8608", "860800", "8609", "8609", "860900", "860900", "87", "8701", "870110", "870120", "870130", "870190", "870191", "870192", "870193", "870194", "870195", "8702", "870210", "870220", "870230", "870240", "870290", "8703", "870310", "870321", "870322", "870323", "870324", "870331", "870332", "870333", "870340", "870350", "870360", "870370", "870380", "870390", "8704", "870410", "870421", "870422", "870423", "870431", "870432", "870490", "8705", "870510", "870520", "870530", "870540", "870590", "8706", "870600", "8707", "870710", "870790", "8708", "870810", "870821", "870829", "870830", "870831", "870839", "870840", "870850", "870850", "870860", "870870", "870880", "870891", "870892", "870893", "870894", "870895", "870899", "8709", "870911", "870919", "870990", "8710", "871000", "8711", "8711", "871110", "871110", "871120", "871120", "871130", "871130", "871140", "871140", "871150", "871150", "871160", "871160", "871190", "871190", "8712", "871200", "8713", "8713", "871310", "871310", "871390", "871390", "8714", "871410", "871411", "871419", "871420", "871420", "871491", "871492", "871493", "871494", "871495", "871496", "871499", "8715", "871500", "8716", "871610", "871620", "871631", "871639", "871640", "871680", "871690", "88", "8801", "8801", "880100", "880100", "880110", "880110", "880190", "8802", "880211", "880212", "880220", "880230", "880240", "880250", "880260", "8803", "880310", "880320", "880330", "880390", "8804", "880400", "8805", "880510", "880520", "880521", "880529", "89", "8901", "890110", "890120", "890130", "890190", "8902", "890200", "8903", "890310", "890391", "890392", "890399", "8904", "890400", "8905", "8905", "890510", "890520", "890590", "890590", "8906", "890600", "890610", "890690", "8907", "890710", "890790", "8908", "890800", "90", "9001", "900110", "900120", "900130", "900140", "900150", "900190", "9002", "900211", "900219", "900220", "900290", "9003", "900311", "900319", "900390", "9004", "900410", "900490", "9005", "900510", "900580", "900590", "9006", "900610", "900620", "900630", "900640", "900651", "900651", "900652", "900652", "900653", "900653", "900659", "900661", "900662", "900669", "900691", "900699", "9007", "900710", "900711", "900711", "900719", "900720", "900721", "900721", "900729", "900729", "900791", "900792", "9008", "900810", "900810", "900820", "900830", "900830", "900840", "900850", "900890", "9009", "900911", "900912", "900921", "900922", "900930", "900990", "900991", "900992", "900993", "900999", "9010", "901010", "901020", "901030", "901041", "901042", "901049", "901050", "901060", "901090", "9011", "901110", "901120", "901180", "901190", "9012", "901210", "901290", "9013", "9013", "901310", "901320", "901380", "901380", "901390", "9014", "901410", "901420", "901480", "901490", "9015", "901510", "901520", "901530", "901540", "901580", "901590", "9016", "901600", "9017", "901710", "901720", "901730", "901780", "901790", "9018", "901811", "901812", "901813", "901814", "901819", "901820", "901831", "901832", "901839", "901841", "901849", "901850", "901890", "9019", "901910", "901920", "9020", "902000", "9021", "9021", "902110", "902111", "902119", "902121", "902129", "902130", "902131", "902139", "902140", "902140", "902150", "902190", "9022", "902211", "902212", "902213", "902214", "902219", "902221", "902229", "902230", "902290", "9023", "902300", "9024", "902410", "902480", "902490", "9025", "902511", "902511", "902519", "902519", "902520", "902580", "902590", "9026", "9026", "902610", "902610", "902620", "902680", "902680", "902690", "902690", "9027", "902710", "902720", "902730", "902740", "902750", "902780", "902790", "9028", "9028", "902810", "902820", "902820", "902830", "902890", "902890", "9029", "902910", "902920", "902990", "9030", "903010", "903020", "903031", "903032", "903033", "903039", "903040", "903081", "903082", "903083", "903084", "903089", "903090", "9031", "903110", "903120", "903130", "903140", "903141", "903149", "903180", "903190", "9032", "903210", "903220", "903281", "903289", "903290", "9033", "903300", "91", "9101", "910111", "910112", "910119", "910121", "910129", "910191", "910199", "9102", "910211", "910212", "910219", "910221", "910229", "910291", "910299", "9103", "910310", "910390", "9104", "910400", "9105", "910511", "910519", "910521", "910529", "910591", "910599", "9106", "910610", "910620", "910690", "9107", "910700", "9108", "910811", "910812", "910819", "910820", "910890", "910891", "910899", "9109", "910910", "910911", "910919", "910990", "9110", "911011", "911012", "911019", "911090", "9111", "911110", "911120", "911180", "911190", "9112", "911210", "911220", "911280", "911290", "9113", "911310", "911320", "911390", "9114", "911410", "911420", "911430", "911440", "911440", "911490", "911490", "92", "9201", "920110", "920120", "920190", "9202", "920210", "920290", "9203", "920300", "9204", "920410", "920420", "9205", "920510", "920590", "9206", "920600", "9207", "920710", "920790", "9208", "920810", "920890", "9209", "920910", "920920", "920930", "920991", "920992", "920993", "920994", "920999", "93", "9301", "930100", "930110", "930111", "930119", "930120", "930190", "9302", "930200", "9303", "930310", "930320", "930330", "930390", "9304", "930400", "9305", "930510", "930520", "930521", "930529", "930590", "930591", "930599", "9306", "9306", "930610", "930610", "930621", "930621", "930629", "930629", "930630", "930630", "930690", "9307", "930700", "94", "9401", "940110", "940120", "940130", "940140", "940150", "940151", "940152", "940153", "940159", "940161", "940169", "940171", "940179", "940180", "940190", "9402", "940210", "940290", "9403", "940310", "940320", "940330", "940340", "940350", "940360", "940370", "940380", "940381", "940382", "940383", "940389", "940390", "9404", "9404", "940410", "940421", "940429", "940430", "940490", "940490", "9405", "940510", "940520", "940520", "940530", "940540", "940550", "940560", "940591", "940592", "940599", "9406", "940600", "940610", "940690", "95", "9501", "9501", "950100", "950100", "9502", "950210", "950291", "950299", "9503", "950300", "950310", "950320", "950330", "950341", "950349", "950350", "950360", "950370", "950380", "950390", "9504", "9504", "950410", "950410", "950420", "950430", "950440", "950450", "950450", "950490", "9505", "950510", "950590", "9506", "950611", "950612", "950619", "950621", "950629", "950631", "950632", "950639", "950640", "950651", "950659", "950661", "950662", "950669", "950670", "950691", "950699", "9507", "950710", "950720", "950730", "950790", "9508", "950800", "950810", "950890", "96", "9601", "960110", "960190", "9602", "960200", "9603", "960310", "960321", "960329", "960330", "960340", "960350", "960390", "9604", "9604", "960400", "960400", "9605", "960500", "9606", "960610", "960621", "960622", "960629", "960630", "9607", "9607", "960711", "960711", "960719", "960719", "960720", "960720", "9608", "9608", "960810", "960820", "960830", "960831", "960839", "960840", "960840", "960850", "960860", "960891", "960899", "9609", "960910", "960910", "960920", "960990", "9610", "961000", "9611", "961100", "9612", "9612", "961210", "961210", "961220", "9613", "961310", "961320", "961330", "961380", "961390", "9614", "961400", "961410", "961420", "961490", "9615", "9615", "961511", "961511", "961519", "961519", "961590", "9616", "961610", "961620", "9617", "961700", "9618", "961800", "9619", "961900", "9620", "962000", "97", "9701", "970110", "970190", "9702", "970200", "9703", "970300", "9704", "970400", "9705", "970500", "9706", "970600", "99", "9999", "999999", "9999", )
valid_codes = ('01', '0101', '010110', '010111', '010119', '010120', '010121', '010129', '010130', '010190', '0102', '010210', '010221', '010229', '010231', '010239', '010290', '0103', '010310', '010391', '010392', '0104', '010410', '010420', '0105', '010511', '010512', '010513', '010514', '010515', '010519', '010591', '010592', '010593', '010594', '010599', '0106', '010600', '010611', '010612', '010613', '010613', '010614', '010619', '010619', '010620', '010631', '010632', '010633', '010639', '010641', '010649', '010690', '02', '0201', '020110', '020120', '020130', '0202', '020210', '020220', '020230', '0203', '020311', '020312', '020319', '020321', '020322', '020329', '0204', '020410', '020421', '020422', '020423', '020430', '020441', '020442', '020443', '020450', '0205', '020500', '0206', '020610', '020621', '020622', '020629', '020630', '020641', '020649', '020680', '020690', '0207', '020710', '020711', '020712', '020713', '020714', '020721', '020722', '020723', '020724', '020725', '020726', '020727', '020731', '020732', '020733', '020734', '020735', '020736', '020739', '020741', '020742', '020743', '020744', '020745', '020750', '020751', '020752', '020753', '020754', '020755', '020760', '0208', '020810', '020820', '020830', '020840', '020850', '020860', '020860', '020890', '0209', '020900', '020910', '020990', '0210', '021011', '021012', '021019', '021020', '021090', '021091', '021092', '021093', '021099', '03', '0301', '030110', '030111', '030119', '030191', '030192', '030193', '030193', '030194', '030195', '030199', '0302', '030211', '030212', '030213', '030214', '030219', '030219', '030221', '030221', '030222', '030223', '030224', '030224', '030229', '030231', '030232', '030233', '030234', '030235', '030236', '030239', '030240', '030241', '030242', '030243', '030244', '030245', '030246', '030247', '030249', '030250', '030251', '030252', '030253', '030254', '030255', '030256', '030259', '030261', '030262', '030263', '030264', '030265', '030266', '030267', '030268', '030269', '030270', '030271', '030272', '030273', '030273', '030274', '030279', '030281', '030282', '030282', '030283', '030284', '030285', '030285', '030289', '030290', '030291', '030292', '030299', '0303', '030310', '030311', '030312', '030313', '030314', '030319', '030321', '030322', '030323', '030324', '030325', '030325', '030326', '030329', '030329', '030331', '030331', '030332', '030333', '030334', '030334', '030339', '030341', '030342', '030343', '030344', '030345', '030346', '030349', '030350', '030351', '030352', '030353', '030354', '030355', '030356', '030357', '030359', '030360', '030361', '030362', '030363', '030364', '030365', '030366', '030367', '030368', '030369', '030369', '030371', '030372', '030373', '030374', '030375', '030376', '030377', '030378', '030379', '030380', '030381', '030382', '030382', '030383', '030384', '030389', '030390', '030391', '030392', '030399', '0304', '030410', '030411', '030412', '030419', '030420', '030421', '030422', '030429', '030431', '030432', '030433', '030439', '030439', '030441', '030442', '030443', '030443', '030444', '030444', '030445', '030446', '030447', '030448', '030448', '030449', '030451', '030452', '030452', '030453', '030453', '030454', '030455', '030456', '030457', '030457', '030459', '030461', '030462', '030463', '030469', '030469', '030471', '030472', '030473', '030474', '030475', '030479', '030479', '030481', '030482', '030483', '030483', '030484', '030485', '030486', '030487', '030488', '030488', '030489', '030490', '030491', '030492', '030493', '030494', '030495', '030495', '030496', '030497', '030497', '030499', '0305', '030510', '030520', '030530', '030531', '030532', '030532', '030539', '030541', '030542', '030543', '030544', '030549', '030551', '030552', '030553', '030553', '030554', '030559', '030561', '030562', '030563', '030564', '030569', '030571', '030572', '030579', '0306', '030611', '030612', '030613', '030614', '030615', '030616', '030617', '030619', '030621', '030622', '030623', '030624', '030625', '030626', '030627', '030629', '030631', '030632', '030633', '030634', '030635', '030636', '030639', '030691', '030692', '030693', '030694', '030695', '030699', '0307', '030710', '030711', '030712', '030719', '030721', '030722', '030729', '030731', '030732', '030739', '030741', '030741', '030742', '030742', '030743', '030743', '030749', '030749', '030751', '030752', '030759', '030760', '030771', '030771', '030772', '030772', '030779', '030779', '030781', '030782', '030782', '030783', '030784', '030784', '030787', '030788', '030788', '030789', '030791', '030792', '030799', '0308', '030811', '030811', '030812', '030812', '030819', '030819', '030821', '030821', '030822', '030822', '030829', '030829', '030830', '030890', '04', '0401', '040110', '040120', '040130', '040140', '040150', '0402', '040210', '040210', '040221', '040221', '040229', '040229', '040291', '040291', '040299', '040299', '0403', '0403', '040310', '040390', '040390', '0404', '040410', '040490', '0405', '040500', '040510', '040520', '040590', '0406', '040610', '040620', '040630', '040640', '040690', '0407', '040700', '040711', '040719', '040721', '040729', '040790', '0408', '040811', '040819', '040891', '040899', '0409', '040900', '0410', '041000', '05', '0501', '050100', '0502', '050210', '050290', '0503', '050300', '0504', '050400', '0505', '050510', '050590', '0506', '0506', '050610', '050610', '050690', '050690', '0507', '050710', '050790', '0508', '050800', '0509', '050900', '0510', '0510', '051000', '051000', '0511', '051110', '051191', '051199', '06', '0601', '060110', '060120', '0602', '060210', '060220', '060230', '060240', '060290', '060291', '060299', '0603', '060310', '060311', '060312', '060313', '060313', '060314', '060315', '060319', '060319', '060390', '0604', '060410', '060420', '060490', '060491', '060499', '07', '0701', '070110', '070190', '0702', '070200', '0703', '070310', '070320', '070390', '0704', '070410', '070420', '070490', '0705', '070511', '070519', '070521', '070529', '0706', '070610', '070690', '0707', '070700', '0708', '070810', '070820', '070890', '0709', '070910', '070920', '070930', '070940', '070951', '070952', '070959', '070960', '070970', '070990', '070991', '070992', '070993', '070999', '0710', '071010', '071021', '071022', '071029', '071030', '071040', '071080', '071090', '0711', '0711', '071110', '071110', '071120', '071130', '071140', '071151', '071159', '071190', '0712', '071210', '071220', '071230', '071231', '071232', '071233', '071239', '071290', '0713', '071310', '071320', '071331', '071332', '071333', '071333', '071334', '071335', '071339', '071340', '071350', '071360', '071390', '0714', '071410', '071420', '071430', '071440', '071450', '071490', '08', '0801', '080110', '080111', '080112', '080119', '080120', '080121', '080122', '080130', '080131', '080132', '0802', '080211', '080212', '080221', '080222', '080231', '080232', '080240', '080241', '080242', '080250', '080251', '080252', '080260', '080261', '080262', '080270', '080280', '080290', '0803', '080300', '080310', '080390', '0804', '080410', '080420', '080430', '080440', '080450', '0805', '080510', '080520', '080520', '080521', '080522', '080529', '080529', '080530', '080540', '080550', '080590', '0806', '080610', '080620', '0807', '080710', '080711', '080719', '080720', '0808', '080810', '080820', '080830', '080840', '0809', '080910', '080920', '080921', '080929', '080930', '080940', '0810', '081010', '081020', '081030', '081040', '081050', '081060', '081070', '081090', '0811', '081110', '081120', '081190', '0812', '0812', '081210', '081220', '081290', '0813', '081310', '081320', '081330', '081340', '081350', '0814', '081400', '09', '0901', '090111', '090112', '090121', '090122', '090130', '090140', '090190', '0902', '090210', '090220', '090230', '090240', '0903', '090300', '0904', '090411', '090412', '090420', '090421', '090422', '0905', '090500', '090510', '090520', '0906', '090610', '090611', '090619', '090620', '0907', '090700', '090710', '090720', '0908', '090810', '090811', '090812', '090820', '090821', '090822', '090830', '090831', '090832', '0909', '090910', '090920', '090921', '090922', '090930', '090931', '090932', '090940', '090950', '090961', '090962', '0910', '091010', '091011', '091012', '091020', '091030', '091040', '091050', '091091', '091099', '10', '1001', '100110', '100111', '100119', '100190', '100191', '100199', '1002', '100200', '100210', '100290', '1003', '100300', '100310', '100390', '1004', '100400', '100410', '100490', '1005', '100510', '100590', '1006', '100610', '100620', '100630', '100640', '1007', '100700', '100710', '100790', '1008', '100810', '100820', '100821', '100829', '100830', '100840', '100850', '100860', '100890', '11', '1101', '110100', '1102', '110210', '110220', '110230', '110290', '1103', '110311', '110312', '110313', '110314', '110319', '110320', '110321', '110329', '1104', '110411', '110412', '110419', '110421', '110422', '110423', '110429', '110430', '1105', '110510', '110520', '1106', '110610', '110620', '110630', '1107', '110710', '110720', '1108', '110811', '110812', '110813', '110814', '110819', '110820', '1109', '110900', '12', '1201', '120100', '120110', '120190', '1202', '120210', '120220', '120230', '120241', '120242', '1203', '120300', '1204', '120400', '1205', '120500', '120510', '120510', '120590', '1206', '120600', '1207', '120710', '120720', '120721', '120729', '120730', '120740', '120750', '120760', '120770', '120791', '120792', '120799', '1208', '120810', '120890', '1209', '120910', '120911', '120919', '120921', '120922', '120923', '120924', '120925', '120926', '120929', '120930', '120991', '120999', '1210', '121010', '121020', '1211', '1211', '121110', '121110', '121120', '121120', '121130', '121130', '121140', '121140', '121150', '121150', '121190', '121190', '1212', '121210', '121220', '121221', '121229', '121230', '121291', '121292', '121293', '121294', '121299', '1213', '121300', '1214', '121410', '121490', '13', '1301', '130110', '130120', '130190', '1302', '130211', '130212', '130213', '130214', '130219', '130220', '130231', '130232', '130239', '14', '1401', '140110', '140120', '140190', '1402', '140200', '140210', '140290', '140291', '140299', '1403', '140300', '140310', '140390', '1404', '140410', '140420', '140490', '15', '1501', '150100', '150110', '150120', '150190', '1502', '150200', '150210', '150290', '1503', '150300', '1504', '150410', '150420', '150430', '1505', '150500', '150510', '150590', '1506', '150600', '1507', '150710', '150790', '1508', '150810', '150890', '1509', '150910', '150990', '1510', '151000', '1511', '151110', '151190', '1512', '151211', '151219', '151221', '151229', '1513', '151311', '151319', '151321', '151329', '1514', '151410', '151411', '151411', '151419', '151419', '151490', '151491', '151491', '151499', '151499', '1515', '151511', '151519', '151521', '151529', '151530', '151540', '151550', '151560', '151590', '1516', '1516', '151610', '151610', '151620', '151620', '1517', '151710', '151710', '151790', '1518', '151800', '151800', '1519', '1519', '151911', '151911', '151912', '151912', '151913', '151913', '151919', '151919', '151920', '151920', '151930', '1520', '152000', '152010', '152090', '1521', '1521', '152110', '152110', '152190', '1522', '1522', '152200', '152200', '16', '1601', '160100', '1602', '160210', '160220', '160231', '160232', '160239', '160241', '160242', '160249', '160250', '160290', '1603', '160300', '1604', '160411', '160412', '160413', '160414', '160415', '160416', '160417', '160418', '160419', '160420', '160430', '160431', '160432', '1605', '160510', '160520', '160521', '160529', '160530', '160540', '160551', '160552', '160553', '160554', '160554', '160555', '160556', '160557', '160558', '160559', '160561', '160562', '160563', '160569', '160590', '17', '1701', '1701', '170111', '170111', '170112', '170112', '170113', '170113', '170114', '170114', '170191', '170191', '170199', '170199', '1702', '1702', '170210', '170210', '170211', '170219', '170220', '170220', '170230', '170240', '170250', '170250', '170260', '170290', '1703', '170310', '170390', '1704', '170410', '170490', '18', '1801', '180100', '1802', '180200', '1803', '180310', '180320', '1804', '180400', '1805', '180500', '1806', '180610', '180620', '180620', '180631', '180632', '180690', '19', '1901', '190110', '190120', '190190', '1902', '190211', '190219', '190220', '190230', '190240', '1903', '190300', '1904', '190410', '190420', '190430', '190490', '1905', '190510', '190520', '190530', '190531', '190532', '190540', '190590', '20', '2001', '2001', '200110', '200110', '200120', '200120', '200190', '200190', '2002', '2002', '200210', '200210', '200290', '200290', '2003', '2003', '200310', '200310', '200320', '200320', '200390', '200390', '2004', '2004', '200410', '200410', '200490', '200490', '2005', '2005', '200510', '200510', '200520', '200520', '200530', '200540', '200540', '200551', '200551', '200559', '200559', '200560', '200560', '200570', '200570', '200580', '200580', '200590', '200590', '200591', '200591', '200599', '200599', '2006', '200600', '2007', '200710', '200791', '200799', '2008', '200811', '200819', '200820', '200830', '200840', '200850', '200860', '200870', '200880', '200891', '200892', '200893', '200893', '200897', '200899', '2009', '200911', '200912', '200919', '200920', '200921', '200929', '200930', '200931', '200939', '200940', '200941', '200949', '200950', '200960', '200961', '200969', '200970', '200971', '200979', '200980', '200981', '200981', '200989', '200990', '21', '2101', '210110', '210111', '210112', '210120', '210130', '2102', '210210', '210220', '210230', '2103', '210310', '210320', '210330', '210390', '2104', '210410', '210420', '2105', '210500', '2106', '210610', '210690', '22', '2201', '220110', '220190', '2202', '220210', '220290', '220291', '220299', '2203', '220300', '2204', '220410', '220421', '220422', '220429', '220430', '2205', '220510', '220590', '2206', '2206', '220600', '220600', '2207', '220710', '220720', '2208', '220810', '220820', '220830', '220840', '220850', '220860', '220870', '220890', '2209', '2209', '220900', '220900', '23', '23', '2301', '230110', '230120', '2302', '2302', '230210', '230210', '230220', '230220', '230230', '230230', '230240', '230240', '230250', '230250', '2303', '2303', '230310', '230310', '230320', '230330', '2304', '2304', '230400', '230400', '2305', '2305', '230500', '230500', '2306', '2306', '230610', '230610', '230620', '230620', '230630', '230630', '230640', '230640', '230641', '230641', '230649', '230649', '230650', '230650', '230660', '230660', '230670', '230670', '230690', '230690', '2307', '230700', '2308', '2308', '230800', '230800', '230810', '230810', '230890', '230890', '2309', '230910', '230990', '24', '2401', '240110', '240120', '240130', '2402', '240210', '240220', '240290', '2403', '240310', '240311', '240319', '240391', '240399', '25', '2501', '2501', '250100', '250100', '2502', '250200', '2503', '2503', '250300', '250300', '250310', '250390', '250390', '2504', '250410', '250490', '2505', '250510', '250590', '2506', '250610', '250620', '250621', '250629', '2507', '250700', '2508', '250810', '250820', '250830', '250840', '250850', '250860', '250870', '2509', '250900', '2510', '251010', '251020', '2511', '2511', '251110', '251120', '251120', '2512', '251200', '2513', '251310', '251311', '251319', '251320', '251321', '251329', '2514', '251400', '2515', '251511', '251512', '251520', '2516', '251611', '251612', '251620', '251621', '251622', '251690', '2517', '251710', '251720', '251730', '251741', '251749', '2518', '251810', '251820', '251830', '2519', '2519', '251910', '251990', '251990', '2520', '252010', '252020', '2521', '252100', '2522', '2522', '252210', '252210', '252220', '252220', '252230', '252230', '2523', '252310', '252321', '252329', '252330', '252390', '2524', '252400', '252410', '252410', '252490', '252490', '2525', '252510', '252520', '252530', '2526', '252610', '252620', '2527', '252700', '2528', '2528', '252800', '252800', '252810', '252890', '252890', '2529', '252910', '252921', '252921', '252922', '252922', '252930', '2530', '253010', '253020', '253030', '253040', '253040', '253090', '26', '2601', '260111', '260112', '260120', '2602', '260200', '2603', '260300', '2604', '260400', '2605', '260500', '2606', '260600', '2607', '260700', '2608', '260800', '2609', '260900', '2610', '261000', '2611', '261100', '2612', '261210', '261220', '2613', '261310', '261390', '2614', '261400', '2615', '261510', '261590', '2616', '261610', '261690', '2617', '261710', '261790', '2618', '261800', '2619', '261900', '2620', '2620', '262011', '262011', '262019', '262019', '262020', '262020', '262021', '262021', '262029', '262029', '262030', '262030', '262040', '262040', '262050', '262050', '262060', '262060', '262090', '262090', '262091', '262091', '262099', '262099', '2621', '262100', '262110', '262110', '262190', '262190', '27', '2701', '2701', '270111', '270112', '270119', '270120', '270120', '2702', '270210', '270220', '2703', '270300', '2704', '270400', '2705', '270500', '2706', '270600', '2707', '270710', '270720', '270730', '270740', '270750', '270760', '270791', '270799', '2708', '270810', '270820', '2709', '270900', '2710', '271000', '271011', '271012', '271013', '271014', '271015', '271016', '271019', '271020', '271021', '271022', '271025', '271026', '271027', '271029', '271091', '271093', '271094', '271095', '271096', '271099', '2711', '271111', '271112', '271113', '271114', '271119', '271121', '271129', '2712', '271210', '271220', '271290', '2713', '2713', '271311', '271312', '271320', '271390', '271390', '2714', '271410', '271490', '2715', '271500', '2716', '271600', '28', '2801', '280110', '280120', '280130', '2802', '2802', '280200', '280200', '2803', '280300', '2804', '280410', '280421', '280429', '280430', '280440', '280450', '280461', '280469', '280470', '280480', '280490', '2805', '280511', '280512', '280519', '280521', '280522', '280530', '280540', '2806', '2806', '280610', '280610', '280620', '280620', '2807', '2807', '280700', '280700', '2808', '2808', '280800', '280800', '2809', '2809', '280910', '280910', '280920', '280920', '2810', '2810', '281000', '281000', '2811', '2811', '281111', '281111', '281112', '281112', '281119', '281119', '281121', '281121', '281122', '281122', '281123', '281123', '281129', '2812', '2812', '281210', '281210', '281211', '281211', '281212', '281212', '281213', '281213', '281214', '281214', '281215', '281215', '281216', '281216', '281217', '281217', '281219', '281219', '281290', '281290', '2813', '2813', '281310', '281310', '281390', '281390', '2814', '281410', '281420', '2815', '2815', '281511', '281511', '281512', '281512', '281520', '281520', '281530', '281530', '2816', '2816', '281610', '281610', '281620', '281620', '281630', '281630', '281640', '281640', '2817', '2817', '281700', '281700', '2818', '2818', '281810', '281810', '281820', '281820', '281830', '281830', '2819', '2819', '281910', '281910', '281990', '281990', '2820', '2820', '282010', '282010', '282090', '282090', '2821', '2821', '282110', '282110', '282120', '2822', '2822', '282200', '282200', '2823', '2823', '282300', '282300', '2824', '2824', '282410', '282410', '282420', '282490', '282490', '2825', '2825', '282510', '282520', '282520', '282530', '282530', '282540', '282540', '282550', '282550', '282560', '282560', '282570', '282570', '282580', '282580', '282590', '282590', '2826', '2826', '282611', '282611', '282612', '282612', '282619', '282619', '282620', '282630', '282690', '282690', '2827', '2827', '282710', '282710', '282720', '282720', '282731', '282731', '282732', '282732', '282733', '282733', '282734', '282734', '282735', '282735', '282736', '282736', '282737', '282737', '282738', '282738', '282739', '282739', '282741', '282741', '282749', '282749', '282751', '282751', '282759', '282759', '282760', '282760', '2828', '282810', '282890', '2829', '282911', '282919', '282990', '2830', '2830', '283010', '283010', '283020', '283020', '283030', '283030', '283090', '283090', '2831', '283110', '283190', '2832', '283210', '283220', '283230', '2833', '283311', '283319', '283321', '283322', '283323', '283324', '283325', '283326', '283327', '283329', '283330', '283340', '2834', '283410', '283421', '283422', '283429', '2835', '283510', '283521', '283522', '283523', '283524', '283525', '283526', '283529', '283531', '283539', '2836', '283610', '283620', '283630', '283640', '283650', '283660', '283670', '283691', '283692', '283693', '283699', '2837', '2837', '283711', '283711', '283719', '283719', '283720', '283720', '2838', '283800', '2839', '283911', '283919', '283920', '283990', '2840', '284011', '284019', '284020', '284030', '2841', '2841', '284110', '284120', '284130', '284140', '284150', '284160', '284161', '284161', '284169', '284169', '284170', '284180', '284190', '284190', '2842', '2842', '284210', '284290', '284290', '2843', '2843', '284310', '284310', '284321', '284329', '284330', '284390', '2844', '2844', '284410', '284420', '284430', '284440', '284440', '284450', '284450', '2845', '284510', '284510', '284590', '2846', '284610', '284690', '2847', '2847', '284700', '284700', '2848', '2848', '284800', '284800', '284810', '284810', '284890', '284890', '2849', '2849', '284910', '284910', '284920', '284920', '284990', '284990', '2850', '2850', '285000', '285000', '2851', '2851', '285100', '285100', '2852', '285200', '285210', '285290', '2853', '2853', '285300', '285300', '285310', '285310', '285390', '285390', '29', '2901', '290110', '290121', '290122', '290123', '290124', '290129', '2902', '290211', '290219', '290220', '290230', '290241', '290242', '290243', '290244', '290250', '290260', '290270', '290290', '2903', '290311', '290311', '290312', '290312', '290313', '290314', '290314', '290315', '290315', '290316', '290316', '290319', '290321', '290321', '290322', '290323', '290329', '290330', '290331', '290331', '290339', '290339', '290340', '290341', '290342', '290343', '290344', '290345', '290346', '290347', '290349', '290351', '290352', '290359', '290361', '290362', '290369', '290371', '290372', '290373', '290374', '290375', '290376', '290377', '290378', '290379', '290381', '290382', '290383', '290389', '290391', '290392', '290393', '290394', '290399', '2904', '290410', '290420', '290431', '290431', '290432', '290433', '290434', '290435', '290435', '290436', '290436', '290490', '290491', '290499', '2905', '290511', '290512', '290513', '290514', '290515', '290516', '290517', '290519', '290521', '290522', '290529', '290531', '290532', '290539', '290541', '290542', '290543', '290544', '290545', '290549', '290550', '290551', '290559', '2906', '290611', '290612', '290613', '290614', '290619', '290621', '290629', '2907', '290711', '290712', '290713', '290714', '290715', '290719', '290721', '290722', '290723', '290723', '290729', '290730', '2908', '290810', '290811', '290819', '290820', '290890', '290891', '290892', '290899', '2909', '2909', '290911', '290919', '290920', '290930', '290941', '290942', '290943', '290944', '290949', '290950', '290960', '290960', '2910', '2910', '291010', '291010', '291020', '291020', '291030', '291030', '291040', '291040', '291050', '291050', '291090', '291090', '2911', '291100', '2912', '291211', '291212', '291213', '291219', '291221', '291229', '291230', '291241', '291242', '291249', '291250', '291260', '2913', '291300', '2914', '291411', '291412', '291413', '291419', '291421', '291422', '291423', '291429', '291430', '291431', '291439', '291440', '291441', '291449', '291450', '291461', '291462', '291462', '291469', '291469', '291470', '291471', '291479', '2915', '2915', '291511', '291511', '291512', '291512', '291513', '291513', '291521', '291521', '291522', '291522', '291523', '291523', '291524', '291524', '291529', '291529', '291531', '291531', '291532', '291532', '291533', '291533', '291534', '291534', '291535', '291535', '291536', '291536', '291539', '291539', '291540', '291540', '291550', '291550', '291560', '291560', '291570', '291570', '291590', '291590', '2916', '2916', '291611', '291611', '291612', '291612', '291613', '291613', '291614', '291614', '291615', '291615', '291616', '291616', '291619', '291619', '291620', '291620', '291631', '291631', '291632', '291632', '291633', '291633', '291634', '291634', '291635', '291635', '291636', '291636', '291639', '291639', '2917', '2917', '291711', '291711', '291712', '291712', '291713', '291713', '291714', '291714', '291719', '291719', '291720', '291720', '291731', '291731', '291732', '291732', '291733', '291733', '291734', '291734', '291735', '291735', '291736', '291736', '291737', '291737', '291739', '291739', '2918', '2918', '291811', '291811', '291812', '291812', '291813', '291813', '291814', '291814', '291815', '291815', '291816', '291816', '291817', '291817', '291818', '291818', '291819', '291819', '291821', '291821', '291822', '291822', '291823', '291823', '291829', '291829', '291830', '291830', '291890', '291890', '291891', '291891', '291899', '291899', '2919', '291900', '291910', '291990', '2920', '2920', '292010', '292011', '292019', '292021', '292022', '292023', '292024', '292029', '292030', '292030', '292090', '2921', '292111', '292112', '292113', '292113', '292114', '292114', '292119', '292121', '292122', '292129', '292130', '292141', '292142', '292143', '292143', '292144', '292145', '292146', '292149', '292151', '292159', '2922', '292211', '292212', '292213', '292214', '292215', '292216', '292217', '292218', '292219', '292221', '292221', '292222', '292222', '292229', '292230', '292231', '292239', '292241', '292241', '292242', '292242', '292243', '292243', '292244', '292244', '292249', '292249', '292250', '292250', '2923', '2923', '292310', '292310', '292320', '292320', '292330', '292330', '292340', '292340', '292390', '292390', '2924', '2924', '292410', '292410', '292411', '292411', '292412', '292412', '292419', '292419', '292421', '292421', '292422', '292422', '292423', '292423', '292424', '292424', '292425', '292425', '292429', '292429', '2925', '2925', '292511', '292511', '292512', '292512', '292519', '292519', '292520', '292521', '292529', '2926', '292610', '292620', '292620', '292630', '292640', '292690', '292690', '2927', '292700', '2928', '292800', '2929', '292910', '292990', '2930', '293010', '293020', '293030', '293030', '293040', '293050', '293050', '293060', '293070', '293070', '293080', '293080', '293090', '2931', '293100', '293110', '293120', '293131', '293132', '293133', '293134', '293135', '293135', '293136', '293136', '293137', '293137', '293138', '293138', '293139', '293190', '2932', '293211', '293212', '293213', '293214', '293219', '293220', '293221', '293229', '293290', '293291', '293292', '293293', '293294', '293295', '293299', '2933', '2933', '293311', '293319', '293321', '293321', '293329', '293329', '293331', '293331', '293332', '293332', '293333', '293333', '293339', '293339', '293340', '293341', '293349', '293351', '293351', '293352', '293352', '293353', '293354', '293354', '293355', '293355', '293359', '293359', '293361', '293369', '293371', '293372', '293379', '293390', '293391', '293392', '293399', '2934', '2934', '293410', '293420', '293430', '293490', '293490', '293491', '293499', '293499', '2935', '2935', '293500', '293500', '293510', '293510', '293520', '293520', '293530', '293530', '293540', '293540', '293550', '293550', '293590', '293590', '2936', '293610', '293621', '293622', '293623', '293624', '293624', '293625', '293626', '293627', '293628', '293629', '293690', '2937', '2937', '293710', '293711', '293711', '293712', '293712', '293719', '293719', '293721', '293721', '293722', '293722', '293723', '293723', '293729', '293729', '293731', '293739', '293740', '293740', '293750', '293790', '293790', '293791', '293791', '293792', '293792', '293799', '293799', '2938', '2938', '293810', '293810', '293890', '293890', '2939', '2939', '293910', '293910', '293911', '293911', '293919', '293919', '293920', '293920', '293921', '293921', '293929', '293929', '293930', '293930', '293940', '293940', '293941', '293941', '293942', '293942', '293943', '293943', '293944', '293944', '293949', '293949', '293950', '293950', '293951', '293951', '293959', '293959', '293960', '293960', '293961', '293961', '293962', '293962', '293963', '293963', '293969', '293969', '293970', '293970', '293971', '293971', '293979', '293979', '293980', '293980', '293990', '293990', '293991', '293991', '293999', '293999', '2940', '294000', '2941', '294110', '294110', '294120', '294130', '294140', '294150', '294190', '2942', '294200', '30', '3001', '300110', '300120', '300190', '3002', '300210', '300211', '300212', '300213', '300214', '300215', '300219', '300220', '300230', '300231', '300239', '300290', '3003', '300310', '300320', '300331', '300339', '300340', '300340', '300341', '300341', '300342', '300342', '300343', '300343', '300349', '300349', '300360', '300390', '300390', '3004', '300410', '300420', '300431', '300432', '300432', '300439', '300440', '300440', '300441', '300441', '300442', '300442', '300443', '300443', '300449', '300449', '300450', '300460', '300490', '3005', '300510', '300590', '3006', '300610', '300620', '300630', '300640', '300650', '300650', '300660', '300660', '300670', '300680', '300691', '300691', '300692', '31', '3101', '310100', '3102', '310210', '310221', '310229', '310230', '310240', '310250', '310260', '310270', '310270', '310280', '310290', '3103', '310310', '310311', '310311', '310319', '310319', '310320', '310390', '3104', '310410', '310420', '310420', '310430', '310490', '3105', '310510', '310520', '310530', '310540', '310551', '310559', '310560', '310590', '32', '3201', '320110', '320120', '320130', '320190', '3202', '320210', '320290', '3203', '320300', '3204', '320411', '320412', '320412', '320413', '320414', '320415', '320416', '320417', '320419', '320420', '320490', '3205', '320500', '3206', '320610', '320610', '320611', '320611', '320619', '320619', '320620', '320630', '320641', '320642', '320642', '320643', '320643', '320649', '320650', '3207', '3207', '320710', '320720', '320730', '320730', '320740', '3208', '320810', '320820', '320890', '3209', '320910', '320990', '3210', '321000', '3211', '321100', '3212', '3212', '321210', '321290', '3213', '321310', '321390', '3214', '321410', '321490', '3215', '3215', '321511', '321511', '321519', '321519', '321590', '321590', '33', '33', '3301', '3301', '330111', '330112', '330113', '330114', '330119', '330121', '330122', '330123', '330124', '330125', '330126', '330129', '330130', '330130', '330190', '3302', '330210', '330290', '3303', '330300', '3304', '330410', '330420', '330430', '330491', '330499', '3305', '330510', '330520', '330530', '330590', '3306', '3306', '330610', '330620', '330690', '3307', '330710', '330720', '330730', '330741', '330749', '330790', '34', '3401', '340111', '340119', '340120', '340130', '340130', '3402', '340211', '340212', '340213', '340219', '340220', '340290', '3403', '340311', '340319', '340391', '340399', '3404', '340410', '340420', '340490', '3405', '340510', '340520', '340530', '340540', '340590', '3406', '340600', '3407', '340700', '35', '35', '3501', '350110', '350190', '3502', '350210', '350211', '350219', '350220', '350290', '3503', '350300', '3504', '3504', '350400', '350400', '3505', '350510', '350520', '3506', '350610', '350691', '350699', '3507', '350710', '350790', '36', '3601', '360100', '3602', '360200', '3603', '360300', '3604', '360410', '360490', '3605', '360500', '3606', '360610', '360610', '360690', '37', '3701', '370110', '370120', '370130', '370130', '370191', '370191', '370199', '370199', '3702', '370210', '370220', '370231', '370231', '370232', '370232', '370239', '370239', '370241', '370241', '370242', '370242', '370243', '370243', '370244', '370244', '370251', '370251', '370252', '370252', '370253', '370253', '370254', '370254', '370255', '370255', '370256', '370256', '370291', '370291', '370292', '370292', '370293', '370293', '370294', '370294', '370295', '370295', '370296', '370296', '370297', '370297', '370298', '370298', '3703', '370310', '370310', '370320', '370320', '370390', '370390', '3704', '370400', '3705', '370500', '370510', '370520', '370590', '3706', '370610', '370610', '370690', '370690', '3707', '370710', '370790', '38', '3801', '3801', '380110', '380120', '380120', '380130', '380190', '3802', '380210', '380290', '3803', '380300', '3804', '3804', '380400', '380400', '3805', '380510', '380520', '380590', '3806', '3806', '380610', '380610', '380620', '380620', '380630', '380690', '3807', '3807', '380700', '380700', '3808', '3808', '380810', '380810', '380820', '380820', '380830', '380830', '380840', '380850', '380850', '380852', '380852', '380859', '380859', '380861', '380861', '380862', '380862', '380869', '380869', '380890', '380890', '380891', '380891', '380892', '380892', '380893', '380893', '380894', '380899', '380899', '3809', '380910', '380991', '380992', '380993', '380999', '3810', '381010', '381090', '3811', '3811', '381111', '381119', '381121', '381129', '381190', '381190', '3812', '3812', '381210', '381220', '381230', '381230', '381231', '381231', '381239', '381239', '3813', '381300', '3814', '381400', '3815', '381511', '381512', '381519', '381590', '3816', '381600', '3817', '381700', '381710', '381720', '3818', '381800', '3819', '3819', '381900', '381900', '3820', '3820', '382000', '382000', '3821', '382100', '3822', '382200', '3823', '3823', '382310', '382311', '382311', '382312', '382312', '382313', '382313', '382319', '382319', '382320', '382320', '382330', '382330', '382340', '382350', '382360', '382370', '382390', '382390', '3824', '382410', '382420', '382420', '382430', '382430', '382440', '382450', '382460', '382471', '382472', '382473', '382474', '382475', '382475', '382476', '382477', '382477', '382478', '382479', '382481', '382481', '382482', '382483', '382484', '382485', '382486', '382487', '382487', '382488', '382490', '382490', '382491', '382491', '382499', '3825', '3825', '382510', '382510', '382520', '382520', '382530', '382530', '382541', '382541', '382549', '382549', '382550', '382550', '382561', '382561', '382569', '382569', '382590', '382590', '3826', '382600', '39', '3901', '390110', '390120', '390130', '390140', '390190', '3902', '390210', '390220', '390230', '390290', '3903', '390311', '390319', '390320', '390330', '390390', '3904', '3904', '390410', '390410', '390421', '390421', '390422', '390422', '390430', '390430', '390440', '390440', '390450', '390450', '390461', '390469', '390490', '390490', '3905', '390511', '390512', '390519', '390520', '390521', '390529', '390530', '390590', '390591', '390599', '3906', '390610', '390690', '3907', '3907', '390710', '390720', '390730', '390730', '390740', '390750', '390760', '390761', '390769', '390770', '390770', '390791', '390799', '3908', '3908', '390810', '390810', '390890', '390890', '3909', '390910', '390920', '390930', '390931', '390939', '390940', '390950', '3910', '391000', '3911', '3911', '391110', '391190', '391190', '3912', '391211', '391212', '391220', '391231', '391239', '391290', '3913', '3913', '391310', '391310', '391390', '391390', '3914', '391400', '3915', '391510', '391520', '391530', '391530', '391590', '3916', '391610', '391620', '391620', '391690', '3917', '391710', '391721', '391721', '391722', '391722', '391723', '391723', '391729', '391729', '391731', '391732', '391733', '391739', '391740', '3918', '3918', '391810', '391810', '391890', '391890', '3919', '391910', '391910', '391990', '391990', '3920', '392010', '392020', '392030', '392041', '392041', '392042', '392042', '392043', '392043', '392049', '392049', '392051', '392059', '392061', '392062', '392063', '392069', '392071', '392072', '392073', '392079', '392091', '392092', '392092', '392093', '392094', '392099', '3921', '392111', '392112', '392112', '392113', '392114', '392119', '392190', '3922', '3922', '392210', '392220', '392290', '392290', '3923', '3923', '392310', '392321', '392329', '392330', '392340', '392350', '392350', '392390', '3924', '392410', '392490', '3925', '392510', '392520', '392530', '392590', '3926', '392610', '392620', '392630', '392640', '392690', '40', '4001', '400110', '400121', '400122', '400129', '400130', '4002', '400211', '400219', '400220', '400231', '400239', '400241', '400249', '400251', '400259', '400260', '400270', '400280', '400291', '400299', '4003', '400300', '4004', '400400', '4005', '400510', '400520', '400591', '400599', '4006', '400610', '400690', '4007', '400700', '4008', '400811', '400819', '400821', '400829', '4009', '400910', '400911', '400912', '400920', '400921', '400922', '400930', '400931', '400932', '400940', '400941', '400942', '400950', '4010', '401010', '401010', '401011', '401012', '401013', '401019', '401021', '401021', '401022', '401022', '401023', '401024', '401029', '401031', '401031', '401032', '401032', '401033', '401033', '401034', '401034', '401035', '401035', '401036', '401036', '401039', '401091', '401091', '401099', '401099', '4011', '401110', '401120', '401130', '401140', '401150', '401161', '401162', '401163', '401169', '401170', '401180', '401190', '401191', '401192', '401193', '401194', '401199', '4012', '4012', '401210', '401211', '401212', '401213', '401219', '401220', '401290', '4013', '401310', '401320', '401390', '4014', '401410', '401490', '4015', '401511', '401519', '401590', '4016', '401610', '401691', '401692', '401693', '401694', '401695', '401699', '4017', '401700', '41', '41', '4101', '4101', '410110', '410110', '410120', '410120', '410121', '410121', '410122', '410122', '410129', '410129', '410130', '410130', '410140', '410140', '410150', '410150', '410190', '410190', '4102', '410210', '410221', '410229', '4103', '4103', '410310', '410310', '410320', '410320', '410330', '410330', '410390', '410390', '4104', '4104', '410410', '410411', '410411', '410419', '410419', '410421', '410422', '410429', '410431', '410439', '410441', '410441', '410449', '410449', '4105', '410510', '410511', '410512', '410519', '410520', '410530', '4106', '4106', '410611', '410611', '410612', '410612', '410619', '410619', '410620', '410620', '410621', '410621', '410622', '410622', '410631', '410631', '410632', '410632', '410640', '410640', '410691', '410691', '410692', '410692', '4107', '410710', '410711', '410711', '410712', '410712', '410719', '410721', '410729', '410790', '410791', '410791', '410792', '410792', '410799', '410799', '4108', '410800', '4109', '410900', '4110', '411000', '4111', '411100', '4112', '411200', '4113', '411310', '411310', '411320', '411330', '411390', '411390', '4114', '411410', '411420', '4115', '411510', '411520', '42', '4201', '420100', '4202', '420211', '420212', '420219', '420221', '420222', '420229', '420231', '420232', '420239', '420291', '420292', '420299', '4203', '420310', '420321', '420329', '420330', '420340', '4204', '420400', '4205', '420500', '4206', '420600', '420610', '420690', '43', '4301', '4301', '430110', '430120', '430130', '430140', '430150', '430160', '430170', '430180', '430190', '4302', '430211', '430212', '430213', '430219', '430220', '430230', '4303', '430310', '430390', '4304', '430400', '44', '4401', '440110', '440111', '440112', '440121', '440122', '440130', '440131', '440139', '440140', '4402', '440200', '440210', '440290', '4403', '440310', '440311', '440312', '440320', '440321', '440322', '440323', '440324', '440325', '440326', '440331', '440332', '440333', '440334', '440335', '440341', '440349', '440391', '440392', '440393', '440394', '440395', '440396', '440397', '440398', '440399', '4404', '440410', '440420', '4405', '440500', '4406', '440610', '440611', '440612', '440690', '440691', '440692', '4407', '440710', '440711', '440712', '440719', '440721', '440722', '440723', '440724', '440725', '440726', '440727', '440728', '440729', '440791', '440792', '440793', '440794', '440795', '440796', '440797', '440799', '4408', '440810', '440820', '440831', '440839', '440890', '4409', '440910', '440920', '440921', '440922', '440929', '4410', '441010', '441011', '441012', '441019', '441021', '441029', '441031', '441032', '441033', '441039', '441090', '4411', '441111', '441112', '441113', '441114', '441119', '441121', '441129', '441131', '441139', '441191', '441192', '441193', '441194', '441199', '4412', '441210', '441211', '441212', '441213', '441214', '441219', '441221', '441222', '441223', '441229', '441231', '441232', '441233', '441234', '441239', '441291', '441292', '441293', '441294', '441299', '4413', '441300', '4414', '441400', '4415', '441510', '441520', '4416', '441600', '4417', '441700', '4418', '441810', '441820', '441830', '441840', '441850', '441860', '441871', '441872', '441873', '441874', '441875', '441879', '441890', '441891', '441899', '4419', '441900', '441911', '441912', '441919', '441990', '4420', '4420', '442010', '442090', '442090', '4421', '442110', '442190', '442191', '442199', '45', '4501', '450110', '450190', '4502', '450200', '4503', '450310', '450390', '4504', '450410', '450410', '450490', '46', '4601', '460110', '460120', '460121', '460122', '460129', '460191', '460192', '460193', '460194', '460199', '4602', '460210', '460211', '460212', '460219', '460290', '47', '4701', '470100', '4702', '470200', '4703', '470311', '470319', '470321', '470329', '4704', '470411', '470419', '470421', '470429', '4705', '470500', '4706', '470610', '470620', '470630', '470691', '470692', '470693', '4707', '470710', '470720', '470730', '470790', '48', '4801', '480100', '4802', '480210', '480220', '480230', '480240', '480251', '480252', '480253', '480254', '480255', '480256', '480257', '480258', '480258', '480260', '480261', '480262', '480269', '4803', '4803', '480300', '480300', '4804', '480411', '480419', '480421', '480429', '480431', '480439', '480441', '480442', '480449', '480451', '480452', '480459', '4805', '480510', '480511', '480512', '480519', '480521', '480522', '480523', '480524', '480525', '480529', '480530', '480540', '480550', '480560', '480570', '480580', '480591', '480592', '480593', '4806', '480610', '480620', '480630', '480640', '4807', '480700', '480710', '480790', '480791', '480799', '4808', '480810', '480820', '480830', '480840', '480890', '4809', '480910', '480910', '480920', '480990', '480990', '4810', '4810', '481011', '481012', '481013', '481014', '481014', '481019', '481019', '481021', '481022', '481029', '481031', '481032', '481039', '481091', '481092', '481099', '4811', '481110', '481121', '481129', '481131', '481139', '481140', '481141', '481149', '481151', '481159', '481160', '481190', '4812', '481200', '4813', '481310', '481320', '481320', '481390', '481390', '4814', '481410', '481420', '481420', '481430', '481430', '481490', '4815', '481500', '4816', '481610', '481620', '481630', '481690', '4817', '481710', '481720', '481730', '4818', '4818', '481810', '481820', '481830', '481840', '481850', '481890', '4819', '481910', '481920', '481930', '481930', '481940', '481940', '481950', '481960', '4820', '482010', '482020', '482030', '482040', '482050', '482090', '4821', '482110', '482190', '4822', '482210', '482290', '4823', '482311', '482312', '482319', '482320', '482330', '482340', '482351', '482359', '482360', '482361', '482369', '482370', '482390', '49', '4901', '490110', '490191', '490199', '4902', '490210', '490290', '4903', '490300', '4904', '490400', '4905', '490510', '490591', '490599', '4906', '490600', '4907', '490700', '4908', '490810', '490890', '4909', '490900', '4910', '491000', '4911', '491110', '491191', '491199', '50', '5001', '500100', '5002', '500200', '5003', '500300', '500310', '500390', '5004', '500400', '5005', '500500', '5006', '500600', '5007', '500710', '500720', '500790', '51', '5101', '510111', '510119', '510121', '510129', '510130', '5102', '510210', '510211', '510219', '510220', '5103', '510310', '510320', '510330', '5104', '510400', '5105', '510510', '510521', '510529', '510530', '510531', '510539', '510540', '5106', '510610', '510620', '5107', '510710', '510720', '5108', '510810', '510820', '5109', '510910', '510990', '5110', '511000', '5111', '511111', '511119', '511120', '511130', '511190', '5112', '511211', '511219', '511220', '511230', '511290', '5113', '511300', '52', '5201', '520100', '5202', '520210', '520291', '520299', '5203', '520300', '5204', '520411', '520419', '520420', '5205', '520511', '520512', '520513', '520514', '520515', '520521', '520522', '520523', '520524', '520525', '520526', '520527', '520528', '520531', '520532', '520533', '520534', '520535', '520541', '520542', '520543', '520544', '520545', '520546', '520547', '520548', '5206', '520611', '520612', '520613', '520614', '520615', '520621', '520622', '520623', '520624', '520625', '520631', '520632', '520633', '520634', '520635', '520641', '520642', '520643', '520644', '520645', '5207', '520710', '520790', '5208', '520811', '520812', '520813', '520819', '520821', '520822', '520823', '520829', '520831', '520832', '520833', '520839', '520841', '520842', '520843', '520849', '520851', '520852', '520853', '520859', '5209', '520911', '520912', '520919', '520921', '520922', '520929', '520931', '520932', '520939', '520941', '520942', '520943', '520949', '520951', '520952', '520959', '5210', '521011', '521012', '521019', '521021', '521022', '521029', '521031', '521032', '521039', '521041', '521042', '521049', '521051', '521052', '521059', '5211', '521111', '521112', '521119', '521120', '521121', '521122', '521129', '521131', '521132', '521139', '521141', '521142', '521143', '521149', '521151', '521152', '521159', '5212', '521211', '521212', '521213', '521214', '521215', '521221', '521222', '521223', '521224', '521225', '53', '5301', '530110', '530121', '530129', '530130', '5302', '530210', '530290', '5303', '530310', '530390', '5304', '530410', '530490', '5305', '530500', '530511', '530519', '530521', '530529', '530590', '530591', '530599', '5306', '530610', '530620', '5307', '530710', '530720', '5308', '530810', '530820', '530830', '530890', '5309', '530911', '530919', '530921', '530929', '5310', '531010', '531090', '5311', '531100', '54', '5401', '540110', '540120', '5402', '540210', '540210', '540211', '540211', '540219', '540219', '540220', '540231', '540231', '540232', '540232', '540233', '540234', '540239', '540241', '540241', '540242', '540243', '540244', '540245', '540245', '540246', '540247', '540248', '540249', '540251', '540251', '540252', '540253', '540259', '540261', '540261', '540262', '540263', '540269', '5403', '540310', '540320', '540331', '540332', '540333', '540339', '540341', '540342', '540349', '5404', '5404', '540410', '540411', '540412', '540419', '540490', '540490', '5405', '5405', '540500', '540500', '5406', '540600', '540610', '540620', '5407', '540710', '540710', '540720', '540730', '540741', '540741', '540742', '540742', '540743', '540743', '540744', '540744', '540751', '540752', '540753', '540754', '540760', '540761', '540769', '540771', '540771', '540772', '540772', '540773', '540773', '540774', '540774', '540781', '540782', '540783', '540784', '540791', '540792', '540793', '540794', '5408', '540810', '540821', '540822', '540823', '540824', '540831', '540832', '540833', '540834', '55', '5501', '550110', '550110', '550120', '550130', '550140', '550190', '5502', '550200', '550210', '550290', '5503', '550310', '550310', '550311', '550311', '550319', '550319', '550320', '550330', '550340', '550390', '5504', '550410', '550490', '5505', '550510', '550520', '5506', '550610', '550610', '550620', '550630', '550640', '550690', '5507', '550700', '5508', '550810', '550820', '5509', '550911', '550911', '550912', '550912', '550921', '550922', '550931', '550932', '550941', '550942', '550951', '550952', '550953', '550959', '550961', '550962', '550969', '550991', '550992', '550999', '5510', '551011', '551012', '551020', '551030', '551090', '5511', '551110', '551120', '551130', '5512', '551211', '551219', '551221', '551229', '551291', '551299', '5513', '551311', '551312', '551313', '551319', '551321', '551322', '551323', '551329', '551331', '551332', '551333', '551339', '551341', '551342', '551343', '551349', '5514', '551411', '551412', '551413', '551419', '551421', '551422', '551423', '551429', '551430', '551431', '551432', '551433', '551439', '551441', '551442', '551443', '551449', '5515', '551511', '551512', '551513', '551519', '551521', '551522', '551529', '551591', '551592', '551599', '5516', '551611', '551612', '551613', '551614', '551621', '551622', '551623', '551624', '551631', '551632', '551633', '551634', '551641', '551642', '551643', '551644', '551691', '551692', '551693', '551694', '56', '5601', '560110', '560121', '560122', '560129', '560130', '5602', '560210', '560221', '560229', '560290', '5603', '560300', '560311', '560312', '560313', '560314', '560391', '560392', '560393', '560394', '5604', '560410', '560420', '560420', '560490', '5605', '560500', '5606', '560600', '5607', '5607', '560710', '560710', '560721', '560729', '560729', '560730', '560741', '560749', '560749', '560750', '560750', '560790', '560790', '5608', '560811', '560819', '560890', '5609', '560900', '57', '5701', '570110', '570190', '5702', '570210', '570220', '570231', '570232', '570239', '570241', '570242', '570249', '570250', '570251', '570252', '570259', '570291', '570292', '570299', '5703', '570310', '570320', '570320', '570330', '570330', '570390', '5704', '570410', '570420', '570490', '5705', '570500', '58', '58', '5801', '580110', '580121', '580122', '580123', '580124', '580125', '580126', '580127', '580131', '580132', '580133', '580134', '580135', '580136', '580137', '580190', '5802', '580211', '580219', '580220', '580230', '5803', '580300', '580310', '580390', '5804', '580410', '580421', '580429', '580430', '5805', '580500', '5806', '580610', '580620', '580631', '580632', '580639', '580640', '5807', '5807', '580710', '580710', '580790', '580790', '5808', '5808', '580810', '580810', '580890', '580890', '5809', '580900', '5810', '5810', '581010', '581010', '581091', '581091', '581092', '581092', '581099', '581099', '5811', '5811', '581100', '581100', '59', '5901', '590110', '590190', '5902', '5902', '590210', '590210', '590220', '590290', '5903', '590310', '590310', '590320', '590390', '590390', '5904', '590410', '590490', '590491', '590492', '5905', '590500', '5906', '590610', '590610', '590691', '590691', '590699', '590699', '5907', '590700', '5908', '590800', '5909', '590900', '5910', '591000', '5911', '591110', '591120', '591131', '591132', '591140', '591190', '60', '6001', '600110', '600121', '600122', '600129', '600191', '600192', '600199', '6002', '600210', '600210', '600220', '600220', '600230', '600230', '600240', '600240', '600241', '600242', '600243', '600249', '600290', '600290', '600291', '600292', '600293', '600299', '6003', '6003', '600310', '600310', '600320', '600320', '600330', '600330', '600340', '600340', '600390', '600390', '6004', '6004', '600410', '600410', '600490', '600490', '6005', '600510', '600521', '600522', '600523', '600524', '600531', '600532', '600533', '600534', '600535', '600536', '600537', '600538', '600539', '600541', '600542', '600543', '600544', '600590', '6006', '600610', '600621', '600622', '600623', '600624', '600631', '600632', '600633', '600634', '600641', '600642', '600643', '600644', '600690', '61', '6101', '610110', '610120', '610130', '610190', '6102', '610210', '610220', '610230', '610290', '6103', '610310', '610311', '610312', '610319', '610321', '610322', '610323', '610329', '610331', '610332', '610333', '610339', '610341', '610342', '610343', '610349', '6104', '6104', '610411', '610412', '610413', '610419', '610421', '610422', '610423', '610429', '610431', '610432', '610433', '610439', '610441', '610442', '610443', '610444', '610449', '610451', '610451', '610452', '610452', '610453', '610453', '610459', '610459', '610461', '610462', '610463', '610469', '6105', '610510', '610520', '610590', '6106', '610610', '610620', '610690', '6107', '610711', '610712', '610719', '610721', '610722', '610729', '610791', '610792', '610799', '6108', '610811', '610819', '610821', '610822', '610829', '610831', '610832', '610839', '610891', '610892', '610899', '6109', '610910', '610990', '6110', '611010', '611011', '611012', '611019', '611020', '611030', '611090', '6111', '611110', '611120', '611130', '611190', '6112', '611211', '611212', '611219', '611220', '611231', '611239', '611241', '611249', '6113', '611300', '6114', '611410', '611420', '611430', '611490', '6115', '611510', '611511', '611512', '611519', '611520', '611521', '611522', '611529', '611530', '611591', '611592', '611593', '611594', '611595', '611596', '611599', '6116', '611610', '611691', '611692', '611693', '611699', '6117', '611710', '611720', '611780', '611790', '62', '6201', '620111', '620112', '620113', '620119', '620191', '620192', '620193', '620199', '6202', '620211', '620212', '620213', '620219', '620291', '620292', '620293', '620299', '6203', '620311', '620312', '620319', '620321', '620322', '620323', '620329', '620331', '620332', '620333', '620339', '620341', '620342', '620343', '620349', '6204', '6204', '620411', '620412', '620413', '620419', '620421', '620422', '620423', '620429', '620431', '620432', '620433', '620439', '620441', '620442', '620443', '620444', '620449', '620451', '620451', '620452', '620452', '620453', '620453', '620459', '620459', '620461', '620462', '620463', '620469', '6205', '620510', '620520', '620530', '620590', '6206', '620610', '620620', '620630', '620640', '620690', '6207', '620711', '620719', '620721', '620722', '620729', '620791', '620792', '620799', '6208', '620811', '620819', '620821', '620822', '620829', '620891', '620892', '620899', '6209', '620910', '620920', '620930', '620990', '6210', '621010', '621020', '621030', '621040', '621050', '6211', '621111', '621112', '621120', '621131', '621132', '621133', '621139', '621141', '621142', '621143', '621149', '6212', '621210', '621220', '621230', '621290', '6213', '621310', '621320', '621390', '6214', '621410', '621420', '621430', '621440', '621490', '6215', '621510', '621520', '621590', '6216', '621600', '6217', '621710', '621790', '63', '6301', '630110', '630120', '630130', '630140', '630190', '6302', '630210', '630221', '630222', '630229', '630231', '630232', '630239', '630240', '630251', '630252', '630253', '630259', '630260', '630291', '630292', '630293', '630299', '6303', '630311', '630312', '630319', '630391', '630392', '630399', '6304', '630411', '630419', '630420', '630491', '630492', '630493', '630499', '6305', '630510', '630520', '630531', '630532', '630533', '630539', '630590', '6306', '630611', '630612', '630619', '630621', '630622', '630629', '630630', '630631', '630639', '630640', '630641', '630649', '630690', '630691', '630699', '6307', '630710', '630720', '630790', '6308', '6308', '630800', '630800', '6309', '630900', '6310', '631010', '631090', '64', '6401', '640110', '640191', '640192', '640199', '6402', '640211', '640212', '640219', '640220', '640230', '640291', '640299', '6403', '640311', '640312', '640319', '640320', '640330', '640340', '640351', '640359', '640391', '640399', '6404', '640411', '640419', '640420', '6405', '640510', '640520', '640590', '6406', '640610', '640620', '640690', '640691', '640699', '65', '6501', '650100', '6502', '650200', '6503', '650300', '6504', '650400', '6505', '650500', '650510', '650590', '6506', '650610', '650691', '650692', '650699', '6507', '650700', '66', '66', '6601', '660110', '660191', '660199', '6602', '6602', '660200', '660200', '6603', '660310', '660320', '660390', '67', '6701', '670100', '6702', '670210', '670290', '6703', '670300', '6704', '670411', '670419', '670420', '670490', '68', '6801', '680100', '6802', '680210', '680210', '680221', '680222', '680223', '680229', '680291', '680292', '680293', '680299', '6803', '680300', '6804', '680410', '680421', '680422', '680423', '680430', '6805', '680510', '680520', '680530', '6806', '680610', '680620', '680690', '6807', '680710', '680790', '6808', '680800', '6809', '680911', '680919', '680990', '6810', '681011', '681019', '681020', '681091', '681099', '6811', '681110', '681120', '681130', '681140', '681181', '681182', '681183', '681189', '681190', '6812', '681210', '681220', '681230', '681240', '681250', '681260', '681270', '681280', '681280', '681290', '681291', '681291', '681292', '681292', '681293', '681293', '681299', '681299', '6813', '681310', '681320', '681381', '681389', '681390', '6814', '681410', '681490', '6815', '681510', '681520', '681591', '681599', '69', '6901', '690100', '6902', '690210', '690220', '690290', '6903', '690310', '690320', '690390', '6904', '690410', '690490', '6905', '690510', '690590', '6906', '690600', '6907', '690710', '690710', '690721', '690722', '690723', '690730', '690740', '690790', '6908', '690810', '690890', '6909', '690911', '690912', '690919', '690990', '6910', '6910', '691010', '691010', '691090', '691090', '6911', '691110', '691190', '6912', '691200', '6913', '691310', '691390', '6914', '691410', '691490', '70', '7001', '700100', '7002', '700210', '700220', '700231', '700232', '700239', '7003', '700311', '700312', '700319', '700320', '700330', '7004', '700410', '700420', '700490', '7005', '700510', '700521', '700529', '700530', '7006', '700600', '7007', '700711', '700719', '700721', '700729', '7008', '700800', '7009', '700910', '700991', '700992', '7010', '7010', '701010', '701020', '701020', '701090', '701091', '701092', '701093', '701094', '7011', '701110', '701120', '701190', '7012', '701200', '7013', '701310', '701321', '701322', '701328', '701329', '701331', '701332', '701333', '701337', '701339', '701341', '701342', '701349', '701391', '701399', '7014', '701400', '7015', '701510', '701590', '7016', '701610', '701690', '7017', '701710', '701720', '701790', '7018', '701810', '701820', '701890', '7019', '701910', '701911', '701912', '701919', '701920', '701931', '701932', '701939', '701940', '701951', '701951', '701952', '701952', '701959', '701990', '7020', '702000', '71', '7101', '710110', '710121', '710122', '7102', '710210', '710221', '710229', '710231', '710239', '7103', '710310', '710391', '710399', '7104', '710410', '710420', '710490', '7105', '710510', '710590', '7106', '710610', '710691', '710692', '7107', '710700', '7108', '710811', '710812', '710813', '710820', '7109', '710900', '7110', '711011', '711019', '711021', '711029', '711031', '711039', '711041', '711041', '711049', '711049', '7111', '711100', '7112', '711210', '711220', '711230', '711290', '711291', '711292', '711299', '7113', '711311', '711319', '711320', '7114', '711411', '711419', '711420', '7115', '711510', '711590', '7116', '711610', '711620', '7117', '711711', '711719', '711790', '7118', '711810', '711890', '72', '7201', '720110', '720120', '720130', '720140', '720150', '7202', '720211', '720219', '720221', '720229', '720230', '720241', '720249', '720250', '720260', '720270', '720280', '720291', '720292', '720293', '720299', '7203', '720310', '720390', '7204', '720410', '720421', '720429', '720430', '720441', '720449', '720450', '7205', '720510', '720521', '720529', '7206', '720610', '720690', '7207', '720711', '720711', '720712', '720719', '720720', '7208', '7208', '720810', '720810', '720811', '720811', '720812', '720812', '720813', '720813', '720814', '720814', '720821', '720821', '720822', '720822', '720823', '720823', '720824', '720824', '720825', '720825', '720826', '720826', '720827', '720827', '720831', '720831', '720832', '720833', '720834', '720835', '720836', '720836', '720837', '720837', '720838', '720838', '720839', '720839', '720840', '720840', '720841', '720841', '720842', '720843', '720844', '720845', '720851', '720851', '720852', '720852', '720853', '720853', '720854', '720854', '720890', '720890', '7209', '7209', '720911', '720911', '720912', '720912', '720913', '720913', '720914', '720914', '720915', '720915', '720916', '720916', '720917', '720917', '720918', '720918', '720921', '720921', '720922', '720922', '720923', '720923', '720924', '720924', '720925', '720925', '720926', '720926', '720927', '720927', '720928', '720928', '720931', '720931', '720932', '720932', '720933', '720933', '720934', '720934', '720941', '720941', '720942', '720942', '720943', '720943', '720944', '720944', '720990', '720990', '7210', '7210', '721011', '721011', '721012', '721012', '721020', '721020', '721030', '721030', '721031', '721031', '721039', '721039', '721041', '721041', '721049', '721049', '721050', '721050', '721060', '721060', '721061', '721061', '721069', '721069', '721070', '721070', '721090', '721090', '7211', '7211', '721111', '721111', '721112', '721112', '721113', '721113', '721114', '721114', '721119', '721119', '721121', '721121', '721122', '721122', '721123', '721123', '721129', '721129', '721130', '721130', '721141', '721141', '721149', '721149', '721190', '721190', '7212', '7212', '721210', '721210', '721220', '721220', '721221', '721221', '721229', '721229', '721230', '721230', '721240', '721240', '721250', '721250', '721260', '721260', '7213', '721310', '721320', '721331', '721339', '721341', '721349', '721350', '721391', '721399', '7214', '721410', '721420', '721430', '721440', '721450', '721460', '721491', '721499', '7215', '721510', '721520', '721530', '721540', '721550', '721590', '7216', '721610', '721621', '721622', '721631', '721632', '721633', '721640', '721650', '721660', '721661', '721669', '721690', '721691', '721699', '7217', '721710', '721711', '721712', '721713', '721719', '721720', '721721', '721722', '721723', '721729', '721730', '721731', '721732', '721733', '721739', '721790', '7218', '721810', '721890', '721891', '721899', '7219', '7219', '721911', '721911', '721912', '721912', '721913', '721913', '721914', '721914', '721921', '721921', '721922', '721922', '721923', '721923', '721924', '721924', '721931', '721931', '721932', '721932', '721933', '721933', '721934', '721934', '721935', '721935', '721990', '721990', '7220', '7220', '722011', '722011', '722012', '722012', '722020', '722020', '722090', '722090', '7221', '722100', '7222', '722210', '722211', '722219', '722220', '722230', '722240', '7223', '722300', '7224', '722410', '722490', '7225', '7225', '722510', '722510', '722511', '722511', '722519', '722519', '722520', '722520', '722530', '722530', '722540', '722540', '722550', '722550', '722590', '722590', '722591', '722591', '722592', '722592', '722599', '722599', '7226', '7226', '722610', '722610', '722611', '722611', '722619', '722619', '722620', '722620', '722691', '722691', '722692', '722692', '722693', '722693', '722694', '722694', '722699', '722699', '7227', '722710', '722720', '722790', '7228', '722810', '722820', '722830', '722840', '722850', '722860', '722870', '722880', '7229', '722910', '722920', '722990', '73', '7301', '730110', '730120', '7302', '730210', '730220', '730230', '730240', '730290', '7303', '730300', '7304', '730410', '730411', '730419', '730420', '730421', '730422', '730423', '730424', '730429', '730431', '730439', '730441', '730449', '730451', '730459', '730490', '7305', '730511', '730512', '730519', '730520', '730531', '730539', '730590', '7306', '730610', '730611', '730619', '730620', '730621', '730629', '730630', '730640', '730650', '730660', '730661', '730669', '730690', '7307', '730711', '730719', '730721', '730722', '730723', '730729', '730791', '730792', '730793', '730799', '7308', '730810', '730810', '730820', '730830', '730840', '730890', '7309', '730900', '7310', '731010', '731021', '731029', '7311', '731100', '7312', '731210', '731290', '7313', '731300', '7314', '731411', '731412', '731413', '731414', '731419', '731420', '731430', '731431', '731439', '731441', '731442', '731449', '731450', '7315', '731511', '731512', '731519', '731520', '731520', '731581', '731582', '731589', '731590', '7316', '731600', '7317', '731700', '7318', '731811', '731812', '731813', '731814', '731815', '731816', '731819', '731821', '731822', '731823', '731824', '731829', '7319', '7319', '731910', '731910', '731920', '731930', '731940', '731990', '731990', '7320', '732010', '732020', '732090', '7321', '7321', '732111', '732112', '732112', '732113', '732113', '732119', '732119', '732181', '732182', '732182', '732183', '732183', '732189', '732189', '732190', '7322', '732211', '732219', '732290', '7323', '732310', '732391', '732392', '732393', '732394', '732399', '7324', '732410', '732421', '732429', '732490', '7325', '732510', '732591', '732599', '7326', '732611', '732619', '732620', '732690', '74', '7401', '740100', '740110', '740120', '7402', '740200', '7403', '740311', '740312', '740313', '740319', '740321', '740322', '740323', '740329', '7404', '740400', '7405', '740500', '7406', '740610', '740620', '7407', '740710', '740721', '740722', '740729', '7408', '740811', '740819', '740821', '740822', '740829', '7409', '740911', '740919', '740921', '740929', '740931', '740939', '740940', '740990', '7410', '741011', '741012', '741021', '741022', '7411', '741110', '741121', '741122', '741129', '7412', '741210', '741220', '7413', '741300', '7414', '741410', '741420', '741490', '7415', '741510', '741521', '741529', '741531', '741532', '741533', '741539', '7416', '741600', '7417', '741700', '7418', '741810', '741811', '741819', '741820', '7419', '741910', '741991', '741999', '75', '7501', '7501', '750110', '750120', '750120', '7502', '750210', '750220', '7503', '750300', '7504', '750400', '7505', '750511', '750512', '750521', '750522', '7506', '750610', '750620', '7507', '750711', '750712', '750720', '7508', '750800', '750810', '750890', '76', '7601', '760110', '760120', '7602', '760200', '7603', '760310', '760320', '7604', '760410', '760421', '760429', '7605', '760511', '760519', '760521', '760529', '7606', '760611', '760612', '760691', '760692', '7607', '760711', '760719', '760720', '7608', '760810', '760820', '7609', '760900', '7610', '7610', '761010', '761090', '7611', '761100', '7612', '7612', '761210', '761290', '7613', '761300', '7614', '761410', '761490', '7615', '761510', '761511', '761519', '761520', '7616', '761610', '761690', '761691', '761699', '78', '7801', '780110', '780191', '780199', '7802', '780200', '7803', '780300', '7804', '780411', '780419', '780420', '7805', '780500', '7806', '780600', '79', '7901', '790111', '790112', '790120', '7902', '790200', '7903', '790310', '790390', '7904', '790400', '7905', '790500', '7906', '790600', '7907', '790700', '790710', '790790', '80', '8001', '800110', '800120', '8002', '800200', '8003', '800300', '8004', '800400', '8005', '800500', '800510', '800520', '8006', '800600', '8007', '800700', '81', '8101', '810110', '810191', '810192', '810193', '810194', '810195', '810196', '810197', '810199', '8102', '810210', '810291', '810292', '810293', '810294', '810295', '810296', '810297', '810299', '8103', '810310', '810320', '810330', '810390', '8104', '810411', '810419', '810420', '810430', '810490', '8105', '810510', '810520', '810530', '810590', '8106', '810600', '8107', '810710', '810720', '810730', '810790', '8108', '810810', '810820', '810830', '810890', '8109', '810910', '810920', '810930', '810990', '8110', '811000', '811010', '811020', '811090', '8111', '811100', '8112', '811211', '811212', '811213', '811219', '811220', '811221', '811222', '811229', '811230', '811240', '811251', '811252', '811259', '811291', '811292', '811299', '8113', '811300', '82', '8201', '820110', '820120', '820130', '820140', '820150', '820160', '820190', '8202', '820210', '820220', '820231', '820232', '820239', '820240', '820291', '820299', '8203', '820310', '820320', '820330', '820340', '8204', '820411', '820412', '820420', '8205', '820510', '820520', '820530', '820540', '820551', '820559', '820560', '820570', '820580', '820590', '8206', '820600', '8207', '820711', '820711', '820712', '820712', '820713', '820719', '820720', '820730', '820740', '820750', '820760', '820770', '820780', '820790', '8208', '820810', '820820', '820830', '820840', '820890', '8209', '8209', '820900', '820900', '8210', '821000', '8211', '821110', '821191', '821192', '821193', '821194', '821195', '8212', '821210', '821220', '821290', '8213', '821300', '8214', '821410', '821420', '821490', '8215', '821510', '821520', '821591', '821599', '83', '8301', '830110', '830120', '830130', '830140', '830150', '830160', '830170', '8302', '830210', '830220', '830230', '830241', '830242', '830249', '830250', '830260', '8303', '830300', '8304', '830400', '8305', '830510', '830520', '830590', '8306', '830610', '830621', '830629', '830630', '8307', '830710', '830790', '8308', '830810', '830820', '830890', '8309', '8309', '830910', '830990', '830990', '8310', '831000', '8311', '8311', '831110', '831120', '831130', '831190', '831190', '84', '8401', '8401', '840110', '840120', '840130', '840130', '840140', '8402', '840211', '840212', '840219', '840219', '840220', '840290', '8403', '840310', '840390', '8404', '840410', '840420', '840490', '8405', '840510', '840590', '8406', '840610', '840611', '840619', '840681', '840682', '840690', '8407', '840710', '840721', '840729', '840731', '840732', '840733', '840734', '840790', '8408', '840810', '840820', '840890', '8409', '840910', '840991', '840999', '8410', '841011', '841012', '841013', '841090', '8411', '841111', '841112', '841121', '841122', '841181', '841182', '841191', '841199', '8412', '841210', '841221', '841229', '841231', '841239', '841280', '841290', '8413', '8413', '841311', '841319', '841319', '841320', '841320', '841330', '841340', '841350', '841350', '841360', '841360', '841370', '841370', '841381', '841381', '841382', '841382', '841391', '841392', '841392', '8414', '841410', '841420', '841430', '841440', '841451', '841459', '841460', '841460', '841480', '841490', '8415', '8415', '841510', '841510', '841520', '841520', '841581', '841582', '841583', '841590', '8416', '8416', '841610', '841610', '841620', '841620', '841630', '841690', '841690', '8417', '841710', '841720', '841780', '841790', '8418', '841810', '841821', '841822', '841829', '841830', '841840', '841850', '841861', '841869', '841891', '841899', '8419', '841911', '841919', '841920', '841931', '841932', '841939', '841940', '841950', '841960', '841981', '841989', '841990', '8420', '842010', '842091', '842099', '8421', '8421', '842111', '842112', '842119', '842121', '842122', '842123', '842129', '842129', '842131', '842139', '842191', '842199', '842199', '8422', '842211', '842219', '842220', '842230', '842240', '842290', '8423', '842310', '842320', '842330', '842381', '842382', '842389', '842390', '8424', '8424', '842410', '842420', '842430', '842441', '842449', '842481', '842481', '842482', '842489', '842489', '842490', '842490', '8425', '842511', '842519', '842520', '842531', '842539', '842541', '842542', '842549', '8426', '842611', '842612', '842619', '842619', '842620', '842630', '842641', '842649', '842691', '842699', '8427', '842710', '842720', '842790', '8428', '842810', '842820', '842831', '842832', '842833', '842839', '842840', '842850', '842860', '842890', '8429', '842911', '842919', '842920', '842930', '842940', '842951', '842952', '842959', '8430', '843010', '843020', '843031', '843039', '843041', '843049', '843050', '843061', '843062', '843069', '8431', '843110', '843120', '843131', '843139', '843141', '843142', '843143', '843149', '8432', '843210', '843221', '843229', '843230', '843231', '843239', '843240', '843241', '843242', '843280', '843290', '8433', '843311', '843319', '843320', '843330', '843340', '843351', '843352', '843353', '843359', '843360', '843390', '8434', '843410', '843420', '843490', '8435', '8435', '843510', '843510', '843590', '843590', '8436', '843610', '843621', '843629', '843680', '843691', '843699', '8437', '843710', '843780', '843790', '8438', '843810', '843820', '843830', '843840', '843850', '843860', '843880', '843890', '8439', '843910', '843920', '843930', '843991', '843999', '8440', '844010', '844090', '8441', '844110', '844120', '844130', '844140', '844180', '844190', '8442', '844210', '844220', '844230', '844240', '844250', '8443', '844311', '844312', '844313', '844314', '844315', '844316', '844317', '844319', '844321', '844329', '844330', '844331', '844332', '844339', '844340', '844350', '844351', '844359', '844360', '844390', '844391', '844399', '8444', '844400', '8445', '844511', '844512', '844513', '844519', '844520', '844530', '844540', '844590', '8446', '844610', '844610', '844621', '844621', '844629', '844629', '844630', '844630', '8447', '8447', '844711', '844712', '844720', '844790', '844790', '8448', '844811', '844819', '844820', '844831', '844832', '844833', '844839', '844841', '844842', '844849', '844851', '844859', '8449', '844900', '8450', '845011', '845012', '845019', '845020', '845090', '8451', '845110', '845121', '845129', '845130', '845140', '845150', '845180', '845190', '8452', '845210', '845221', '845229', '845230', '845240', '845290', '8453', '8453', '845310', '845310', '845320', '845380', '845380', '845390', '845390', '8454', '845410', '845420', '845430', '845490', '8455', '845510', '845521', '845522', '845530', '845590', '8456', '845610', '845611', '845612', '845620', '845630', '845640', '845650', '845690', '845691', '845699', '8457', '845710', '845720', '845730', '8458', '845811', '845819', '845891', '845899', '8459', '845910', '845921', '845929', '845931', '845939', '845940', '845941', '845949', '845951', '845959', '845961', '845969', '845970', '8460', '8460', '846011', '846012', '846019', '846021', '846022', '846023', '846024', '846029', '846031', '846039', '846040', '846090', '846090', '8461', '8461', '846110', '846110', '846120', '846120', '846130', '846130', '846140', '846140', '846150', '846150', '846190', '846190', '8462', '846210', '846221', '846229', '846231', '846239', '846241', '846249', '846291', '846291', '846299', '846299', '8463', '8463', '846310', '846310', '846320', '846320', '846330', '846390', '846390', '8464', '846410', '846420', '846490', '8465', '846510', '846520', '846591', '846592', '846593', '846594', '846595', '846596', '846599', '8466', '8466', '846610', '846620', '846630', '846630', '846691', '846692', '846693', '846694', '8467', '846711', '846719', '846721', '846722', '846729', '846781', '846789', '846791', '846792', '846799', '8468', '846810', '846820', '846880', '846890', '8469', '846900', '846910', '846911', '846912', '846920', '846921', '846929', '846930', '846931', '846939', '8470', '847010', '847021', '847029', '847030', '847040', '847050', '847090', '8471', '847110', '847110', '847120', '847130', '847141', '847141', '847149', '847149', '847150', '847160', '847170', '847180', '847190', '847191', '847192', '847193', '847199', '8472', '847210', '847220', '847230', '847290', '8473', '847310', '847321', '847329', '847330', '847340', '847350', '8474', '8474', '847410', '847420', '847431', '847432', '847439', '847480', '847480', '847490', '847490', '8475', '847510', '847520', '847521', '847529', '847590', '8476', '847611', '847619', '847621', '847629', '847681', '847689', '847690', '8477', '847710', '847720', '847730', '847740', '847751', '847759', '847780', '847790', '8478', '847810', '847890', '8479', '8479', '847910', '847920', '847930', '847940', '847950', '847960', '847971', '847971', '847979', '847979', '847981', '847982', '847989', '847989', '847990', '847990', '8480', '8480', '848010', '848020', '848020', '848030', '848030', '848041', '848041', '848049', '848049', '848050', '848060', '848071', '848079', '8481', '848110', '848120', '848130', '848140', '848180', '848190', '8482', '848210', '848220', '848230', '848240', '848250', '848280', '848291', '848299', '8483', '848310', '848320', '848330', '848340', '848350', '848360', '848390', '8484', '848410', '848420', '848490', '8485', '848510', '848590', '8486', '848610', '848620', '848630', '848640', '848690', '8487', '848710', '848790', '85', '8501', '850110', '850120', '850131', '850132', '850133', '850134', '850140', '850151', '850152', '850153', '850161', '850162', '850163', '850164', '8502', '850211', '850212', '850213', '850220', '850230', '850231', '850239', '850240', '8503', '850300', '8504', '850410', '850421', '850421', '850422', '850422', '850423', '850423', '850431', '850432', '850433', '850434', '850440', '850450', '850490', '8505', '850511', '850519', '850520', '850530', '850590', '8506', '850610', '850610', '850611', '850611', '850612', '850612', '850613', '850613', '850619', '850620', '850630', '850630', '850640', '850640', '850650', '850660', '850680', '850680', '850690', '8507', '850710', '850710', '850720', '850720', '850730', '850740', '850750', '850750', '850760', '850780', '850780', '850790', '8508', '850810', '850811', '850819', '850820', '850860', '850870', '850880', '850890', '8509', '850910', '850920', '850930', '850940', '850980', '850990', '8510', '851010', '851020', '851030', '851090', '8511', '851110', '851120', '851130', '851140', '851150', '851180', '851190', '8512', '851210', '851220', '851230', '851240', '851290', '8513', '851310', '851390', '8514', '851410', '851420', '851430', '851440', '851490', '8515', '8515', '851511', '851519', '851521', '851529', '851531', '851539', '851580', '851590', '8516', '851610', '851621', '851629', '851631', '851632', '851633', '851640', '851650', '851660', '851671', '851672', '851679', '851680', '851690', '8517', '851710', '851711', '851712', '851718', '851719', '851719', '851720', '851721', '851722', '851730', '851740', '851750', '851761', '851762', '851769', '851770', '851780', '851781', '851782', '851790', '8518', '851810', '851821', '851822', '851829', '851830', '851840', '851850', '851890', '8519', '851910', '851920', '851921', '851929', '851930', '851931', '851939', '851940', '851950', '851981', '851989', '851991', '851992', '851993', '851999', '8520', '852010', '852020', '852031', '852032', '852033', '852039', '852090', '8521', '8521', '852110', '852110', '852190', '852190', '8522', '8522', '852210', '852210', '852290', '852290', '8523', '852311', '852311', '852312', '852312', '852313', '852313', '852320', '852321', '852329', '852330', '852340', '852341', '852349', '852351', '852351', '852352', '852359', '852380', '852390', '8524', '852410', '852421', '852421', '852422', '852422', '852423', '852423', '852431', '852432', '852439', '852440', '852451', '852451', '852452', '852452', '852453', '852453', '852460', '852490', '852491', '852499', '8525', '8525', '852510', '852520', '852530', '852540', '852540', '852550', '852560', '852580', '852580', '8526', '8526', '852610', '852691', '852691', '852692', '8527', '852711', '852712', '852713', '852719', '852721', '852729', '852731', '852732', '852739', '852790', '852791', '852792', '852799', '8528', '8528', '852810', '852810', '852812', '852812', '852813', '852813', '852820', '852820', '852821', '852821', '852822', '852822', '852830', '852830', '852841', '852842', '852849', '852851', '852852', '852859', '852861', '852862', '852869', '852871', '852871', '852872', '852872', '852873', '852873', '8529', '852910', '852990', '8530', '853010', '853080', '853090', '8531', '853110', '853120', '853120', '853180', '853190', '8532', '853210', '853221', '853222', '853223', '853224', '853225', '853229', '853230', '853290', '8533', '853310', '853321', '853329', '853331', '853339', '853340', '853390', '8534', '853400', '8535', '853510', '853521', '853529', '853530', '853540', '853590', '8536', '853610', '853620', '853630', '853641', '853649', '853650', '853661', '853669', '853670', '853690', '8537', '853710', '853720', '8538', '853810', '853890', '8539', '853910', '853921', '853922', '853929', '853931', '853932', '853932', '853939', '853940', '853941', '853949', '853950', '853990', '8540', '854011', '854011', '854012', '854012', '854020', '854030', '854040', '854041', '854041', '854042', '854042', '854049', '854049', '854050', '854060', '854071', '854071', '854072', '854072', '854079', '854079', '854081', '854089', '854091', '854099', '8541', '854110', '854121', '854129', '854130', '854140', '854150', '854160', '854190', '8542', '854210', '854211', '854212', '854213', '854213', '854214', '854219', '854220', '854220', '854221', '854229', '854230', '854231', '854232', '854233', '854239', '854240', '854240', '854250', '854260', '854260', '854270', '854280', '854280', '854290', '8543', '8543', '854310', '854311', '854311', '854319', '854319', '854320', '854320', '854330', '854330', '854340', '854340', '854370', '854370', '854380', '854380', '854381', '854381', '854389', '854389', '854390', '8544', '8544', '854411', '854419', '854420', '854430', '854441', '854442', '854449', '854451', '854459', '854460', '854470', '8545', '854511', '854519', '854520', '854590', '8546', '854610', '854620', '854690', '8547', '854710', '854720', '854790', '8548', '854800', '854810', '854890', '86', '8601', '860110', '860120', '8602', '860210', '860290', '8603', '860310', '860390', '8604', '860400', '8605', '860500', '8606', '860610', '860620', '860630', '860691', '860692', '860692', '860699', '8607', '860711', '860712', '860719', '860721', '860729', '860730', '860791', '860799', '8608', '860800', '8609', '8609', '860900', '860900', '87', '8701', '870110', '870120', '870130', '870190', '870191', '870192', '870193', '870194', '870195', '8702', '870210', '870220', '870230', '870240', '870290', '8703', '870310', '870321', '870322', '870323', '870324', '870331', '870332', '870333', '870340', '870350', '870360', '870370', '870380', '870390', '8704', '870410', '870421', '870422', '870423', '870431', '870432', '870490', '8705', '870510', '870520', '870530', '870540', '870590', '8706', '870600', '8707', '870710', '870790', '8708', '870810', '870821', '870829', '870830', '870831', '870839', '870840', '870850', '870850', '870860', '870870', '870880', '870891', '870892', '870893', '870894', '870895', '870899', '8709', '870911', '870919', '870990', '8710', '871000', '8711', '8711', '871110', '871110', '871120', '871120', '871130', '871130', '871140', '871140', '871150', '871150', '871160', '871160', '871190', '871190', '8712', '871200', '8713', '8713', '871310', '871310', '871390', '871390', '8714', '871410', '871411', '871419', '871420', '871420', '871491', '871492', '871493', '871494', '871495', '871496', '871499', '8715', '871500', '8716', '871610', '871620', '871631', '871639', '871640', '871680', '871690', '88', '8801', '8801', '880100', '880100', '880110', '880110', '880190', '8802', '880211', '880212', '880220', '880230', '880240', '880250', '880260', '8803', '880310', '880320', '880330', '880390', '8804', '880400', '8805', '880510', '880520', '880521', '880529', '89', '8901', '890110', '890120', '890130', '890190', '8902', '890200', '8903', '890310', '890391', '890392', '890399', '8904', '890400', '8905', '8905', '890510', '890520', '890590', '890590', '8906', '890600', '890610', '890690', '8907', '890710', '890790', '8908', '890800', '90', '9001', '900110', '900120', '900130', '900140', '900150', '900190', '9002', '900211', '900219', '900220', '900290', '9003', '900311', '900319', '900390', '9004', '900410', '900490', '9005', '900510', '900580', '900590', '9006', '900610', '900620', '900630', '900640', '900651', '900651', '900652', '900652', '900653', '900653', '900659', '900661', '900662', '900669', '900691', '900699', '9007', '900710', '900711', '900711', '900719', '900720', '900721', '900721', '900729', '900729', '900791', '900792', '9008', '900810', '900810', '900820', '900830', '900830', '900840', '900850', '900890', '9009', '900911', '900912', '900921', '900922', '900930', '900990', '900991', '900992', '900993', '900999', '9010', '901010', '901020', '901030', '901041', '901042', '901049', '901050', '901060', '901090', '9011', '901110', '901120', '901180', '901190', '9012', '901210', '901290', '9013', '9013', '901310', '901320', '901380', '901380', '901390', '9014', '901410', '901420', '901480', '901490', '9015', '901510', '901520', '901530', '901540', '901580', '901590', '9016', '901600', '9017', '901710', '901720', '901730', '901780', '901790', '9018', '901811', '901812', '901813', '901814', '901819', '901820', '901831', '901832', '901839', '901841', '901849', '901850', '901890', '9019', '901910', '901920', '9020', '902000', '9021', '9021', '902110', '902111', '902119', '902121', '902129', '902130', '902131', '902139', '902140', '902140', '902150', '902190', '9022', '902211', '902212', '902213', '902214', '902219', '902221', '902229', '902230', '902290', '9023', '902300', '9024', '902410', '902480', '902490', '9025', '902511', '902511', '902519', '902519', '902520', '902580', '902590', '9026', '9026', '902610', '902610', '902620', '902680', '902680', '902690', '902690', '9027', '902710', '902720', '902730', '902740', '902750', '902780', '902790', '9028', '9028', '902810', '902820', '902820', '902830', '902890', '902890', '9029', '902910', '902920', '902990', '9030', '903010', '903020', '903031', '903032', '903033', '903039', '903040', '903081', '903082', '903083', '903084', '903089', '903090', '9031', '903110', '903120', '903130', '903140', '903141', '903149', '903180', '903190', '9032', '903210', '903220', '903281', '903289', '903290', '9033', '903300', '91', '9101', '910111', '910112', '910119', '910121', '910129', '910191', '910199', '9102', '910211', '910212', '910219', '910221', '910229', '910291', '910299', '9103', '910310', '910390', '9104', '910400', '9105', '910511', '910519', '910521', '910529', '910591', '910599', '9106', '910610', '910620', '910690', '9107', '910700', '9108', '910811', '910812', '910819', '910820', '910890', '910891', '910899', '9109', '910910', '910911', '910919', '910990', '9110', '911011', '911012', '911019', '911090', '9111', '911110', '911120', '911180', '911190', '9112', '911210', '911220', '911280', '911290', '9113', '911310', '911320', '911390', '9114', '911410', '911420', '911430', '911440', '911440', '911490', '911490', '92', '9201', '920110', '920120', '920190', '9202', '920210', '920290', '9203', '920300', '9204', '920410', '920420', '9205', '920510', '920590', '9206', '920600', '9207', '920710', '920790', '9208', '920810', '920890', '9209', '920910', '920920', '920930', '920991', '920992', '920993', '920994', '920999', '93', '9301', '930100', '930110', '930111', '930119', '930120', '930190', '9302', '930200', '9303', '930310', '930320', '930330', '930390', '9304', '930400', '9305', '930510', '930520', '930521', '930529', '930590', '930591', '930599', '9306', '9306', '930610', '930610', '930621', '930621', '930629', '930629', '930630', '930630', '930690', '9307', '930700', '94', '9401', '940110', '940120', '940130', '940140', '940150', '940151', '940152', '940153', '940159', '940161', '940169', '940171', '940179', '940180', '940190', '9402', '940210', '940290', '9403', '940310', '940320', '940330', '940340', '940350', '940360', '940370', '940380', '940381', '940382', '940383', '940389', '940390', '9404', '9404', '940410', '940421', '940429', '940430', '940490', '940490', '9405', '940510', '940520', '940520', '940530', '940540', '940550', '940560', '940591', '940592', '940599', '9406', '940600', '940610', '940690', '95', '9501', '9501', '950100', '950100', '9502', '950210', '950291', '950299', '9503', '950300', '950310', '950320', '950330', '950341', '950349', '950350', '950360', '950370', '950380', '950390', '9504', '9504', '950410', '950410', '950420', '950430', '950440', '950450', '950450', '950490', '9505', '950510', '950590', '9506', '950611', '950612', '950619', '950621', '950629', '950631', '950632', '950639', '950640', '950651', '950659', '950661', '950662', '950669', '950670', '950691', '950699', '9507', '950710', '950720', '950730', '950790', '9508', '950800', '950810', '950890', '96', '9601', '960110', '960190', '9602', '960200', '9603', '960310', '960321', '960329', '960330', '960340', '960350', '960390', '9604', '9604', '960400', '960400', '9605', '960500', '9606', '960610', '960621', '960622', '960629', '960630', '9607', '9607', '960711', '960711', '960719', '960719', '960720', '960720', '9608', '9608', '960810', '960820', '960830', '960831', '960839', '960840', '960840', '960850', '960860', '960891', '960899', '9609', '960910', '960910', '960920', '960990', '9610', '961000', '9611', '961100', '9612', '9612', '961210', '961210', '961220', '9613', '961310', '961320', '961330', '961380', '961390', '9614', '961400', '961410', '961420', '961490', '9615', '9615', '961511', '961511', '961519', '961519', '961590', '9616', '961610', '961620', '9617', '961700', '9618', '961800', '9619', '961900', '9620', '962000', '97', '9701', '970110', '970190', '9702', '970200', '9703', '970300', '9704', '970400', '9705', '970500', '9706', '970600', '99', '9999', '999999', '9999')
# https://leetcode.com/problems/plus-one/ def plusOne(digits: list[int]) -> list[int]: carry = 1 for i in reversed(range(len(digits))): if carry == 0: break n = digits[i] + carry carry = n//10 n = n%10 digits[i] = n if carry == 1: digits.insert(0,1) print(digits) plusOne([2, 9, 9])
def plus_one(digits: list[int]) -> list[int]: carry = 1 for i in reversed(range(len(digits))): if carry == 0: break n = digits[i] + carry carry = n // 10 n = n % 10 digits[i] = n if carry == 1: digits.insert(0, 1) print(digits) plus_one([2, 9, 9])
'''3. Write a Python program to find the first repeated character in a given string.''' def first_repeated_char(str1): for index,c in enumerate(str1): if str1[:index+1].count(c) > 1: return c return "None" print(first_repeated_char("abcdabcd")) print(first_repeated_char("abcd")) #Reference: w3resource
"""3. Write a Python program to find the first repeated character in a given string.""" def first_repeated_char(str1): for (index, c) in enumerate(str1): if str1[:index + 1].count(c) > 1: return c return 'None' print(first_repeated_char('abcdabcd')) print(first_repeated_char('abcd'))
# model settings model = dict( type='BYOL', base_momentum=0.99, backbone=dict( type='ResNet', depth=18, num_stages=4, out_indices=(3,), # no conv-1, x-1: stage-x norm_cfg=dict(type='SyncBN'), style='pytorch'), neck=dict( type='NonLinearNeck', in_channels=512, hid_channels=4096, out_channels=256, num_layers=2, with_bias=True, with_last_bn=False, with_avg_pool=True), head=dict( type='LatentPredictHead', predictor=dict( type='NonLinearNeck', in_channels=256, hid_channels=4096, out_channels=256, num_layers=2, with_bias=True, with_last_bn=False, with_avg_pool=False)) )
model = dict(type='BYOL', base_momentum=0.99, backbone=dict(type='ResNet', depth=18, num_stages=4, out_indices=(3,), norm_cfg=dict(type='SyncBN'), style='pytorch'), neck=dict(type='NonLinearNeck', in_channels=512, hid_channels=4096, out_channels=256, num_layers=2, with_bias=True, with_last_bn=False, with_avg_pool=True), head=dict(type='LatentPredictHead', predictor=dict(type='NonLinearNeck', in_channels=256, hid_channels=4096, out_channels=256, num_layers=2, with_bias=True, with_last_bn=False, with_avg_pool=False)))
# This variable stores the next DeliveryExecutiveID integer next_deliveryexecutive_id = None # This variable indicates whether the next_deliveryexecutive_id has been initialized next_deliveryexecutive_id_read = 0 # @brief This class is used to handle the Delivery Executive data in ODS # @note There is not need to create an object of this class as all # methods in this class are static class DeliveryExecutive : # @brief The function is used to verify the details entered by the deliveryexecutive # during sign in for allowing the access to the account # @param pysql Pysql Object # @param email EmailID of the account (string) # @param password Password of the account (string) # @retval boolean 1 if the entry is found in the database, else 0 @staticmethod def check_deliveryexecutive_signin(pysql, email, password) : # Get the email and password entries from database sql_stmt = 'SELECT ID, Email, Password ' \ 'FROM DeliveryExecutive' pysql.run(sql_stmt) data = pysql.result # Check if the database has the required entry for i in data : if i[1] == email and i[2] == password : return i[0] return False # @brief The function is used to add delivery executive to the sql database. # This is used by ADMIN # @param pysql Pysql Object # @param Name of the parameter are self-explanatory (string) # @retval boolean returns the deliveryexecutive_id allocated for that entry # if the entry is successfully inserted in the database, else 0 @staticmethod def add_deliveryexecutive(pysql, firstname, lastname, email, password, worktime, salary, phone1, phone2) : # Fetch the global variables global next_deliveryexecutive_id global next_deliveryexecutive_id_read # Find the last deliveryexecutive id stored in the database to allocate next id # to the next deliveryexecutive. If the number of entries of the deliveryexecutive are not # known, then using deliveryexecutive_id_read flag and sql query, we can find it! if not next_deliveryexecutive_id_read : sql_stmt = 'SELECT COUNT(*) ' \ 'FROM DeliveryExecutive' pysql.run(sql_stmt) next_deliveryexecutive_id = pysql.scalar_result next_deliveryexecutive_id_read = 1 # Now get the deliveryexecutive_id deliveryexecutive_id = 'D' + format(next_deliveryexecutive_id, '05d') # Make an entry in the database sql_stmt = 'INSERT INTO DeliveryExecutive ' \ 'VALUES (%s, %s, %s, %s, %s, %s, %s, %s, %s)' try : pysql.run(sql_stmt, (deliveryexecutive_id, firstname, lastname, email, password, worktime, salary, phone1, phone2)) # Commit the changes to the remote database pysql.commit() # Next deliveryexecutive_id for further sign in next_deliveryexecutive_id += 1 return deliveryexecutive_id except : return 0 # @brief This method returns the orders that are delivered or to be # delivered by the executive depending on flag # @retval List containing orderid, customername, address details (pincode, # street, landmark, city, state), orderstatus. @staticmethod def get_orders_details(pysql, deliveryexecutive_id, flag = 0) : if flag == 0: sql_stmt = 'WITH T1 AS ( ' \ 'SELECT Order_ID, Address_ID, Payment_Method, Total_Price, Status ' \ 'FROM Orders ' \ 'WHERE Order_ID in ( ' \ 'SELECT Order_ID ' \ 'FROM Delivery ' \ 'WHERE ID = %s) ' \ 'AND Status = "Not Delivered") ' \ 'SELECT Order_ID, Payment_Method, Total_Price, Pincode, Street, Landmark, City, State, Type, Status ' \ 'FROM Address INNER JOIN T1 ' \ 'ON Address.Address_ID = T1.Address_ID' else: sql_stmt = 'WITH T1 AS ( ' \ 'SELECT Order_ID, Address_ID, Payment_Method, Total_Price, Status ' \ 'FROM Orders ' \ 'WHERE Order_ID in ( ' \ 'SELECT Order_ID ' \ 'FROM Delivery ' \ 'WHERE ID = %s) ' \ 'AND Status = "Delivered") ' \ 'SELECT Order_ID, Payment_Method, Total_Price, Pincode, Street, Landmark, City, State, Type, Status ' \ 'FROM Address INNER JOIN T1 ' \ 'ON Address.Address_ID = T1.Address_ID' pysql.run(sql_stmt, (deliveryexecutive_id, )) row = pysql.result return row # @brief This method gives all the delivery executive of the system. # Normally used by ADMIN @staticmethod def get_all_deliveryexecutives(pysql) : sql_stmt = 'SELECT ID, First_name, Last_name, Email, Password, Salary, Phone1, Phone2, WorkTime ' \ 'FROM DeliveryExecutive' pysql.run(sql_stmt) rows = pysql.result return rows # @brief This method changes the status of Order from "Not Delivered" to # "Delivered" # @param Order_id # @retval 1 if success, else 0 @staticmethod def change_delivery_status(pysql, order_id) : sql_stmt = 'UPDATE Orders ' \ 'SET Status = "Delivered" ' \ 'WHERE Order_ID = %s' try : pysql.run(sql_stmt, (order_id, )) pysql.commit() return 1 except : return 0
next_deliveryexecutive_id = None next_deliveryexecutive_id_read = 0 class Deliveryexecutive: @staticmethod def check_deliveryexecutive_signin(pysql, email, password): sql_stmt = 'SELECT ID, Email, Password FROM DeliveryExecutive' pysql.run(sql_stmt) data = pysql.result for i in data: if i[1] == email and i[2] == password: return i[0] return False @staticmethod def add_deliveryexecutive(pysql, firstname, lastname, email, password, worktime, salary, phone1, phone2): global next_deliveryexecutive_id global next_deliveryexecutive_id_read if not next_deliveryexecutive_id_read: sql_stmt = 'SELECT COUNT(*) FROM DeliveryExecutive' pysql.run(sql_stmt) next_deliveryexecutive_id = pysql.scalar_result next_deliveryexecutive_id_read = 1 deliveryexecutive_id = 'D' + format(next_deliveryexecutive_id, '05d') sql_stmt = 'INSERT INTO DeliveryExecutive VALUES (%s, %s, %s, %s, %s, %s, %s, %s, %s)' try: pysql.run(sql_stmt, (deliveryexecutive_id, firstname, lastname, email, password, worktime, salary, phone1, phone2)) pysql.commit() next_deliveryexecutive_id += 1 return deliveryexecutive_id except: return 0 @staticmethod def get_orders_details(pysql, deliveryexecutive_id, flag=0): if flag == 0: sql_stmt = 'WITH T1 AS ( SELECT Order_ID, Address_ID, Payment_Method, Total_Price, Status FROM Orders WHERE Order_ID in ( SELECT Order_ID FROM Delivery WHERE ID = %s) AND Status = "Not Delivered") SELECT Order_ID, Payment_Method, Total_Price, Pincode, Street, Landmark, City, State, Type, Status FROM Address INNER JOIN T1 ON Address.Address_ID = T1.Address_ID' else: sql_stmt = 'WITH T1 AS ( SELECT Order_ID, Address_ID, Payment_Method, Total_Price, Status FROM Orders WHERE Order_ID in ( SELECT Order_ID FROM Delivery WHERE ID = %s) AND Status = "Delivered") SELECT Order_ID, Payment_Method, Total_Price, Pincode, Street, Landmark, City, State, Type, Status FROM Address INNER JOIN T1 ON Address.Address_ID = T1.Address_ID' pysql.run(sql_stmt, (deliveryexecutive_id,)) row = pysql.result return row @staticmethod def get_all_deliveryexecutives(pysql): sql_stmt = 'SELECT ID, First_name, Last_name, Email, Password, Salary, Phone1, Phone2, WorkTime FROM DeliveryExecutive' pysql.run(sql_stmt) rows = pysql.result return rows @staticmethod def change_delivery_status(pysql, order_id): sql_stmt = 'UPDATE Orders SET Status = "Delivered" WHERE Order_ID = %s' try: pysql.run(sql_stmt, (order_id,)) pysql.commit() return 1 except: return 0
try: num1= int(input(" Enter the first number: ")) num2= int(input(" Enter the second number: ")) total = num1 / num2 print("The division is ", total) except (ArithmeticError,ValueError) as msg1: print(f"The type of exception is {type(msg1)}") print(f"The exception class name is {msg1.__class__.__name__}") print("The input is not valid")
try: num1 = int(input(' Enter the first number: ')) num2 = int(input(' Enter the second number: ')) total = num1 / num2 print('The division is ', total) except (ArithmeticError, ValueError) as msg1: print(f'The type of exception is {type(msg1)}') print(f'The exception class name is {msg1.__class__.__name__}') print('The input is not valid')
class FrameData(): def __init__(self): self.rows = [] self.average_row = None self.is_fork = False self.is_join = False self.veer_left = False self.veer_right = False self.is_straight = True self.frame_speed = 0 self.speedL = 0 self.speedR = 0 self.ratio = 0.0 self.index = 0 self.width = 0 self.height = 0 self.first_white_pos = 0 self.last_white_pos = 0 self.thickness = 0
class Framedata: def __init__(self): self.rows = [] self.average_row = None self.is_fork = False self.is_join = False self.veer_left = False self.veer_right = False self.is_straight = True self.frame_speed = 0 self.speedL = 0 self.speedR = 0 self.ratio = 0.0 self.index = 0 self.width = 0 self.height = 0 self.first_white_pos = 0 self.last_white_pos = 0 self.thickness = 0
# # PySNMP MIB module ALCATEL-IND1-APP-FINGERPRINT-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ALCATEL-IND1-APP-FINGERPRINT-MIB # Produced by pysmi-0.3.4 at Wed May 1 11:16:56 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # softentIND1AppFingerPrintMIB, = mibBuilder.importSymbols("ALCATEL-IND1-BASE", "softentIND1AppFingerPrintMIB") ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsIntersection, ValueSizeConstraint, SingleValueConstraint, ConstraintsUnion, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsUnion", "ValueRangeConstraint") InterfaceIndex, = mibBuilder.importSymbols("IF-MIB", "InterfaceIndex") InetAddress, InetPortNumber, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetPortNumber", "InetAddressType") SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ModuleCompliance, ObjectGroup, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "ObjectGroup", "NotificationGroup") IpAddress, Integer32, MibIdentifier, Counter64, NotificationType, TimeTicks, Gauge32, ModuleIdentity, ObjectIdentity, Bits, Unsigned32, iso, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn = mibBuilder.importSymbols("SNMPv2-SMI", "IpAddress", "Integer32", "MibIdentifier", "Counter64", "NotificationType", "TimeTicks", "Gauge32", "ModuleIdentity", "ObjectIdentity", "Bits", "Unsigned32", "iso", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn") MacAddress, DisplayString, RowStatus, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "MacAddress", "DisplayString", "RowStatus", "TextualConvention") alcatelIND1AppFPMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1)) alcatelIND1AppFPMIB.setRevisions(('2013-01-09 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: alcatelIND1AppFPMIB.setRevisionsDescriptions(('The latest version of this MIB Module.',)) if mibBuilder.loadTexts: alcatelIND1AppFPMIB.setLastUpdated('201209110000Z') if mibBuilder.loadTexts: alcatelIND1AppFPMIB.setOrganization('Alcatel-Lucent') if mibBuilder.loadTexts: alcatelIND1AppFPMIB.setContactInfo('Please consult with Customer Service to ensure the most appropriate version of this document is used with the products in question: Alcatel-Lucent, Enterprise Solutions Division (Formerly Alcatel Internetworking, Incorporated) 26801 West Agoura Road Agoura Hills, CA 91301-5122 United States Of America Telephone: North America +1 800 995 2696 Latin America +1 877 919 9526 Europe +31 23 556 0100 Asia +65 394 7933 All Other +1 818 878 4507 Electronic Mail: support@ind.alcatel.com World Wide Web: http://alcatel-lucent.com/wps/portal/enterprise File Transfer Protocol: ftp://ftp.ind.alcatel.com/pub/products/mibs') if mibBuilder.loadTexts: alcatelIND1AppFPMIB.setDescription('This module describes an authoritative enterprise-specific Simple Network Management Protocol (SNMP) Management Information Base (MIB): Fingerprint Application for OS10K Product Line. The right to make changes in specification and other information contained in this document without prior notice is reserved. No liability shall be assumed for any incidental, indirect, special, or consequential damages whatsoever arising from or related to this document or the information contained herein. Vendors, end-users, and other interested parties are granted non-exclusive license to use this specification in connection with management of the products for which it is intended to be used. Copyright (C) 2013 Alcatel-Lucent ALL RIGHTS RESERVED WORLDWIDE') alcatelIND1AppFPMIBObjects = ObjectIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1)) if mibBuilder.loadTexts: alcatelIND1AppFPMIBObjects.setStatus('current') if mibBuilder.loadTexts: alcatelIND1AppFPMIBObjects.setDescription(' Alcatel-Lucent Application Fingerprint/ Application signature Subsystem Managed Objects. MIB to characterrize application using thier defined finger print and /or signature.') alaAppFPMIBNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 0)) alaAppFPGlobalMIBConfigObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 1)) alaAppFPMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2)) alaAppFPGlobalAdminState = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: alaAppFPGlobalAdminState.setStatus('current') if mibBuilder.loadTexts: alaAppFPGlobalAdminState.setDescription(' Alcatel-Lucent App Fingerprint Config mode.') alaAppFPGlobalSignatureFile = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: alaAppFPGlobalSignatureFile.setStatus('current') if mibBuilder.loadTexts: alaAppFPGlobalSignatureFile.setDescription(' Alcatel-Lucent App Fingerprint Signature Filename.') alaAppFPGlobalReloadSignatureFile = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("none", 0), ("reload", 1))).clone('none')).setMaxAccess("readwrite") if mibBuilder.loadTexts: alaAppFPGlobalReloadSignatureFile.setStatus('current') if mibBuilder.loadTexts: alaAppFPGlobalReloadSignatureFile.setDescription(' Alcatel-Lucent App Fingerprint Signature filename to reload.') alaAppFPGlobalTrapConfig = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: alaAppFPGlobalTrapConfig.setStatus('current') if mibBuilder.loadTexts: alaAppFPGlobalTrapConfig.setDescription(' Alcatel-Lucent App Fingerprint Trap Config mode.') alaAppFPPortTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1), ) if mibBuilder.loadTexts: alaAppFPPortTable.setStatus('current') if mibBuilder.loadTexts: alaAppFPPortTable.setDescription('This table contains one row for each port.') alaAppFPPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPPort"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPGroupNameOrPolicyList")) if mibBuilder.loadTexts: alaAppFPPortEntry.setStatus('current') if mibBuilder.loadTexts: alaAppFPPortEntry.setDescription('Information about the App Fingerprint Port Mode. Port modes are as defined below ') alaAppFPPort = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1, 1), InterfaceIndex()) if mibBuilder.loadTexts: alaAppFPPort.setStatus('current') if mibBuilder.loadTexts: alaAppFPPort.setDescription('The ifIndex component of this instance.') alaAppFPGroupNameOrPolicyList = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))) if mibBuilder.loadTexts: alaAppFPGroupNameOrPolicyList.setStatus('current') if mibBuilder.loadTexts: alaAppFPGroupNameOrPolicyList.setDescription("App Group name or QoS Policy List name associated with the alaAppFPPort. If the alaAppFPPortOperationMode is unp(3), this should be set to 'UNP'. The 0 length string is allowed only in SNMP SET destroy operation. It is used when all the assigned groups for that port are wished to deleted. This feature is provided for user firendly support. SNMP Get with 0 length string will be rejected") alaAppFPPortOperationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("monitoring", 1), ("qos", 2), ("unp", 3)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: alaAppFPPortOperationMode.setStatus('current') if mibBuilder.loadTexts: alaAppFPPortOperationMode.setDescription("It indicates the operation mode of the app-fingerprint feature running on the port. If the operation mode is set to unp(3), the alaAppFPGroupNameOrPolicyList value should be 'UNP'.") alaAppFPPortStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("active", 1), ("inactive", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: alaAppFPPortStatus.setStatus('current') if mibBuilder.loadTexts: alaAppFPPortStatus.setDescription('It indicates that the Group Name or Policy List Name associated with the port is valid or invalid. If it is invalid, then the specified Group Name or Policy List Name is inactive at the moment.') alaAppFPPortRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: alaAppFPPortRowStatus.setStatus('current') if mibBuilder.loadTexts: alaAppFPPortRowStatus.setDescription(' ') alaAppFPAppNameTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 2), ) if mibBuilder.loadTexts: alaAppFPAppNameTable.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppNameTable.setDescription('This table contains one row for each App signature.') alaAppFPAppNameEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 2, 1), ).setIndexNames((0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPAppName")) if mibBuilder.loadTexts: alaAppFPAppNameEntry.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppNameEntry.setDescription('Information about the App Name and its Signature. ') alaAppFPAppName = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 2, 1, 1), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 24))) if mibBuilder.loadTexts: alaAppFPAppName.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppName.setDescription(' ') alaAppFPAppDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 2, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: alaAppFPAppDescription.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppDescription.setDescription(' ') alaAppFPAppSignature = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 2, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: alaAppFPAppSignature.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppSignature.setDescription(' ') alaAppFPDatabaseTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3), ) if mibBuilder.loadTexts: alaAppFPDatabaseTable.setStatus('current') if mibBuilder.loadTexts: alaAppFPDatabaseTable.setDescription('This table contains one row for each multi-tuple classifier.') alaAppFPDatabaseEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1), ).setIndexNames((0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbPort"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbAppGroupName"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbAppName"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbSrcMacAddr"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbVlanId"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbSrcIpAddrType"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbSrcIpAddr"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbSrcPort")) if mibBuilder.loadTexts: alaAppFPDatabaseEntry.setStatus('current') if mibBuilder.loadTexts: alaAppFPDatabaseEntry.setDescription('Information about the App Info database as gathered from monitoring each configured port. ') alaAppFPDbPort = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 1), InterfaceIndex()) if mibBuilder.loadTexts: alaAppFPDbPort.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbPort.setDescription(' ') alaAppFPDbAppGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 24))) if mibBuilder.loadTexts: alaAppFPDbAppGroupName.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbAppGroupName.setDescription(' ') alaAppFPDbAppName = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 24))) if mibBuilder.loadTexts: alaAppFPDbAppName.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbAppName.setDescription(' ') alaAppFPDbSrcMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 4), MacAddress()) if mibBuilder.loadTexts: alaAppFPDbSrcMacAddr.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbSrcMacAddr.setDescription(' ') alaAppFPDbVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 5), Unsigned32()) if mibBuilder.loadTexts: alaAppFPDbVlanId.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbVlanId.setDescription(' ') alaAppFPDbSrcIpAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 6), InetAddressType()) if mibBuilder.loadTexts: alaAppFPDbSrcIpAddrType.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbSrcIpAddrType.setDescription(' ') alaAppFPDbSrcIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 7), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(4, 4), ValueSizeConstraint(8, 8), ValueSizeConstraint(16, 16), ValueSizeConstraint(20, 20), ))) if mibBuilder.loadTexts: alaAppFPDbSrcIpAddr.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbSrcIpAddr.setDescription(' ') alaAppFPDbSrcPort = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 8), InetPortNumber()) if mibBuilder.loadTexts: alaAppFPDbSrcPort.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbSrcPort.setDescription(' ') alaAppFPDbDstIpAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 9), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: alaAppFPDbDstIpAddrType.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbDstIpAddrType.setDescription(' ') alaAppFPDbDstIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 10), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(4, 4), ValueSizeConstraint(8, 8), ValueSizeConstraint(16, 16), ValueSizeConstraint(20, 20), ))).setMaxAccess("readonly") if mibBuilder.loadTexts: alaAppFPDbDstIpAddr.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbDstIpAddr.setDescription(' ') alaAppFPDbDstPort = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 11), InetPortNumber()).setMaxAccess("readonly") if mibBuilder.loadTexts: alaAppFPDbDstPort.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbDstPort.setDescription(' ') alaAppFPDbDstMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 12), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: alaAppFPDbDstMacAddr.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbDstMacAddr.setDescription(' ') alaAppFPAppGrpNameTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 4), ) if mibBuilder.loadTexts: alaAppFPAppGrpNameTable.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppGrpNameTable.setDescription('This table contains one row for group name and description. ') appFPAppGrpNameEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 4, 1), ).setIndexNames((0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPAppGroupName"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPGrpAppName")) if mibBuilder.loadTexts: appFPAppGrpNameEntry.setStatus('current') if mibBuilder.loadTexts: appFPAppGrpNameEntry.setDescription('Information about the App Name. ') alaAppFPAppGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 4, 1, 1), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 24))) if mibBuilder.loadTexts: alaAppFPAppGroupName.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppGroupName.setDescription(' ') alaAppFPGrpAppName = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 4, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 24))).setMaxAccess("readonly") if mibBuilder.loadTexts: alaAppFPGrpAppName.setStatus('current') if mibBuilder.loadTexts: alaAppFPGrpAppName.setDescription(' ') alaAppFPStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5), ) if mibBuilder.loadTexts: alaAppFPStatsTable.setStatus('current') if mibBuilder.loadTexts: alaAppFPStatsTable.setDescription('This table contains total captured packets for all multi-tuple classifiers.') alaAppFPStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1), ).setIndexNames((0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPStatsPort"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPStatsGroupName"), (0, "ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPStatsAppName")) if mibBuilder.loadTexts: alaAppFPStatsEntry.setStatus('current') if mibBuilder.loadTexts: alaAppFPStatsEntry.setDescription('Information about the App Info database for all packets captured. ') alaAppFPStatsPort = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1, 1), InterfaceIndex()) if mibBuilder.loadTexts: alaAppFPStatsPort.setStatus('current') if mibBuilder.loadTexts: alaAppFPStatsPort.setDescription(' ') alaAppFPStatsGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 24))) if mibBuilder.loadTexts: alaAppFPStatsGroupName.setStatus('current') if mibBuilder.loadTexts: alaAppFPStatsGroupName.setDescription(' ') alaAppFPStatsAppName = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 24))) if mibBuilder.loadTexts: alaAppFPStatsAppName.setStatus('current') if mibBuilder.loadTexts: alaAppFPStatsAppName.setDescription(' ') alaAppFPTotalMatchedLast1Hour = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: alaAppFPTotalMatchedLast1Hour.setStatus('current') if mibBuilder.loadTexts: alaAppFPTotalMatchedLast1Hour.setDescription(' ') alaAppFPTotalMatchedLast1Day = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: alaAppFPTotalMatchedLast1Day.setStatus('current') if mibBuilder.loadTexts: alaAppFPTotalMatchedLast1Day.setDescription(' ') appFPSignatureMatchTrap = NotificationType((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 0, 1)).setObjects(("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPPort"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbAppGroupName"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbAppName"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbSrcMacAddr"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbVlanId"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbSrcIpAddrType"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbSrcIpAddr"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbSrcPort")) if mibBuilder.loadTexts: appFPSignatureMatchTrap.setStatus('current') if mibBuilder.loadTexts: appFPSignatureMatchTrap.setDescription('A Software Trouble report is sent by whatever application encountering a problem during its execution and would want to make the user aware of problem for maintenance purpose. ') alcatelIND1AppFPMIBConformance = ObjectIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2)) if mibBuilder.loadTexts: alcatelIND1AppFPMIBConformance.setStatus('current') if mibBuilder.loadTexts: alcatelIND1AppFPMIBConformance.setDescription(' Alcatel-Lucent Fingerprint Subsystem Conformance Information.') alcatelIND1AppFPMIBGroups = ObjectIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1)) if mibBuilder.loadTexts: alcatelIND1AppFPMIBGroups.setStatus('current') if mibBuilder.loadTexts: alcatelIND1AppFPMIBGroups.setDescription('Branch For ALU Fingerprint MIB Subsystem Units Of Conformance.') alcatelIND1AppFPMIBCompliances = ObjectIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 2)) if mibBuilder.loadTexts: alcatelIND1AppFPMIBCompliances.setStatus('current') if mibBuilder.loadTexts: alcatelIND1AppFPMIBCompliances.setDescription('Branch For ALU Fingerprint MIB Subsystem Compliance Statements.') alaAppFPMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 2, 1)).setObjects() if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alaAppFPMIBCompliance = alaAppFPMIBCompliance.setStatus('current') if mibBuilder.loadTexts: alaAppFPMIBCompliance.setDescription('Compliance statement for App Fingerprint.') alaAppFPModuleConfigGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1, 1)).setObjects(("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPGlobalAdminState"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPGlobalReloadSignatureFile"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPGlobalSignatureFile"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPGlobalTrapConfig")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alaAppFPModuleConfigGroup = alaAppFPModuleConfigGroup.setStatus('current') if mibBuilder.loadTexts: alaAppFPModuleConfigGroup.setDescription('App Fingerprint Control Modules Group.') alaAppFPModulePortModeGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1, 2)).setObjects(("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPAppDescription"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPAppSignature"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPPortOperationMode"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPPortStatus"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPPortRowStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alaAppFPModulePortModeGroup = alaAppFPModulePortModeGroup.setStatus('current') if mibBuilder.loadTexts: alaAppFPModulePortModeGroup.setDescription('App Fingerprint Control Modules Group.') alaAppFPModulePortDBGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1, 3)).setObjects(("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbDstIpAddrType"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbDstIpAddr"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbDstPort"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPDbDstMacAddr"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPGrpAppName")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alaAppFPModulePortDBGroup = alaAppFPModulePortDBGroup.setStatus('current') if mibBuilder.loadTexts: alaAppFPModulePortDBGroup.setDescription('App Fingerprint Control Modules Group.') alaAppFPModulePortStatsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1, 4)).setObjects(("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPTotalMatchedLast1Hour"), ("ALCATEL-IND1-APP-FINGERPRINT-MIB", "alaAppFPTotalMatchedLast1Day")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alaAppFPModulePortStatsGroup = alaAppFPModulePortStatsGroup.setStatus('current') if mibBuilder.loadTexts: alaAppFPModulePortStatsGroup.setDescription('App Fingerprint Control Modules Group.') alaAppFPNotificationsGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1, 5)).setObjects(("ALCATEL-IND1-APP-FINGERPRINT-MIB", "appFPSignatureMatchTrap")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alaAppFPNotificationsGroup = alaAppFPNotificationsGroup.setStatus('current') if mibBuilder.loadTexts: alaAppFPNotificationsGroup.setDescription('Collection of Notifications for management of App Fingerprint.') mibBuilder.exportSymbols("ALCATEL-IND1-APP-FINGERPRINT-MIB", alaAppFPDbDstIpAddrType=alaAppFPDbDstIpAddrType, alaAppFPAppNameEntry=alaAppFPAppNameEntry, alaAppFPTotalMatchedLast1Day=alaAppFPTotalMatchedLast1Day, alaAppFPMIBObjects=alaAppFPMIBObjects, alaAppFPAppGroupName=alaAppFPAppGroupName, alaAppFPDbVlanId=alaAppFPDbVlanId, alaAppFPPort=alaAppFPPort, alaAppFPAppSignature=alaAppFPAppSignature, alaAppFPDatabaseEntry=alaAppFPDatabaseEntry, alaAppFPAppDescription=alaAppFPAppDescription, alaAppFPDbSrcPort=alaAppFPDbSrcPort, alaAppFPDatabaseTable=alaAppFPDatabaseTable, alaAppFPMIBNotifications=alaAppFPMIBNotifications, alaAppFPStatsTable=alaAppFPStatsTable, alaAppFPDbSrcIpAddrType=alaAppFPDbSrcIpAddrType, alaAppFPDbPort=alaAppFPDbPort, appFPAppGrpNameEntry=appFPAppGrpNameEntry, alcatelIND1AppFPMIBGroups=alcatelIND1AppFPMIBGroups, alaAppFPDbDstPort=alaAppFPDbDstPort, alaAppFPModuleConfigGroup=alaAppFPModuleConfigGroup, alaAppFPPortOperationMode=alaAppFPPortOperationMode, alaAppFPGrpAppName=alaAppFPGrpAppName, alaAppFPPortStatus=alaAppFPPortStatus, alaAppFPModulePortModeGroup=alaAppFPModulePortModeGroup, alaAppFPDbDstMacAddr=alaAppFPDbDstMacAddr, alaAppFPPortRowStatus=alaAppFPPortRowStatus, alaAppFPPortEntry=alaAppFPPortEntry, alaAppFPMIBCompliance=alaAppFPMIBCompliance, appFPSignatureMatchTrap=appFPSignatureMatchTrap, alaAppFPModulePortStatsGroup=alaAppFPModulePortStatsGroup, alaAppFPAppNameTable=alaAppFPAppNameTable, alcatelIND1AppFPMIBObjects=alcatelIND1AppFPMIBObjects, alaAppFPStatsEntry=alaAppFPStatsEntry, alaAppFPDbDstIpAddr=alaAppFPDbDstIpAddr, alaAppFPGlobalSignatureFile=alaAppFPGlobalSignatureFile, alaAppFPNotificationsGroup=alaAppFPNotificationsGroup, alcatelIND1AppFPMIB=alcatelIND1AppFPMIB, alaAppFPGlobalReloadSignatureFile=alaAppFPGlobalReloadSignatureFile, alaAppFPModulePortDBGroup=alaAppFPModulePortDBGroup, alaAppFPGlobalAdminState=alaAppFPGlobalAdminState, alaAppFPTotalMatchedLast1Hour=alaAppFPTotalMatchedLast1Hour, alaAppFPStatsAppName=alaAppFPStatsAppName, alaAppFPPortTable=alaAppFPPortTable, alaAppFPDbSrcIpAddr=alaAppFPDbSrcIpAddr, alaAppFPGlobalMIBConfigObjects=alaAppFPGlobalMIBConfigObjects, alcatelIND1AppFPMIBConformance=alcatelIND1AppFPMIBConformance, alaAppFPDbAppGroupName=alaAppFPDbAppGroupName, alaAppFPDbAppName=alaAppFPDbAppName, alaAppFPGroupNameOrPolicyList=alaAppFPGroupNameOrPolicyList, alaAppFPAppName=alaAppFPAppName, alaAppFPDbSrcMacAddr=alaAppFPDbSrcMacAddr, alaAppFPAppGrpNameTable=alaAppFPAppGrpNameTable, alaAppFPGlobalTrapConfig=alaAppFPGlobalTrapConfig, alaAppFPStatsPort=alaAppFPStatsPort, alaAppFPStatsGroupName=alaAppFPStatsGroupName, alcatelIND1AppFPMIBCompliances=alcatelIND1AppFPMIBCompliances, PYSNMP_MODULE_ID=alcatelIND1AppFPMIB)
(softent_ind1_app_finger_print_mib,) = mibBuilder.importSymbols('ALCATEL-IND1-BASE', 'softentIND1AppFingerPrintMIB') (object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_intersection, value_size_constraint, single_value_constraint, constraints_union, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsUnion', 'ValueRangeConstraint') (interface_index,) = mibBuilder.importSymbols('IF-MIB', 'InterfaceIndex') (inet_address, inet_port_number, inet_address_type) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddress', 'InetPortNumber', 'InetAddressType') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (module_compliance, object_group, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'ObjectGroup', 'NotificationGroup') (ip_address, integer32, mib_identifier, counter64, notification_type, time_ticks, gauge32, module_identity, object_identity, bits, unsigned32, iso, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column) = mibBuilder.importSymbols('SNMPv2-SMI', 'IpAddress', 'Integer32', 'MibIdentifier', 'Counter64', 'NotificationType', 'TimeTicks', 'Gauge32', 'ModuleIdentity', 'ObjectIdentity', 'Bits', 'Unsigned32', 'iso', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn') (mac_address, display_string, row_status, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'MacAddress', 'DisplayString', 'RowStatus', 'TextualConvention') alcatel_ind1_app_fpmib = module_identity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1)) alcatelIND1AppFPMIB.setRevisions(('2013-01-09 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: alcatelIND1AppFPMIB.setRevisionsDescriptions(('The latest version of this MIB Module.',)) if mibBuilder.loadTexts: alcatelIND1AppFPMIB.setLastUpdated('201209110000Z') if mibBuilder.loadTexts: alcatelIND1AppFPMIB.setOrganization('Alcatel-Lucent') if mibBuilder.loadTexts: alcatelIND1AppFPMIB.setContactInfo('Please consult with Customer Service to ensure the most appropriate version of this document is used with the products in question: Alcatel-Lucent, Enterprise Solutions Division (Formerly Alcatel Internetworking, Incorporated) 26801 West Agoura Road Agoura Hills, CA 91301-5122 United States Of America Telephone: North America +1 800 995 2696 Latin America +1 877 919 9526 Europe +31 23 556 0100 Asia +65 394 7933 All Other +1 818 878 4507 Electronic Mail: support@ind.alcatel.com World Wide Web: http://alcatel-lucent.com/wps/portal/enterprise File Transfer Protocol: ftp://ftp.ind.alcatel.com/pub/products/mibs') if mibBuilder.loadTexts: alcatelIND1AppFPMIB.setDescription('This module describes an authoritative enterprise-specific Simple Network Management Protocol (SNMP) Management Information Base (MIB): Fingerprint Application for OS10K Product Line. The right to make changes in specification and other information contained in this document without prior notice is reserved. No liability shall be assumed for any incidental, indirect, special, or consequential damages whatsoever arising from or related to this document or the information contained herein. Vendors, end-users, and other interested parties are granted non-exclusive license to use this specification in connection with management of the products for which it is intended to be used. Copyright (C) 2013 Alcatel-Lucent ALL RIGHTS RESERVED WORLDWIDE') alcatel_ind1_app_fpmib_objects = object_identity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1)) if mibBuilder.loadTexts: alcatelIND1AppFPMIBObjects.setStatus('current') if mibBuilder.loadTexts: alcatelIND1AppFPMIBObjects.setDescription(' Alcatel-Lucent Application Fingerprint/ Application signature Subsystem Managed Objects. MIB to characterrize application using thier defined finger print and /or signature.') ala_app_fpmib_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 0)) ala_app_fp_global_mib_config_objects = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 1)) ala_app_fpmib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2)) ala_app_fp_global_admin_state = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('enable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: alaAppFPGlobalAdminState.setStatus('current') if mibBuilder.loadTexts: alaAppFPGlobalAdminState.setDescription(' Alcatel-Lucent App Fingerprint Config mode.') ala_app_fp_global_signature_file = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: alaAppFPGlobalSignatureFile.setStatus('current') if mibBuilder.loadTexts: alaAppFPGlobalSignatureFile.setDescription(' Alcatel-Lucent App Fingerprint Signature Filename.') ala_app_fp_global_reload_signature_file = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('none', 0), ('reload', 1))).clone('none')).setMaxAccess('readwrite') if mibBuilder.loadTexts: alaAppFPGlobalReloadSignatureFile.setStatus('current') if mibBuilder.loadTexts: alaAppFPGlobalReloadSignatureFile.setDescription(' Alcatel-Lucent App Fingerprint Signature filename to reload.') ala_app_fp_global_trap_config = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: alaAppFPGlobalTrapConfig.setStatus('current') if mibBuilder.loadTexts: alaAppFPGlobalTrapConfig.setDescription(' Alcatel-Lucent App Fingerprint Trap Config mode.') ala_app_fp_port_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1)) if mibBuilder.loadTexts: alaAppFPPortTable.setStatus('current') if mibBuilder.loadTexts: alaAppFPPortTable.setDescription('This table contains one row for each port.') ala_app_fp_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPPort'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPGroupNameOrPolicyList')) if mibBuilder.loadTexts: alaAppFPPortEntry.setStatus('current') if mibBuilder.loadTexts: alaAppFPPortEntry.setDescription('Information about the App Fingerprint Port Mode. Port modes are as defined below ') ala_app_fp_port = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1, 1), interface_index()) if mibBuilder.loadTexts: alaAppFPPort.setStatus('current') if mibBuilder.loadTexts: alaAppFPPort.setDescription('The ifIndex component of this instance.') ala_app_fp_group_name_or_policy_list = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))) if mibBuilder.loadTexts: alaAppFPGroupNameOrPolicyList.setStatus('current') if mibBuilder.loadTexts: alaAppFPGroupNameOrPolicyList.setDescription("App Group name or QoS Policy List name associated with the alaAppFPPort. If the alaAppFPPortOperationMode is unp(3), this should be set to 'UNP'. The 0 length string is allowed only in SNMP SET destroy operation. It is used when all the assigned groups for that port are wished to deleted. This feature is provided for user firendly support. SNMP Get with 0 length string will be rejected") ala_app_fp_port_operation_mode = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('monitoring', 1), ('qos', 2), ('unp', 3)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: alaAppFPPortOperationMode.setStatus('current') if mibBuilder.loadTexts: alaAppFPPortOperationMode.setDescription("It indicates the operation mode of the app-fingerprint feature running on the port. If the operation mode is set to unp(3), the alaAppFPGroupNameOrPolicyList value should be 'UNP'.") ala_app_fp_port_status = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('active', 1), ('inactive', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: alaAppFPPortStatus.setStatus('current') if mibBuilder.loadTexts: alaAppFPPortStatus.setDescription('It indicates that the Group Name or Policy List Name associated with the port is valid or invalid. If it is invalid, then the specified Group Name or Policy List Name is inactive at the moment.') ala_app_fp_port_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 1, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: alaAppFPPortRowStatus.setStatus('current') if mibBuilder.loadTexts: alaAppFPPortRowStatus.setDescription(' ') ala_app_fp_app_name_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 2)) if mibBuilder.loadTexts: alaAppFPAppNameTable.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppNameTable.setDescription('This table contains one row for each App signature.') ala_app_fp_app_name_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 2, 1)).setIndexNames((0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPAppName')) if mibBuilder.loadTexts: alaAppFPAppNameEntry.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppNameEntry.setDescription('Information about the App Name and its Signature. ') ala_app_fp_app_name = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 2, 1, 1), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 24))) if mibBuilder.loadTexts: alaAppFPAppName.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppName.setDescription(' ') ala_app_fp_app_description = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 2, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readonly') if mibBuilder.loadTexts: alaAppFPAppDescription.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppDescription.setDescription(' ') ala_app_fp_app_signature = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 2, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 256))).setMaxAccess('readonly') if mibBuilder.loadTexts: alaAppFPAppSignature.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppSignature.setDescription(' ') ala_app_fp_database_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3)) if mibBuilder.loadTexts: alaAppFPDatabaseTable.setStatus('current') if mibBuilder.loadTexts: alaAppFPDatabaseTable.setDescription('This table contains one row for each multi-tuple classifier.') ala_app_fp_database_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1)).setIndexNames((0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbPort'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbAppGroupName'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbAppName'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbSrcMacAddr'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbVlanId'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbSrcIpAddrType'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbSrcIpAddr'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbSrcPort')) if mibBuilder.loadTexts: alaAppFPDatabaseEntry.setStatus('current') if mibBuilder.loadTexts: alaAppFPDatabaseEntry.setDescription('Information about the App Info database as gathered from monitoring each configured port. ') ala_app_fp_db_port = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 1), interface_index()) if mibBuilder.loadTexts: alaAppFPDbPort.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbPort.setDescription(' ') ala_app_fp_db_app_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 24))) if mibBuilder.loadTexts: alaAppFPDbAppGroupName.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbAppGroupName.setDescription(' ') ala_app_fp_db_app_name = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 24))) if mibBuilder.loadTexts: alaAppFPDbAppName.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbAppName.setDescription(' ') ala_app_fp_db_src_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 4), mac_address()) if mibBuilder.loadTexts: alaAppFPDbSrcMacAddr.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbSrcMacAddr.setDescription(' ') ala_app_fp_db_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 5), unsigned32()) if mibBuilder.loadTexts: alaAppFPDbVlanId.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbVlanId.setDescription(' ') ala_app_fp_db_src_ip_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 6), inet_address_type()) if mibBuilder.loadTexts: alaAppFPDbSrcIpAddrType.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbSrcIpAddrType.setDescription(' ') ala_app_fp_db_src_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 7), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(4, 4), value_size_constraint(8, 8), value_size_constraint(16, 16), value_size_constraint(20, 20)))) if mibBuilder.loadTexts: alaAppFPDbSrcIpAddr.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbSrcIpAddr.setDescription(' ') ala_app_fp_db_src_port = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 8), inet_port_number()) if mibBuilder.loadTexts: alaAppFPDbSrcPort.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbSrcPort.setDescription(' ') ala_app_fp_db_dst_ip_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 9), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: alaAppFPDbDstIpAddrType.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbDstIpAddrType.setDescription(' ') ala_app_fp_db_dst_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 10), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(4, 4), value_size_constraint(8, 8), value_size_constraint(16, 16), value_size_constraint(20, 20)))).setMaxAccess('readonly') if mibBuilder.loadTexts: alaAppFPDbDstIpAddr.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbDstIpAddr.setDescription(' ') ala_app_fp_db_dst_port = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 11), inet_port_number()).setMaxAccess('readonly') if mibBuilder.loadTexts: alaAppFPDbDstPort.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbDstPort.setDescription(' ') ala_app_fp_db_dst_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 3, 1, 12), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: alaAppFPDbDstMacAddr.setStatus('current') if mibBuilder.loadTexts: alaAppFPDbDstMacAddr.setDescription(' ') ala_app_fp_app_grp_name_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 4)) if mibBuilder.loadTexts: alaAppFPAppGrpNameTable.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppGrpNameTable.setDescription('This table contains one row for group name and description. ') app_fp_app_grp_name_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 4, 1)).setIndexNames((0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPAppGroupName'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPGrpAppName')) if mibBuilder.loadTexts: appFPAppGrpNameEntry.setStatus('current') if mibBuilder.loadTexts: appFPAppGrpNameEntry.setDescription('Information about the App Name. ') ala_app_fp_app_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 4, 1, 1), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 24))) if mibBuilder.loadTexts: alaAppFPAppGroupName.setStatus('current') if mibBuilder.loadTexts: alaAppFPAppGroupName.setDescription(' ') ala_app_fp_grp_app_name = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 4, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 24))).setMaxAccess('readonly') if mibBuilder.loadTexts: alaAppFPGrpAppName.setStatus('current') if mibBuilder.loadTexts: alaAppFPGrpAppName.setDescription(' ') ala_app_fp_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5)) if mibBuilder.loadTexts: alaAppFPStatsTable.setStatus('current') if mibBuilder.loadTexts: alaAppFPStatsTable.setDescription('This table contains total captured packets for all multi-tuple classifiers.') ala_app_fp_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1)).setIndexNames((0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPStatsPort'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPStatsGroupName'), (0, 'ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPStatsAppName')) if mibBuilder.loadTexts: alaAppFPStatsEntry.setStatus('current') if mibBuilder.loadTexts: alaAppFPStatsEntry.setDescription('Information about the App Info database for all packets captured. ') ala_app_fp_stats_port = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1, 1), interface_index()) if mibBuilder.loadTexts: alaAppFPStatsPort.setStatus('current') if mibBuilder.loadTexts: alaAppFPStatsPort.setDescription(' ') ala_app_fp_stats_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 24))) if mibBuilder.loadTexts: alaAppFPStatsGroupName.setStatus('current') if mibBuilder.loadTexts: alaAppFPStatsGroupName.setDescription(' ') ala_app_fp_stats_app_name = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 24))) if mibBuilder.loadTexts: alaAppFPStatsAppName.setStatus('current') if mibBuilder.loadTexts: alaAppFPStatsAppName.setDescription(' ') ala_app_fp_total_matched_last1_hour = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: alaAppFPTotalMatchedLast1Hour.setStatus('current') if mibBuilder.loadTexts: alaAppFPTotalMatchedLast1Hour.setDescription(' ') ala_app_fp_total_matched_last1_day = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 2, 5, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: alaAppFPTotalMatchedLast1Day.setStatus('current') if mibBuilder.loadTexts: alaAppFPTotalMatchedLast1Day.setDescription(' ') app_fp_signature_match_trap = notification_type((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 1, 0, 1)).setObjects(('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPPort'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbAppGroupName'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbAppName'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbSrcMacAddr'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbVlanId'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbSrcIpAddrType'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbSrcIpAddr'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbSrcPort')) if mibBuilder.loadTexts: appFPSignatureMatchTrap.setStatus('current') if mibBuilder.loadTexts: appFPSignatureMatchTrap.setDescription('A Software Trouble report is sent by whatever application encountering a problem during its execution and would want to make the user aware of problem for maintenance purpose. ') alcatel_ind1_app_fpmib_conformance = object_identity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2)) if mibBuilder.loadTexts: alcatelIND1AppFPMIBConformance.setStatus('current') if mibBuilder.loadTexts: alcatelIND1AppFPMIBConformance.setDescription(' Alcatel-Lucent Fingerprint Subsystem Conformance Information.') alcatel_ind1_app_fpmib_groups = object_identity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1)) if mibBuilder.loadTexts: alcatelIND1AppFPMIBGroups.setStatus('current') if mibBuilder.loadTexts: alcatelIND1AppFPMIBGroups.setDescription('Branch For ALU Fingerprint MIB Subsystem Units Of Conformance.') alcatel_ind1_app_fpmib_compliances = object_identity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 2)) if mibBuilder.loadTexts: alcatelIND1AppFPMIBCompliances.setStatus('current') if mibBuilder.loadTexts: alcatelIND1AppFPMIBCompliances.setDescription('Branch For ALU Fingerprint MIB Subsystem Compliance Statements.') ala_app_fpmib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 2, 1)).setObjects() if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ala_app_fpmib_compliance = alaAppFPMIBCompliance.setStatus('current') if mibBuilder.loadTexts: alaAppFPMIBCompliance.setDescription('Compliance statement for App Fingerprint.') ala_app_fp_module_config_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1, 1)).setObjects(('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPGlobalAdminState'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPGlobalReloadSignatureFile'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPGlobalSignatureFile'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPGlobalTrapConfig')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ala_app_fp_module_config_group = alaAppFPModuleConfigGroup.setStatus('current') if mibBuilder.loadTexts: alaAppFPModuleConfigGroup.setDescription('App Fingerprint Control Modules Group.') ala_app_fp_module_port_mode_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1, 2)).setObjects(('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPAppDescription'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPAppSignature'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPPortOperationMode'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPPortStatus'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPPortRowStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ala_app_fp_module_port_mode_group = alaAppFPModulePortModeGroup.setStatus('current') if mibBuilder.loadTexts: alaAppFPModulePortModeGroup.setDescription('App Fingerprint Control Modules Group.') ala_app_fp_module_port_db_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1, 3)).setObjects(('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbDstIpAddrType'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbDstIpAddr'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbDstPort'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPDbDstMacAddr'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPGrpAppName')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ala_app_fp_module_port_db_group = alaAppFPModulePortDBGroup.setStatus('current') if mibBuilder.loadTexts: alaAppFPModulePortDBGroup.setDescription('App Fingerprint Control Modules Group.') ala_app_fp_module_port_stats_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1, 4)).setObjects(('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPTotalMatchedLast1Hour'), ('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'alaAppFPTotalMatchedLast1Day')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ala_app_fp_module_port_stats_group = alaAppFPModulePortStatsGroup.setStatus('current') if mibBuilder.loadTexts: alaAppFPModulePortStatsGroup.setDescription('App Fingerprint Control Modules Group.') ala_app_fp_notifications_group = notification_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 73, 1, 2, 1, 5)).setObjects(('ALCATEL-IND1-APP-FINGERPRINT-MIB', 'appFPSignatureMatchTrap')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ala_app_fp_notifications_group = alaAppFPNotificationsGroup.setStatus('current') if mibBuilder.loadTexts: alaAppFPNotificationsGroup.setDescription('Collection of Notifications for management of App Fingerprint.') mibBuilder.exportSymbols('ALCATEL-IND1-APP-FINGERPRINT-MIB', alaAppFPDbDstIpAddrType=alaAppFPDbDstIpAddrType, alaAppFPAppNameEntry=alaAppFPAppNameEntry, alaAppFPTotalMatchedLast1Day=alaAppFPTotalMatchedLast1Day, alaAppFPMIBObjects=alaAppFPMIBObjects, alaAppFPAppGroupName=alaAppFPAppGroupName, alaAppFPDbVlanId=alaAppFPDbVlanId, alaAppFPPort=alaAppFPPort, alaAppFPAppSignature=alaAppFPAppSignature, alaAppFPDatabaseEntry=alaAppFPDatabaseEntry, alaAppFPAppDescription=alaAppFPAppDescription, alaAppFPDbSrcPort=alaAppFPDbSrcPort, alaAppFPDatabaseTable=alaAppFPDatabaseTable, alaAppFPMIBNotifications=alaAppFPMIBNotifications, alaAppFPStatsTable=alaAppFPStatsTable, alaAppFPDbSrcIpAddrType=alaAppFPDbSrcIpAddrType, alaAppFPDbPort=alaAppFPDbPort, appFPAppGrpNameEntry=appFPAppGrpNameEntry, alcatelIND1AppFPMIBGroups=alcatelIND1AppFPMIBGroups, alaAppFPDbDstPort=alaAppFPDbDstPort, alaAppFPModuleConfigGroup=alaAppFPModuleConfigGroup, alaAppFPPortOperationMode=alaAppFPPortOperationMode, alaAppFPGrpAppName=alaAppFPGrpAppName, alaAppFPPortStatus=alaAppFPPortStatus, alaAppFPModulePortModeGroup=alaAppFPModulePortModeGroup, alaAppFPDbDstMacAddr=alaAppFPDbDstMacAddr, alaAppFPPortRowStatus=alaAppFPPortRowStatus, alaAppFPPortEntry=alaAppFPPortEntry, alaAppFPMIBCompliance=alaAppFPMIBCompliance, appFPSignatureMatchTrap=appFPSignatureMatchTrap, alaAppFPModulePortStatsGroup=alaAppFPModulePortStatsGroup, alaAppFPAppNameTable=alaAppFPAppNameTable, alcatelIND1AppFPMIBObjects=alcatelIND1AppFPMIBObjects, alaAppFPStatsEntry=alaAppFPStatsEntry, alaAppFPDbDstIpAddr=alaAppFPDbDstIpAddr, alaAppFPGlobalSignatureFile=alaAppFPGlobalSignatureFile, alaAppFPNotificationsGroup=alaAppFPNotificationsGroup, alcatelIND1AppFPMIB=alcatelIND1AppFPMIB, alaAppFPGlobalReloadSignatureFile=alaAppFPGlobalReloadSignatureFile, alaAppFPModulePortDBGroup=alaAppFPModulePortDBGroup, alaAppFPGlobalAdminState=alaAppFPGlobalAdminState, alaAppFPTotalMatchedLast1Hour=alaAppFPTotalMatchedLast1Hour, alaAppFPStatsAppName=alaAppFPStatsAppName, alaAppFPPortTable=alaAppFPPortTable, alaAppFPDbSrcIpAddr=alaAppFPDbSrcIpAddr, alaAppFPGlobalMIBConfigObjects=alaAppFPGlobalMIBConfigObjects, alcatelIND1AppFPMIBConformance=alcatelIND1AppFPMIBConformance, alaAppFPDbAppGroupName=alaAppFPDbAppGroupName, alaAppFPDbAppName=alaAppFPDbAppName, alaAppFPGroupNameOrPolicyList=alaAppFPGroupNameOrPolicyList, alaAppFPAppName=alaAppFPAppName, alaAppFPDbSrcMacAddr=alaAppFPDbSrcMacAddr, alaAppFPAppGrpNameTable=alaAppFPAppGrpNameTable, alaAppFPGlobalTrapConfig=alaAppFPGlobalTrapConfig, alaAppFPStatsPort=alaAppFPStatsPort, alaAppFPStatsGroupName=alaAppFPStatsGroupName, alcatelIND1AppFPMIBCompliances=alcatelIND1AppFPMIBCompliances, PYSNMP_MODULE_ID=alcatelIND1AppFPMIB)
global errors errors = { }
global errors errors = {}
# -*- coding: utf-8 -*- JS_VAR_NAME = 'Urls' JS_MINIFY = False JS_EXCLUDE_NAMESPACES = [] JS_SCRIPT_PREFIX = None JS_GLOBAL_OBJECT_NAME = 'this' JS_REVERSE_USE_BACKBONE = False
js_var_name = 'Urls' js_minify = False js_exclude_namespaces = [] js_script_prefix = None js_global_object_name = 'this' js_reverse_use_backbone = False
class IsPangram: def pangram(self, word): abc = list("abcdefghijklmnopqrstuvwxyz") w = list(word.lower()) temp = list() for x in w: if x in abc: temp += x temp = list(set(temp)) temp.sort() if temp == abc: return 'To pangram' else: return 'To nie pangram'
class Ispangram: def pangram(self, word): abc = list('abcdefghijklmnopqrstuvwxyz') w = list(word.lower()) temp = list() for x in w: if x in abc: temp += x temp = list(set(temp)) temp.sort() if temp == abc: return 'To pangram' else: return 'To nie pangram'
n=int(input()) numbers=[]; filtered=[] for k in range(1,n+1): num=int(input()) numbers.append(num) command=input() if command=="even": for k in range(0,len(numbers)): if abs(numbers[k])%2==0 or numbers[k]==0: filtered.append(numbers[k]) elif command=="odd": for k in range(0, len(numbers)): if abs(numbers[k])%2!=0: filtered.append(numbers[k]) elif command=="negative": for k in range(0, len(numbers)): if numbers[k]<0: filtered.append(numbers[k]) elif command=="positive": for k in range(0, len(numbers)): if numbers[k]>-1: filtered.append(numbers[k]) print(filtered)
n = int(input()) numbers = [] filtered = [] for k in range(1, n + 1): num = int(input()) numbers.append(num) command = input() if command == 'even': for k in range(0, len(numbers)): if abs(numbers[k]) % 2 == 0 or numbers[k] == 0: filtered.append(numbers[k]) elif command == 'odd': for k in range(0, len(numbers)): if abs(numbers[k]) % 2 != 0: filtered.append(numbers[k]) elif command == 'negative': for k in range(0, len(numbers)): if numbers[k] < 0: filtered.append(numbers[k]) elif command == 'positive': for k in range(0, len(numbers)): if numbers[k] > -1: filtered.append(numbers[k]) print(filtered)
class BoundingBoxNormalizationHelper: def __init__(self, interval, range_): assert interval in ('[)', '[]') self.right_open = (interval == '[)') assert range_[1] > range_[0] self.scale = range_[1] - range_[0] self.offset = range_[0] def normalize(self, bbox, image_size): if self.right_open: bbox = tuple(v / image_size[i % 2] for i, v in enumerate(bbox)) else: bbox = tuple(v / (image_size[i % 2] - 1) for i, v in enumerate(bbox)) bbox = tuple(v * self.scale + self.offset for v in bbox) return bbox def denormalize(self, bbox, image_size): bbox = tuple((v - self.offset) / self.scale for v in bbox) if self.right_open: bbox = tuple(v * image_size[i % 2] for i, v in enumerate(bbox)) else: bbox = tuple(v * (image_size[i % 2] - 1) for i, v in enumerate(bbox)) return bbox
class Boundingboxnormalizationhelper: def __init__(self, interval, range_): assert interval in ('[)', '[]') self.right_open = interval == '[)' assert range_[1] > range_[0] self.scale = range_[1] - range_[0] self.offset = range_[0] def normalize(self, bbox, image_size): if self.right_open: bbox = tuple((v / image_size[i % 2] for (i, v) in enumerate(bbox))) else: bbox = tuple((v / (image_size[i % 2] - 1) for (i, v) in enumerate(bbox))) bbox = tuple((v * self.scale + self.offset for v in bbox)) return bbox def denormalize(self, bbox, image_size): bbox = tuple(((v - self.offset) / self.scale for v in bbox)) if self.right_open: bbox = tuple((v * image_size[i % 2] for (i, v) in enumerate(bbox))) else: bbox = tuple((v * (image_size[i % 2] - 1) for (i, v) in enumerate(bbox))) return bbox
cmapdefs = { 'bold': 'bold.json', 'boldSans': 'bold-sans.json', 'boldItalic': 'bold-italic.json', # Note: The h character is missing 'boldItalicSans': 'bold-italic-sans.json', 'italic': 'italic.json', 'italicSans': 'italic-sans.json', 'subscript': 'subscripts.json', 'superscript': 'superscripts.json', 'doubleStruck': 'doublestruck.json', 'oldEnglish': 'old-eng.json', 'medieval': 'med.json', 'monospace': 'monospace.json', }
cmapdefs = {'bold': 'bold.json', 'boldSans': 'bold-sans.json', 'boldItalic': 'bold-italic.json', 'boldItalicSans': 'bold-italic-sans.json', 'italic': 'italic.json', 'italicSans': 'italic-sans.json', 'subscript': 'subscripts.json', 'superscript': 'superscripts.json', 'doubleStruck': 'doublestruck.json', 'oldEnglish': 'old-eng.json', 'medieval': 'med.json', 'monospace': 'monospace.json'}
class BaseError(Exception): def __init__(self, message, *args, **kwargs): self.message = message self.details = kwargs def __str__(self): return repr(self.message) class InstructionError(BaseError): def __init__(self, *args, **kwargs): super(InstructionError, self).__init__(*args, **kwargs) class DuplicateSymbolError(BaseError): def __init__(self, *args, **kwargs): super(DuplicateSymbolError, self).__init__(*args, **kwargs) class LineFieldsError(BaseError): def __init__(self, *args, **kwargs): super(LineFieldsError, self).__init__(*args, **kwargs) class OpcodeLookupError(BaseError): def __init__(self, *args, **kwargs): super(OpcodeLookupError, self).__init__(*args, **kwargs) class UndefinedSymbolError(BaseError): def __init__(self, *args, **kwargs): super(UndefinedSymbolError, self).__init__(*args, **kwargs)
class Baseerror(Exception): def __init__(self, message, *args, **kwargs): self.message = message self.details = kwargs def __str__(self): return repr(self.message) class Instructionerror(BaseError): def __init__(self, *args, **kwargs): super(InstructionError, self).__init__(*args, **kwargs) class Duplicatesymbolerror(BaseError): def __init__(self, *args, **kwargs): super(DuplicateSymbolError, self).__init__(*args, **kwargs) class Linefieldserror(BaseError): def __init__(self, *args, **kwargs): super(LineFieldsError, self).__init__(*args, **kwargs) class Opcodelookuperror(BaseError): def __init__(self, *args, **kwargs): super(OpcodeLookupError, self).__init__(*args, **kwargs) class Undefinedsymbolerror(BaseError): def __init__(self, *args, **kwargs): super(UndefinedSymbolError, self).__init__(*args, **kwargs)
'''6. Write a Python program to compute the summation of the absolute difference of all distinct pairs in an given array (non-decreasing order). Sample array: [1, 2, 3] Then all the distinct pairs will be: 1 2 1 3 2 3'''
"""6. Write a Python program to compute the summation of the absolute difference of all distinct pairs in an given array (non-decreasing order). Sample array: [1, 2, 3] Then all the distinct pairs will be: 1 2 1 3 2 3"""
n=int(input()) matrix=[] for k in range(0,n): row=input() row=row.split(" ") matrix.append([int(e) for e in row]) while True: command=input() if command!="END": if "Add" in command: command=command.split(" ") row=int(command[1]); col=int(command[2]); val=int(command[3]) if row>=n or col>=n or row<0 or col<0: print("Invalid coordinates") continue matrix[row][col]+=val elif "Subtract" in command: command = command.split(" ") row = int(command[1]); col = int(command[2]); val = int(command[3]) if row>=n or col>=n or row<0 or col<0: print("Invalid coordinates") continue matrix[row][col]-=val else: break for k in range(0,len(matrix)): matrix[k]=[str(e) for e in matrix[k]] print(f"{' '.join(matrix[k])}")
n = int(input()) matrix = [] for k in range(0, n): row = input() row = row.split(' ') matrix.append([int(e) for e in row]) while True: command = input() if command != 'END': if 'Add' in command: command = command.split(' ') row = int(command[1]) col = int(command[2]) val = int(command[3]) if row >= n or col >= n or row < 0 or (col < 0): print('Invalid coordinates') continue matrix[row][col] += val elif 'Subtract' in command: command = command.split(' ') row = int(command[1]) col = int(command[2]) val = int(command[3]) if row >= n or col >= n or row < 0 or (col < 0): print('Invalid coordinates') continue matrix[row][col] -= val else: break for k in range(0, len(matrix)): matrix[k] = [str(e) for e in matrix[k]] print(f"{' '.join(matrix[k])}")
class APIError(Exception): pass class BadRequest(APIError): pass class QuotaError(APIError): pass class NotFoundError(APIError): pass class MethodNotAllowed(APIError): pass class ForbiddenError(APIError): pass class TooManyRequestsError(APIError): pass class InternalServerError(APIError): pass class ServiceUnavailable(APIError): pass class GatewayTimeout(APIError): pass
class Apierror(Exception): pass class Badrequest(APIError): pass class Quotaerror(APIError): pass class Notfounderror(APIError): pass class Methodnotallowed(APIError): pass class Forbiddenerror(APIError): pass class Toomanyrequestserror(APIError): pass class Internalservererror(APIError): pass class Serviceunavailable(APIError): pass class Gatewaytimeout(APIError): pass
class Event: def __init__(self, target, name, data): self.target = target self.name = name self.data = data
class Event: def __init__(self, target, name, data): self.target = target self.name = name self.data = data
img_rows, img_cols, img_chns = 128, 128, 3 latent_dim = 64 intermediate_dim = 256 epsilon_std = 1.0 epochs = 300 filters = 64 num_conv = 3 batch_size = 256
(img_rows, img_cols, img_chns) = (128, 128, 3) latent_dim = 64 intermediate_dim = 256 epsilon_std = 1.0 epochs = 300 filters = 64 num_conv = 3 batch_size = 256
LOG_URL = 'http://www.almhuette-raith.at/apache-log/access.log' LOG_FILE_PATH = 'media' CHUNK_SIZE = 10240 # TODO details regex group LOG_COMPILE = r'(?P<ip_address>[\d\.]+)\s+(?P<other_1>\S+)\s+(?P<other_2>\S+)\s+' \ r'\[(?P<datetime>\S+)\s+.*\]\s+"(?P<method>\S+)\s+(?P<uri>\S+) HTTP.*"\s+' \ r'(?P<response_code>\d+)\s+(?P<response_size>\S+)\s+\.*\n?' DATE_AND_HM_FORMAT = '%d-%m-%Y_%H:%M' DATETIME_LOG_FORMAT = '%d/%b/%Y:%H:%M:%S'
log_url = 'http://www.almhuette-raith.at/apache-log/access.log' log_file_path = 'media' chunk_size = 10240 log_compile = '(?P<ip_address>[\\d\\.]+)\\s+(?P<other_1>\\S+)\\s+(?P<other_2>\\S+)\\s+\\[(?P<datetime>\\S+)\\s+.*\\]\\s+"(?P<method>\\S+)\\s+(?P<uri>\\S+) HTTP.*"\\s+(?P<response_code>\\d+)\\s+(?P<response_size>\\S+)\\s+\\.*\\n?' date_and_hm_format = '%d-%m-%Y_%H:%M' datetime_log_format = '%d/%b/%Y:%H:%M:%S'
#!/usr/bin/python3 def printinfo( arg1, *vartuple ): print("output: ") print(arg1) for var in vartuple: print(var) return # call printinfo method printinfo(10) printinfo(70, 60, 50)
def printinfo(arg1, *vartuple): print('output: ') print(arg1) for var in vartuple: print(var) return printinfo(10) printinfo(70, 60, 50)
def numbers_searching(*args): duplicates = set() missing_number = 0 nums = [int(x) for x in args] for num in range(min(nums), max(nums) + 1): if num not in nums: missing_number = num if nums.count(num) > 1: duplicates.add(num) return [missing_number, list(sorted(duplicates))] print(numbers_searching(1, 2, 4, 2, 5, 4)) print(numbers_searching(5, 5, 9, 10, 7, 8, 7, 9)) print(numbers_searching(50, 50, 47, 47, 48, 45, 49, 44, 47, 45, 44, 44, 48, 44, 48))
def numbers_searching(*args): duplicates = set() missing_number = 0 nums = [int(x) for x in args] for num in range(min(nums), max(nums) + 1): if num not in nums: missing_number = num if nums.count(num) > 1: duplicates.add(num) return [missing_number, list(sorted(duplicates))] print(numbers_searching(1, 2, 4, 2, 5, 4)) print(numbers_searching(5, 5, 9, 10, 7, 8, 7, 9)) print(numbers_searching(50, 50, 47, 47, 48, 45, 49, 44, 47, 45, 44, 44, 48, 44, 48))
def part1(ins): h = 0 v = 0 for a, b in ins: match a: case "forward": h += b case "down": v += b case "up": v -= b return h * v def part2(ins): h = 0 v = 0 aim = 0 for a, b in ins: match a: case "forward": h += b v += aim * b case "down": aim += b case "up": aim -= b return h * v if __name__ == "__main__": def parse(line: str): [a, b] = line.split(" ") return a, int(b) with open("input.txt") as f: input = [parse(l) for l in f.readlines()] print(f"part 1: {part1(input)}") print(f"part 2: {part2(input)}")
def part1(ins): h = 0 v = 0 for (a, b) in ins: match a: case 'forward': h += b case 'down': v += b case 'up': v -= b return h * v def part2(ins): h = 0 v = 0 aim = 0 for (a, b) in ins: match a: case 'forward': h += b v += aim * b case 'down': aim += b case 'up': aim -= b return h * v if __name__ == '__main__': def parse(line: str): [a, b] = line.split(' ') return (a, int(b)) with open('input.txt') as f: input = [parse(l) for l in f.readlines()] print(f'part 1: {part1(input)}') print(f'part 2: {part2(input)}')
def decorate_lowercase(function): def lowerfy(): funcaa = function() string_lower = funcaa.lower() return string_lower return lowerfy def splitfy(function): def splitt(): s_value = function() str_list = s_value.split() return str_list return splitt @splitfy @decorate_lowercase def hello(): return "Hello World!" print(hello())
def decorate_lowercase(function): def lowerfy(): funcaa = function() string_lower = funcaa.lower() return string_lower return lowerfy def splitfy(function): def splitt(): s_value = function() str_list = s_value.split() return str_list return splitt @splitfy @decorate_lowercase def hello(): return 'Hello World!' print(hello())
# ITERACTION BY ITEM numbers = [0,1,2,3,4,5] for number in numbers: # For Loops, number is the index and numbers is the lenght of the loops print(number) # EXAMPLE for number in numbers: if number > 1 and number < 4: print(number)
numbers = [0, 1, 2, 3, 4, 5] for number in numbers: print(number) for number in numbers: if number > 1 and number < 4: print(number)
class Solution: # Time complexity: O(n) where n the length of pushed is # Space complexity: O(n) def validateStackSequences(self, pushed, popped): j = 0 stack = [] for x in pushed: stack.append(x) while stack and j < len(popped) and stack[-1] == popped[j]: stack.pop() j += 1 return j == len(popped)
class Solution: def validate_stack_sequences(self, pushed, popped): j = 0 stack = [] for x in pushed: stack.append(x) while stack and j < len(popped) and (stack[-1] == popped[j]): stack.pop() j += 1 return j == len(popped)
def main() -> None: a, b = map(int, input().split()) print("Yes" if a <= b <= 6 * a else "No") main()
def main() -> None: (a, b) = map(int, input().split()) print('Yes' if a <= b <= 6 * a else 'No') main()
def load(h): return ({'abbr': 'ERS-1', 'code': 1, 'title': 'ERS 1'}, {'abbr': 'ERS-2', 'code': 2, 'title': 'ERS 2'}, {'abbr': 'METOP-B', 'code': 3, 'title': 'METOP-B'}, {'abbr': 'METOP-A', 'code': 4, 'title': 'METOP-A'}, {'abbr': 'CHAMP', 'code': 41, 'title': 'CHAMP'}, {'abbr': 'TERRA-SAR-X', 'code': 42, 'title': 'TERRA-SAR-X'}, {'abbr': 'SMOS', 'code': 46, 'title': 'SMOS'}, {'abbr': 'METEOSAT-7', 'code': 54, 'title': 'METEOSAT 7'}, {'abbr': 'METEOSAT-8', 'code': 55, 'title': 'METEOSAT 8'}, {'abbr': 'METEOSAT-9', 'code': 56, 'title': 'METEOSAT 9'}, {'abbr': 'METEOSAT-10', 'code': 57, 'title': 'METEOSAT 10'}, {'abbr': 'METEOSAT-1', 'code': 58, 'title': 'METEOSAT 1'}, {'abbr': 'METEOSAT-2', 'code': 59, 'title': 'METEOSAT 2'}, {'abbr': 'ENVISAT', 'code': 60, 'title': 'ENVISAT'}, {'abbr': 'METEOSAT-11', 'code': 70, 'title': 'METEOSAT-11'}, {'abbr': 'GCOM-W1', 'code': 122, 'title': 'GCOM-W1'}, {'abbr': 'GOSAT', 'code': 140, 'title': 'GOSAT'}, {'abbr': 'MTSAT-1R', 'code': 171, 'title': 'MTSAT-1R'}, {'abbr': 'MTSAT-2', 'code': 172, 'title': 'MTSAT-2'}, {'abbr': 'NOAA-8', 'code': 200, 'title': 'NOAA-8'}, {'abbr': 'NOAA-9', 'code': 201, 'title': 'NOAA-9'}, {'abbr': 'NOAA-10', 'code': 202, 'title': 'NOAA-10'}, {'abbr': 'NOAA-11', 'code': 203, 'title': 'NOAA-11'}, {'abbr': 'NOAA-12', 'code': 204, 'title': 'NOAA-12'}, {'abbr': 'NOAA-14', 'code': 205, 'title': 'NOAA 14'}, {'abbr': 'NOAA-15', 'code': 206, 'title': 'NOAA 15'}, {'abbr': 'NOAA-16', 'code': 207, 'title': 'NOAA 16'}, {'abbr': 'NOAA-17', 'code': 208, 'title': 'NOAA 17'}, {'abbr': 'NOAA-18', 'code': 209, 'title': 'NOAA 18'}, {'abbr': 'AQUA', 'code': 222, 'title': 'AQUA'}, {'abbr': 'NOAA-19', 'code': 223, 'title': 'NOAA 19'}, {'abbr': 'NPP', 'code': 224, 'title': 'NPP'}, {'abbr': 'DMSP-7', 'code': 240, 'title': 'DMSP-7'}, {'abbr': 'DMSP-8', 'code': 241, 'title': 'DMSP-8'}, {'abbr': 'DMSP-9', 'code': 242, 'title': 'DMSP-9'}, {'abbr': 'DMSP-10', 'code': 243, 'title': 'DMSP-10'}, {'abbr': 'DMSP-11', 'code': 244, 'title': 'DMSP-11'}, {'abbr': 'DMSP-13', 'code': 246, 'title': 'DMSP-13'}, {'abbr': 'DMSP-13', 'code': 246, 'title': 'DMSP 13'}, {'abbr': 'DMSP-14', 'code': 247, 'title': 'DMSP 14'}, {'abbr': 'DMSP-15', 'code': 248, 'title': 'DMSP 15'}, {'abbr': 'DMSP-16', 'code': 249, 'title': 'DMSP 16'}, {'abbr': 'GOES-9', 'code': 253, 'title': 'GOES 9'}, {'abbr': 'GOES-10', 'code': 254, 'title': 'GOES 10'}, {'abbr': 'GEOS-11', 'code': 255, 'title': 'GOES 11'}, {'abbr': 'GEOS-12', 'code': 256, 'title': 'GOES 12'}, {'abbr': 'GEOS-13', 'code': 257, 'title': 'GOES 13'}, {'abbr': 'GEOS-14', 'code': 258, 'title': 'GOES 14'}, {'abbr': 'GEOS-15', 'code': 259, 'title': 'GOES 15'}, {'abbr': 'JASON-1', 'code': 260, 'title': 'JASON-1'}, {'abbr': 'JASON-2', 'code': 261, 'title': 'JASON-2'}, {'abbr': 'QUIKSCAT', 'code': 281, 'title': 'QUIKSCAT'}, {'abbr': 'TRMM', 'code': 282, 'title': 'TRMM'}, {'abbr': 'CORIOLIS', 'code': 283, 'title': 'CORIOLIS'}, {'abbr': 'DMSP17', 'code': 285, 'title': 'DMSP 17'}, {'abbr': 'DMSP18', 'code': 286, 'title': 'DMSP 18'}, {'abbr': 'OCEANSAT-2', 'code': 421, 'title': 'OCEANSAT-2'}, {'abbr': 'FY-1C', 'code': 500, 'title': 'FY-1C'}, {'abbr': 'FY-1D', 'code': 501, 'title': 'FY-1D'}, {'abbr': 'FY-2', 'code': 510, 'title': 'FY-2'}, {'abbr': 'FY-2B', 'code': 512, 'title': 'FY-2B'}, {'abbr': 'FY-2C', 'code': 513, 'title': 'FY-2C'}, {'abbr': 'FY-2D', 'code': 514, 'title': 'FY-2D'}, {'abbr': 'FY-2E', 'code': 515, 'title': 'FY-2E'}, {'abbr': 'FY-3A', 'code': 520, 'title': 'FY-3A'}, {'abbr': 'FY-3B', 'code': 521, 'title': 'FY-3B'}, {'abbr': 'GRACE-A', 'code': 722, 'title': 'GRACE-A'}, {'abbr': 'NOAA-6', 'code': 706, 'title': 'NOAA-6'}, {'abbr': 'NOAA-7', 'code': 707, 'title': 'NOAA-7'}, {'abbr': 'TIROS-N', 'code': 708, 'title': 'TIROS-N'}, {'abbr': 'COSMIC-1', 'code': 740, 'title': 'COSMIC-1'}, {'abbr': 'COSMIC-2', 'code': 741, 'title': 'COSMIC-2'}, {'abbr': 'COSMIC-3', 'code': 742, 'title': 'COSMIC-3'}, {'abbr': 'COSMIC-4', 'code': 743, 'title': 'COSMIC-4'}, {'abbr': 'COSMIC-5', 'code': 744, 'title': 'COSMIC-5'}, {'abbr': 'COSMIC-6', 'code': 745, 'title': 'COSMIC-6'}, {'abbr': 'TERRA', 'code': 783, 'title': 'TERRA'}, {'abbr': 'AQUA', 'code': 784, 'title': 'AQUA'}, {'abbr': 'AURA', 'code': 785, 'title': 'AURA'}, {'abbr': 'C-NOFS', 'code': 786, 'title': 'C-NOFS'}, {'abbr': 'SAC-C', 'code': 820, 'title': 'SAC-C'})
def load(h): return ({'abbr': 'ERS-1', 'code': 1, 'title': 'ERS 1'}, {'abbr': 'ERS-2', 'code': 2, 'title': 'ERS 2'}, {'abbr': 'METOP-B', 'code': 3, 'title': 'METOP-B'}, {'abbr': 'METOP-A', 'code': 4, 'title': 'METOP-A'}, {'abbr': 'CHAMP', 'code': 41, 'title': 'CHAMP'}, {'abbr': 'TERRA-SAR-X', 'code': 42, 'title': 'TERRA-SAR-X'}, {'abbr': 'SMOS', 'code': 46, 'title': 'SMOS'}, {'abbr': 'METEOSAT-7', 'code': 54, 'title': 'METEOSAT 7'}, {'abbr': 'METEOSAT-8', 'code': 55, 'title': 'METEOSAT 8'}, {'abbr': 'METEOSAT-9', 'code': 56, 'title': 'METEOSAT 9'}, {'abbr': 'METEOSAT-10', 'code': 57, 'title': 'METEOSAT 10'}, {'abbr': 'METEOSAT-1', 'code': 58, 'title': 'METEOSAT 1'}, {'abbr': 'METEOSAT-2', 'code': 59, 'title': 'METEOSAT 2'}, {'abbr': 'ENVISAT', 'code': 60, 'title': 'ENVISAT'}, {'abbr': 'METEOSAT-11', 'code': 70, 'title': 'METEOSAT-11'}, {'abbr': 'GCOM-W1', 'code': 122, 'title': 'GCOM-W1'}, {'abbr': 'GOSAT', 'code': 140, 'title': 'GOSAT'}, {'abbr': 'MTSAT-1R', 'code': 171, 'title': 'MTSAT-1R'}, {'abbr': 'MTSAT-2', 'code': 172, 'title': 'MTSAT-2'}, {'abbr': 'NOAA-8', 'code': 200, 'title': 'NOAA-8'}, {'abbr': 'NOAA-9', 'code': 201, 'title': 'NOAA-9'}, {'abbr': 'NOAA-10', 'code': 202, 'title': 'NOAA-10'}, {'abbr': 'NOAA-11', 'code': 203, 'title': 'NOAA-11'}, {'abbr': 'NOAA-12', 'code': 204, 'title': 'NOAA-12'}, {'abbr': 'NOAA-14', 'code': 205, 'title': 'NOAA 14'}, {'abbr': 'NOAA-15', 'code': 206, 'title': 'NOAA 15'}, {'abbr': 'NOAA-16', 'code': 207, 'title': 'NOAA 16'}, {'abbr': 'NOAA-17', 'code': 208, 'title': 'NOAA 17'}, {'abbr': 'NOAA-18', 'code': 209, 'title': 'NOAA 18'}, {'abbr': 'AQUA', 'code': 222, 'title': 'AQUA'}, {'abbr': 'NOAA-19', 'code': 223, 'title': 'NOAA 19'}, {'abbr': 'NPP', 'code': 224, 'title': 'NPP'}, {'abbr': 'DMSP-7', 'code': 240, 'title': 'DMSP-7'}, {'abbr': 'DMSP-8', 'code': 241, 'title': 'DMSP-8'}, {'abbr': 'DMSP-9', 'code': 242, 'title': 'DMSP-9'}, {'abbr': 'DMSP-10', 'code': 243, 'title': 'DMSP-10'}, {'abbr': 'DMSP-11', 'code': 244, 'title': 'DMSP-11'}, {'abbr': 'DMSP-13', 'code': 246, 'title': 'DMSP-13'}, {'abbr': 'DMSP-13', 'code': 246, 'title': 'DMSP 13'}, {'abbr': 'DMSP-14', 'code': 247, 'title': 'DMSP 14'}, {'abbr': 'DMSP-15', 'code': 248, 'title': 'DMSP 15'}, {'abbr': 'DMSP-16', 'code': 249, 'title': 'DMSP 16'}, {'abbr': 'GOES-9', 'code': 253, 'title': 'GOES 9'}, {'abbr': 'GOES-10', 'code': 254, 'title': 'GOES 10'}, {'abbr': 'GEOS-11', 'code': 255, 'title': 'GOES 11'}, {'abbr': 'GEOS-12', 'code': 256, 'title': 'GOES 12'}, {'abbr': 'GEOS-13', 'code': 257, 'title': 'GOES 13'}, {'abbr': 'GEOS-14', 'code': 258, 'title': 'GOES 14'}, {'abbr': 'GEOS-15', 'code': 259, 'title': 'GOES 15'}, {'abbr': 'JASON-1', 'code': 260, 'title': 'JASON-1'}, {'abbr': 'JASON-2', 'code': 261, 'title': 'JASON-2'}, {'abbr': 'QUIKSCAT', 'code': 281, 'title': 'QUIKSCAT'}, {'abbr': 'TRMM', 'code': 282, 'title': 'TRMM'}, {'abbr': 'CORIOLIS', 'code': 283, 'title': 'CORIOLIS'}, {'abbr': 'DMSP17', 'code': 285, 'title': 'DMSP 17'}, {'abbr': 'DMSP18', 'code': 286, 'title': 'DMSP 18'}, {'abbr': 'OCEANSAT-2', 'code': 421, 'title': 'OCEANSAT-2'}, {'abbr': 'FY-1C', 'code': 500, 'title': 'FY-1C'}, {'abbr': 'FY-1D', 'code': 501, 'title': 'FY-1D'}, {'abbr': 'FY-2', 'code': 510, 'title': 'FY-2'}, {'abbr': 'FY-2B', 'code': 512, 'title': 'FY-2B'}, {'abbr': 'FY-2C', 'code': 513, 'title': 'FY-2C'}, {'abbr': 'FY-2D', 'code': 514, 'title': 'FY-2D'}, {'abbr': 'FY-2E', 'code': 515, 'title': 'FY-2E'}, {'abbr': 'FY-3A', 'code': 520, 'title': 'FY-3A'}, {'abbr': 'FY-3B', 'code': 521, 'title': 'FY-3B'}, {'abbr': 'GRACE-A', 'code': 722, 'title': 'GRACE-A'}, {'abbr': 'NOAA-6', 'code': 706, 'title': 'NOAA-6'}, {'abbr': 'NOAA-7', 'code': 707, 'title': 'NOAA-7'}, {'abbr': 'TIROS-N', 'code': 708, 'title': 'TIROS-N'}, {'abbr': 'COSMIC-1', 'code': 740, 'title': 'COSMIC-1'}, {'abbr': 'COSMIC-2', 'code': 741, 'title': 'COSMIC-2'}, {'abbr': 'COSMIC-3', 'code': 742, 'title': 'COSMIC-3'}, {'abbr': 'COSMIC-4', 'code': 743, 'title': 'COSMIC-4'}, {'abbr': 'COSMIC-5', 'code': 744, 'title': 'COSMIC-5'}, {'abbr': 'COSMIC-6', 'code': 745, 'title': 'COSMIC-6'}, {'abbr': 'TERRA', 'code': 783, 'title': 'TERRA'}, {'abbr': 'AQUA', 'code': 784, 'title': 'AQUA'}, {'abbr': 'AURA', 'code': 785, 'title': 'AURA'}, {'abbr': 'C-NOFS', 'code': 786, 'title': 'C-NOFS'}, {'abbr': 'SAC-C', 'code': 820, 'title': 'SAC-C'})
# All of these resources have been gathered from: # https://github.com/privacycloud/consent-manager-web-ext/ # Published under the MIT license def getrules(): rules = { 'google.com': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'facebook.com': '#page > #header-notices', 'gmail.com': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'linkedin.com': '#artdeco-global-alert-container, .alert, #alert', 'yahoo.com': '#y-shade, #applet_p_50000174, .tdv2-applet-nagbar, .login-body + .login-footer', 'duckduckgo.com': '.badge-link.ddg-extension-hide', 'bing.com': '#thp_notf_div, #b_context, .b_hide.bnp_ttc', 'ask.com': '#ccbar, #cp-banner', 'ted.com': 'body > div:not([id]):not([class])', 'google.co.uk': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.it': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.at': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.es': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ee': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.pl': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.cz': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.dk': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ie': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.fr': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.si': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.hu': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.sk': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.se': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.fi': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.lt': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.gr': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ro': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.bg': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.be': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.hr': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.de': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.pt': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.nl': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.no': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.is': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.lu': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.cl': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.lv': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ch': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ba': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.co.ve': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.com.au': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ae': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.lk': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ru': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.co.th': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.co.in': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ca': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'toldosalsina.com': '#aviso', 'barcelona.cat': '#bcn-ccwr', 'barclays.com': '.dialogMask', 'co-operativeinsurance.co.uk': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'britannia.co.uk': '#noticePanel', 'moneysavingexpert.com': '#alertBar', 'soundcloud.com': '.announcements', 'debenhams.com': '#debCNwrap', 'hostgator.com': '#alertBar', 'theregister.co.uk': '#RegCCO', 'rapturetv.com': '#apDiv1', 'civilsociety.co.uk': '.announcement-banner', 'cityoflondon.gov.uk': '.container-floating-notifications', 'fool.co.uk': '#dogfish', 'cofunds.co.uk': '#idrMasthead .idrPageRow .smContainer', 'channelregister.co.uk': '#RegCCO', 'ordnancesurvey.co.uk': '#messages', 'hattrick.org': '.alert, #alert', 'ecdl.hr': '#admin_sys_notif', 'sajmovi.eu': '#mBox1, #mBox1+div', 'poba.hr': '#meerkat-wrap', 'joemonster.org': '#pp-bg-overlay', 'heinz.co.uk': 'body > div:not([id]):not([class])', 'tvlicensing.co.uk': '#blq-global', 'esure.com': '#slideMenu', 'demotywatory.pl': 'body > div:not([id]):not([class])', 'mggp.com.pl': '.navbar-fixed-bottom', 'omroepbrabant.nl': '#stickyFooter, .sticky-footer', 'neckermann.com': '#st_popup, #st_overlay, #ewcm_container', 'wehkamp.nl': '#header > .bg-text-secondary', 'thejournal.ie': '#notify-container', 'dba.dk': 'body > div:not([id]):not([class])', 'gosc.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'targeo.pl': 'body > div:not([id]):not([class])', 'bilbasen.dk': 'body > div:not([id]):not([class])', 'stargreen.com': 'body > div:not([id]):not([class])', 'wrzucacz.pl': '#logo .info', 'wattsindustries.com': '#header1_overlay2', 'mistrzowie.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'korwin-mikke.pl': 'body > div:not([id]):not([class])', 'element14.com': '.e14-cookie-directive', 'oushop.com': 'body > div:not([id]):not([class])', 'mocnopomocni.pl': 'body > div:not([id]):not([class])', 'instal.si': 'body > img, .urejanjecenter, .urejanjecenter + table', 'megashopbot.com': '#alertBar', 'daft.ie': '#notify-container, .strapline-container', 'vegetus.nl': '#tracking', 'thetoyshop.com': '#entCNDiv', 'direct-croatia.com': '#site_nt', 'odjechani.com.pl': '#akceptacja-odjechani', 'studentpotrafi.pl': 'body > div:not([id]):not([class])', 'kulturstyrelsen.dk': '#lbmodal-overlay, #lbmodal', 'bosw.pl': '#popup', 'zend.com': '.ui-dialog.ui-widget.ui-widget-content.ui-corner-all.ui-front.ui-draggable.ui-resizable', 'lego.com': '#GFSticky', 'izone.pl': '.mm-page > div[style*="height: 80px"]', 'comscore.com': '.info_banner', 'youronlinechoices.com': '.block.bubble.top, .mainContentInside > .mauto > .info', 'clinique.co.uk': '#bt_notification', 'vente-privee.com': '.cookiesTxt', 'rk.dk': '#lbmodal-overlay, #lbmodal', 'normaeditorial.com': '#styleUp', 'rebelianci.org': 'body > div:not([id]):not([class])', 'pensionsinfo.dk': '#policyLong, .startPageBackground', 'krsystem.pl': '#cook, .cook', 'ramboll.com': '.infoboxHolder', 'c-and-a.com': '#pageTopBanner', 'aptekagemini.pl': '#kukiz', 'km77.com': '#message-acceptation', 'arpem.com': '#presence', 'rewolucjawoc.pl': '.footer-main-box .copy', 'piekielni.pl': 'body > div:not([id]):not([class])', 'tekstowo.pl': '#ci-info-box', 'shelldriversclub.co.uk': '#modal_container', 'sverigesradio.se': '#user-message-container[data-require*="cookie-message"]', 'boards.ie': '#notify-container', 'airtricity.com': '.welcome-text li + li + li', 'dodrukarki.pl': 'body > div:not([id]):not([class])', 'ratp.fr': '#cnil, .cnil, #CNIL', 'snsbank.nl': '.boxy-modal-blackout, .boxy-wrapper, .ui-dialog, .ui-widget-overlay, #consentdiv', 'plus.google.com': '#gba.gb_Ec', 'ucsyd.dk': '#lbmodal-overlay, #lbmodal', 'nidirect.gov.uk': '#cicw', 'fysio.dk': 'body > div:not([id]):not([class])', 'tesco.pl': '.infoBarClosable', 'facerig.com': 'body > div:not([id]):not([class])', 'katowice-airport.com': 'body > div:not([id]):not([class])', 'oferia.pl': 'body > div:not([id]):not([class])', 'monsterboard.nl': '#interMsgsW, .ui-actionsheet-wallpaper, #m-popup-softgate', 'ox.ac.uk': '#analytics-notice, #toast-container', 'grafoteka.pl': '#info-container', 'peoplenet.dk': '.ppnCookieDir', 'dentalclinics.nl': '#WGturgimjo', 'americanexpress.com': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'shopusa.com': 'body > .box', 'digitaluk.co.uk': '.cb-wrapper', 'ohra.nl': '#wrapper-overlay', 'laboro-spain.blogspot.ie': 'body > span', 'laboro-spain.blogspot.com.es': 'body > p', 'kalisz.pl': '#showHideDiv', 'monsterpolska.pl': '#interMsgsW, #m-popup-softgate, .browserAlertHolder', 'adecco.fr': '.bannerContainer', 'cnet.com': '.modal, .modal-backdrop', 'snsvoordeelvergelijker.nl': '#lightbox-shadow, #lightbox', 'jw.org': '.legal-notices-client--notice', 'thuiskopie.nl': '.highslide-container', 'stopwariatom.pl': 'body > div:not([id]):not([class])', 'terra.es': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'dynos.es': '#cuerpo > div:not([id]):not([class])', 'pobieralnia.org': '#close', 'jubii.dk': 'body > div:not([id]):not([class])', 'easy2click.dk': '#cp', 'juegosalmejorprecio.com': '#noty_top_layout_container', 'amadeus.com': '.country-lightbox .country + p, .country-lightbox.cookies', 'forumvolt.org': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'datumprikker.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'siemens.com': '#c-info, .cm-banner', 'utopolis.nl': '#nagging-screen-wrapper', 'fiskarsgroup.com': '.kwddisclaimerpopup', 'androidmagazine.pl': 'body > div:not([id]):not([class])', 'slupsk.pl': '#easyNotification', 'yourweather.co.uk': '.tCook', 'lampy.pl': '.dnt-dialog', 'smulweb.nl': '.accept_container', 'mtm-info.pl': '#etisoA', 'voila.fr': '#o_ribbon, .ul-notification-center', 'nettg.pl': 'body > .fade', 'rckik.poznan.pl': 'body > div:not([id]):not([class])', '118712.fr': '#o_ribbon', 'pecetowiec.pl': '.messagesWrapper', 'epiotrkow.pl': '.cookskom', 'komixxy.pl': 'body > div:not([id]):not([class])', 'polskiprawnik.pl': '.reveal-modal-bg, #popup3', 'urskiven.dk': '#aBox', 'bygningskultur2015.dk': '#lbmodal-overlay, #lbmodal', 'coches.net': '#yc', 'racjonalista.pl': '#_ci', 'pianomedia.pl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'mazowieckie.pl': '.JSWrapper', 'subscribeonline.co.uk': '#panel', 'youfone.nl': '.opt-in2', '3arena.ie': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'proff.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'cdiscount.com': '#blocInfoTop, #alerts', 'westgate.com.pl': 'body > div:not([id]):not([class])', 'nix18.nl': '#piwik', 'sportadictos.com': '.c_i_container', 'leroymerlin.fr': '.nav-infos-wrapper', 'guldsmykket.dk': '#aBox', 'bde.es': '#dvCookies', 'handelsbanken.dk': '#white_layer', 'handelsbanken.nl': '#white_layer', 'fck.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'aliexpress.com': '.site-notice-header, #j-aliexpress-notice', 'herbaciani.pl': 'body > div:not([id]):not([class])', 'emezeta.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'dpd.com.pl': '#quickNav + div, #header ~ div[style*="position: fixed"]', 'waw.pl': '.alert-warning, .komunikat', 'specshop.pl': '.blockUI', 'wall-street.ro': '#ictsuc_block', 'costco.co.uk': '.site-messages-container', 'zbiornik.com': '#stora', 'crufc.co.uk': '#system-message, #system-messages, #system-message-container', 'modecom.pl': '#mc_top_bar', 'adverts.ie': '#notify-container', 'fajka24.pl': 'body > div:not([id]):not([class])', 'volkswagen.fr': '#vwd4_m509', 'spsk2-szczecin.pl': '#spsk2ct', 'paruvendu.fr': '#bandeaumessageheader', 'movieview.dk': '#sl-container', 'monster.es': '#interMsgsW, #m-popup-softgate, .browserAlertHolder', 'aptoide.com': 'body > #news', 'speedtest.pl': '#container_vsm, #info_container', 'cinema-city.pl': '.policy, #policy, .cpolicy', 'sfr.fr': '#CkC', 'praktiker.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'podlogi-kopp.pl': '#cooPInfo', 'siemens.pl': '.PopupDiv', 'laposte.net': '#flashNews', 'open.fm': 'body > div:not([id]):not([class])', 'lacaixa.es': '.articulo_ligero', 'napster.com': '#InfoBox, .info_box', 'noticias3d.com': '#PopUp', 'daninfo.dk': 'body > div:not([id]):not([class])', 'loterie-nationale.be': '.ck-bar', 'tf1conso.fr': '#msgctrw164942', 'laznianowa.pl': 'body > div:not([id]):not([class])', 'tartybikes.co.uk': '#eureg', 'leroymerlin.es': '#divFlotante', 'swiatnauki.pl': '#menu', 'oxfordshire.gov.uk': '#occgaico, #dhtmlwindowholder', 'mtvmobile.nl': '#exposeMask, #TMobile_nl_WebPortals_UI_PageComponents_CookieSettingsOverlay_CookieSettingsOverlayController_OverlayRootDiv', 'legolas.pl': '#kuki', 'bbcnorge.com': '.container.translate.nb-no', 'essent.nl': '#stOverlay, #stOverlayB', 'stylowi.pl': 'body > div:not([id]):not([class])', 'mijnreceptenboek.nl': '#mrb', 'peliti.ro': '.topMenuWrapper', 'dymki.com': 'body > div:not([id]):not([class])', 'toradex.com': '#toast-container, .toast-container, #toast, .toast', 'kzkgop.pl': '#container > div:not([id]):not([class])', 'mappy.com': '#IndexView-first-visit', 'euromaster.dk': 'div.pushHead', 'e-podatnik.pl': 'body > div:not([id]):not([class])', 'gadgetzone.nl': 'body > div[style*="top:0"]', 'visvitalis.com.pl': '#simple-modal, #simple-modal-overlay', 'zmyslovezakupy.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'stihl.fr': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'boo.pl': '#bancook', 'slke.dk': '#lbmodal-overlay, #lbmodal', 'akeebabackup.com': '#ccm', 'superchat.dk': '.maintable table[style*="border:1px solid red"]', 'nadzwyczajne.com.pl': '#ultimate-modal, #ultimate-modal-content', 'netzwelt.de': '.ckch', 'myptsd.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'news.dk': 'body > div:not([id]):not([class])', 'dindebat.dk': 'body > div:not([id]):not([class])', 'zarmen.pl': '#komunikat', 'ists.pl': '#polityka, .polityka', 'fora.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'giercownia.pl': '#ci-info-box', 'petardas.com': 'body > div[style*="color:white"], body > div:not([id]) > div[style*="color:white"]', 'golfshake.com': '#footer-banner', 'sapo.pt': '.bsu-v2-ntfs', 'winrar.es': '#ckwarn', 'racunovodja.com': '.polprosojno', 'tv3.dk': '#xact_popupContainer, #xact_popupMask', 'reviewcentre.com': '#growlcontainer', 'pensioenleeftijdberekenen.nl': '#ckpol', 'controlmatica.com.pl': '#wrap', 'toysrus.es': 'body > div:not([id]):not([class])', 'n-mobile.net': '#overbox3', 'cepsa.com': '.cp-wrapper', 'truecallcommunity.co.uk': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'motoplatforma.com': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'skoda-auto.com': '#MessageArea', 'centreceramique.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'sosnowiec.pl': '#topBar_MainCover', 'omegasoft.pl': '.ui-dialog', 'mpolska24.pl': '.infoBox', 'hispazone.com': '#DownFixed', '9am.ro': '#ictsuc_block', 'gentlemens-bazaar.dk': '#minTest', 'fbrss.com': '#cw', 'smakizycia.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zmienimyswiat.pl': '#polityka, .polityka', 'plandomu.pl': 'body > div:not([id]):not([class])', 'wsse-poznan.pl': '.visiblebox', 'europa.eu': '.usermsgInfo', 'tabletsmagazine.nl': '.opt-in', 'kreskoweczki.pl': '#gbpl_oba', 'imagazine.pl': 'body > div:not([id]):not([class])', 'ebuyclub.com': '#bandeau-c', 'szpital-chrzanow.pl': '.warp_top_message', 'winphonemetro.com': '.c_i_container', 'laubfresser.de': '#dataDiv', 'maxior.pl': '#ci-info-box', 'tylkotorebki.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'intu.co.uk': '.alert-info, .alert-warning, .alert-box', 'automapa.pl': 'body > div:not([id]):not([class])', 'seguimosinformando.com': '#overbox3', 'lgworld.com': '#uk_msg', 'enganchadosalatv.blogspot.com': '#anuncio', 'trovit.es': '#welcomebar-wrapper', 'trovit.it': '#welcomebar-wrapper', 'trovit.fr': '#welcomebar-wrapper', 'trovit.be': '#welcomebar-wrapper', 'trovit.co.uk': '#welcomebar-wrapper', 'mazda.bg': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'genei.es': '.top-bar', 'columbiasportswear.es': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'columbiasportswear.fr': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'columbiasportswear.co.uk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'openpli.org': 'body > div:not([id]):not([class])', 'gov.pl': '.informationBar, .JSWrapper', 'bredbandsbolaget.se': 'body > .box', 'fabrykamemow.pl': 'body > div:not([id]):not([class])', 'travelist.pl': '#mwFormBlackout, #mwFormContainer', 'netweather.tv': '.alert-info, .alert-warning, .alert-box', 'tutorials.de': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'b1.ro': 'body > div:not([id]):not([class])', 'capitalone.co.uk': '#prefBanner', 'construction.com': '.mgh-messages-wrapper', 'lse.ac.uk': '.ep_tm_header > div[style*="top: 0"]', 'showtv.pl': 'body > div:not([id]):not([class])', 'spotify.com': '#js-message-bars', 'meewallet.com': '.sticky_foot', 'subcultura.es': '.estupido_quitamultas_de_estupidas_cookies_oh_dios_como_los_odio_a_todos', 'stodola.pl': '#toast-container, .toast-container, #toast, .toast', 'kfc.pl': 'body > div:not([id]):not([class])', 'intimiti.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'kraksport.pl': '#notice_bar', 'szkolkikornickie.pl': '#content-head-information', 'kikocosmetics.es': '.mod-notification', 'eindelijkglasvezel.nl': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'shellsmart.com': '#modal_container', 'faktopedia.pl': 'body > div:not([id]):not([class])', 'hoga.pl': '#warning', 'e-leclerc.com': '.top_banner', 'popkorn.pl': 'body > div:not([id]):not([class])', 'webm2.dk': '#footer_notification', 'xombit.com': '.c_i_container', 'galeriakrakowska.pl': '#claw', 'butlers.de': '.bottomThing', 'storm24.pl': '#popup', 'jeuxactu.com': 'body > div:not([id]):not([class])', 'geschichte-wissen.de': '#ja-absolute', 'madsnorgaard.dk': '.kolorbox, .kolorbox-overlay', 'ignis.it': '#boxAlert', 'gamersonlinux.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'weespreventief.nl': '#popup', 'danskernesdigitalebibliotek.dk': '#lbmodal-overlay, #lbmodal', 'lasy.gov.pl': '.popup-alert-notice', 'hot.dk': '#scw', 'policja.pl': '.informationBar, .JSWrapper', 'jongeneel.nl': '#colorbox, #cboxOverlay', 'dymo.com': '#ckC', 'kpim.pl': '.coologo7', 'ford-esklep.pl': '#box_alert', 'santashop.dk': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'cybershop.hr': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'e-promar.pl': '#cInfo', 'hebe.pl': '.legal-info', 'familie.pl': 'body > div:not([id]):not([class])', 'frs-fnrs.be': '#overlay', 'siemens.dk': '.PopupDiv', 'dhoze.com': '#MsgAreaBottom', 'anpost.ie': '#topBanner', 'britainsnextbestseller.co.uk': '#boxes', 'dekleinemedia.nl': '#cb', 'grafical.dk': '.resizeScript[src*="6943.html"]', 'mini-itx.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'evobanco.com': '#container > .portlet-layout', 'tickersurf.com': '.rt-curtain', 'museumamager.dk': '#sbox-window, #sbox-overlay', 'lunamarket.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'lovekrakow.pl': '#new-policy', 'corporama.com': '#cnil-msg', 'gtaforum.nl': '.ipsBox_container, .ipsBox_container + div', 'elsevier-masson.fr': '#myModal, .modal-backdrop, .reveal-modal-bg', 'mazury.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'centraalbeheer.nl': 'body > iframe', 'layar.com': '.remarketing-banner', 'intymna.pl': '#sb_bottom_float', 'georgehotelswaffham.co.uk': 'body > div:not([id]):not([class])', 'pcoutlet.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'wiz.pl': '#menu', 'walkersshortbread.com': 'body > div[style*="height: 41px"]', 'mnt.fr': '.banner-info', 'geewa.com': '#popupText, #popupOverlay', 'e-petrol.pl': '#statement', 'basenowy.com': '#DIVwelcome', 'bbcpolska.com': 'body > iframe', 'skandia.dk': '#concent-popup', 'mycoca-cola.com': '.required-functionality', 'credibom.pt': '#form1 > div:not([id]):not([class])', 'eurotackle.nl': '#popup', 'digout.dk': '#digoutDisclaimer', 'mojzagreb.hr': '#dcw1', 'proff.se': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'bbcentertainment.com': 'body > iframe', 'tv5monde.com': '.h_signalzone_layer', 'cartoonnetwork.com': '#tos-bar', 'tp-link.com.pl': '#noticeBox', 'tcpa.org.uk': 'body > div:not([id]):not([class])', 'dolnyslask.pl': '#warning', 'oxxio.nl': '.mfp-wrap, .mfp-bg', 'wykopoczta.pl': '#noty_top_layout_container', 'materiel-velo.com': '#downbar', 'hertz247.com': '.lbContainer', 'hertz247.it': '.lbContainer', 'libris.nl': '#alertbox', 'testigo.pl': '#cp_wrap', 'soselectronic.ro': 'body > div:not([id]):not([class])', 'wiara.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'myfilmyonline.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'tyrdanmark.dk': '#C46703f08cookie', 'cabletech.pl': 'body > div:not([id]):not([class])', 'kinofilmyonline.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'costacoffee.pl': '.notification-global', 'symbicort.com': '.digitalstatements', 'imperialgb.com': '#easyNotification', 'telenor.se': 'body > .box', 'cerdas.com': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'konserwatyzm.pl': '#toast-container, .toast-container, #toast, .toast', 'mediamarkt.pl': '#site_container > .clearfix', 'markgum.com.pl': 'body > div[id=""]', 'supercheats.com': '#footer-nag', 'cnn.com': '.m-truste, #new-tos-privacy, #js-tos-prompt, head + div, .user-msg, #notification-legal, .popup_tosEdition', 'andro4all.com': '.c_i_container', 'pepper.pl': '#softMessages-list', 'tiopepe.es': '#warning', 'kopland.pl': '#message-bar', 'investing.com': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'coi.pl': '.alert-info, .alert-warning, .alert-box', 'keysafe.co.uk': '.modal', 'aura.dk': '.toast-warning', 'mall.pl': '.cpr-bar', 'itpromo.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'iloveshopping.ie': '#myBanner', 'legalsite.pl': '#message-1', 'normacomics.com': '#styleDown', 'jukegames.com': '#overbox3', 'critizen.com': '.alert-info, .alert-warning, .alert-box', 'filmaniak.tv': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'zorgbelang-noordholland.nl': '.telecom-tracking-dialog', 'tupperware.at': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'random-science-tools.com': 'tr[bgcolor="yellow"]', 'pagesjaunes.fr': '#cgu', 'landrover.ch': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'kpmg.com': 'body > div [style*="position: fixed"]', 'gorenjskiglas.si': '#overlay, #piskotkar', 'unizg.hr': '#cms_area_admin_bar', 'strefaczasu.pl': '.Cooker', 'eae.es': '#sst_container', 'betsson.com': '#MsgAreaBottom', '4hifi.pl': '#myModal, .modal-backdrop, .reveal-modal-bg', 'office.com': '#BannerContainer, #h_popup, .sortable-control > .row-fluid.pmg-txt-align-center.pmg-grid-content-no-padding.pmg-grid-content', 'rugbyrama.fr': '#container-notifications', 'woollyhatshop.com': '.boxContent', 'patisserie46.com': '.alertMessage', 'linux-party.com': '#avisolegal', 'decuro.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'redbullmobile.pl': '#more1', 'meteogroup.com': '#IR', 'aktieinfo.net': '#eufis', 'dolce-gusto.nl': 'body > div[style*="height: 60px"]', 'ksiegaimion.com': '#euci', 'wakfu.com': '.ak-notification', 'ecfr.eu': '#footerr', 'bose.fr': '.bose-infoBar2016--cookie', 'oficinaempleo.com': '#info', 'lrb.co.uk': '#wrapper > div:not([id]):not([class])', 'kunst.dk': '#lbmodal-overlay, #lbmodal', 'visualstudio.com': '#ux-banner', 'nokiablog.pl': '#cop', 'oesterreichinstitut.cz': '#cook-cont', 'futu.pl': '#my-alert', 'columbiasportswear.be': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'agatahome.pl': '#jbar, #jbar-push', 'januszebiznesu.pl': '#komunikat', 'foto4u.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'argeweb.nl': '.ccdiv', 'napovednik.com': '.alert, #alert', 'degiro.se': '.transparent-bar-footer', 'degiro.nl': '.transparent-bar-footer', 'natuurenmilieu.nl': '#optin-header', 'uc.pt': '#ucpa-warning-bars', 'bristolbar.es': '#uec-container', 'tvasta.pl': '#beta_layer', 'mascotlabelgroup.com': '#popup', 'pmu.fr': '#cnil, .cnil, #CNIL', 'altaprofits.com': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'gdziezjesc.info': 'body > div:not([id]):not([class])', 'dofus.com': '.ak-notification', 'maty.com': '.banner-wrapper', 'skitour.fr': '#coo_aut', 'ldlc-pro.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'olsztyn.pl': 'body > div:not([id]):not([class])', 'digitick.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'modecom.eu': '#mc_top_bar', 'krosmaster.com': '.ak-notification', 'landrover.fr': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'aujourdhui.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'dansnoscoeurs.fr': '#CkC', 'yabiladi.com': '#fixed_rg, #fixed_rg_2', 'budgetair.co.uk': '.notificationContainer', 'love.dk': '#scw', 'genzyme.fr': '#euconfirm', 'sodisce.si': '#system-message, #system-messages, #system-message-container', 'synektik.pl': '#mc_top_bar', 'dansommer.dk': '#disclosure-container', 'zepass.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'shost.ca': '#main-content > .container-fluid', 'reactor.pl': '#einfo', 'cooperativebank.co.uk': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'maidenfrance.fr': '#headband', 'american-airlines.nl': '.alert-global', 'bnpparibasfortis.be': '.messagecontainer, #cookies_entry', 'kontakt-simon.com.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'zdgtor.pl': 'body > div:not([id]):not([class])', 'airfrance.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'mutuelle.com': '#cook, .cook', 'zombiearmy.com': '.alert-info, .alert-warning, .alert-box', 'agefi.fr': '#AGEFI-CNIL', 'povezave.si': '#sxc_confirmation', 'buziak.pl': '#cffc', 'przygarnijkrolika.pl': '#sl-container', 'pamiec.pl': '.JSWrapper', 'sc-nm.si': 'body > table', 'automotorsport.se': '.alert-info, .alert-warning, .alert-box', 'ankama.com': '.ak-notification', 'nh-hotels.fr': '.politicaRewards', 'mangold.se': '#easyNotification', 'wisport.com.pl': '#DIVnasz', 'aigle-azur.com': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'hop.com': '#cnil-layer', 'gowork.pl': '#header_top > p', 'formation-industries-ca.fr': '#amcookieapproval, #amcookieapproval + hr', 'enimsport.hr': '#gb_sm_notification', 'satellite-evolution.com': '#sl-container', 'hsbc.fr': '.time_banner', 'eurosport.fr': '#container-notifications', 'krosmoz.com': '.ak-notification', 'notre-planete.info': '#npimsg', 'kingston.com': '.panel-slide-banner, #policy_message', 'moncomptesantepratique.fr': '#message-consentement', 'lek-med.pl': '#zgoda', 'edarling.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'nooblandia.com': '.modal-backdrop', 'ginekolog-darlowo.pl': '#zgoda', 'archiwa.gov.pl': '#message_box', 'tradycyjne.net': 'body > div[style*="bottom:0"]', 'tupperware.fr': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'hetlekkerstebiologischevleesgratisbijuthuisbezorgd.nl': '#overlay', 'port.ro': '.message-container', 'printklub.com': '.alert-info, .alert-warning, .alert-box', 'negrasport.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'dolce-gusto.pl': 'body > div:not([id]):not([class])', 'mikos.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'mkidn.gov.pl': '#pa', 'naturo.pl': '#simple-modal, #simple-modal-overlay', 'ideanord.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'southpark.nl': '#tout', 'micom-tm.com': '#sbox-window, #sbox-overlay', 'shink.in': '.alert-info, .alert-warning, .alert-box', 'zeroturnaround.com': '.hud', 'firstcallmotorbreakdown.co.uk': '#FISLCC', 'pewnykantor.pl': '#cu_bar', 'hth.dk': '.nb-message', 'entaonline.com': '#cl_notification', 'primonial.com': '#cnil-ban', 'termokubki.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'nathan.fr': '#inPopUp', 'idtgv.com': '#block-cnil', 'camfed.org': 'body > div:not([id]):not([class])', 'alltricks.fr': '#ruban-cnil, .alltricks-CnilRibbon', 'greetz.nl': '#notificationbarcontainer', 'knopienses.com': '#top', 'klublifestyle.pl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'myob.pl': '#warning-popup', 'bnri.com': '#modalBg, body > img', 'hi-tec.com.pl': 'body > div:not([id]):not([class])', 'klub-generalagrota.pl': '.JSWrapper', 'komfort.pl': '#intro_row, #kt-cookies', 'apneuvereniging.nl': '#ccm', 'pogledi.si': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'klimek-klus.com': 'body > div:not([id]):not([class])', 'unisys.com': '#AlertWrapper', 'csoft.co.uk': 'body > table:first-child td[align="center"] div:not([class])', 'digitalversus.com': '.alert-info, .alert-warning, .alert-box', 'springfrance.com': '.bannerContainer', 'thelawpages.com': '#terms', 'biomedical.pl': '#wcp', 'radioem.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'mercedesamgf1.com': '#simplemodal-container, #simplemodal-overlay', 'yachtbasen.com': 'body > .hidden-print', 'nba.com': '#nba_tos', 'bwin.es': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'gastro.dk': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'jyskebank.dk': '#outerLayer', 'bmw-motorrad.co.uk': '#browser-box', 'nfs.as': '#toast-container, .toast-container, #toast, .toast', 'da.nl': '#bpcInfoBar', 'danmarklaeser.dk': '#lbmodal-overlay, #lbmodal', 'nestle.fr': '#slidebox', 'aso.fr': '.confidentialite', 'blogs-r.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'kpn-wholesale.com': '#ccjf_container', 'dukefotografia.com': 'body > table[width="100%"]', 'rmn.fr': '.CT.Panel.ABS.xdnaosh0', 'huawei.com': '.ReadPolicy', '20minutes.fr': '.alerts_container, .alert-cnil', 'cio-online.com': '#dialog', 'subaru.no': '.kake', 'grandeavenue.fr': '#FixedBannerClientDiv', 'motomoto.pl': '#itlbox', 'habtium.es': '#alert-container', 'bluearan.co.uk': '#slider', 'indicator.fr': '.policy, #policy, .cpolicy', 'caritas.pl': '#cq-scroll-notification', 'imagempm.com': '.policy-label', 'bluecity.pl': '.inner_container + div', 'ccc.eu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'ultimas-unidades.es': '#stickyFooter, .sticky-footer', 'handicap-international.fr': '.block-cnil', 'siemens.co.uk': '#c-info', 'mforos.com': 'body > div[class][id]', 'tullverket.se': '.alertWrp, .tv2-js-cookie-alert', 'shoebedo.com': '.user_message_wrapper', 'becquet.fr': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'themudday.com': '.confidentialite', 'bareminerals.fr': '.brand_drawer', 'zien.tv': '#cbar', 'iblocklist.com': '#error', 'talerzpokus.tv': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'miyakostudio.com': '#WGnslzxyjv', 'radioluisteren.fm': '#cbar', 'helsebiblioteket.no': '#advert', 'home24.de': '.top-messages', 'aceprensa.com': '#anuncio', 'ligabbva.com': '#avisosusc', 'abp.nl': '#cwet', 'nelly.com': '#toast-container, .toast-container, #toast, .toast', 'omnibussimulator.pl': 'body > div > div[style*="position: fixed"]', 'degiro.es': '.transparent-bar-footer', 'kartonwork.pl': 'body > div > div[style*="position: fixed"]', 'tzetze.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', '1tegration.dk': '#layoutbox3', 'browarlubicz.pl': '.PamphletWidget .popup_anchor', 'off-road.pl': '#popslide', 'mininstitution.dk': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'ihg.com': '.mod-modal', 'fora.se': '.alert, #alert', 'biomerieux.fr': '#divDisclaimer', 'mediametrie.fr': '#cooks', 'motokiller.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'avery-zweckform.poznan.pl': 'body > div:not([id]):not([class])', 'unoform.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'regimedukan.com': '#banner_cnil', 'glos24.pl': 'body > div[style*="z-index: 999"]', 'suravenir.fr': '.popup-alert-notice', 'bik.pl': '#cmsgcont', 'tiddlywiki.org': '#bs-terms', 'lotnictwo.net.pl': '#navbar_notice_123', 'novasol-vacances.fr': '#disclosure-container', 'starmann.pl': '#info_container', 'environmentlaw.org.uk': '#nf_htmlonly', 'werkenbijstayokay.com': '#sliderWrap', 'sfinks.org.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'muziekweb.nl': '.bar-message', 'picturehouses.com': '.interim-banner', 'picturehouses.co.uk': '.interim-banner', 'memory-alpha.org': '.banner-notifications-wrapper', 'jcfrog.com': '#pjlrenseignement', 'ups.com': '#__ev_bc', 'skrypt.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'internity.es': '#cl-header', 'autowrzuta.pl': '#hideMe', 'macrojuegos.com': '#popupmsg_wrapper', 'glyphweb.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'zippy-music.net': 'w-div', 'lampen24.nl': '.dnt-dialog.has-confirmation.position-top', 'skatteverket.se': '.alertWrp', 'helloasso.com': '.fixed-notification', 'minmyndighetspost.se': '.alertWrap', 'bitmarket24.pl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'merixstudio.pl': '#message, .message', 'bbcknowledge.com': 'body > iframe', 'ottensten.dk': '#header > div > div[style*="padding:10px"]', 'marketing-news.pl': '#gbpl_oba', 'purinaonline.es': '#__afpc', 'captchme.com': '.msgAlert', 'paper.li': '#alerts', 'animaseurope.eu': '#warning-popup', 'stihl.co.uk': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'ngk.de': '#zwcc', 'ddb.fr': '#cnil, .cnil, #CNIL', 'princesrisborough.com': '.jpiwikOverlay, .jpiwikGrowler, .jpiwikMainButton', 'starbucks.pl': '#allow_message', 'raraavis.krakow.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'mobistar.be': '#mob-b2b-notifications', 'mammografia.elblag.pl': 'body > div[id]', 'agirc-arrco.fr': '#container-cnil', 'selexion.be': '#splash_footer', 'kinoteka.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'reformhaus-shop.de': '#terms', 'minameddelanden.se': '.alertWrap', 'mdlinx.com': 'body > div:not([id]):not([class])', 'wapteka.pl': '.coo', 'paulissenwitgoed.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'thagson.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'licytacje.komornik.pl': '#sign_up, body > div[style*="margin-top: 100px"]', 'mta.digital': '.notification-panel', 'kulturalnysklep.pl': '#ctl00_cq_divText', 'sprezyny-strozyk.pl': '.head-page-information', 'emagister.fr': '.fixed-footer', 'carrelages4000.fr': '.ays-front-message', 'ulabox.com': '.alert--warn', 'szukacz.pl': '#routerBox1', 'bloodhoundssc.com': '.ccwrap', 'malygosc.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'diete365.si': '#eu-container', 'leaseplanbank.nl': '#eu-modal, #eu-modal-overlay', 'aullidos.com': '.footer', 'hygena.fr': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'lesdelicesdorient.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'mpk.lodz.pl': '#stpdueckmsg', 'rendement.nl': '#smbv_splash', 'misteroutil.com': '#ocw_conteneur', 'cieem.net': 'body > div:not([id]):not([class])', 'kudika.ro': '#ictsuc_block', 'landrover.co.uk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'brouwland.com': '.notification-top', 'deklaracje.podatnik.info': '.p14-footer > div:not([class])', 'survey-remover.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'luxair.lu': '#backgroundPopup', 'citromail.hu': '.belep_warning', 'cloudsecurityalliance.org': '.csa_cn', 'clubhyundai.es': 'body > div[id][class]', 'wwf.gr': '#popupBg', 'biznes2biznes.com': '#stickynote2', 'cbr.nl': '#vale', 'iza.org': '#gaPopUp', 'suma.coop': '#sl-container', 'crocs.fr': '#intercept', 'mundosexanuncio.com': '#boxLegal', 'bfm.fr': '#layer_alert', 'avogel.dk': '.slideOutContainer', 'teletexto.com': 'body > table[cellspacing="1"]', 'itesco.cz': '.infoBarClosable', 'sizzle.co.uk': '.ng-toast', 'grenoble-inp.fr': '#cnil, .cnil, #CNIL', 'botrans.eu': '#c_tlo', 'easyritregistratie.nl': '#facybox, #facybox + .loading, #facybox_overlay', 'minigamers.com': '#popupmsg_wrapper', 'runinreims.com': '.confidentialite', 'ciudadano00.es': '#homepopup, .modal-backdrop', 'ipsos-space.com': '.modal-backdrop', 'bwin.fr': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'livescore.com': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'anni.si': '#sxc_confirmation', 'ogaming.tv': '.navbar-fixed-bottom', 'o-sta.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'cartezero.fr': '#hinweis', 'crocs.co.uk': '#intercept', 'fitzpatrickreferrals.co.uk': '#hellobar', 'xuletas.es': '#privacy_w', 'footbar.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'visionexpress.pl': 'body > div:not([id]):not([class])', 'monster.it': '#interMsgsW, #m-popup-softgate, .browserAlertHolder', 'pupilexpert.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'wyedeantourism.co.uk': 'body > div[style*="position: fixed"], body > div[style*="position: fixed"] + div', 'konkolnieruchomosci.pl': '.head-page-information', 'atoko.nl': '.xmenspace', 'prometheanworld.com': '.cp-extended-container.cp-display', 'netjetseurope.com': '.nj-header-prompt', 'otabletach.pl': '#cop', 'kikocosmetics.com': '.mod-notification', 'camaieu.pl': '#bottom-bar', 'starbucks.de': '.ui-dialog.cookieNotify, .ui-widget-overlay', 'wegetarianie.pl': 'td[align="center"][height="22"]', 'lechepuleva.es': '.general-dialog.yui3-widget.aui-component.aui-panel.aui-dialog.yui3-widget-positioned.yui3-widget-stacked, .yui3-widget.aui-component.aui-overlay.aui-overlaymask.yui3-widget-positioned.yui3-widget-stacked', 'moleskine.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'indicator.be': '.policy, #policy, .cpolicy', 'sklep-wadima.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'ysoft.com': '.first-time-alert', 'esf.lt': '.top_message', 'legalstart.fr': '.bottommessage', 'parkguell.cat': '#fixdiv', 'volkswagen.no': '#vwd4_m509', 'musica.com': 'body > table[bgcolor="#369AC5"]', 'dvdfr.com': '#dvdfrCnil', 'societegenerale.fr': '#toastCNIL', 'luszczyce.pl': 'body > div > div[style*="position: fixed"]', 'expansys.fr': '#closeableCountryWarning', 'digitenne.nl': 'body > div:not([id]):not([class])', 'coolors.co': '#modal-overlay', 'olavdelinde.dk': '.ParagraphModule', 'daf.com': '.page-overlay, .modal-backdrop', 'pepper.com': '#softMessages-list', 'trucoteca.com': '#cka', 'makingtracks-online.co.uk': '.message.fade', 'tv-zakupy.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'macquarie.com': '#alert-first', 'automovilespalma.es': '#ico_wrapper', 'ramboll.no': '.infoboxHolder', 'livescore.eu': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'interprojekt.pl': '#myModal, .modal-backdrop, .reveal-modal-bg', 'skysite.dk': 'body > table:not([class]), body > skrift > table[width="100%"]', 'fantasywrc.com': 'body > table:not([class])', 'auto-forum-roskilde.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'cabinetoffice.gov.uk': '.canvas', 'themeflood.com': '.gatewayContainer', 'sony.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'fitness24seven.com': 'body > div:not([id]):not([class])', 'budgetair.fr': '.notificationContainer', 'guiarepsol.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'locatetv.com': '.floatableBanner', 'kanpai.fr': '#f_r_e_e', 'elventero.es': 'body > div:not([id]):not([class])', 'sonera.fi': '.bottom-notifications', 'runinfo.nl': 'body > table td[height="22"][colspan="4"]', 'ruchwig.pl': 'body > div:not([id]):not([class])', 'infobip.com': '#cb', 'mydays.de': '#topbanner', 'motonotes.pl': 'body > div:not([id]):not([class])', 'nestle.es': '#__afpc', 'volkswagen.cz': '.vw5-statisticsOptBox', 'hardloopkalender.nl': '#interContainer, #interVeil', 'kranten.com': '#whatever', 'weber.dk': '.flash-info', 'famihero.com': '.hidden-mobile.hidden-tablette', 'cruzroja.es': '.alert-info, .alert-warning, .alert-box', 'kronofogden.se': '.alertWrap', 'bomgar.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'pis.org.pl': 'body > div:not([id]):not([class])', 'crocs.eu': '#intercept', 'bupl.dk': '#colorbox, #cboxOverlay', 'bordgaisenergytheatre.ie': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'seges.dk': '#vcc_container', 'multiplay.pl': '.inform', 'unicredit.it': '.clawbox-wrapper', 'rootear.com': '.c_i_container', 'noweprzetargi.pl': '#dcach', 'lawebdelprogramador.com': 'body > .wrapper.fontRegular', 'quer.pl': 'body > div:not([id]):not([class])', 'mp.pl': '#toptop', 'werkenbijvandoorne.nl': '.fancybox-overlay', 'komputerymarkowe.pl': '.ui-dialog.ui-widget', 'staibene.it': '#spot', 'novasol.hr': '#disclosure-container', 'bonnier.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'dmax.it': 'body > div:not([id]):not([class])', 'lernia.se': '.m006.opened', 'tnt.it': '.mfp-wrap, .mfp-bg', 'melty.fr': '#toasts', 'die-linke.de': '.disclaimer', 'indicator.nl': '.policy, #policy, .cpolicy', 'fellow.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'salonroman.pl': 'body > div:not([id]):not([class])', 'sseairtricity.com': '#welcome-notice', 'lequipe.fr': '.confidentialite', 'webd.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'pss-archi.eu': '#miam_div', 'placeralplato.com': '.c_i_container', 'lineameteo.it': '.cc_banner', 'lafi.fr': '.nota', 'flatme.it': '#ic', 'hotel-bb.com': '.ccwrap', 'freebees.nl': '.cc-overlay', 'davinotti.com': '#shadowbox_container', 'istockphoto.com': '.warning', 'sitedeals.nl': '#cb', 'mae.fr': 'body > .notify', '123partyshop.nl': 'body > div:not([id]):not([class])', 'tre.se': '.alert-bar', 'volkswagen.com': '#vwd4_m509, .system-notification', 'malmo.se': '#m-consent', 'letour.fr': '.confidentialite', 'paris.fr': '#notice_cnil', 'softpedia.com': '.jobnotice_cnt', 'ingdirect.it': '.topalertbanner', 'visitleevalley.org.uk': '#howdydo-wrapper', 'beppegrillo.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'pfron.org.pl': '.JSWrapper', 'vcast.it': '.cc_banner', 'euronics.it': '#note', 'enea.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'sunweb.dk': '#optoutbar, .optoutbar', 'apec.fr': '#messageTargetId div[id="/sites/cadres/messages/bloc1/cookie-warning"]', 'moneyou.nl': 'body > iframe[style*="position: fixed"]', 'nageurs.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'eweb4.com': '#clayer, #CLayer', 'dilactu.com': '#legcooki', 'snn.eu': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'pusc.it': '#pixelfabrica-cs-banner', 'parashop.com': '.newspar', 'farmerdating.dk': '#c-warning-container', 'airvpn.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'agroterra.com': '.advice.advertencia', 'pizzahut.co.uk': '.alert, #alert', 'panoramicearth.com': '#cklbox', 'doka.com': '.header > .hint', 'canarylive24.com': '.s16iframe', 'realtimetv.it': 'body > div:not([id]):not([class])', 'kacperkowalski.pl': 'body > div:not([id]):not([class])', 'farmacieaperte.it': '#warning-popup', 'elektrotop.pl': 'body > div:not([id]):not([class])', 'cyrillus.fr': '.stickybar', 'dunea.nl': '#firstTimePopup', '1stchoice.co.uk': '#scl', 'geekvida.it': '#bottom_container', 'allekoszyk.pl': '#allekoszyk > div[style*="position:fixed"] .ng-scope', 'powerflex.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'lifescan.be': '#warning-popup', 'unibet.be': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'foiegrasgourmet.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'nutrimuscle.com': '#messageBox', 'bitcomputer.pl': '#pp', 'forumcommunity.net': '.note, .jnote', 'trustbuddy.dk': '.alert-sitewide', 'trustbuddy.com': '.alert-sitewide', 'londontechnologyweek.co.uk': '.dhtmlx_modal_box.dhtmlx-confirm', 'thalesgroup.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'quelcoeurdelion.com': 'body > div:not([id]):not([class])', 'restaurant-lagriotte.fr': '.ays-front-message', 'couponnetwork.fr': '#alert_change', 'copytop.com': '#cnil, .cnil, #CNIL', 'ekskluzywna.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'elizawashere.nl': '#optoutbar, .optoutbar', 'teltab.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'nwglobalvending.dk': '#toast-container, .toast-container, #toast, .toast', 'forumfree.it': '.note', 'dialoguj.pl': '#announcement_1.announcement', 'fintro.be': '#notificationpanel', 'pueblos-espana.org': 'body > aside', 'sporto.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'rockwellcollins.com': 'body > center', 'semlerretail.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', '1001pneus.fr': '.topRelativeBanner', 'e-legnickie.pl': 'body > div[style*="left:0px"]', 'ondarock.it': '#bottom-banner', 'hirelocal.co.uk': '#itro_popup, #itro_opaco', 'fcarreras.org': '.BlockList.NoticesBox', 'irma.pl': 'body > div:not([id]):not([class])', 'corbisimages.com': '#stickyFooter, .sticky-footer', 'personnelsolutions.pl': 'body > div:not([id]):not([class])', 'creval.it': 'body > div:not([id]):not([class])', 'petite-frimousse.com': '.alert-info, .alert-warning, .alert-box', 'phonero.no': '.btm_footer', 'abruzzo24ore.tv': '._CL_main', 'homecinemamagazine.nl': '.opt-in', 'tourvoile.fr': '.confidentialite', 'bahnhof.se': '.top-line-block', 'sportowysklep.pl': 'body > div:not([id]):not([class])', 'skype.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'bes.co.uk': '#xyz', 'lmt.lt': '#cinfo_container', 'southwestcoastpath.com': '.roar-body', 'jal.com': '#JS_ciBox, #JS_ciBox_filter, #JS_ciBox_filter_iframe, #JS_ciBox_style', 'actiweb.es': '.widgets', 'domaindirect.dk': '#scw', 'transformers.com.es': 'body > div[id][class]', 'centrometeolombardo.com': '#cc_div', 'cz.nl': '#implicitWindow', 'cochranelibrary.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'optivoice.ro': '#lpl-overlay, #lpl', 'ganassurances.fr': '#gan_privacy', 'lindex.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'florajet.com': '.p_cookie', 'klockolandia.pl': 'body > div:not([id]):not([class])', 'biomerieux.pt': '#divDisclaimer', 'czasdzieci.pl': 'body > div:not([id]):not([class])', 'npis.org': '#ico_banner', 'ballerside.com': 'body > div:not([id]):not([class])', 'smhi.se': '.polopolyNotification', 'supersoluce.com': 'body > div:not([id]):not([class])', 'whatfontis.com': '#sticky-popup', 'filmowonline.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'magazynpracy.pl': 'body > div:not([id]):not([class])', 'masvision.es': '#lycok', 'sprzedam-auto.eu': '#elwico_top', 'devilpage.pl': 'body > div:not([id]):not([class])', 'laga.se': '.site-info-message', 'automobile.it': 'body > div:not([id]):not([class])', 'hertz.it': '#light-box-1', 'reverse-mag.com': 'body > div:not([id]):not([class])', 'belcompany.nl': '.cc_colorbox', 'elektrozysk.pl': 'body > div:not([id]):not([class])', 'wawel.krakow.pl': '#kuki', 'rijschoolgegevens.nl': '#vale', 'eyeonspain.com': '#cp', 'bnpparibas.fr': '.ID_mic_1562344', 'xombitmusic.com': '.c_i_container', 'thebanker.com': '#ftwelcomemsgbanner_c', 'oekais.com': '#legcooki', 'mol.pl': 'body > div:not([id]):not([class])', 'schneiderelectricparismarathon.com': '.confidentialite', 'bywajtu.pl': '#co15ie87a', 'rcs-rds.ro': '#sticky-popup', 'sealantsonline.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'zysk.com.pl': '#pageUpperInfo', 'tecnun.es': '#alertbar', 'invita.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'tesco.ie': '#cp', 'geovita.pl': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'photocite.fr': '#hamon', 'bettercallsaulfanartcontest.com': '#sp-nettrack', 'lafoirfouille.fr': '.stickybar', 'unibet.ro': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'ferpy.com': 'w-div', 'synsam.se': '.message-large', 'unibet.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'thegaptravelguide.com': 'body > div:not([id]):not([class])', 'meteorimini.info': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'xaa.pl': '#ic', 'bialystok.pl': '#top > a[href="/?page=cookies"], .activebar-container', 'lolesp.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'emipm.com': '.alert-info, .alert-warning, .alert-box', 'postbank.de': '#error-layer, .type-disclaimer', 'alltubedownloader.com': '#messagec', 'leo.pl': '.modal-backdrop', 'nexive.it': '.popup-view-content', 'juzaphoto.com': '.s_bluebox', 'wallconvert.com': '#clayer, #CLayer', 'telesystem-world.com': '#cover, #cookies', 'cloudcorner.com': '.static-banner', 'saturn.pl': '#site_container > section:not([id])', 'mabknives.co.uk': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'baks.com.pl': '.flash-msg-new', 'pni.ro': '#m0c-ctnr', 'bestsellers.eu': '#site-optin-header', 'eshop.nl': 'body > div:not([id]):not([class])', 'desktopwallpapers4.me': '#clayer, #CLayer', 'holding-graz.at': '.blockOverlay', 'axiatel.com': '#stickyFooter, .sticky-footer', 'odpovedi.cz': 'body > div:not([id]):not([class])', 'telia.com': '#x-core-toast-message-div', 'logicconcept.eu': '#mc_top_bar', 'radiotuna.com': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'publicsenat.fr': '.top-message', 'orbit-computer-solutions.com': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'cuisineaz.com': '.cazLightbox.bottom-right', 'mountain.es': '#messagebar', 'dictzone.com': '#ac', 'chromarks.com': '.plg_system_eprivacy_modal, #sbox-overlay', 'qrzcq.com': 'body > div:not([id]):not([class])', 'game-guide.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'skoda-amager.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'ufe.org': '#privm_message_id', 'zwitserleven.nl': '.top_cookiewall, .top_cookiewall ~ div[style*="position: absolute"]', 'maison.com': 'body > div:not([id]):not([class])', 'stoeger.net': '.sqs-announcement-bar', 'gore-ljudje.net': '.blockUI', 'winsornewton.com': '#PECR', 'alcar.nl': '#uniqName_1_0, #dijit_DialogUnderlay_0', 'cyanmod.pl': '.cm-message, .ipsfocus_globalMessage', 'abundancegeneration.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'praktijkinfo.nl': '#smbv_splash', 'denkinesiskemur.dk': 'body > div:not([id]):not([class])', 'moneygram.co.uk': '#maskLayer', 'wtflp.com': 'body > div:not([id]):not([class])', 'flugladen.de': '.hermit_terms', 'superbwallpapers.com': '#clayer, #CLayer', 'mjm.com.pl': 'body > div:not([id]):not([class])', 'lca.pl': '#popupDiv', 'phys.org': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'estos.de': '#cpol-banner', 'rosja.pl': '#cookframe', 'offsklep.pl': 'body > div:not([id]):not([class])', 'fass.se': '#id3, .supportbar', 'spreaker.com': '#ly_flash_message', 'basketsession.com': 'body > div:not([id]):not([class])', 'foro.testudinae.com': 'body > div[id][class]', 'whichwatch.pl': '#top_messagebar', 'auxmp.com': '#container-1492', 'unibet.net': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'soundtravels.co.uk': '#evCN', 'adams.es': '#overbox3', 'doffgarden.co.uk': 'body > div:not([id]):not([class])', 'linuxportal.pl': 'body > div:not([id]):not([class])', 'musicoff.com': '#bodyarea + div', 'modeoutlet.nl': '#popup', 'girovaghi.it': '#linea_arancio_home', '9maand.be': '.flashup', 'musicplayon.com': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'physics.org': '#alerttop', 'blogfree.net': 'body > .note', 'borelioza.vegie.pl': '#menubar > center', 'browar.biz': '.page > div > div[align="center"][style*="color: gray"]', 'elreidelmar.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'allview.pl': 'body > div > div:not([id]):not([class])[style*="position: fixed"]', 'ents24.com': '#growlcontainer', 'xe.gr': '.google_diaclaimer', 'intesasanpaolo.com': '.blockUI', 'strefawalut.pl': '#polityka, .polityka', 'groupe-sii.com': '#alerta', 'seansik.top': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'nowapapiernia.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'newhallhospital.co.uk': '.popupbox', 'papersera.net': '#light, #fade', 'nolotiresvendelo.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'delafermealassiette.com': '#system-message, #system-messages, #system-message-container', 'exposition-osiris.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'phoenixcinema.co.uk': '#myModal, .modal-backdrop, .reveal-modal-bg', 'dzidziusiowo.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'badumtss.net': 'body > p[style]', 'marcopanichi.com': '#ckmp_banner', 'jiba.nl': '#optoutbar, .optoutbar', 'abdlfactory.com': '#trumpet_message', 'excite.it': '#message-box', 'albal.fr': '#cTopBg', 'jotti.org': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'ikalender.se': 'body > center > table[style*="F0F0F0"]', 'contratti.biz': '._CL_main', 'megadyskont.pl': '#topInfo4', 'milan7.it': 'body > div:not([id]):not([class])', 'ogradzamy.pl': 'body > div[id*="cookie"]', 'digisport.ro': '#sticky-popup', 'autodeclics.com': 'body > div[id*="cookie"]', 'gedachtenvoer.nl': '#WGqnbtlvrr', 'mactronic.pl': 'body > div[id*="cookie"]', 'szybko.pl': '#toast-container, .toast-container, #toast, .toast', '0calc.com': '.alert-info, .alert-warning, .alert-box', 'comunemalcesine.it': '.policy, #policy, .cpolicy', 'polomarket.pl': 'body > div:not([id]):not([class])', '4g.nl': 'body > div:not([id]):not([class])', 'les-champignons.com': '#pub', 'postacertificatapec.it': '.ck-banner', 'lifescan.fr': '#warning-popup', 'beko.es': '.sayfaIcDiv .row300', 'airliquide.com': '#modal4crisis', 'acuvue.fr': '#announcement', 'calciobalilla.com': '#virtualscript_injected', 'centrumpiwowarstwa.pl': 'body > div:not([id]):not([class])', 'housingjustice.org.uk': 'body > div:not([id]):not([class])', 'geekvida.pt': '#bottom_container', 'dafmuseum.nl': '.page-overlay', 'renault.be': '.ccbar, .cclist', 'janssen.pt': '#warning-popup', 'viapresse.com': '#alerts', 'oskolaf.pl': '#modal-info, .modal-backdrop', 'rohde-schwarz.com': '#rusportalnotification', 'eplan.ch': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'trovit.de': '#welcomebar-wrapper', 'ciam.pl': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'ilmeteo.net': '.tCook', 'superstart.se': 'body > div:not([id]):not([class]):not([style])', 'gogigantic.com': '.header-alert-bar', 'disabiliforum.com': '#bottompolicy', 'discounto.de': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'nowoczesna.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'prezzoforte.it': '#bottombar', 'toysrus.pt': 'body > div:not([id]):not([class])', 'grdf.fr': '#p_p_id_GFRcommonPage_WAR_GFRportlet_', 'rete-tel.it': 'body > div .container + div:not([id]):not([class])', 'emploisdutemps.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'paivyri.fi': 'body > center > table[style*="width:100%"]', 'mall.hu': '.cpr-bar', 'tcpdf.org': '.content > div:not([id]):not([class])', 'studiorolety.pl': '.content-head-information', 'dimensione-bauhaus.com': '#div_img_banner', 'morewords.com': '.coo', 'marekjuraszek.pl': '#ml_wrapper', 'feuvert.pl': '#info', 'euromaster.nl': '#cf_permission', 'netcarshow.com': '#cNag', 'fussball.de': '#content-block', 'smargherita.it': 'body > div:not([id]):not([class])', 'tele.fi': '.attention-notice', 'netvaerkslokomotivet.dk': '#ck_row', 'gov.it': '#zf--alerts-panel', 'theweathernetwork.com': '.woahbar', 'theweathernetwork.co.uk': '.woahbar', 'xtampa.es': '.fullwidth-notice', 'codziennikfeministyczny.pl': '#bazinga-muffin-container', 'v6.se': '#layer', 'newtoncompton.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'krefel.be': 'w-div', 'box10.com': '#cwarn-box', 'monster.ie': '#interMsgsW, #m-popup-softgate, .browserAlertHolder', 'ecoledirecte.com': 'div[ng-click="storeCNILCookie()"]', 'costaclub.com': '.site-message', 'stamboomonderzoek.com': 'body > form', 'vinklisse.nl': '.policy_notification', 'kalendarzswiat.pl': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'motor-talk.de': '#b-cc', 'kleiderkreisel.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'iom.pl': '#cooker', 'svethardware.cz': '#cfooter', 'grandecinema3.it': '#dlgCookies, #mask', 'zmm-maxpol.pl': '#hideMe', 'karllos.tv': '.ipsMessage_error', 'cionfs.it': '#bottompolicy', 'lultimaribattuta.it': '.pcl', 'muzyczneradio.com.pl': '#legalLayer', 'filmon.com': '#design-switcher', 'verzamelaarsjaarbeurs.nl': '#WGbeshrkgj', 'recordplanet.nl': '#WGbeshrkgj', 'comicsbox.it': '#bottom-banner', 'landrover.de': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'bagigia.com': '.bica-content', 'genickbruch.com': 'body > div[align="center"] > table[width="100%"]', 'pse.si': '.mfp-wrap, .mfp-bg', 'saltogpeber.dk': '.push-up[data-id="sp-cookie"]', 'professionisti.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'linkem.com': '#bottom-banner', 'marathonworld.it': '#myModal, .modal-backdrop, .reveal-modal-bg', 'beautyprive.it': '#bottombar', 'jobenstock.com': '#info', 'stubhub.de': '#banner-container', '360qpon.it': '#footerSlideContainer', 'unibg.it': '#avviso', 'jotul.com': '.confidentialite', 'bricorama.fr': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'auto-data.net': '#outer > div:not([id]):not([class])', 'lerugbynistere.fr': 'body > .wrapper > div:not([id]):not(.class)', 'nabidky-prace.cz': '#cb', 'chespesa.it': '#myModal, .modal-backdrop, .reveal-modal-bg', 'feltringeometragianni.it': '#lbx_fade, #lbx_light', 'nieuwsbronnen.nl': '.DcaSmallCornerContainer', 'szarakomorka.pl': '#DIVwelcome', 'gdfsuez.ro': '#tmp_legal_bar', 'hetweeractueel.nl': '#WGavpdgvbc', 'about.com': '#ribbon-notification', 'indicator.es': '.policy, #policy, .cpolicy', 'lexus.fr': '.l-disclaimer', 'tvsvizzera.it': '#tvsvizzera_disclaimer', 'tastekid.com': '.tk-Footer-cc', 'kcineplex.com': '#cop', 'architekturaplus.org': '.sqs-announcement-bar', 'regionalobala.si': 'body > .floating', 'tvfreak.cz': '#cfooter', 'significados.com': '.clm', 'medarbejdernet.dk': '#modalLayer', 'radioline.co': '#noty-cnil', 'qr.cz': '#eu-fck', 'bonnier.se': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'leyprodatos.es': '#cs_informationBar', 'otticalotito.com': '.boxy-wrapper, .boxy-modal-blackout', 'acuvue.it': '#announcement', 'stelcomfortshop.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'la-cosa.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'sallyx.org': '.topInfo', 'robertozeno.com': '.pcookie', 'horarios-de-apertura.es': '#cb', 'zilinak.sk': '#cua', 'obs-edu.com': '#sst_container', 'tecnalia.com': '#NLC_textLayer, #NLC_opaqueLayer', 'megawrzuta.pl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'noiz.gr': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'wowza.com': '#ck_pu', 'xombitgames.com': '.c_i_container', 'litmind.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'hafici.cz': '#fixedBar', 'cinetelerevue.be': '#coo', 'tmz.com': '#legalbar', 'onkiro.com': '#msgid1', 'lmc.org.uk': '#smsg', 'peerates.net': '#cookit', 'budgetair.nl': '.notificationContainer', 'venicemarathon.it': '#cp-cont', 'atv.be': '.sticky-queue', 'subitanostream.it': '#subita', 'studiog29.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', '4webs.es': '#divbottom', 'seoestudios.com': '#top', 'filmon.tv': '#design-switcher', 'mall.cz': '.cpr-bar', 'pyrex.fr': '#popajax', 'willemsefrance.fr': '#easyNotification', 'bikemap.net': '.messages.temporary .info', 'daf.nl': '.page-overlay, .modal-backdrop', 'eservice.pl': '#zwcc', 'discountoffice.nl': '#bottomscreen', 'vijfhart.nl': '#WGatsiopge', 'ingenieriaeinnovacion.com': '#overbox3', 'loquo.com': '#global_msg', 'horaires-douverture.fr': '#cb', 'opentot.nl': '.cc_banner', 'motauto.com': '.boxy-wrapper, .boxy-modal-blackout', 'galerialimonka.pl': '#cop', 'santander.nl': '#pOptin', 'salt.aero': '#cci-infobox-contener', '0rechner.de': '.alert, #alert', 'boggi.it': '.toast-bottom-full-width', 'saperesalute.it': '.alert, #alert', 'mamikreisel.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'palatine-am.com': 'body > div:not([id]):not([class])', 'uctovani.net': '#message_wrap', 'mangaclassics.mboards.com': 'body > div[id][class]', 'eurojackpot.it': '.popup-view.modal', 'santandertrade.com': '#c-message', 'blanco-germany.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'freo.nl': '#freo_overlay', 'hifi.lu': 'w-div', 'timing.pt': '.policy, #policy, .cpolicy', 'ukpressonline.co.uk': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'materassi.tv': '#cook, .cook', 'noddies.be': '#layover_cookie_layover, #layover_alpha', 'swiat-agd.com.pl': 'body > div:not([id]):not([class])', 'jednoslad.pl': '#arvlbdata > p', 'sunday.dk': 'div[class^="cookies__container"]', 'tekaskiforum.net': '#footer_message', 'fiatklubpolska.pl': '#navbar_notice_1.restore', 'slovenskenovice.si': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'polet.si': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'szlakpiastowski.com.pl': '.head-page-information', 'lainox.it': '.background_overlay, #overlay_form', 'traninews.it': '#dxm_ckScr_injected', 'textgame.de': '#containerInfoBox', 'ubertive.com': '#ndwr_cl_js', 'opel-sklep.com': '#simple-modal-overlay, #simple-modal', 'filminstitutet.se': '.info-banner', 'cci.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'rokkitchentools.com': '.bModal', 'ipartworld.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'hyrabostad.se': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'soselectronic.cz': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'sunweb.nl': '#optoutbar, .absolute-dialog', 'tinyshop.it': '#msgdlg-ck', 'streetfoodamilano.it': '.blockUI', 'gassaferegister.co.uk': '#actionThree', 'chateauxhotels.com': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'fnac.com': '#alerts', 'proversi.it': '#c-agree', 'yesgolive.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'ao.de': '#aoMessageHolder', 'mclaren.com': '.messages', 'skyonline.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'nuits-sonores.com': '#cnil, .cnil, #CNIL', 'luminaire.fr': '.dnt-dialog.position-top', 'distritopostal.es': '#ecl-container-box', 'soeren-hentzschel.at': '#storage-notice', 'harvester.co.uk': '.notification--notification', 'bunkerworld.com': '#userprompt', 'toscana.it': '#cookPol, #banner-overlay-top-page, #myCookie', 'dartmouthpartners.com': '.cm-container', 'dmdesignverona.it': '.policy, #policy, .cpolicy', 'sallyexpress.com': '#bottom_bar', 'nas-forum.com': '.ipsMessage_error', 'trovit.ie': '#welcomebar-wrapper', 'northamptonshire.gov.uk': '#dhtmlwindowholder', 'redcafe.net': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'fundedbyme.com': '.pageNotification', 'the-eps.org': '#wsjpecr', 'blasapisguncuevas.blogcindario.com': 'body > div[id][class]', 'sweetbikecompany.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'autokennzeichen.info': '#cmsg', 'bikestacja.pl': '#cndiv', 'justcause.com': '.comp-notification', 'intrage.it': '#previewBox', 'daxon.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'latiendadirecta.es': '#cuerpo > div:not([id]):not([class]):not([style*="width:1000px"])', 'ingemecanica.com': '.encabez', 'fxsolver.com': '#tframe', 'ns.nl': '.r42CookieBar, #r42CookieBg', 'infiniti.nl': 'body > .c_128', 'infiniti.de': 'body > .c_128', 'proximus.com': '.reveal-modal-bg, .reveal-modal', 'zoover.de': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'nkd.com': '#DIV_1', 'camb-ed.co.uk': '#simplemodal-container, #simplemodal-overlay', 'bethesda.net': '#visorAlert, #jive-system-message, visor', 'suomi24.fi': '.s24_cc_banner-wrapper', 'digimanie.cz': '#cfooter', 'moviepilot.de': '.notification', 'theparkgame.com': '#footer', 'bancatransilvania.ro': '.ava_2', 'etrend.sk': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'scyzoryki.net': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'congenio.de': '#hinweise', 'peckamodel.cz': '.remarketing_allow', 'dvd-guides.com': '.rstboxes', 'spaarbaak.nl': '#cb-notification', 'eksiegarnia.pl': '#kuki', 'tuasaude.com': '.clm', 'hotmag.pl': '#wysuwane', 'dailyedge.ie': '#notify-container', 'blauarbeit.de': '#messages-container', 'email.it': '#FrstCksDiv, body > div:not([id]):not([class])[style*="background: #000000"]', 'hotcleaner.com': 'body > div > span, body > div > span + input', 'securange.fr': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'unicef.it': '#wck, .wck-modal-backdrop', 'futuratelecom.es': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'e-lawresources.co.uk': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'arsludica.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'apertodomenica.com': '.sqrdprivacy', 'futbolenlatv.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'rast.hr': '#blokDiv', 'hotnews.ro': '#avert', 'livescores.com': '.info-msg', 'zaplo.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'ic2montecchio.gov.it': '.page > div:not([class])', 'quantum.com': '.qcconcent', 'spotwod.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'svetmobilne.cz': '#cfooter', 'digitalfernsehen.de': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'zelena-kava.info': '#eu-container', 'asthmaclic.fr': '#notifybar', 'behobia-sansebastian.com': '#NLC_textLayer, #NLC_opaqueLayer', 'greeceandroid.gr': '#system-message, #system-messages, #system-message-container', 'akcneletaky.sk': '#infoCoo', 'recevoirlatnt.fr': '#cnil, .cnil, #CNIL', 'schreibliesl.de': '#euc_box', 'paysdelaloire.fr': '.tx-pnfcnil', 'poppyshop.org.uk': '.blue-band.row.hide', 'ingyen-van.hu': '#figyu', 'steffen-hanske.de': '#note', 'infiniti.co.uk': 'body > .c_128', 'firstsave.co.uk': '.msgBox p', 'wios.gov.pl': '.a-footer', 'hrportal.hu': '#lableca', 'pksszczecin.info': '#cooPInfo', 'mercedes.fr': '#PageContainer > div[style*="position"]', 'alibio.it': '.bottomBarMessage', 'miplo.pl': '.error.rounded', 'liferewards.be': '#colorbox, #cboxOverlay', 'zeligbananas.com': '.banner, #banner', 'carglass.dk': '#noticedivwrap', 'economias.pt': '.clm', 'mortoglou.gr': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'drivepad.fr': '#wrapper > div[style]:not([id]):not([class])', '6corde.it': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'brentfordfc.co.uk': '.optional_module.profile_summary', 'hola.com': '#barraFlotante', 'music-zone.eu': '#wpfront-notification-bar-spacer', 'creavea.com': '.creavea-banner-cookie-consent, .creavea-container-cookie-consent', 'csp.edu.pl': '.JSWrapper', 'horizonentrepreneurs.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'gardinia.pl': 'body > div[id*="cookie"]', 'the42.ie': '#notify-container', 'hostgreen.com': '#obal', 'hpobchod.sk': '#hpmGmtT', 'vas.com.pl': 'body > div:not([id]):not([class])', 'uni-max.cz': '.innerWrap', '3rei.info': '#mydiv', 'buduj.co.uk': '#SiteAnouncement', 'federacja-konsumentow.org.pl': '#cu_bar', 'bancomparador.com': '#cuki', 'e-zaposlitev.com': '#sxc_confirmation', 'misandria.info': '#navbar_notice_2', 'amaterky.sk': 'body > div[style]:not([id]):not([class])', 'castroelectronica.pt': 'body > div[style*="height"]', 'taste-inspiration.nl': 'body > div', 'bmw-motorrad.gr': '#browser-box', 'medicalxpress.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'aberdeenplumberservices.co.uk': '#FISLCC', 'previ-direct.com': '.alert, #alert', 'kodilive.eu': '#claw', 'areatour.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'bauhaus-nl.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'lifestylenatural.com': '#coverlay', 'softfully.com': '#wpfront-notification-bar-spacer', 'vda.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'userbenchmark.com': '#notForm', 'pasientreiser.no': '.banner, #banner', 'alltime-stars.com': '#cp-wrap', 'kinonh.pl': '#div_ac', 'novatech.com.pl': '#cooki', 'grosseleute.de': 'body > div[style*="000"]', 'alpentherme-ehrenberg.at': '#cinfo', 'face4job.com': '.vex-theme-bottom-right-corner', 'damm-legal.de': '#wpfront-notification-bar-spacer', 'mixrad.io': '.region-banner-notice', 'ikanobank.de': '#termsofuse', 'st-ab.nl': 'table[width="941"] td[height="38"][width="100%"]', 'newspedia.it': '#icc_message', 'mensup.fr': '#cookie6876', 'chromeactions.com': '.cst', 'montura.it': 'body > div:not([id]):not([class])', 'spaziorock.it': '#bottom-banner', 'mobil-1.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', '48poland.com': '#gbpl_oba', 'misdaadnieuws.com': '#WGfkkstaae', 'venetobanca.it': '.popup-view.yui3-widget.yui3-widget-positioned', 'viacavallotti44.it': '#bk7', 'supremecard.se': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'gratisfaction.co.uk': '#grey-bar', 'adslofertas.net': '#overbox', 'spielfilm.de': '.alert, #alert', 'cityfood.hu': '#foodfood_cookie', 'runmap.net': '.messages.temporary', 'acara.cz': 'body > div:not([id]):not([class])', 'der-privatanleger.de': 'body > .panelstyle', 'vinted.cz': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'autoitscript.com': '.cc_container', 'oskommune.no': '.container-floating-notifications', 'allomarie.fr': 'body > div:not([id]):not([class])', 'scuolerimini.it': '#upper_div', 'nano-carbon.pl': 'body > div:not([id]):not([class])', 'stratoserver.net': '#note_container', 'rct-3.org': '.footerBar', 'gefran.com': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'radiosetv.com': '.fck', 'ffonts.net': '#sticky-popup', 'asd.pl': 'body > div:not([id]):not([class])', 'amexshopsmall.co.uk': '.overlay-screen', 'miastograf.pl': '.ui-widget, .ui-widget-overlay', 'rehabilitace.info': '.cm-message', 'happyhomedirect.fr': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'bankofengland.co.uk': '.container-floating-notifications', 'ihrzeszow.ires.pl': '.PopupOverlay, .Popup', 'top100station.de': '#keks', 'daswetter.com': '.tCook', 'controcampus.it': '#Controcampus_cookie_advice', 'soft112.com': '#s112_accept_cookies', 'uk-spares.com': '#toolbar', 'giappo.com': '#normativa', 'grandpalais.fr': '.bloc-notifications', 'iban.de': '#wrapperdiv', 'periodensystem.info': '#cmsg', 'renaultshop.fr': '.ccbar, .cclist', 'inoreader.com': '.landing_promo_banner_top', 'antyradio.pl': '.giodoContainer', 'melegatti.it': '#SITE_ROOT + div .s23', 'novasol.it': '.disclosure-box', 'lafrancaise-am-partenaires.com': '#toast-container, .toast-container, #toast, .toast', 'sorelfootwear.co.uk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'planetbio.si': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'synsam.no': '.message-large', 'linnunrata.org': 'body > div:not([id]):not([class])', 'armaniexchange.com': '#SplashPageContainer', 'rentl.io': '#scroll-popup', 'oebv.at': '.pn_notebox', 'rankomat.pl': '#rankomat-cookies-div', 'foto.no': '#allwrapper > div[style]', 'bonappetit.hu': '#foodfood_cookie', 'orbitbenefits.com': '.orbit-cookie-information', 'lovela.pl': 'body > div:not([id]):not([class])', 'neue-freunde-finden.com': '#DC', 'getgreekmusic.gr': '.spu-box', 'interno.it': '#panel', 'almacen-informatico.com': '#Informacion', 'dailybest.it': '#G_info', 'postandparcel.info': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'vienormali.it': '.info', 'geekvida.es': '#bottom_container', 'metro2033.pl': 'body > div:not([id]):not([class])', 'az-europe.eu': 'body > div:not([id]):not([class])', 'kvalster.se': 'noindex #y', 'spacechain.org': '#confirmOverlay', 'ampya.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'marykay.sk': '.gigyaNotify', 'fondazioneannakuliscioff.it': '.ts_privacy_adv', 'citroen-club.it': '#informationbar', 'gadu-gadu.pl': 'body > div:not([id]):not([class])', 'pictetfunds.fr': '#pfcb_banner, #pfcb_placeholder', 'tobias-bauer.de': '.fixed-note', 'wander-community.de': '#DC', 'ildesertofiorira.org': '#system-message, #system-messages, #system-message-container', 'happy-spots.de': '#cono', 'origin.com': '#truste-banner, origin-global-sitestripe', 'moneyou.at': 'body > iframe[style*="position: fixed"]', 'istotne.pl': 'header.top', 'firefoxosdevices.org': '#storage-notice', 'dearbytes.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'elon.se': '.avalanche-message', 'florexpol.eu': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'netonnet.se': '.topInfo', 'inelenco.com': '#hid', 'princeofwales.gov.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'mediafax.ro': '#ZTRToolFloatFla3B, #ZTRDbgActivateMask', 'calcolostipendio.it': '.bold_text', 'decrypterlenergie.org': '#alert-mention', 'eider.com': '.CnilKit', 'adicional.pt': '#overbox3', 'vende-tu-movil.com': '#qtip-growl-container', 'lateliermoderne.fr': '#headband', 'transferypilkarskie.com': 'body > div:not([id]):not([class])', 'demaiogroup.it': '#normativa', 'lesfurets.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'essilor.fr': '#mentions', 'akademia-piwa.pl': '#polityka_tekst', 'apdmarket.pl': '#popup', 'cartests.pl': '.messi', 'czescidobmw.pl': '#container > div[onclick]', 'dealertata.pl': 'body > div:not([id]):not([class])', 'domena.pl': '#alert_container_id', 'zosiaikevin.pl': '#novem-slot', 'zdrowemiasto.pl': '#_mo', 'zdm.poznan.pl': '#cContainer', 'wydawca.com.pl': '#kuki', 'wirtualis.pl': '#info_container', 'webelite.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'tluszczak.pl': '#ml_wrapper', 'simba.com.pl': '#cContainer', 'silesiasports.eu': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'red.org': '#cftpeuc', 'area.it': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'metairie.fr': '.popup-notification', 'nieuwbouw-aalsmeer.nl': 'body > iframe', 'sapo.tl': '.bsu-v2-ntfs', 'hlntv.com': '#terms-of-service-container', 'syngenta.com': '#ctl00_IdCIPUserControl_pnlCIPContainer', 'elrellano.com': '#aviso', 'tunngle.net': '#delirioBiscottoso', 'cancellisrl.it': '.stickynote', 'cinemacity.cz': '#layer_2_0_0', 'traningspartner.se': '.header .top', 'alatest.it': '.identity-noticebar-content', 'lstsoft.com.pl': 'body > div:not([id]):not([class])', 'jordbruksverket.se': '#svid10_7824f13e14ed0d5e4dcbbcf0', 'sunexpress.com': '.toast-bottom-right', 'shazam.com': '.policy-label', 'santander24.pl': '#pageUpperInfo', 'subtitles.to': '#cxcx', 'uabstyle.it': '.action-sheet-backdrop, .backdrop', 'skoda-fredericia.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'vw-service-middelfart.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'supermarchesmatch.fr': '#fevad', 'vergelijk.nl': 'div[data-bind*="PageLocationLinksBehavior"] > div[data-bind*="PopupBehavior"]', 'delightmobile.co.uk': '.new_wrapper_top', 'meteoblue.com': '.successMessage', 'marbaro.it': '#marbaro_cookielaw_banner', 'z-ciziny.cz': '.euc', 'eset.com': '.oks_pp_msgs', 'tork.pl': '.headerMessage', 'szkoleniabhp-partner.pl': '#messagePopup', 'swietnafirma.pl': '#cMess', 'legnica.pl': '#popupDiv', 'studiokopiowania.pl': '#cooPInfo', 'strefa.fm': '.cookskom', 'steplowski.net': '#cop', 'radioer.pl': 'body > div:not([id]):not([class])', 'przyspiesz.pl': '#container_vsm', 'przygodymisiabu.pl': 'body > div:not([id]):not([class])', 'platinumoil.eu': '.head-page-information', 'benefitsystems.pl': '#myForm > .aPad', 'oswiecimskie24.pl': 'body > div:not([id]):not([class])', 'opteam.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'e-gratka.info': '#pojemnik', 'gda.pl': '.shotimoo', 'marykay.pl': '.gigyaNotify', 'labottegatoscana.pl': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'kupbilet.pl': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'parp.gov.pl': '#howdydo-wrapper', 'krosnocity.pl': '#polcia', 'kolejeslaskie.com': '#c_m', 'klopsztanga.eu': '#kukisy', 'karmy.com.pl': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'jakipupil.pl': 'body > div:not([id]):not([class])', 'ingservicespolska.pl': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'hss.pl': 'body > div:not([id]):not([class])', 'herba-farm.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'hemp.pl': 'table[width="1166"][bgcolor="gray"]', 'getem.pl': '#polityka, .polityka', 'olympusclub.pl': '#navbar_notice_192', 'zarabianie24.net': 'body > div:not([id]):not([class])', 'fandemonium.pl': 'body > div:not([id]):not([class])', 'expozdrowie.pl': '#alert_popup', 'eteacher.pl': '#info_container', 'epapierosylodz.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'ekoserwis.poznan.pl': '.content-head-information', 'ekosalus.pl': '.welcomebar', 'e-swietokrzyskie.kielce.eu': '#belka_dolna', 'e-fajek.pl': 'body > div:not([id]):not([class])', 'darksiders.pl': '#callout', 'centrumpilkarskie.pl': '.jqibox', 'archiwumallegro.com.pl': '#polityka, .polityka', 'amundi.pl': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'landrover.it': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'd-fault.nl': '#overlay', 'unicredit.ro': '#pop-down', 'cliccalavoro.it': '#cook, .cook', 'greenredeem.co.uk': '#pecr_summary', 'groj.pl': '#gbpl_oba', 'onvz.nl': '.overlayContainerWebsite', 'aquienvoto.org': '#overbox3', 'smtvsanmarino.sm': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'babyrocks.de': '.cc_container', 'marmottons.net': '#ck', 'fascicolo-sanitario.it': '#id1', 'teletec.it': '#cookieNewTeletecMainSitoInfo', 'playme.it': '#msg-close', 'folkuniversitetet.se': '.alert, #alert', 'ganesharistoranteindiano.it': '.alertBox', 'wrigleys.co.uk': '#rpcm', 'dexigner.com': '#cwarn', 'zblogowani.pl': '#ci-info-box', 'petpharm.de': '#hinweise', 'flikflak.com': '.message-container', 'superfilm.pl': '#box_info', 'rallydev.com': '#rally-marketing-optin-cookies', 'propertyweek.com': '.dhtmlx_modal_box.dhtmlx-confirm', 'netonnet.no': '.alert-info, .alert-warning, .alert-box', 'lawyersonline.co.uk': '.notify2-container', 'partipirate.org': '#addonpp-pjlrenseignement', 'aol.co.uk': '#alerts-policy', 'ouedkniss.com': '#informations_box_2', 'uncensoredtranny.com': 'body > div:not([id]):not([class])', 'transilien.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'dein-wohngeldrechner.de': '.cc_container', 'radioplay.se': '#reactRoot > div > div > div > div[style*="FFF3CC"]', 'store-opart.fr': '#ocw_conteneur', 'allianz.hu': '#idAllianzCookiePolicy', 'kicktipp.de': '.messagebox', 'dakar.com': '.confidentialite', 'iens.nl': '.notificationWarning', 'ts.fi': 'body > div:not([id]):not([class])', 'sklep-muzyczny.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'etfsecurities.com': '.fixedBar', 'scanbot.io': '.sb-banners--cookie', 'protergia.gr': '#shadow', 'icakuriren.se': '.alert-info, .alert-warning, .alert-box', 'taketv.net': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'viva.gr': '.cc-wrapper', 'chemicalize.org': '#cxn-cc-wrap', 'nlyman.com': '#toast-container, .toast-container, #toast, .toast', 'antalis.co.uk': '#overlay', 'isathens.gr': '.activebar-container', 'sodexopass.fr': 'body > .banner', 'sudtours.nl': '#optoutbar, .optoutbar', 'zaplo.pl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'sauramps.com': '.cnil-popin', 'urban-rivals.com': '.alert, #alert', 'zgierz.pl': '.ui-widget, .ui-widget-overlay', 'mistercocktail-loisirs.fr': '#slidebox', 'interfood.hu': '#ifood_cookie', 'osmose-fitness.net': '.ays-front-message', 'csl-computer.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'gamespilot.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'glucholazy.pl': '#layer9', 'zoover.nl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'monese.com': '.moneseCookies', 'metropolitanlife.ro': '#acceptCookieMeg, #acceptCookieMegLineBreak', 'electan.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'messageboard.nl': 'body > div[style*="999999"]', 'poxilina.com.pl': '#capa', 'devexpert.net': '#note', 'monavislerendgratuit.com': '.policy, #policy, .cpolicy', 'avanzasa.com': '#ico_banner', 'riminiinformatica.it': '#icc_message', 'yakult.it': '#custom-bottom-banner', 'budapest-card.com': '#cwarn', 'unifrance.org': '.headerInfos', 'visitcosenza.it': '.lightface', 'scutt.eu': '#pojemnik', 'msc.com': '.reveal-modal-bg', 'bellababy.ie': '#dialog', 'guess.eu': '#toast-container, .toast-container, #toast, .toast', 'svensktnaringsliv.se': '#warning', 'umu.se': '.umuCookieMain, .notification--disclosure', 'hkr.se': '#c-info-box.show', 'mercateo.nl': '#header-popup-info', 'bresciamobilita.it': '.cn-wrapper', 'karawankenhof.com': '#coo', 'tipsmidler.dk': '#lbmodal-overlay, #lbmodal', 'udlodningsmidler.dk': '#lbmodal-overlay, #lbmodal', 'adobe.com': 'body > .message', 'onemomentmeditation.com': '.fhp', 'ortsdienst.de': 'body > div:not([id]):not([class])', 'altfi.com': '.fixedbottom', 'prevac.eu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'eurosport.de': '#container-notifications', 'ukmot.com': '.csent', 'pagellapolitica.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'hpmarket.cz': 'body > div[style*="FFFFB4"]', 'beko.com': '.sayfaIcDiv > .row300', 'lifemobile.co.uk': '#myModal, .modal-backdrop, .reveal-modal-bg', 'pretty52.com': '.mzbt-notice-wrapper', 'mygame.co.uk': '#footer ~ div[id]', 'burlingtonbunker.co.uk': '#revzo_widget_wrap', 'biallo.de': '#cchinweis', 'hankooktire.com': '.top_ep_wrap', 'efax.fr': '.stickyFooter', 'po-sloveniji.com': '#cookN', 'burg.biz': '.body-mask', 'orszak.org': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'galeriamalta.pl': '#info', 'vandijk.nl': '#trackingOverlay', 'professionalbatterychargers.com': '#nscmsboxboxsimple', 'kuchnianastrojowa.blogspot.com': '#cookieChoiceInfo ~ div[id] > div[style*="position: fixed"]', 'borotalco.it': '.ccp-banner', 'support4doctors.org': 'body > div:not([id]):not([class])', 'biodiv.be': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'larousse.fr': '.ui-widget-overlay, .ui-dialog[aria-describedby="popinInfoCNIL"]', 'tv5.org': '.h_signalzone_layer', 'vlt.se': '#p_ciCont', 'voici.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'lt.se': '#p_ciCont', 'headliner.nl': '#displayWrap, #ccontrol_popup, #displayWrapCC', 'nynashamnsposten.se': '#p_ciCont', 'forumplay.pl': '#notices', 'grandix.nl': '#popup, #overlay', 'recycle-more.co.uk': '#pecr_summary', 'qualityseonatural.com': '#overbox3', 'skoda-brondby.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'bleacherreport.com': '.privacy_notice', 'basilicasanzeno.it': '.policy, #policy, .cpolicy', 'spalensky.com': '#w_notice', 'spindox.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'intertraders.eu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'ants.gouv.fr': '#popup-consent', 'ziarelive.ro': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'rodenstock.com': '.background-petrol-cookie', 'iss.it': 'body > .beta', 'austrian.com': '.cop', 'techxplore.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'pasdecalais.fr': '#cnil, .cnil, #CNIL', 'teogkaffespecialisten.dk': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'barents.no': '.container-floating-notifications', 'easycruit.com': '#ecoverlay', 'wagrain-kleinarl.at': '#cks_overlay', 'touristpath.com': '.GGC3VRYMP', 'landrover.cz': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'biedronka.pl': '.qucki-box', 'curioctopus.it': '#cookcont', 'apogeum.net.pl': 'body > div:not([id]):not([class])', 'hattrick.co.uk': '#TB_window, #TB_overlay', 'uk-oak.co.uk': '#cc-conf', 'divoitalia.it': '#module3', 'nasiljudi.hr': '#footer', 'finefish.cz': 'body > div:not([id]):not([class])', 'limango.pl': '.floating_notification', 'vanvlietcontrans.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'br-automation.com': '#messenger', 'hetscheepvaartmuseum.nl': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'kabar.pl': 'body > .blockMsg', 'texoleo.com': 'body > .hidden-xs', 'kommune.no': '.container-floating-notifications', 'swann-morton.com': '#easyNotification', 'dentisti-italia.it': '.di-banner', 'openjob.it': '#toast-container, .toast-container, #toast, .toast', 'zeelandhome.nl': '.onderbalk', 'radioplay.dk': '#reactRoot > div > div > div > div[style*="FFF3CC"]', 'adtriboo.com': '#messages', 'amazonaws.com': '#avert', 'ecodallecitta.it': '#consenso', 'mester.hu': '#clayer, #CLayer', 'lesportecles.com': '.alert-info, .alert-warning, .alert-box', 'larepublica.es': '#galletas', 'fineartprint.de': 'body > div:not([id]):not([class])', 'autosjbperformance.fr': '.cekomeadsbottom', 'b-travel.com': '#fb-cd', 'aurorashop.it': '#myModal, .modal-backdrop, .reveal-modal-bg', 'irph.es': '#overbox3', 'lediomedee.it': '.clmessage', 'downsleepingbag.co.uk': '#dontshowagain_adpC', 'socialeurope.eu': '#om-footer-sleek-optin', 'planetofsuccess.com': '.cc_container', 'ciclotte.com': '#bootcooker', 'redbullcanyoumakeit.com': '#red-bull-cookie-notification', 'freedoflondon.com': '.ui-widget, .ui-widget-overlay', 'edilvetta.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'fabricadetablouri.ro': '.uk-alert', 'artuk.org': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'arguedas.es': '#barra', 'txinzer.com': '#NLC_textLayer, #NLC_opaqueLayer', 'cpsa.co.uk': '#ib3_cc', 'chordify.net': '#koekie', 'avalon.me': '#stickyFooter, .sticky-footer', 'pbkik.hu': '.alert-info, .alert-warning, .alert-box', 'gtagames.nl': '.ipsBox_container, .ipsBox_container + div', 'sen360.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'klm.nl': 'body > iframe[style*="fixed"]', 'radiofama.com.pl': 'body > div:not([id]):not([class])', 'eena.pl': '#whole_page_loader', 'izimobil.si': '#promoTb div[style*="color:white"]', 'obabaluba.it': 'body > div[style*="810"]', 'propertywire.com': '#cp_container', 'tp24.it': '#barra', 'affaronissimo.it': '#af-cw-box', 'sato.fi': '#user-consent', 'sma-france.com': '#tracker-banner', 'brobygning.net': 'body > div:not([id]):not([class])', 'aptekafortuna.pl': '#cook, .cook', 'orliman.pl': '.c-info', 'camerastuffreview.com': '.pweb-bottombar', 'aiglife.co.uk': '.policy, #policy, .cpolicy', 'ebatt.si': '#sxc_confirmation', 'iit.it': '#messageOuter', 'tuttosexyshop.it': 'body > div:not([id]):not([class])', 'opengapps.org': '.mdl-snackbar', 'red-by-sfr.fr': '#CkC', 'texxas.de': '#texxas-cookie-accept', 'ouest-france.fr': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'usatoday.com': '.alerts-manager-container', 'atg.se': '#alert-container, .notice__info-info, .alert--info', 'hellokids.com': '#HKnotify', 'cc-montfort.fr': '#info_message', 'alkohole.poznan.pl': '#contBanner', 'seasaltcornwall.co.uk': '.global-promotion', 'erboristeriamagentina.it': '#blultpdfbanner', 'curs-valutar-bnr.ro': '#info_bottom', 'w3logistics.com': '#w3l-cookiebox', 'brabantzorg.net': '#divFirstVisit', 'deutschebank.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'svenskaspel.se': '.js-message-box', 'baginton-village.org.uk': '#message, .message', 'janssennederland.nl': '#warning-popup', 'schulstoff.net': '#ckkasten-container', 'biglotteryfund.org.uk': '.localisationBar', 'shizofrenija24x7.si': '#warning-popup', 'actionforme.org.uk': '.afme_cookie', 'slks.dk': '#lbmodal-overlay, #lbmodal', 'maggiore.it': '.snap-popup-overlay, .box-snap-popup', 'jajco.pl': 'div[id*="n-cookies-notification"]', 'marbodal.se': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'dlapacjenta.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'vsd.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'disconnect.me': '#privacy-policy', 'podrozerowerowe.info': '.appriseOverlay, .appriseOuter', 'filmempfehlung.com': '#fe > div[style*="fixed"]', 'americanairlines.fi': '.alert-global', 'mondoconv.it': '#CokCon', 'werder.de': '.js-slide-in', 'brieffreunde.org': 'body > div:not([id]):not([class])', 'basiszins.de': '#wrapperdiv', 'cebit.de': '.notifier.is-top-fixed', 'unibet.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'catalunyacaixa.com': '#politica', 'jdrp.fr': '#jdrp_cookie_notice', 'firearms-united.com': 'body > div:not([id]):not([class])', 'snp.nl': '.snp-cookiebar', 'f2p.com': '#CN', 'wedotechnologies.com': '.notification-general', 'ao.com': '#aoMessageHolder', 'senoecoseno.it': '#dcb-black-screen', 'gam.com': '#gamCookieNotice', 'compteurdelettres.com': '.rssincl-content', 'baseplus.de': '#agb_area', 'slwstr.net': '.sqs-announcement-bar', 'expansys.es': '#closeableCountryWarning', 'adomik.com': '.sqs-announcement-bar', 'electronique-mag.com': '#alert_trk', 'gyldendal-uddannelse.dk': '#tempDiv', 'tge.com.pl': 'body > div:not([id]):not([class])', 'allianz.de': '.banner, #banner', 'tattoomania.cz': 'body > div:not([id]):not([class])', 'kriwanek.de': '#system-message, #system-messages, #system-message-container', 'autotitre.com': '#global > div[onclick]', 'balslev.dk': '#lbmodal-overlay, #lbmodal', 'joomeo.com': '#c-policy', 'tantfondant.se': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'happycare.cz': '.SiteMessage', 'mercedes-benz-clubs.com': '#cp-wrap', 'kleiderkreisel.at': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'apartmanija.hr': '#site_nt', 'chordbook.com': '#cbeu_container', 'bezirk-oberbayern.de': '.tracking-box-wrap', 'maltairport.com': '#cookthis', 'abandomoviez.net': '.alert-danger', 'fbackup.com': '#fbackup_accept_cookies', 'sachsen-anhalt.de': '.lsa-privacy-alert', 'trattorialatellina.it': '.peek-a-bar', 'epuap.gov.pl': '#specialbox-info', 'carfacto.de': '#b-cc', 'anisearch.com': '.urgent-msg', 'sportfondsen.nl': '#zwemmen-optin-header', 'carner.gr': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'manetti.com': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'whiskyreview.nl': 'body > div[id]:not(#sitepicker):not([class]):not(#footer)', 'justaway.com': '#bannerTop', 'digienergy.ro': '#sticky-popup', 'bblat.se': '#p_ciCont', 'interhyp.de': '#data-protection__layer', 'digitel.sk': 'td[height="35"][bgcolor="#CCFFCC"], td[height="35"][bgcolor="black"]', 'appdynamics.fr': '.announcement-bar', 'needrom.com': '#cookie_needrom', 'fitbitsemideparis.com': '.confidentialite', 'nissan.si': '#ckContainer, #ckBg', 'ridewill.it': '#footerCk', 'unitedresistance.eu': '.infobox', 'barracuda.com': '.alert-tertiary', 'alipaczka.pl': '#bottom-charm', 'pclooptvast.nl': 'body > div[id]:not(#websitecontent):not([style]):not([class])', 'techlegal.es': '#icc_message', 'bretagnepalettesservices.com': '.ays-front-message', 'dentonet.pl': '#cpolicy_wrap', 'armedangels.de': '.notice-home', 'birdfood.co.uk': '#setup_notice', 'pani-teresa.com.pl': '.head-page-information', 'cifec.es': '#fixdiv', 'viralagenda.com': '#viral-footer', 'vinted.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'pictetfunds.com': '#tracking-message', 'paysafe.com': '#notify', 'oalley.fr': '#CGU', 'dacter.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'stiridecluj.ro': '#acn_cook', 'bekowitgoed.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'na.se': '#p_ciCont', 'hth.se': '.nb-content', 'salon404.pl': '#jqmAlert', 'alatest.nl': '.identity-noticebar-content', 'femmeactuelle.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'joueclub.fr': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'kinderspiele-welt.de': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'aicanet.it': '.popup-view', 'forncaltia.com': '#kopageBar', 'menhdv.com': 'body > div:not([id]):not([class])', 'mitosyleyendascr.com': '#icc_message', 'allocadeau.com': '#allocadeau-cookies-lightbox', 'confartigianato.it': '#ssspu-wrapper', 'prvikvadrat.hr': '.modal, .modal-backdrop', 'binck.nl': 'body > iframe', 'krovni-nosaci.hr': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'rugby-league.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'elettrocasa.it': '.bottomBarMessage', 'albertsteinhauser.at': '.wppn-wrapper', 'firstdraftnews.com': '.welcome-message', 'cuisineactuelle.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'pan.bg': '.coloralert', 'solarenvi.cz': '#cs_bx', 'e-food.hu': '#efood_cookie', 'pmi.com': '#lightbox-panel', 'l-bank.de': '.JM_mod-M-8-0', 'one2xs.com': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'ingame.de': '#ingameCookie', 'ccsalera.com': '#overbox3', 'backup4all.com': '#backup4all_accept_cookies', 'mesonic.com': '.maintd td[style*="background:#999"]', 'mercateo.fr': '#header-popup-info', 'kombit.dk': '#lbmodal-overlay, #lbmodal', 'neopost.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'webzdarma.cz': '#fixedBar', 'mklr.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'enerpoint.it': '#container > div[style]', 'framar.bg': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'grammata.es': '.alert-info, .alert-warning, .alert-box', 'pharmacie-giphar.fr': '#toast-container, .toast-container, #toast, .toast', 'geonovum.nl': '.geonovum_cookie_popup_main_wrapper', 'goodsstall.co.uk': '#hideme', 'cafassoefigli.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'helsingborg.se': '.alert-info, .alert-warning, .alert-box', 'supernordicskipass.it': '.infPr', 'natura-nuova.com': '.bottomBarMessage', 'dormezbien.fr': '#cnil, .cnil, #CNIL', 'qbasic.at': '#ckkasten-container', 'nestlehealthscience.fr': '#nhsCookiePopUpBar', 'axa.sk': '.axa-cookies', 'giorni-orari-di-apertura.it': '#cb', 'managerzone.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'auto.at': 'table[width="98%"][bgcolor="#666666"]', 'mondogdr.com': '.elan42-disclaimer-banner', 'tecnoempleo.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'fosse-biologiche.it': '._CL_main', 'srebrnystyl.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'garbo.ro': '#ictsuc_block', 'sapsalis.gr': '.termsnote', 'paf.com': '.mo-notification-bar-fixed', 'dipe.es': '#overbox3', 'motortests.de': '#b-cc', 'dermquest.com': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'sconfini.eu': '#sbox-window, #sbox-overlay', 'jimbeam.com': '.ng-scope[data-jb-message-cookie]', 'unibet.eu': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'docteurclic.com': '#disc', 'coulisse.de': 'body > div:not([class]):not([style]):not(#content-wrapper):not(#search-overlay):not([id*="fancybox"])', 'technopolis.bg': '#infomessage', 'barnebys.se': '#cookieList', 'elektrykapradnietyka.com': '#epnteucookie', 'mediaworld.it': '#bannerPolicy', 'pandora.net': '.ui-widget, .ui-widget-overlay', 'ulianavalerio.it': '.alert-info, .alert-warning, .alert-box', 'komunitnicestiny.cz': '.alert, #alert', 'cyclingarchives.com': '#header > div[id*="zxcw"]', 'destinyghosthunter.net': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'auditoriaswireless.net': '#adk_acblock', 'zs1mm.edu.pl': 'body > div:not([id]):not([class])', 'fowtcg.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'alcoholics-anonymous.org.uk': '#cook, .cook', 'forumlekarza.pl': '#cpolicy_wrap', 'ncplusgo.pl': '.js-messages', 'denic.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'autogasnord.it': '.pre-privacy-container', 'moly.hu': '#eu', 'budgetair.it': '.notificationContainer', 'infiniti.fr': 'body > .c_128', 'lotus-planete.com': '#lotus-cookies-wrap', 'docdroid.net': '.ui-pnotify', 'ouchpress.com': '#clayer, #CLayer', 'blume.net': '#overbox3', 'salidzini.lv': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'aegonalapkezelo.hu': '#AEGONCookieLine', 'monptivoisinage.com': '#com-message, #bandHead', 'tvgids24.nl': '#cbar', 'theinvergordonarchive.org': '#CQ', 'hertz247.de': '#overlayBox_3', 'meteo-service.nl': '#popup-container', 'valher.si': 'body > table', 'gutscheinz.com': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'zahradnikrby.cz': '#cs_bx', 'v10.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'hesperia.com': '.politicaRewards', 'hlidacipes.org': '#hlidacipes_cookies', 'vanlien.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'novasol.at': '.disclosure-box', 'affecto.fi': '.privacy-policy-container', 'datatypes.net': '#cw', 'jobmensa.de': '.usermessage', 'bladi.info': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'regalideidesideri.it': '.centered-container .msg', 'teemo.gg': '.alert, #alert', 'dnevnik.si': '#app-messages', 'einbuergerungstest-online.eu': '.alert-info, .alert-warning, .alert-box', 'todotejados.com': '#kopageBar', 'avtomobilizem.com': '.c-notice', 'cinquantamila.it': '#privacy_advisor', 'englishgratis.com': '#privacy_box_container', 'bwin.it': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'cc.com': '#balaMainContainer, #geoblockmsg', 'sexomercadobcn.com': '.hidder, .disclamer', 'glamouronline.hu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'dlink.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'runtastic.com': '.ember-view > .text-center', 'nordschleswiger.dk': '.TopAdvertising-Content-Wrapper > .Seeems-CollapsibleArea', 'heim-und-haustiere.de': '#hinweise', 'librogame.net': '#system-message, #system-messages, #system-message-container', 'concordiaubezpieczenia.pl': '.head-page-information', 'farmacosmo.it': '#bottombar', 'ttela.se': '.ttelcGRCookieContainer', 'carmenthyssenmalaga.org': '#divAlertas', 'orgoglionerd.it': '.irpclw', 'gmsystem.pl': 'body > form', 'therapia.cz': '.CC_wrap', 'tagsistant.net': '#sbox-window, #sbox-overlay', 'rhp.nl': '#cn-wrapper', 'blikk.hu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'helbling-ezone.com': '#statusBar', 'andyhoppe.com': '#cmsg', 'faqin.org': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'hyperxgaming.com': '#policy_message', 'mtv.com': '#balaMainContainer', 'geoprostor.net': '#REALISCCBAR', 'biallo.at': '#cchinweis', 'uni-kl.de': '#cookie-uni-kl', 'fotoluce.it': '.modal, .modal-backdrop', 'merlin.pl': '.merlin-legal-note', 'tani-laptop.com': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'parcoappiaantica.it': '.moduletable-privacy-popup', 'volvo.com': '.headerNotification', 'geekhebdo.com': '.cookiegeek', 'essilorpro.co.uk': '#mentions', 'bouwformatie.nl': '#stickyHeader', 'vttour.fr': '#coo_aut', 'smartphonehoesjes.nl': '#bar', 'itwayvad.com': '#light', 'tupperware.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'rapidonline.com': '#DisplaySiteSplitMsgDiv > div > div + div', 'nousmotards.com': '.csa-popup', 'game-ready.com': '.ly-cookie', 'nite-ize.eu': '.blockMsg', 'promib.pl': '#cInfo', 'southwestcoastpath.org.uk': '.roar-body', 'draagle.com': '#nonsense_root', 'pinterac.net': '#toast-container, .toast-container, #toast, .toast', 'cafe-royal.com': '.browsehappy', 'dancovershop.com': '#bottom-overlay', 'notariado.org': '.alert-info, .alert-warning, .alert-box', 'senarrubia.it': 'body > div:not([id]):not([class])', 'relpol.pl': '#powiadomiony', 'el-klinikken.dk': 'body > div:not([id]):not([class])', 'nobelbiocare.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'uni-max.hu': 'body > .innerWrap', 'wowhead.com': '#gdpr-script', 'forbot.pl': '#ForbotCookies', 'netcomposites.com': '#sliding_popup', 'crocs.nl': '#intercept', 'crocs.de': '#intercept', 'swm.de': '.mod-029', 'polipc.hu': '#sutik_elf', 'centrum-broni.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'bouyguestelecom.fr': '#js-hfc--nc', 'luxicarshireltd.co.uk': 'body > div[data-rule-type]', 'wearewater.org': '.messages', 'agendapompierului.ro': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'alsacechampagneardennelorraine.eu': '.cm-message', 'nextstop2035.se': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'teradata.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'homejardin.com': 'td[valign="top"] > p[style*="text-align:justify"]', 'flyordie.com': '#eucc', 'sickbrain.org': '#popslide', 'rychlyrande.cz': '.cok', 'convert-my-image.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'eplan.de': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'vedian.io': 've-cookies', 'adeccomedical.fr': '.bannerContainer', 'raikaritten.it': '.bottom_note', 'vanitybamboo.com': '#div_c', 'bareminerals.co.uk': '.pop_curtain, .brand_drawer', 'alectia.com': '#NavigationHeader > .smart-object[style*="white"]', 'thedutchprepper-webshop.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'arsys.fr': '#myNotification', 'flitsers.nl': '#cc_overlay', 'grupazywiec.pl': '#apollo-bar', 'abt-s.pl': '#myModal, .modal-backdrop, .reveal-modal-bg', 'telefonoassistenza.net': '#window', 'ako-uctovat.sk': '#message_wrap', 'loewe.tv': '#tx_dscnotifier', 'professioneparquet.it': '#system-message, #system-messages, #system-message-container', 'loterieplus.com': '.ck_popin', 'ostry-sklep.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'gogo.nl': '#optoutbar, .optoutbar', 'fotozine.org': '#kukijima', 'martinerhof.at': '#cks_overlay', 'bmw-hebergement.fr': '#xpr_banner', 'praktiker.bg': '#infomessage', 'adp.com': '#__ev_bc', 'jung.de': '#language-redirection-layer', 'reezocar.com': '.ck_ad', 'tysiagotuje.pl': 'body > div > div:not([id]):not([class])[style*="fixed"]', 'svetaudia.cz': '#cfooter', 'filmin.es': '.alert-fixed', 'numericable.mobi': '.toastComponent', 'bordersdown.net': '#message-1', 'diyaudio.pl': '#navbar_notice_11', 'kelloggs.fr': '#kelloggsfrance', 'lexus.cz': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'euromaster.de': '#lytic_layer, #lytic_askbox', 'xilo1934.it': 'body > div:not([id]):not([class])', 'mediatheque.sainthilairederiez.fr': '#info_message', 'belteriajtok.hu': '#clayer, #CLayer', 'wabeco-remscheid.de': '#myModal, .modal-backdrop, .reveal-modal-bg', 'ardes.bg': '.c-msg', 'villamadruzzo.com': '.tpca', 'tma-winding.com': '#system-message, #system-messages, #system-message-container', 'eaux-de-normandie.fr': '#notifybar', 'regardecettevideo.fr': '#cookcont', 'mcclic.com': '#dialog', 'musicworks.it': '#infromativap', 'sachsen.de': '#xcm-bar, .ld_container', 'lonelyplanet.com': '.alert, #alert', 'sabrain.com': '.message-panel[data-notice-id="brainscookienotice"]', 'matoga.com.pl': 'body > div:not([id]):not([class])', 'q-workshop.com': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'eplan.co.uk': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'swarovskioptik.com': '#cpp-wrapper', 'voiceanddatazone.com': '#popup, .blocker', 'expogatemilano.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'comhem.se': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'kreuzwort-raetsel.net': 'body > div:not([id]):not([class])', 'norwegian.com': '.alert, #alert', 'jobdiagnosis.com': '#benefits', 'unibet.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'repostuj.pl': '.jumbotron', 'visit.brussels': '.confirm', 'variart.org': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'maccosmetics.it': '.bt-content', 'gewoonvegan.nl': '#tracking', 'lopolis.si': '.ui-widget, .ui-widget-overlay', 'jardiner-malin.fr': '#global > div[style*="fixed"]', 'nowlive.eu': '#overlayPopup1, #opacity', 'lucachiesi.com': '.wpcp', 'ukuleleorchestra.com': '#ewcm2_container', 'applesencia.com': '.c_i_container', 'postrabbit.pl': '.alert-info, .alert-warning, .alert-box', 'maklarhuset.se': 'body > .uk-panel-box', 'mediaspeed.net': '.cp_overly, #cpContainer', 'liceoquadri.gov.it': '.pasw2015cookies', 'promotionbasis.de': '#c_test_box', 'novasol.dk': '#disclosure-container', 'tu-dresden.de': '#privacy-statement', 'whitehorsedc.gov.uk': '.ccwrap', 'tan.io': '#panel_11 .widget.plgText', 'pw.edu.pl': '.lb-overlay, .lb-wrapper', 'mgr.farm': '#mgr_cookie_notice', 'como-se-escribe.com': '#pck', 'vfl.dk': '#vcc_container', 'compassionuk.org': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'android.com': '.dac-toast-group', 'elephorm.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'gmp.police.uk': '.alert, #alert', 'vidahost.com': '#vh-cookie-terms', 'nissan.be': 'body > .c_128', 'rp-online.de': '.park-snackbar-cookies', 'omnitel.lt': '.oop-notification', 'lafucina.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'mobil.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'hardloopschema.nl': '#interContainer, #interVeil', 'uktaxcalculators.co.uk': 'body > p', 'ahlens.se': '.ah-warning', 'opfingen.info': '.fixed-note', 'comprovendolibri.it': '#CVLR_AdvPrivacy, #CVLR_AdvPrivacy + table', 'teradata.co.uk': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'almamarket.pl': '#claw', 'g5tiregala.it': '#n1_popup', 'toborrow.se': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'retromarket.club': '#doc_injected', 'snp.org': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'eplan.hr': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'gunof.net': 'body > p', 'puigusa.com': '#lycok', 'nlite.it': '#system-message, #system-messages, #system-message-container', 'gautier.fr': '#block-lchuser-user-preferences', 'hdw.me': '#clayer, #CLayer', 'jnjmedical.it': '#bottom-banner', 'rosacea-info.de': '.infobox', 'koakdesign.info': '#barre', 'anticocaffetoti.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'vespaonline.de': '.footerBar', 'oriocenter.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'deutsche-bank.de': '#wt-confirm-layer.wt-confirm-layer', 'azimutyachts.com': '.floatFooter', 'motorola.com': 'div[style*="z-index: 9999999; position: fixed; bottom: 0px"]', 'motorola.it': '#Privacy_banner', 'alternativeto.net': '#bottomNotifier', 'air-cosmos.com': '#cnil, .cnil, #CNIL', 'resultados-futbol.com': '#privacyPolicy', 'partyflock.nl': '#ckcnsnt', 'tec.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'wolfram.com': '#eucd-wrapper', 'pampling.com': '#mensaje_aprobacion', 'vg247.it': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'datocapital.com': '#ckp', 'smac-casa.it': '.ccp-banner', 'hosch-kleber.hu': '#cinfo', 'aegon.hu': '#AEGONCookieLine', 'biosystems.es': '#aspnetForm > div[style*="fixed"]', 'forumwodne.pl': 'body > div[id] > div[style*="fixed"]', 'piqd.de': '.pq-flash_message-outer_wrap', 'gangnam.lv': '#menu_side', 'binck.fr': 'body > iframe', 'eco07.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'pikore.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'gafas.es': '.header_cookie_gfs', 'ahc-forte.de': '#icc_message', 'transcend-info.com': '#legal_notice', 'femepa.org': '.modal-backdrop', 'merkurmarkt.at': '.site-notice__message', 'mojcomp.net': '.q-ico-container', 'ragazzon.com': 'body > div:not([id]):not([class])', 'amnesia.es': '#barra', 'myshiptracking.com': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'adelgazar.net': '#overbox3', 'siegwerk.com': '.popover', 'bilka.com.pl': '#mod99', 'solagrifood.com': '#ecl', 'activexsoft.es': 'body > div[class*="msg-cookies"]', 'doku5.com': '#msgWindowX', 'archotelaix.com': '.ays-front-message', 'domain.com': '#alertBar', 'zoiglapp.de': '#boxes', 'infiniti.hu': 'body > .c_128', 'vinted.fr': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'dslr-forum.de': '#mbmcookie', 'theerlangelist.com': '#privacy_note', 'suzuki2wheels.be': '.policy-window', 'aviva.es': '#ventanaFlotante', 'soundsgood.co': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'peugeotscooters.be': '.policy-window', 'ravanson.pl': 'body > div[style*="cookies"]', 'konkurrensverket.se': '.alert-info, .alert-warning, .alert-box', 'thecoupleconnection.net': '#anon_mode', 'casaleggio.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'globalassicurazioni.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'gamesgrabr.com': '.alerts-wrap', 'webzeen.fr': '.footer-fixed-bottom', 'bitpalast.net': '.con', 'schoolandvacation.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'maxifoot.fr': '#mfcok1', 'nh-collection.com': '.politicaRewards', 'payoneer.com': '.gb-popup', 'lavorar.it': '.headerline2', 'mtech.pl': '#content_jquery_bottom', 'sansebastianturismo.com': '#NLC_textLayer, #NLC_opaqueLayer', 'jomalone.co.uk': '#bt_notification', 'slate.fr': '#cnilFooter', 'bensonandclegg.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'czarymary.pl': '.ek-bar', 'vera.com.pl': '.head-page-information', 'ncplus.pl': '.js-messages', 'eestiloto.ee': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'mccruddens-repair.co.uk': 'body > div[data-rule-type="notification"]', 'bristoltransmissions.co.uk': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'audi-hilleroed.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'companycheck.co.uk': 'footer .news-bar', 'buzzfil.net': '#popup1', 'zoomalia.com': '.cnil_container', 'majestic.co.uk': '#ens_overlay_main', 'idealing.com': '#idealing-cookie-consent-wrapper', 'tuandco.com': '.jnotify-container', 'simpelkoken.nl': '#colorbox, #cboxOverlay', 'pavillonfrance.fr': 'body > div:not([id]):not([class])', 'afcwimbledon.co.uk': '.optional_module.profile_summary', 'getagift.pl': '#header > div[style]', 'mojapogoda.com': '#IR', 'uzdrowisko-wieniec.pl': '#statement', 'deshgold.com': '.rltcp_information_cookie, .rltcp_overlay', 'woolrich.eu': '.firstvisit', 'fratinardi.it': '.wrapper > div[id*="cookie"]', 'casadei.com': '.firstvisit', 'camcom.it': '#fine', 'camcom.gov.it': '#box', 'portalodo.com': '.alert, #alert', 'leaandperrins.co.uk': 'body > div:not([id]):not([class])', 'burn-out-forum.de': '.ifancybox-overlay-fixed', 'pemp.pl': '#divCiacho', 'meteomedia.com': '.woahbar', 'letour.com': '.confidentialite', 'viking-tuinmachines.be': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'swiat-laptopow.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'monsterdoodles.co.uk': '#msgBox', 'hurtowniateleinformatyczna.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'zivotvistote.sk': '.fixed-note', 'maggi.com.my': '.agreebox, .transparent', 'hannovermesse.de': '.user-notes-notification', 'bestwestern.fr': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'gla.ac.uk': '#cp', 'pavinviaggi.com': '#otp-privacy', 'ipodnikatel.cz': '.footer-banner-container', 'boy.ltd.uk': '#FISLCC', 'uta.com': '#hinweisoverlay', 'vivatechnologyparis.com': '#content > .full > .fixed', 'synpeka.gr': '#trumpet_message', 'informationisbeautiful.net': '#iib-cookies', 'happygaia.com': '#mCCForm', 'hss.com': 'body > div > .center_block', 'nauka.gov.pl': '.ui-notificationbar.top', 'monchio-delle-corti.pr.it': '#system-message, #system-messages, #system-message-container', 'groupeelectrogene.com': '#cFrame', 'guideastuces.com': '#agreeMsg', 'myairbridge.com': '#terms', 'privatesportshop.fr': 'body > div:not([id]):not([class])', 'nk-m2017.fr': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'wodna-kraina.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'persgroepwielerspel.nl': '#st_popup, #st_overlay', 'aleokulary.com': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'princehenryofwales.org': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'mots-croises.ch': '#askCk', 'adamequipment.com': '#fl_menu', 'aleteia.org': '#popup-policy-cont', 'atlasdepoesia.blogcindario.com': 'body > div[id][class]:not(#math_parentdiv):not(#pagina)', 'promet.si': '#REALISCCBAR', 'hang-sluitwerk.nl': '.ui-widget, .ui-widget-overlay', 'is.nl': '.ccdiv', 'bonnejournee-by-up.fr': '.bandeau', 'pichost.me': '#clayer, #CLayer', 'eknjiga.hr': '.popupbox', 'discoverholland.com': 'body > .popup', 'whoisanna.com': '.popup-background, .popup', 'heythroppark.co.uk': '#pecr_summary', 'headfirstbristol.co.uk': '#cook, .cook', 'wsj.com': '.BannerMessage', 'elternchecker.de': '.cc_container', 'vectorizer.io': '.alert, #alert', 'bmw-motorrad.de': '#layerWrapper', 'penzionist.info': '#sbox-window, #sbox-overlay', 'aerlingus.com': '.ng-isolate-scope[cookie-content]', 'practicalphysics.org': '#alerttop', 'riomare.it': '.ccp-banner', 'wallpaperup.com': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'hypemerchants.nl': '.body-innerwrapper + div[id]', 'bpostbank.be': '.messagecontainer', 'lavuelta.com': '.confidentialite', 'autohaus-brandt.com': '#notify2', 'nombra.me': '#privacy_w', 'dobrarada.com.pl': '#notice_bar', 'virginmoneylondonmarathon.com': '#ico_banner', 'nh-hotels.it': '.politicaRewards', 'deichmann.com': '.newsflash.module', 'lcfc.com': '.optional_module.profile_summary', 'interieur.gouv.fr': '#bandeau', 'adventureinsel.de': '.infobox', 'goteo.org': '#message.info', 'valvolgyikisvasut.hu': '#SITE_ROOT + div', 'columbiasportswear.it': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'germinalbio.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'alceosalentino.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'papergeek.fr': '#notification-bar-top', 'transcend.de': '#legal_notice', 'aidonslesnotres.fr': '#cnil-wrapper', 'unicreditbank.cz': '#pop-down', 'opel-rupprecht-wernberg.de': '#tooltip-privacy-shown', 'mmtv.pl': '#policyInfo', 'gpticketshop.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'regupedia.de': '.wr_regupedia-header-cookie', 'ardanta.nl': '#cookie-bar-ardanta', 'environnement-magazine.fr': '.enviro-cookies', 'italiaracing.net': '#Allpopup_PW0', 'bbbell.it': '#slideit', 'tupperware.se': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'drittemanntour.at': '#selfedit-privacy-window', 'e-weber.it': '.flash-info', 'visionaidoverseas.org': 'body > div:not([id]):not([class])', 'trainstationgame.com': '.alert-info, .alert-warning, .alert-box', 'wearablesmagazine.nl': '.opt-in', 'hirealestate.es': '#stickyFooter, .sticky-footer', 'lavozdegalicia.es': '.alert-info, .alert-warning, .alert-box', 'solarsystemscope.com': '#ck', 'taniewieszaki.net': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'bpostbanque.be': '.messagecontainer', 'olib.oclc.org': '#userMessaging', 'esklep-sbs.pl': '#cibMessage', 'seaheroquest.com': '.tab-cookies', 'davidviner.com': '#cklmsg', 'chceauto.pl': '.cookue', 'hintown.com': '#bica', 'cyryl.poznan.pl': '#cooPInfo', 'isaca.org': '.overlay-bg, .popup1', 'masymasbarato.com': '#galetes', 'eplan.es': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'mysearch.com': '#cp-banner', 'bpm.it': '#inline-cookie-tab', 'cz.it': '#dviT', 'bakkenzoalsoma.nl': '#icc_message', 'vinted.pl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'avland.hu': '#ATEDIN_cookie_warning', 'butagaz.fr': '#prehead', 'rodenstock.cz': '.background-petrol-cookie', 'heyn.at': 'body > form', 'centroopticogranvia.es': '#overbox3', 'lalocandadeigirasoli.it': '.allowBox', 'commentseruiner.com': '#uec_wrap', 'bongacams.com': '.popup_18_plus .block.two', 'himountain.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'bruno-bedaride-notaire.fr': '.avertissement', 'seguros-comunidades.com': '#overbox3', 'firabarcelona.com': '#fb-cd', 'arbeitsagentur.de': '.ba-banner-disclaimer', 'sklepbiegowy.com': 'body > div:not([id]):not([class])', 'covertimes.com': '#privacyPolicy', 'autohus.de': '.c-toast-notification', 'moviestillsdb.com': 'body > div:not([id]):not([class])', 'stresninosice.cz': '.remarketing_allow', 'node-os.com': '#westoredata', 'bigbank.lt': '.sticky', 'uhr-shop.com': '#ico_banner', 'classcroute.com': '.alert-info, .alert-warning, .alert-box', 'vh1.com': '.preventAcceptance', 'preisjaeger.at': '#softMessages-list', 'magazzinirossi.eu': '#informativaBreve', 'lavozdeasturias.es': '.alert-info, .alert-warning, .alert-box', 'rawranime.tv': '.site-news[data-id="acceptcookies"]', 'sentinellelagazuoi.it': '#contact', 'lyrics.cat': '#cxcx', 'rock-in-chiado.com': '#SITE_ROOT + div', 'avtoset.si': 'body > div[style*="2A2A2A"]', 'zoover.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'termalfurdo.hu': '#layout_advertising_bottom', 'blackoise.de': '.wppn-wrapper', 'profiloptik.dk': '.message-large', 'parcoittico.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'leporelo.info': '.bg-info', 'prohibita.pl': '.ciachbtm-wrap-container', 'elumbus-reisen.de': '.alert-info, .alert-warning, .alert-box', 'suder.eu': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'dela.nl': '#dela-cookie-bar', 'kelformation.com': '.alert, #alert', 'pyrexuk.com': '#popajax', 'drukowalnia.pl': '.ek-bar', 'alfakan.si': '.jquery-bar', 'vliegwinkel.nl': '.notifications-slider', 'autotask.com': '.alertbar', 'zvono.eu': '#footer > table', 'gsbk.pl': '#ci', 'trovanumeri.com': '#hid', 'chateauversailles.fr': '.bloc-notifications', 'abc-rc.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'buyamower.co.uk': '.policy, #policy, .cpolicy', 'memorialhenrykapuzonia.pl': '#sc', 'referendumcostituzionale.online': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'also.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'e-mostecko.cz': '.rstboxes', 'jigsawplanet.com': '#HotMessage', 'superbak.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'paramountplants.co.uk': '.uk-notify', 'bndunlimited.com': '#header-banner', 'nationalacademic.nl': '#footer_fixed', 'unimib.it': '#bico-bscn-cnt, #cookies', 'centromedicobeb.it': '.alert, #alert', 'sosulski.pl': 'body > form', 'howdidido.com': '.alert-info, .alert-warning, .alert-box', 'bryncynonstrategy.co.uk': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'teaminternet.dk': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'highworthrec.co.uk': '#cookiebtn', 'oszkar.com': '#footerbar', 'southport.ac.uk': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'villeneuve92.com': '#cnil, .cnil, #CNIL', 'ekko.com.pl': '#messagePopup', 'ministerstworeklamy.pl': '#messagePopup', 'jak-ksiegowac.pl': '#message_wrap', 'kicktipp.at': '.messagebox', 'cowsep.com': '.cg-notify-message', 'eg.dk': '.top-alert', 'members.com': '#toast-container, .toast-container, #toast, .toast', 'fxstreet.com': '.fxs_alertCookies', 'albrevin.org': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'tbs.com': '#toast-container, .toast-container, #toast, .toast', 'weclap.fr': '.front_web_app_main_menu_front-web-app-main-menu-component_front_show_cookie_container', 'llttf.com': '.ico', 'cronacaqui.it': '#footerprivacy', 'camping-les-loges.com': '#MenuCnil', 'scavino.it': '#fanback', 'mygon.com': '#toast', 'radsportseiten.net': '#zxcw03', 'startupmalta.com': '.alert, #alert', 'mtsmarkets.com': '#headerDropDownPanel', 'atmanavillarospigliosi.it': '.sqs-announcement-bar', 'teamliquid.net': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'gcpat.com': '.ms-dlgOverlay, .ms-dlgContent', 'conservateur.fr': '.banner, #banner', 'instytutlogopedyczny.pl': '#flash-msg', 'bestiloghent.dk': '.popup-container', 'theblues-thatjazz.com': '.transbox1', 'mini.it': '.md-custom-overlay, .md-custom-overlay-veil', 'zeewolde-actueel.nl': '#CARD-optin-header', 'suwalls.com': '#clayer, #CLayer', 'ef.com.es': '.aa', 'sg-weber.de': '.flash-info', 'maurice-renck.de': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'mercedes-benz.net': '#cLayer, .bottom.notice, #emb-cp-overlay, #emb-cp-dialog, #cPageOverlay', 'hypersunday.com': '#menu-who', 'iaindale.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'editionlimiteepays.com': '.alertAgegate', 'penstore.nl': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'kalenderpedia.de': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'next-gamer.de': '#ingameCookie', 'artedas.it': '#cookiemex', 'endress.com': '#disclaimerLegal', 'autolineeliscio.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'medatixx.de': '#cky-notification', 'cottages.com': '#createCookie', 'quotazero.com': '.banner, #banner', 'qsoftnet.com': '.art-sheet > table', 'calendrier-lunaire.net': '#toptop', 'vrty.org': '.usage-notice > strong', '3dtvmagazine.nl': '.opt-in', 'aziendasicura.net': '#FrstCksDiv', 'lincscot.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'hardreset.hu': '#system-message, #system-messages, #system-message-container', 'yogenfruz.pl': '.shotimoo', 'brdfinance.ro': '#cook, .cook', 'ebok.jmdi.pl': '.ui-notificationbar.top', 'battlecam.com': '.navigation-notify', 'lma.eu.com': '.banner, #banner', 'crowdstrike.com': '#optInMessage', 'cplusplus.com': 'body > div:not([id]):not([class])', 'ezermester.hu': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'sammic.fr': '.noty_bar', 'pijanitvor.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'kapszulavadasz.hu': '#cook, .cook', 'kalkulatorkalorii.net': '.ek-bar', 'manualslib.com': '.policy, #policy, .cpolicy', 'alablaboratoria.pl': '#cover', 'kkuriren.se': '#p_ciCont', 'alko-memy.pl': '#cookieMain', 'remax.at': '#datenschutz', 'handy-games.biz': '.bugme', 'kierunekspozywczy.pl': '#cook, .cook', 'orange.fr': '#w2cb', 'blackspur.com': '#MainTable div[style*="background:#333"]', 'visahq.co.uk': '#main_visa_warning', 'dopdf.com': '#dopdf_accept_cookies', 'beardsmen.co.uk': 'body > div:not([id]):not([class])', 'ourlocal.town': '#d-notification-bar', 'cebula.online': 'w-div', 'sanef.com': '.bandeaux', 'ah-finmekanik.dk': 'body > div:not([id]):not([class])', 'auchandirect.fr': '.LooprPage__NavBarContainer > .SparkFlexbox--display-flex', 'uitdatabank.be': '.alert-info, .alert-warning, .alert-box', 'azimutyachts.cz': '.floatFooter', 'fitneszvilag.hu': '#id_accptTerrms', 'varese.it': '#headervarese ~ a', 'para.it': '.popup-alert-notice', 'buderus.de': '.tt-mybuderus-common-cookiebar', 'appdynamics.de': '.announcement-bar', 'mimio.com': '.botmid', 'sausageandciderfestival.co.uk': '#CC_Bar, #CC_Shade', 'smimea.info': '.fixed-note', 'cinemacity.sk': '.policy, #policy, .cpolicy', 'grottapalazzese.it': '.modal-strip', 'crescent.se': 'body > div[data-am-cookie-information]', 'kozy.pl': '#claw', 'wislaportal.pl': '#cook, .cook', 'uni-tech.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'liebl.de': '.ish-global-notice-container', 'sussexarchaeology.org': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'lords.org': '.global-notice-wrap', 'nh-hotels.nl': '.politicaRewards', 'weber-terranova.hu': '.flash-info', 'southoxon.gov.uk': '.ccwrap', 'auto-schorn.de': '#notify2', 'crpa.it': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'viu.es': '#sst_container', 'kawaii-favie.com': '#ocw_conteneur', 'breakingitaly.it': '.sqs-announcement-bar', 'ilblogdellestelle.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'mare2000.it': '#avviso', 'serialefilmyonline.pl': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'hondanews.eu': '#colorbox, #cboxOverlay', 'uuid.cz': '#fuckies_info', 'unicreditbank.si': '#pop-down', 'federconsumatoripavia.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'mountstuarthospital.co.uk': '.popupbox', 'alatest.no': '.identity-noticebar-content', 'tyrolia.at': 'body > form', 'motorcycles-motorbikes.com': '#CQ', 'nowtv.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'almaimotthona.hu': '.aszfLayerText', 'spelsberg.de': '.tx-elsbase-notification', 'stylefactoryproductions.com': '.sqs-announcement-bar', 'negrita.fr': '#slidebox', 'chassis-en-bois.fr': '#cnil, .cnil, #CNIL', 'losrestaurantesde.com': '#overbox3', 'ingwb.com': '.glass, .dialog', 'voloweb.it': '#popupDivC', 'ilfruttarolo.it': '#decretopr', 'e-cegjegyzek.hu': '#suti_csik', 'ao.nl': '#aoMessageHolder', 'creativetools.se': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'sviluppoeconomico.gov.it': '#body-bg > div:not([id]):not([class])', 'coisas.com': '.fixebar', 'runinmarseille.com': '.confidentialite', 'carhartt-wip.com': '.standard-message', 'wnt.com': '#trackerBanner', 'sherburnaeroclub.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'tele2.nl': '#targetedPopupFrame', 'tvn24.pl': '#msgLayer', 'e-stave.com': '#message, .message', 'satispay.com': '.alert-info, .alert-warning, .alert-box', 'alpintouren.com': '.humane', 'bose.de': '.bose-infoBar2016--cookie', 'agrizone.net': '.navbar-cnil', 'parliament.uk': '.alert-info, .alert-warning, .alert-box', 'jooas.com': '.alert, #alert', 'quazer.com': '.fullscreen-notification', 'szyj.pl': 'body > div:not([id]):not([class])', 'alyt.com': '#ALYT_privacyCookie', 'epexspot.com': '#ub', 'privatesportshop.it': 'body > div[style*="FFFFE1"]', 'laatumaa.fi': '#PrivacyNotice', 'frivolausgehen.eu': '#hinweise', 'daiwa-info.hu': '#wrap', 'americancentury.com': '#instruction_message', 'mimprendo.it': 'body > div:not([id]):not([class])', 'katorishintoryu.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'mydays.ch': '#topbanner', 'podcrto.si': '#cc-note', 'kicktipp.com': '.messagebox', 'stihl.dk': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'mycircle.tv': '#notif_ck', 'bose.nl': '.bose-infoBar2016--cookie', 'oddshot.tv': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'filedesc.com': '#cwarn', 'vrn.de': '#vrn-cookie', 'mywebook.com': '.cui-coks', 'trendmicro.co.uk': '#optoutbar, .optoutbar', 'decathlon.hu': '#container-screen', 'rendi.hu': 'body > div:not([id]):not([class])', 'moensmeubelen.be': 'w-div', 'wokgarden.com': '#sl-container', 'trendmicro.fr': '#optoutbar, .optoutbar', 'overcoming.co.uk': '#msg_top_bar', 'somethingartistic.net': '#hellobar-slider', 'polandtrade.pl': '#cb', 'valtifest.nl': '#cerabox, #cerabox-background', 'wacom.com': '.reveal-modal-bg', 'giocodigitale.it': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'volvotrucks.nl': '.headerNotification', 'nordicbet.com': '#MsgAreaBottom', 'havoline.com': '.blockUI', 'zetchilli.pl': '.giodoContainer', 'marathondumontsaintmichel.com': '.confidentialite', 'lexus.hu': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'humanic.net': '#privacyOverlay', 'webmaster-rank.info': '#footerSlideContainer', '216dt.com': '#bdy > div[style*="fixed"]', 'pingvinpatika.hu': '.alert-info, .alert-warning, .alert-box', 'plasico.bg': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'voglioviverecosi.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'ekuriren.se': '#p_ciCont', 'britmodeller.com': '.ipsMessage_error', 'cleanfox.io': 'body > div:not([id]):not([class])', 'liquiddota.com': 'body > div:not([id]):not([class])', 'digivaardigdigiveilig.nl': '#boxes', 'delamar.de': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'liveuamap.com': '.user-msg', 'mongars.fr': '#metacontainer > div:not([id]):not([class])', 'ig.com': '#stickyFooter, .sticky-footer', 'usm.com': '.usm-cookie', 'pcdienste.info': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'stihl.de': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'tu-berlin.de': '#piwik_notice', 'smarthomemagazine.nl': '.opt-in', 'prudentialridelondon.co.uk': '#ico_banner', 'aircostcontrol.com': '.question', 'bob-emploi.fr': 'div[style*="display:flex"] > div[style*="background:#383f52"]', 'stubhub.co.uk': '#banner-container', 'satandpcguy.com': '#icc_message', 'did.ie': '#notify-container', 'peugeot-scooters.nl': '.policy-window', 'tuv.com': '#simplemodal-container, #simplemodal-overlay', 'brcauto.eu': '#easyNotification', 'printerman.pt': 'body > div:not([id]):not([class])', 'neti.ee': '.neti_reminder', 'hirpress.hu': '#cooky', 'os-naklo.si': '#message, .message', 'lostintheusa.fr': '#toast-container, .toast-container, #toast, .toast', 'fis.tv': '.messagesWrapper', 'eloben.hu': '.law-accept', 'tudorwatch.com': '.tdr-ribbon', 'videosection.com': 'body > div:not([id]):not([class])', 'boraszportal.hu': '#layout_advertising_bottom', 'meteo.lt': '#ecl', 'diochan.com': '#di5c141m3r', 'uneto-vni.nl': '#euBackground', 'kotburger.pl': 'body > div:not([id]):not([class])', 'liberal.hr': '#footer', 'americanairlines.fr': '.alert-global', 'pwr.edu.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'byom.de': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'versatel.nl': '#targetedPopupFrame', 'chathispano.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'forzearmate.org': '#WPS_popup_message', 'burton.com': '.bottom-message-overlay', 'ntp-shop.it': '.bottomBarMessage', 'grazia-magazin.de': '.safeSpaceForClose', 'twed.com': '.topline_wrapper', 'audito.fr': '#iframe_cc', 'watfordfc.com': '.wfc-m-cookie', 'badkissingen.de': '#chint', 'stockmann.com': '.section-notification', 'agenda.brussels': '.confirm.is-entering', 'translated.net': '#privacy-policy', 'startnext.com': '#toast-container, .toast-container, #toast, .toast', 'liquidhearth.com': 'body > div:not([id]):not([class])', 'nick.com': '#balaMainContainer', 'brenntag.com': '.page-hint-box', 'luebben.de': '#datenschutz-wrapper', 'seiko.it': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'teamliquidpro.com': 'body > div:not([id]):not([class])', 'prelex.it': '.rstboxes', 'sheknows.com': '#dfp-interstitial-holder', 'wort-suchen.de': '.wsadvads-header-bar', 'mrsmithcasino.co.uk': '.global-inline-notifications', 'robertsspaceindustries.com': '.bottom-notif-bar, .l-notification-bar', 'surveycircle.com': '#consent_info', 'audi.com': '.c_cookie', 'amnesty.fr': '#content > div > div:not([style]):not([id])', 'meteored.com.ar': '.tCook', 'donostiakultura.eus': '#NLC_textLayer, #NLC_opaqueLayer', 'vodafone.es': '#vf-avisos', 'ac.at': '.notification-wrapper', 'willys.se': '.ax-global-messages', 'greek-weather.org': '.notice-top', 'anisearch.de': '.urgent-msg', 'rocva.nl': '.brochure-overlay, .brochure-overlay-bg', 'gopro.com': '#gpl-flashes', 'dle.rae.es': '#overbox3', 'giornalepop.it': '#policy-alert', 'apollo.de': '.privacy-info-container', 'pvda.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'badplaats.nl': '.cnotice', 'futurelearn.com': '.m-heads-up-banner[aria_label="Cookie banner"]', 'lufthansa.com': '.pi-privacy, .pi-privacy-mobile', 'hitman.com': '.comp-flash-notice', 'ksk-koeln.de': '#dpWarningWrapper', 'puregym.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'bulls.de': 'footer > div[class*="cookie-hinweis"]', 'fairmondo.de': '.l-news-header', 'ou.nl': '#M093A', 'vodafone.hu': '.cookie_fix', 'bund.net': '.m-global-disclaimer', 'tarifaexpert.hu': '.lablec_suti_szabaly', 'grammophon-platten.de': '#hinweise', 'info-presse.fr': '#cnilWarning', 'supercanemagic.com': '#SE-disclaimer', 'suzuki.nl': '.page-helper__content--cookies', 'symscooters.nl': '.policy-window', 'digital.sncf.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'mesampoulesgratuites.fr': '.popup', 'radioplay.no': '#reactRoot > div > div > div > div[style*="FFF3CC"]', 'mypeopledoc.com': '.tall .update', 'viewsoniceurope.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'ledszaki.hu': '#sutidoboz', 'kuki.cz': '#fuckeu', 'psc.cz': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'l1.nl': '#l1_cookie_policy', 'dogma-nekretnine.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'eclipsecomputers.com': '.pagecookie', 'vertaa.fi': 'div[data-rendering-area="dialogs"] [data-bind*="ui.dialogs.PopupBehavior"]', 'efset.org': 'body > .aa', 'hemkop.se': '.ax-global-messages', 'wuerzburg.de': '#chint', 'hdi.global': '.js-top-header', 'inforete.it': 'body > div:not([id]):not([class])', 'keyforweb.it': '#dcb-black-screen', 'wseven.info': '#ntf', 'akrapovic.com': '.cookies-bubble', 'poigps.com': '#poigps_cookie_advice', 'gourmet.at': '.row-wrapper.blackbox', 'lexus.it': '.l-disclaimer', 'msa.fr': '.bandeau-cnil-portlet', 'mondial-assistance.fr': '.region-disclaimer', 'rabla.ro': 'body > div[id=""]', 'smartenergygb.org': '.segb-cookiecompliance', 'vectonemobile.nl': '#alert_home', 'mytf1vod.tf1.fr': '.cnilNotification', 'ristorantegellius.it': '.sqs-announcement-bar', 'shopwelt.de': '#dateschutzinfo', 'rankinglekarzy.pl': '#message, .message', 'lovepedia.net': '.policy-banner', 'weather2umbrella.com': '#w2u_cookie_notice', 'euractiv.es': '#avisosusc', 'nacesty.cz': '#term-of-use', 'viactt.pt': '.popupContainer', 'procyclingstats.com': 'body > div:not([id]):not([class])', 'lesoriginelles.fr': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'fatface.com': '#messages', 'casinoeuro.com': '.growl-container', 'timeout.pt': '.xs-fill-gray-dark[data-module="cookie_banner"]', 'emtecko.cz': '#__loadCookie', 'abb.com': '#abb-cookie-banner', 'zav-sava.si': '.alert-info, .alert-warning, .alert-box', 'fishersci.fr': '#legalMessageWrapper', 'telkom.co.za': '#PrivacyNotice', 'broughtons.com': '.notice-wrap', 'mymicroinvest.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'idee-fuer-mich.de': '.subNaviNotification', 'hessenchemie.de': '.readcookie', 'tesco.sk': '.infoBarClosable', 'salzwelten.at': '.privacy-notice', 'erkel.hu': '#suti_info', 'freeonlinegames.com': '#cwarn-box', 'xs4all.nl': '.modal-backdrop', 'e-lenovo.gr': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'paf.es': '.mo-notification-bar-fixed', 'metropolisweb.it': '#informativa', 'vocabolariotreccani.it': 'footer', 'kum.dk': '#lbmodal-overlay, #lbmodal', 'my-supps.de': '.pn_container', 'sharpsecuritysystems.co.uk': '#d-notification-bar', 'adventskalender-gewinnspiele.de': '#cono', 'ilmarinen.fi': '.ilmarinen-cookie-consent', 'camara.net': '.activebar-container', 'yomoni.fr': '.header__cook', 'enel.it': '.message-notification', 'brandalley.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'bose.co.uk': '.bose-infoBar2016', 'prorun.nl': 'body > div[id]:not([class])', 'go4celebrity.com': '.ccc', 'pelit.fi': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'momentosdelibertad.es': '#overbox3', 'werkstatt-betrieb.de': '.cooco-window', 'uhrenlounge.de': '.igrowl', 'accessibilitacentristorici.it': '#htmlbox_div1', 'grandvision.it': '#toast-container, .toast-container, #toast, .toast', 'innoq.com': '.tracking-wrapper', 'maschinewerkzeug.de': '.cooco-window', 'tarantobuonasera.it': '.biscotto', 'magiogo.sk': '.headerMessages', 'grandacs.hu': '#clayer, #CLayer', 'naacesrf.com': '#cklbox', 'ajurveda-brno.cz': '.notify', 'studioevil.com': '#SE-disclaimer', 'miciny.cz': '#fixedBar', 'kwantum.nl': '.cc-wrapper', 'enzopennetta.it': '.popmake', 'dagelijksestandaard.nl': '.dgd_stb_box', 'mydealz.de': '#softMessages-list', 'debenhams.ie': '#debCNwrap', 'energiedirect.nl': '#wall', 'volvotrucks.gr': '.headerNotification', 'net-s.pl': '.regulations', 'rozwojowiec.pl': '#fixedBar', 'vitalzone.hu': '.aszfLayerContent', 'jobbio.com': '.alert-info, .alert-warning, .alert-box', 'macosz.hu': '.aszfLayerContent', 'mediamarkt.gr': '.cc-wrapper', 'hotel-sonnblick.at': '.pageCookie', 'haalo.pl': '#cooks', 'holfuy.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'liverpoolfc.com': '.bottom-overlay', 'trenkwalder.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'alatest.de': '.identity-noticebar-content', 'trojmiasto.pl': '.alert-danger', 'floriantravel.com': '.cookieatata', 'canrosendo.com': '#cookies-wrapper2', 'czesci-samochodowe.wroclaw.pl': '#popup', 'thebodyshop.com': '.first-time-visitor', 'sockshop.co.uk': '#CNwrap', 'sdk.waw.pl': '#sdk-cookies', 'scandtrack.com': '#st_cookie', 'onlinetvrecorder.com': 'body > div[style*="fixed"][style*="rgb"]', 'bzwbk.pl': '.cookie-btn', 'newsnow.co.uk': '#pmbar', 'gruppocarraro.it': 'body > div:not([id]):not([class])', 'riddarhuset.se': '.cookieWidget', 'dvdbluray.hu': '#sutibox', 'shire.de': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'nickjr.com': '#balaMainContainer', 'loto.ro': '.top-cookies', 'volkswagen.it': '#trackingPolicy', 'guidastudenti.it': '.barraPrivacy', 'sokkaljobb.hu': '#SPS_noaccept', 'webmonkeysoftware.it': '#Divcookie', 'staffettaonline.com': '#ctl00_CtrlLogAbbonato1_cookiealert', 'sportetstyle.fr': 'body > div[id*="cookie"]', 'juegosdiarios.com': '.bottombar', 'voicegroup.co.uk': '.cookie-menu', 'greybox.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'vicenteamigo.com': '.cva_accept', 'mixare.org': '.rain1-cp-container', 'hilzingen.de': '.popupbox', 'faelectronic.it': 'body > div[id*="cookie"]', 'fastalp.biz': '.policy, #policy, .cpolicy', 'podavini.com': '#clp_cookie_content_table', 'alpinbike.hu': '#clayer, #CLayer', 'svapoworld.com': '#policy-alert', 'kyokugym.nl': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'digiminster.com': '.alert-info, .alert-warning, .alert-box', 'grebbeberg.nl': '#acceptscp2012', '365curtains.com': '.top_warning', 'hybridshop.co.uk': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'urbanfires.co.uk': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'fuba.com': '#cover', 'batcmd.com': '#cmsg', 'mtom-mag.com': '#alert_trk', 'itrebon.cz': '.info-okno', 'jeveuxlafibre.re': '#les_cookies', 'zoover.be': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'griferiaclever.com': '#overbox3', 'eko-care.si': '.ndp-panel', 'miliboo.com': '.m-milibooCookie', 'capgroup.com': '#sb-container', 'aquaparksenec.sk': '#PovInfCoo', 'muzeummw.pl': '.cookieForm', 'netbridge.dk': '#bkg', 'uresmykker.dk': 'body > div:not([id]):not([class])', 'seguroscity.com': '#galleta', 'molfettalive.it': '#Info', 'bloomsbury.com': '.stickyFooter', 'twojliquid.pl': '#message, .message', 'fragasyv.se': '#siteflash', 'campisiconserve.it': 'body > span', 'schoenwetterfront.de': '#wpfront-notification-bar-spacer', 'szexpartnerindex.hu': '#cookiewindow', 'gocards.nl': '#cbar', 'vibralogix.com': '.gatewayContainer', 'uneo-avantages.fr': '.bCnil', 'fireteam.net': '.cc-container', 'algerieinfo.com': 'body > center > font', 'geoblog.pl': '#cContainer', 'mojbrzuch.pl': '#__cookies_', 'weetabix.co.uk': '.oCookie', 'lacnews24.it': '#overlay_pri, #box1', 'cofac.es': '#sliding_popup', 'talentsoft.com': '#cnil_message', 'italradio.org': '.privacyStatement', 'thepawnbrokeressex.co.uk': '#d-notification-bar', 'zoover.com': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.co.uk': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.fr': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.es': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.it': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.pt': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.se': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.no': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.dk': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.ch': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.at': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.com.tr': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.cz': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.ru': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.ro': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.hu': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.com.ua': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.lt': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.gr': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'misterfox.co': 'body > div:not([id]):not([class])', 'comotenersalud.com': '.rcc-panel', 'cascinamagana.it': '.ts_privacy_adv', 'liechtensteinklamm.at': '#cks_overlay', 'tork.lt': '.headerMessage', 'tork.nl': '.headerMessage', 'fijlkam.it': '#privacy-wrapper', 'dieantenne.it': '#camp', 'alltricks.es': '.alltricks-CnilRibbon', 'sigmastudio.it': '#system-message, #system-messages, #system-message-container', 'candycastle.nl': '.cookiesC', 'tokiomarine.com': '.navigation-secondary-top', 'beroerteadviescentrum.nl': '#cc', 'trovit.com': '#welcomebar-wrapper', 'privatesportshop.es': 'body > div:not([id]):not([class])', 'online24.pt': '.clm', 'benesserecorpomente.it': '.wpca-replacement-elem', 'sydmaquinaria.com': '#infoContainer', 'lettercount.com': '.top-header', 'dirtyrhino.com': 'body > div:not([id]):not([class])', 'gdjenamore.com': '.kolacic', 'immense-serie.com': '#cookie_auth', 'pirk.lt': '#toolbar_container', 'grizly.cz': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'caferosenhaven.dk': 'body > div:not([id]):not([class])', 'confort-sauter.com': '#block-notice', 'digi-work.com': '#mobileHeader', 'allplay.pl': 'body > div:not([id]):not([class])', 'krups.com.pl': 'body > div:not([id]):not([class])', 'vlmedicina.lt': '.div_cookie_bg', 'foodanddrink.scot': '#ico_banner', 'teoma.com': '#cp-banner', 'audi.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'coinucid.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'nextdoor.nl': '#top_banner', 'sportechplc.com': '.mdl-notification', 'oneyeartarget.com': '#sbox-window, #sbox-overlay', 'france.fr': '.atfcookie', 'tetrainfo.com': '#tetrainfo_eu', 'xxxvogue.net': 'body > div:not([id]):not([class])', 'chemistresearch.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'bairroarte.com': '#icookie', 'landsend.de': '#GFSticky', 'futbolenvivoargentina.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'mols-linien.dk': '.CInfo', 'prague-catering.cz': '.feuc', 'k-tuinskool.com': '#c-cookies', 'bourse-immobilier.fr': '#cnil, .cnil, #CNIL', 'musixmatch.com': '.mxm-cookie-alert', 'begrupocortefiel.com': '#overbox3', 'denantes.fr': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'tupperware.nl': '.topRibbon', 'megascans.se': '#react-app > div:not([data-reactid])', 'nosolosalud.com': '#downbar', 'fahrrad-kuechler.de': '.cookieHintVisible div[class*="cookie-hinweis"]', 'gerlach.org.pl': '#top0info', 'cartests.net': '.messi', 'wellmall.cz': '.euc', 'entirelyholby.co.uk': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'belfastmet.ac.uk': '#div-alerts-wrapper', 'moofe.com': '#toast-container, .toast-container, #toast, .toast', 'medizzine.com': '.alerta', 'riassuntini.com': '.banner.section.white-bg', 'motohid.pl': '#simple-modal-overlay, #simple-modal', 'copyrightpolska.pl': '#cookie-ack', 'beeshary.com': '.banner, #banner', 'neobiznes.pl': '#cpolicyHolder', 'zgodafc.pl': 'body > div:not([id]):not([class])', 'bose.it': '.bose-infoBar2016', 'bose.hu': '.bose-infoBar2016', 'bose.at': '.bose-infoBar2016', 'benissa.net': '#faldon', 'latiendahome.com': '.cookie_validation', 'sovd.de': '#datenschutzfenster', 'lincelot.com': '.columbus-background', 'capri-lublin.pl': '#mod98', 'dafmuseum.com': '.page-overlay', 'rw2010.pl': '.head-page-information', 'wecare.gr': '.ee-cookie', 'esinvesticijos.lt': '#pre_header', 'casaktua.com': '.alert, #alert', 'americanexpress.it': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'procycles43.fr': '#divacacher', 'tuodi.it': '#popup', 'beko.gr': '.sayfaDisDiv > .sayfaIcDiv > .row300', 'nordpasdecalais.fr': '#bandeauCnil', 'bubblebed.bg': '.gs-cookies-review', 'moebelix.at': '.xxxlutzkarrierecenter-themeBoxCookieInfo', 'hijob.me': '.flash-cookie', 'iabfrance.com': '#boxAlert', 'thejukeboxman.com': '.promo-banner', 'wholefoodsmarket.com': '.QSISlider', 'movimento5stelle.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'bad-wildbad.de': '.popupbox', 'eleonline.it': '#content > div[style*="fixed"]', 'evopayments.eu': '#zwcc', 'fussball-spielplan.de': '#icc_message', 'noleggiodiy.it': '#privacySlider', 'echevarne.com': '#note', 'stihl.se': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'asuntosaatio.fi': '.js-disclaimer-dismiss', 'osiander.de': '#onlyCookie', 'hp.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'lyleandscott.com': '#cookieCont', 'get-notes.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'sachsen-tourismus.de': '#xcm-bar', 'significados.com.br': '.clm', 'porto.pt': '.cmp-cookies', 'suedthueringen-aktuell.de': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'daimonin.org': '#ecl_outer', 'journallessentinelles.com': '#cnil, .cnil, #CNIL', 'karvancevitam.nl': 'body > div:not([id]):not([class])', 'homelet.co.uk': '.cp-wrapper', 'desall.com': '#stripe', 'logicconcept.pl': '#mc_top_bar', 'cassoni-usati.it': '.activebar-container', 'gel.com': '#system-message, #system-messages, #system-message-container', 'buddhismguide.org': '#info_text_header', 'afs.de': '.afs_coi', 'daf.co.uk': '.modern, .modern ~ .modal-backdrop', 'autoklicecz.cz': '#cookiesI', 'ggintegral.fr.nf': 'body > div:not([id]):not([class])', 'der-audio-verlag.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'learn-french-free-with-stories.weebly.com': '#header-top', 'inzeratyzadarmo.sk': '#coo_source', 'myproducts.bandce.co.uk': '.banner, #banner', 'd-cycling.nl': '.ui-widget, .ui-widget-overlay', 'initalia.it': '.notice-wrap', 'playinfinity.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'vta.lt': '.cooask', 'thefourthphase.com': '#red-bull-cookie-notification', 'radiologie-mannheim.de': '#myModal, .modal-backdrop, .reveal-modal-bg', 'securedbydesign.com': '.interimpopup', 'fc-koeln.de': '.mod-alert', 'rkw-kompetenzzentrum.de': '#rkw-infolayer', 'mivoq.it': '.check-policy', 'atlas-roslin.pl': '.tytul > span', 'sarenza.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'bptour.pl': 'body > div:not([id]):not([class])', 'chaptercheats.com': '.headertp', 'bmjv.de': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'jusan.it': '#privacy-popup', 'drivingskillsforlife.nl': '#popup_custom', 'autentiek.nl': '#ciWrapper', 'hezkakoupelna.cz': '.euc', 'noclegi24h.pl': 'body > div:not([id]):not([class])', 'tupperware.pl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'agenceecofin.com': '.pwebbox', 'eco-sunglasses.com': '#first_visit_message', 'sg-weber.at': '.flash-info', 'thebtas.co.uk': '.slidepanel_oter', 'alphotel.at': '#tx_tracking', 'lekkerinhetleven.nl': '#__ev_bc', 'cimoc.com': '#styleUp', 'spglobal.com': '#privacyPlicyBanner', 'maregel.net': '.banner, #banner', 'barclays.it': '#boxTextCookie', 'cantinesettesoli.it': '.modal-privacy.attiva', 'fool.de': '#dogfish', 'solgar.it': '#mk-cookie', 'hdr-photographer.com': '#rn_container', 'piensasolutions.com': '.head .top', 'dnbfeed.no': 'body > div:not([id]):not([class])', 'mct-corp.com': '.uk-alert', 'vw-esbjerg.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'acierto.com': '#blockdisclaimer', 'rydercup.com': '#mss-legal-banner', 'rio2016.coni.it': '#privacy-wrapper', 'singles-in-stuttgart.de': '#DC', 'lycos.fr': '#nomnom', 'alpenradio.net': 'div[data-wzb="CookieNotification"] iframe', 'uber.com': '.banner--bottom', 'valeofglamorgan.gov.uk': '#fixed-bar', 'slikomat.com': '.jquery-bar', 'societapiemonteseautomobili.com': '.banner, #banner', 'haehnchengrillstation.de': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'life365.eu': 'body > div:not([id]):not([class])', 'taxipedia.info': '#fpub-popup', 'openprof.com': '#cookie_id', 'valladolid.es': '#overbox3', 'przelewy24.pl': '#policy_container', 'bankomatfinder.at': '#c-cookie', 'drive-smart.com': '.dri-ncookies-alert', 'tns.fr': '#pop-cnil', 'ashingtondirectautocare.co.uk': '#d-notification-bar', 'casinodeparis.fr': '.ui-widget, .ui-widget-overlay', 'hoelangnog.nl': 'body > .container.transparency h3', 'arch-homes.co.uk': '#cookiepaneltab, #cookiepaneltab ~ .ui-dialog', 'claremontconsulting.co.uk': '#demo-bar', 'landrover.be': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'sgp.nl': '.footer-msg', '24chasa.bg': '#cookie-b', 'ismatteirecanati.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'sonypictures.net': '#sp-nettrack', 'axa.cz': '.axa-cookies', 'prohealthclinic.co.uk': '#d-notification-bar', 'viking-garten.de': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'kcprofessional.nl': '#optIn, #optIn ~ .reveal-modal-bg, .alert-box', 'genetico.pl': '.coologo7', 'midas.pt': '.bg_cookie', 'tinkco.com': '#cnil, .cnil, #CNIL', 'rocdesalpes.com': '.confidentialite', 'symfonia.org': '#eu-dir', 'sparda-n.de': '.occ-inline', 'autonews.fr': 'body > div[id*="cookie"]', 'cewe.de': '.sg-cw-cookie', 'lirelactu.fr': '#app > div[data-reactroot] > div[class*="container"]', 'contratprive-recette.6tzen.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'quotidianoenergia.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'certina.com': '.footer-cnil-wr', 'opticjungle.gr': '#sid-container', 'drinkdruid.com': '#sid-container', 'lexus-polska.pl': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'cyclemiles.co.uk': '#messages-cont', 'droidchart.com': '#cw', 'techknow.ie': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'weetabixfoodcompany.co.uk': '.oCookie', 'wyrobieniepaszportu.pl': 'body > div:not([id]):not([class])', 'loccioni.com': '#box.fascia', 'cinesur.com': '#overbox3', 'mediatheque-chabris.net': '#info_message', 'deverecare.com': '#d-notification-bar', 'bartek.com.pl': '#journal-cookies', 'galnet.fr': '#topnotecontainer', 'mybustracker.co.uk': '#zoneCookie', 'cliente.enerxenia.it': '.commons-alert-overlay, .commons-alert-box', 'musicclub.eu': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'cauterets.com': '#wpfront-notification-bar', 'hiboox.fr': 'body > div[id*="cookie"]', 'checklistwebwinkel.nl': '#smbv_splash', 'neoloc-services.fr': '#cnilWarning', 'portalinvatamant.ro': '#terms', 'designfund.dk': '.sleeknote', 'bison.nl': '.message.fixed', 'eleicoes2014.com.br': '.clm', 'digitalshoping.com': '.banner, #banner', 'ophetwww.net': '#footer_container ~ div, script[src*="cookies.min.js"] ~ div', 'killarneyroyal.ie': '.PPContent', 'shop.bmw.de': '#layerWrapper', 'fishersci.nl': '#legalMessageWrapper', 'digimobil.it': '#sticky-popup', 'giraffetongueorchestra.com': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'agristorecosenza.it': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'tarhely.eu': '#sutik', 'rail.phototrans.eu': 'body > div:not([id]):not([class])', 'kwf.nl': '.cbar-wrapper', 'rexel.fr': '#news-section', 'ing-diba.at': '#top-message__wrapper', 'viciodigital.es': '#adk_acblock', 'prixtel.com': '#wpx_cookie', 'wishy.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'filtrosfera.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'weberbeamix-dhz.nl': '.flash-info', 'hotmilfzone.com': 'body > div:not([id]):not([class])', 'armedunity.com': '.ipsMessage_error', 'maribor-pohorje.si': '.cookeEnabler', 'google-cache.de': '#meldungContainer', 'ajoto.com': '.sqs-announcement-bar', 'vesselfinder.com': '.downfooter', 'linkgroup.pl': '#lg_cookies', 'avia.de': '.cs-info-wrapper', 'viber.com': '.policy, #policy, .cpolicy', 'skapiec.pl': '.cookies-rwd', 'telia.fi': '.notification--blue', 'sarenza.com': '.full-width-bar', 'suzuki-moto.com': '#cnil, .cnil, #CNIL', 'puntocellulare.it': '#f_cookie', 'technet.microsoft.com': '.banner, #banner', 'mercatoforex.org': '._CL_main', 'ultrahack.org': '.app > hr:first-child + div:not([class]):not([id])', 'radio24syv.dk': '.r24syv-cookie-notice', 'cercolavoro.com': '.alert-info, .alert-warning, .alert-box', 'tp.lpp.si': 'body > table[height="20"]', 'allianz-assistance.es': '.region-disclaimer', 'trony.it': '.smcc_overlay_cokkieaccept, .smcc_modal_cokkieaccept', 'termyjakuba.olawa.pl': 'body > div[id*="cookie"]', 'hmerologio.gr': '#sid-container', 'prawobrzeze.info': 'body > div:not([id]):not([class])', 'tennistv.com': '#notifications--static', 'quatrac.vredestein.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'sanprobi-superformula.pl': 'body > div:not([id]):not([class])', 'upmagazine-tap.com': '.rcc-panel', 'boxannunci.com': '.terms', 'shopforshop.it': 'body > span', 'upendo.tv': '.alert, #alert', 'virginmoneygiving.com': '#blank-container', 'mjam.net': '#__Mjam__CookieBanner', 'maree.info': '#CGUCookie', 'vercapas.com': '.footerck', 'gehalt.de': '#JS_datenschutzLayer', '168chasa.bg': '#cookie-b', 'wienerborse.at': '#page-alert', 'telekom.de': '.pi-notification', 'opel.nl': '.ui-widget, .ui-widget-overlay', 'familylawweek.co.uk': '#zeus_box', 'egarage.de': '#fpub-popup', 'banaxi.com': '#form2 > div[style]', 'prawdaobiektywna.pl': '#mcpc', 'popmech.ru': '.disclame_block', 'irozhlas.cz': '.b-cookie', 'gigabyte.com': '#policy-div', 'pravda.sk': '.sticky-cookies', 'delo.si': '.notice.friendly', 'ilovepdf.com': '#toast-container, .toast-container, #toast, .toast', 'dewereldmorgen.be': '#cookie-consent-overlay ~ div[style]', 'wanttoknow.nl': '#colorbox, #cboxOverlay', 'hotukdeals.com': '#softMessages-list', 'donnons.org': '.head-line', 'tastedive.com': '.tk-Footer-cc', 'aukro.cz': '.cookiesWrap', 'mobilenet.cz': '.sys-alert', 'polygon.com': '#chorus_notifiations', 'sofoot.com': '#pdcddm', 'gigabyte.us': '#policy-div', 'gigabyte.fr': '#policy-div', 'gigabyte.de': '#policy-div', 'gigabyte.eu': '#policy-div', 'gigabyte.bg': '#policy-div', 'gigabyte.pl': '#policy-div', 'theverge.com': '#chorus_notifiations', 'toffeeweb.com': '#fixedFooter', 'bgfermer.bg': '#cookie-b', 'winfuture.de': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'watchfinder.co.uk': '#cookie_', 'gonnesa.ca.it': '#fake-div', 'volkswagen.at': '.vw5-statisticsOptBox', 'volkswagen.de': '#trackingPolicy', 'volkswagen.hu': '.vw5-statisticsOptBox', 'motorsport.com': '#privacy_accept', 'lifeisstrange.com': '.comp-flash-notice', 'citylab.com': '.js-notifications', 'zumba.com': '.privacy-policy', 'paradoxplaza.com': '#disablingDiv, .cookie-image-wrapper', 'beaute-test.com': '#bt__cookie', 'deutsche-handwerks-zeitung.de': '#cc-box', 'seriea.pl': '#viewCookies', 'bgdnes.bg': '#cookie-b', 'acquabella-construplas.com': '#ico_wrapper', 'gorillaz.com': '#footer', 'toornament.com': '.cookie-legal', 'manikowski.de': '#notify2', 'glamour.hu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'chef.io': '#icegram_messages_container', 'varusteleka.fi': '.menu_important_notification', 'oculus.com': 'body > div > section > div > section[colorscheme="dark"]', 'streetz.se': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'mmafighting.com': '#chorus_notifiations', 'hudsonsbay.nl': '.gk-stickymessage', 'minecraft-serverlist.net': '#ingameCookie', 'ouicar.fr': '#js_cnil-bar', 'distri.cz': 'body > div:not([id]):not([class])', 'mojehobby.pl': '.message-footer-panel', 'wordpress.com': '.widget_text div[id*="MsgContainer"]', 'leddiszkont.hu': '#sutidoboz', 'receptentabel.nl': '#loading, #loading + .noblur', 'omnires.pl': '.cookie-allcontent', '1pmobile.com': 'body > .row', 'pathfinder-w.space': '#pf-cookie-hint', 'resmed.com': '#alerts', 'player.pl': '.cBox', 'royer.at': '#cks_overlay', 'flyingtiger.com': '.save-cookies', 'upolujebooka.pl': '.navbar-fixed-bottom', 'stw.berlin': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'ingdirect.fr': '#cookieManagement', 'racked.com': '#chorus_notifiations', 'sewquickalterations.co.uk': '#d-notification-bar', 'drmartens.com': '.dm-cookie-container', 'meubella.nl': '.cnotice', 'plan.de': '.psg-cookie', 'bossini.it': '#bica', 'thefa.com': '.fa-cookie', 'niknot.com': '.cLaw_mainCnt', 'ftb.world': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'restaurantweek.pl': '.cookiesLaw', 'zerochan.net': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'hemglass.se': '.message-popup', 'amateur.tv': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'umziehen.de': '#mcCookie', 'voedingswaardetabel.nl': '#cooMessage, #loading', 'sofifa.com': 'body > div.container', 'waarmaarraar.nl': 'body > .container > div[style]', 'jeuxjeuxjeux.fr': '#app-container > div[data-reactroot] > div:not([data-reactid])', 'skoda.at': '.skoda5-statisticsOptBox', 'skoda-aabenraa.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'skoda-hobro.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'skoda.si': '.skoda5-statisticsOptBox', 'skoda-connect.com': '.notification-container', 'skodaservice-nakskov.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'agenziademanio.it': '#bannerInfo', 'kortingscouponcodes.nl': '.spu-box', 'swaper.com': '#confirm-stripe', 'smarkets.com': '.notices-wrapper', 'rushcycles.co.uk': '#ccPanel', 'mooiedeal.nl': '#cbar', 'safedns.com': '#privacy-policy', 'motorola.de': '#Privacy_banner', 'weequizz.com': '.bt_cookie', 'wyevalegardencentres.co.uk': '#privacyStatement', 'mediamarkt.pt': '#cookies-sign', 'maquillalia.com': '#coke', 'conseils-thermiques.org': '.display_cookies', 'nazwa.pl': '#policy-box', 'lidl-flyer.com': '.fs-notification', 'lidl-strom.de': '.cc-wrapper', 'animod.de': '#animod-c', 'infojobs.it': '.notification-advice', 'dailymotion.com': 'div[class*="CookieGdpr"]', 'gogift.com': '.iziToast-wrapper', 'autozeeland.nl': '#cpol', 'amicoblu.it': '.snap-popup-overlay, .box-snap-popup', 'isbank.com.tr': '#cokieCover', 'zeta.nu': '#oddcookie', 'fitnessuebungen-zuhause.de': '#cookie + div:not([class]):not([id])', 'reco.se': '.pms.bg-white.cntr', 'asiaflash.com': '.cc_container', 'meteovista.de': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'qshops.org': '.loading.cache-loading', 'kfc.co.uk': '.cookies-view', 'openmind-shop.de': '.content-cookie', 'nh-hotels.de': '.politicaRewards', 'sarenza.eu': '.full-width-bar', 'sarenza.co.uk': '.full-width-bar', 'sarenza.it': '.full-width-bar', 'sarenza.se': '.full-width-bar', 'bestmarkt.hu': '.cookie, .cookies', 'valleyvet.com': '#ToU_float', 'hellostudent.co.uk': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'amref.it': '#divCk', 'skysports.com': '.js-page-cookies', 'hboespana.com': '#main-warning', 'lsb.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'leroymerlin.pl': '.cookie, .cookies', 'kamilianie.eu': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'weshop.co.uk': '.notices', 'optonicaled.at': '.noty_bar', 'destockplus.com': '.page_warning', 'gwp.pl': '#notice_bar', 'vuecinemas.nl': '.notification-area', 'paulscycles.co.uk': '#ccPanel', 'messe.de': '.user-notes-notification', 'ragusanews.com': '#barra', 'curverstyle.pl': 'body > div:not([id]):not([class])', 'pro-bikegear.com': '#message, .message', 'citroen-partner.at': '#__ev_bc', 'cinquantamila.corriere.it': '#privacy_advisor', 'helicomicro.com': '.cp-info-bar', 'drehteile-wien.at': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'pendlerinfo.org': '#containerDataProtection', 'stargazerslounge.com': '.ipsfocus-globalMessage', 'e-formel.de': '#CKC', 'asst-pg23.it': '#divInformativaBreve', 'greenmate.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'tork.de': '.headerMessage', 'labour.org.uk': '#labour-cookie, .alert-bar', 'komputerswiat.pl': '#cookies', 'teb.com.tr': '#cokieMain', 'palma.cat': '#avisolssi', 'ratemyprofessors.com': '#balaMainContainer, #container > .overlay', 'wienenergie.at': '.wrap-cookie-placeholder, .wrap-cookie', 'poundworld.co.uk': '.cookie, .cookies', 'nolotech.jimdo.com': '.powr-popup.powrLoaded', 'anonse.com': '#polityka, .polityka', 'celle.de': '.tracking-box-wrap', 'framtiden.com': '.sol-cookies', 'uhren-miquel.de': '.ui-dialog.innoPrivacy', 'nonstoppeople.es': '#cookies', 'fakt.pl': '#cookies', 'tysol.pl': '#cooinfo', 'torebrings.se': '.alert-info, .alert-warning, .alert-box', 'eventoscostavasca.com': '#NLC_textLayer, #NLC_opaqueLayer', 'lesinfos.ma': '#bottomBar', 'scio.pw': '#hinweise', 'ingdirect.es': '#cookies', 'n26.com': 'footer ~ aside', 'feyenoord.nl': '#cookies', 'tooba.pl': '.dialog-serwis-msg.dialog-fixed', 'bankmillennium.pl': '#cookies', 'curioctopus.de': '#cookcont', 'curioctopus.nl': '#cookcont', 'eporner.com': '#cookies', 'kras.nl': '#alertsWrap', 'historicengland.org.uk': '.alert-banner', 'metlife.it': '.cookieShell', 'kieskeurig.be': '.consent', 'pyur.com': '.cookie, .cookies', 't-mobile.nl': '.cookie, .cookies', 'pensburgh.com': '#chorus_notifiations', 'yoy.tv': '#notice', 'habitat76.fr': '.header-cnil', 'recast.ai': '.Toasts', 'motor1.com': '#privacy_accept', 'meetic.fr': '.main-frame-bottom-strip', 'chinamobiel.nl': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'calorielijst.nl': '#loading, #loading + .noblur', 'theonlinesurgery.co.uk': '.alert.ue-content', 'youmobile.es': '.iklon', 'lxax.com': 'body > div:not([id]):not([class]):not([title])', 'lbp.me': '#error-overlay', 'fdrive.cz': '.sys-alert', 'hertz247.co.uk': '#overlayBox_3', 'voxmedia.com': '#chorus_notifiations', 'kabeltje.com': 'body > .mbdialog', 'vroom.be': '#policyMessage', 'regiobank.nl': '#cleanPageContainer', 'sbnation.com': '#chorus_notifiations', 'societegenerale.rs': '#sgs_cookie', 'spycolor.com': '#policy-window', 'weck.com.pl': '#popup2', 'aab.dk': '.cookieinject', 'curbed.com': '#chorus_notifiations', 'eumostwanted.eu': '#sortingPreference', 'newsday.com': '.bottomAlert', 'swedoor.dk': '#swedoor_privacy_widget', 'norauto.fr': '#privacy', 'davplus.de': '.cookiesmanager', 'salus.de': '.notification[data-identifier="cookie"]', 'e-b-z.de': '#cooklay', 'janrain.com': '.wptbbarheaddiv', 'dccomics.com': '#consent-modal', 'trend-online.com': '#avv_consent', 'liquidlegends.net': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'casper.com': 'div[class^="Notification__container___"]', 'newsweek.pl': '#cookies', 'iloveimg.com': '#toast-container', 'allianz-voyage.fr': '.region-disclaimer', 'biomet.lt': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'sane.org.uk': '#jxcc-bar', 'poki.nl': '#app-container > div > div[class]:not([data-reactid])', 'gotobrno.cz': '.b-cookie', 'krug.com': '#_evh-ric-age-gate', 'ekino-tv.pl': '#cookies', 'dws.de': '.flash-message__wrapper', 'stilenaturale.com': '#adw-bottombanner', 'sanistaal.com': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'dyson.co.uk': '.js-notifications', 'tickettoridewithmax.com': '.cookie-plugin', 'belastingdienst.nl': '.cookie, .cookies', '10-4.dk': '.cookie, .cookies', 'torinostar.it': '#footerprivacy', 'feuvert.fr': '#cookies', 'sahamassurance.ma': '#rubon', 'toolbox.com': '#m_privacyPolicy_privacyNotice', 'phoneklinik.com': '.jcncontainer.jcntopoverlay', 'studenti.unipi.it': '#cookies', 'hgshop.hr': '#cookies', 'the-tls.co.uk': '#cookies', 'metro3.be': '.cookie, .cookies', 'paczkawruchu.pl': '#cookies', 'freemeteo.gr': '#cookies', 'lavieclaire.com': '#cookies', 'stihl.com': '.privacyTop', 'psc-systemtechnik.de': '.ce_rsce_tao_fixed_note', 'clementoni.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'hmc.org.uk': '#modal-mask', 'rajsvitidel.cz': '.cc_wrapper', 'spotlight.pl': '.statement-container', 'inver.com': '#notice', 'e-rutek.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'hkik.hu': '.alert-info, .alert-warning, .alert-box', 'modhoster.de': '.cookie, .cookies', 'reading.gov.uk': '.alert-info, .alert-warning, .alert-box', 'alpenski.pl': '.alert, #alert', 'tvmusor.org': '#ck', 'lesara.nl': '.notification__container', 'jules.com': '#cookies', 'spartacus-educational.com': '#new-domain', 'etstur.com': '.protectionOfData', 'fiveguys.co.uk': '.modal-backdrop', 'helios-gesundheit.de': '.notice[data-notice-cookie-id="helios-cookie-notice"]', 'dia.es': '.cookie, .cookies', 'libertas.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'creusot-infos.com': '#legcooki', 'wetterheute.at': '.cookie-insert', 'parasol.com.pl': '#black_background, #black_background_panel', 'domuswire.com': '#privacy', 'codeplay.com': '#notificationPopup', 'midilibre.fr': '.cookie, .cookies', 'freemeteo.rs': '#cookies', 'fhpelikan.com.pl': '#simple-modal, #simple-modal-overlay', 'minstercleaning.co.uk': '#ecld_bar', 'fc.de': '.mod-alert', 'safc.com': '.global-notice-wrap', 'akh.hu': '#macookie', 'flottagumiszerviz.hu': '#macookie', 'peters.de': '.footersessionarea', 'colchones.es': '#avisosusc', 'upvx.es': '#lean_overlay, #change_cookies', 'chambre-vienne.notaires.fr': '#cnil-notice', 'bechbruun.com': '.header-notice', 'koobin.com': '#overbox3', 'trekking-koenig.de': '.cookie5', 'energiemoinschere.fr': '#headband', 'pierotofy.it': 'body > div:not([id]):not([class])', 'fiveguys.es': '.modal-backdrop', 'fishersci.es': '#legalMessageWrapper', 'efinancialcareers.de': '#pageMessages', 'laola1.tv': '.cookie, .cookies', 'supergres.com': '#mk-cookie', 'esatrucks.eu': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'consulentidellavoro.it': '.activebar-container', 'dokumentyzastrzezone.pl': '#gkTopBar', 'ftopadova.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'symmotos.ch': '.policy-window', 'stayinwales.co.uk': '.ckinfo-panel', 'generatorkodowkreskowych.pl': '#cn', 'tenerife-guided-walks.com': '#d-notification-bar', 'coopalleanza3-0.it': '.cookieDisplay', 'sentry.io': '.privacy-shield-banner, .tracking-banner', 'mazowieckie.com.pl': '.cookie, .cookies', 'ubereats.com': '#app-content > .base_ > .base_', 'wsim.de': '#dataPrivacyPolicy', 'lycos.es': '#nomnom', 'elektroaktivisten.de': '.main-alert', 'natwest.com': '.cookie, .cookies', 'seriale.co': '#komunikat', 'foot-sur7.fr': '#cookies', 'tuvlita.lt': '.section.accept', 'battle-of-glory.com': '.ui-pnotify.background-transparent', 'onninen.com': '#OnninenCookieInfo', 'koolhydratentabel.nl': '#loading, #loading + .noblur', 'gloucestershire.gov.uk': '.ui-widget, .ui-widget-overlay', 'wallangues.be': '#wallangues-eu-cookie', 'strangebrigade.com': '#alerts', 'boconcept.com': '.cookie-privacy', 'denstoredanske.dk': '.cookie, .cookies', 'studentionline.unipv.it': '#cookies', 'eitb.eus': '#cookies', 'cnnturk.com': 'div[cnn-cookie-policy]', 'scratch-dach.info': '#cookies', 'geleidehond.nl': '.is-cookie-alert-state::after, .is-cookie-alert-state .alert-dismissable', 'esquire.ru': '#disclame, .disclame_block', 'auchan.pl': '#cookies', 'daparto.de': '.cookie, .cookies', 'ms.gov.pl': '#cookies', 'magasins-u.com': '#cookies', 'pcbox.com': '#cookies', 'vintage-radio.net': '#notices', 'traconelectric.com': '.cookie-row', 'operasanfrancesco.it': '#avviso', 'salonocasion.com': '#fb-cd', 'unnuetzes.com': '#privacy', 'fontenayenscenes.fr': '#cnil, .cnil, #CNIL', 'cosiepsuje.com': '.ciacha', 'cierny-humor.sk': '#wpfront-notification-bar, #wpfront-notification-bar-spacer', 'alberidinataleartificiale.it': '#note', 'foliesbergere.com': '.ui-widget, .ui-widget-overlay', 'm.peruzzosrl.com': 'body > div:not([id]):not([class])', 'santalucia.es': '#cookies', 'infodefensa.com': '#cookies', 'postoffice.co.uk': '.cookie, .cookies', 'irishjobs.ie': '#cookies', 'atleticodemadrid.com': '#cookies', 'almapress.com.pl': '#message, .message', 'hoxa.hu': '#container > div[style]', 'roly.eu': '.jq-toast-wrap', 'filmin.pt': '.alert-fixed', 'aquaquiz.com': '#footerSlideContainer', 'gentside.de': '#cookies', 'passmyparcel.com': '.banner, #banner', 'receptnajidlo.cz': '#cxcx', 'forever21.com': '.cookie, .cookies', 'cineca.it': '#cookies', 'annuaire.laposte.fr': '#cookies', 'gruppoeuromobil.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'brain-magazine.fr': '#cookies', 'meteoconsult.fr': '#top_head', 'mesmateriaux.com': '#CookiesValid', 'dalmatinskiportal.hr': '.cookie, .cookies', 'coolermaster.com': '#coolermaster-cookie-policy', 'systane.de': '#caBanner', 'alcampo.es': '.cookie, .cookies', 'guenstiger.de': '#ck-pop', 'finance.google.com': '#gb > div[style*="background-color"]', 'finance.google.co.uk': '#gb > div[style*="background-color"]', 'gunnars.fr': '.cp-slidein-popup-container', 'fibra.click': '.cookie, .cookies', 'exweb.exchange.uk.com': '#ibox', 'lacsiboltja.hu': '#uzeno', 'elegant.be': '#cookies', 'fum.info.pl': '.cookie, .cookies', 'sermicro.com': '#galletas', 'mercedes-amg.com': '#emb-cp-overlay, #emb-cp-dialog', 'scooter-system.fr': '.avertissement', 'liveradio.ie': '#disclaimer', 'qxl.no': '#cookies', 'slupsk.eu': '#pp', 'technetium.pl': '.cookie, .cookies', 'nbazar.sk': '.eu', 'ordineveterinariroma.it': '#privacywarn', 'wecanjob.it': '#trace-form', 'carnovo.com': '.fixed-alert', '10clouds.com': '.tenc-header__cookies', 'desokupa.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'anvistore.net': '#icookie', 'bib-cclachatrestesevere.net': '#info_message', 'sia.eu': '#toast', 'kepmegoszto.com': '#cw', 'dsm.com': '#cp', 'mercedes-benz.com': '#cLayer, .bottom.notice, #emb-cp-overlay, #emb-cp-dialog, #cPageOverlay', 'italbastoni.it': '#mk-cookie', 'guglwald.at': '#tx_tracking', 'symfrance.com': '.policy-window', 'karatekyokushin.hu': '.cookie, .cookies', 'rymer.org': '#divzasobu', 'aldautomotive.hr': '.cookie, .cookies', 'conjuga-me.net': '#overlay', 'fahrschulcard.de': '#modalCookies', 'nuget.org': '.banner, #banner', 'db.com': '#wt-confirm-layer', 'play.tv2.dk': '#app > div > footer + div', 'comarsport.com': '#cooking', 'twinset.com': '#ckInfo', 'isa-sociology.org': '#politica', 'playolg.ca': '.cookie, .cookies', 'skystore.com': '.top-notification-container', 'eralsolution.com': '#stato', 'enel.ro': '.message-notification', 'offerraadgivning.dk': '#ck_row', 'uroda.com': '#blockPopupInformation', 'demaralimentari.it': '#privacy-advise', 'extrahw.com': '#cfooter', 'boardstar.cz': '#cookies', 'tmt-magazine.com': '.sitealert', 'pianho97.hu': '#alertify, #alertify-cover', 'ssangyong.es': '#eltexto', 'eshop.silicmedia.cz': '.box.notify', 'sonypicturesreleasing.es': '#track-layer', 'qxl.dk': '#cookies', 'hays.nl': '#header-msg', 'domzale.si': '#cookies', 'aeroportoditorino.it': '.cookie, .cookies', 'pozyx.io': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'governmentcomputing.com': '.privacy_notice', 'consumind.nl': '#csm-optin-bar', 'maccosmetics.be': '#bt_notification', 'kunstveiling.nl': '#kunstveiling-accept-form', 'boncoin-annonce.com': '#valid_cookies', 'gelighting.com': '#privacy-message', 'tiendagonzalezbyass.com': '#stickyFooter', 'ligne-adsl.fr': 'body > div:not([id]):not([class])', 'parafarma.be': '#popup', 'toutabo.com': '.cookie-text', 'murraysairporttransfers.co.uk': '#d-notification-bar', 'fieraforli.it': '.ns-box.ns-bar', 'myparliament.info': '#data-disclaimer', '06gids.nl': '.ilikecookies', 'adernats.cat': '#cookies', 'airlinecheckins.com': '.app-header + .layout-row', 'czytio.pl': '#cookies', 'gentside.com.br': '#cookies', 'masodomov.sk': '.alert, #alert', 'microgiochi.com': '#popupmsg_wrapper', 'sorelfootwear.fr': '#notify-bar', 'weltdergoetter.de': '#notice', 'kaspersky.cz': '#cookies', 'kaspersky.hu': '#cookies', 'dugout.com': '.simplemodal-bg.snap-bottom', 'acf-amphibians.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'ifp.si': 'body > table', 'mediatheque.ville-montrouge.fr': '#info_message', 'cipriani-phe.com': '#myAlert', 'fibs.it': '#privacy-wrapper', 'witaminy-mineraly.choroby.biz': '#wcp', 'kreoart.com.pl': '#popupContact', 'uva.es': '#cookies', 'transformacni-technologie.cz': '.upozorneni', 'acega.es': '.aviso', 'informatica7.com': '#sumome-smartbar-popup', 'frenomotor.com': '.c_i_container', 'mspy.fr': '#infoToolbar', 'hanos.nl': '.banner_message', 'szabadkeresztyen.hu': 'body > div:not([id]):not([class])', 'spike.com': '#balaMainContainer', 'purr.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'advantageaustria.org': '.cookie, .cookies', 'bbcearth.com': 'iframe[src*="2czok"]', 'bbcsolution.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'thenorthfacezagreb.hr': '.cookie, .cookies', 'quorn.co.uk': '#Message', 'piab.com': '.topBanner', 'hora.com.es': '#ley', 'regione.abruzzo.it': '#system-message', 'tchncs.de': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'wizdeo.com': '#cookieGA', 'faperme.it': '.alert, #alert', 'if.lt': '.btx-expandable', 'stefczyk.info': '#cookies', 'k15t.com': '#cookies', 'szigetfestival.com': '.cookie, .cookies', 'shipton-mill.com': '#cookies', 'trovit.com.pa': '#welcomebar-wrapper', 'bongu.de': '#infoBar', 'ingsprinters.nl': '.modal[data-module="cookie-settings"]', 'oeaw.ac.at': '.warning-popup', 'lira.nl': '.highslide-container', 'video-virali.it': 'div[id*="cookie_pres"]', 'ornikar.com': '#message--cnil', 'securetrading.com': 'body > div:not([id]):not([class])', 'stenatechnoworld.com': '.stickyfooter', 'yonos.pt': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'jcb.com': '.jcb-cookie-policy', 'elaee.com': '#bcnil', 'imp.gda.pl': '#cp_wrap', 'lanebypost.com': '.sqs-announcement-bar', 'bubblegumstuff.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'scez.nl': '#overlay2', 'records.team': '.sqs-announcement-bar', 'wios.warszawa.pl': '.JSWrapper', 'egscans.com': '#egs-cookie-popup', 'realmadryt.pl': '#cookies', 'mediathequeouestprovence.fr': '#info_message', 'autoreflex.com': '#legal', 'forbit.it': '.page > div[id*="cookie"]', 'unitechpackaging.eu': '#cookies', 'dpo-consulting.fr': '#POPUPS_ROOT', '24zdrave.bg': '#cookies', 'wandermap.net': '.messages.temporary', 'roamler.com': '.accept-alert', 'archiviodistatotorino.beniculturali.it': '#system-message', 'handwerk-magazin.de': '#cc-box', 'mpm.pl': '#__cookies_', 'trafiken.nu': '.cookie, .cookies', 'hopt.it': '#privacy-policy, .popup_blackbg', 'spiceworks.com': '.sui-site-message-container', 'dynamo-fanshop.de': '#cookies', 'heavengroup.it': '#cookup', 'studentski.net': '#cookies', 'molgroupitaly.it': '#mgit_notification', 'giunti.it': '.cookie, .cookies', 'reprocolor-calipage.fr': '#cnil, .cnil, #CNIL', 'portalkucharski.pl': 'body > div:not([id]):not([class])', 'sanotechnik.ro': '.cookiequestion', 'esdemarca.com': '#cookie_informativa_esd', 'bati-orient-import.com': '#overlayCookie2015', 'discoverychannel.it': 'body > div:not([id]):not([class])', 'maccosmetics.de': '#bt_notification', 'casando.it': 'div[id*="ctrlCookies_divCookie"]', 'moon-power.com': '.moon-statisticsOptBox', 'intu.at': 'body > form', 'wallpaperdirect.com': 'header > .container', 'shadowofwar.com': '#consent', 'keil.com': '#privacymodule', 'xxxmilfpics.com': 'body > div:not([id]):not([class])', 'buquebus.com': '.cart_cookie', 'plutobooks.com': '.pp-cookie', 'swiat-sypialni.pl': '#box_alert', 'paramedyk24.pl': '#notice_bar', 'veritas-shop.com': 'body > form', 'mimanchitu.it': '#toast-container', 'forsvarsmakten.se': '.s-cookies', 'wallpapermania.eu': '.uk-alert', 'vornamen-weltweit.de': 'body > div:not([id]):not([class])', 'i4a.pl': '#hideMe', 'steinadler.com': '#countrySelectOverlay', 'ticnologia.pt': '#rt-drawer', 'giulianomazzuoli.it': '#cookievjw', 'broadnet.no': '#toast-container', 'marko.pl': '#cookie_nav', 'lamuscle.com': '#info_banner', 'monitoring.krakow.pios.gov.pl': '.a-footer', 'postnauka.ru': 'notifications', 'hivehome.com': '.header-stacked-message', 'schaffrath.com': '.cookie, .cookies', 'evs.com': '.language-switcher', 'presscut.hr': '#kolacici', 'ceske-sjezdovky.cz': 'body > form', 'milanoajto.hu': '.cdisclaimer', 'calculatrice.lu': '#cookies-content', 'enelgreenpower.com': '.message-notification', 'gw2treasures.com': '#notifications', 'ziggogo.tv': '.notifications-manager', 'delkom.pl': '#cookies', 'showcasecinemas.co.uk': '.section-prompt', 'nutanix.com': '#ckbr_banner', 'wirklichweiterkommen.de': '.lsa-dialog.lsa-js-active', 'cross.bg': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'infojobs.net': '.notification-system.is-fixed', 'fizyka.org': '#pp', 'syntevo.com': '.cookie, .cookies', 'kosmetykizameryki.pl': '#polityka, .polityka', 'yousee.dk': '.app > div[data-radium] > div[data-radium][style*="bottom"]', 'ordineavvocati.bari.it': '#cookies', 'cyberdoktor.de': '.cc_container', 'pilkanozna.pl': '#cookies', 'oogfonds.nl': '.cookie, .cookies', 'brookes.ac.uk': '#PopUp', 'versace.com': '.first-visit-banner', 'ohmymag.com': '#cookies', 'entreprenor.se': '#warning', '118000.fr': '.cookie, .cookies', 'wszczecinie.pl': '#cookies', 'scseleccion.com': '.vgcookies', 'pierosangiorgio.kyani.com': 'body > div:not([id]):not([class])', 'lucidsamples.com': '#blocksplash', 'discotecafellini.com': '#privacybar', 'capitalibre.com': '.c_i_container', 'hardstyle-industry.com': '#cnil, .cnil, #CNIL', 'atrio.it': 'body > div:not([id]):not([class])', 'tactical-equipements.fr': '.warning', 'bigbang.si': '#cookies', 'edcom.fr': '#cookies', 'speedtest.net': 'div[data-view-name="privacy-updated-notice"]', 'mieszko.pl': '#privacy', 'dzamlinggar.net': '#cookieID', 'hopt.es': '#privacy-policy', 'tubacex.com': '.containerBlack', 'cirquedusoleil.com': 'div[data-cookie="cookieWarning"]', 'flatcast.net': '.h_dataprot', 'syntusoverijssel.nl': '.alert-bottom', 'abbottsaab.com': '#cc-container', 'alterego.waw.pl': '#SITE_ROOT ~ .siteAspectsContainer', 'frichti.co': '.notification--CNIL', 'aircosmosinternational.com': '#cnil, .cnil, #CNIL', 'polesine24.it': '#cookies', 'horizon.tv': '.notifications-manager', 'arsys.es': '.notifications', 'gwpharm.com': '.main > .block.block-block.show', 'ttv.pl': '#msgLayer', 'bbcchannels.com': 'body > iframe', 'bbceurope.com': 'body > iframe', 'androidcentral.com': '.usr-msg', 'oysteryachts.com': '.top-header', 'kh-schwarzach.at': '.privacy-notice', 'donaukurier.de': '.cookie, .cookies', 'vrin.fr': '#Disclaimer', 'locservice.fr': '#CookiesInfos, #CookiesInfosPrefix', 'mymagazine.co.uk': 'span[id$="cookiePanel"]', 'eitb.tv': '#cookies', 'focum.nl': '#fw_cookie', 'konsbud-hifi.com.pl': '#stickyFooter, .sticky-footer', 'halens.ee': '#site-message-container', 'thefamilycurator.com': '.cn_box', 'azorek.pl': '.giodoContainer', 'artboxone.de': '#ab1_cookie_bar', 'privalia.com': '#fixedBar', 'brunel.ac.uk': '#brunelcookies', 'therugbychannel.it': '#SITE_ROOT ~ .siteAspectsContainer', 'mycinema.pro': 'body > div > span, body > div > span + input', 'dewijkgaard.nl': '#popup_melding', 'ncaa.com': '#mss-legal-banner', 'twitch.tv': '.toast-manager__container', 'atendesoftware.pl': '#policy-info', 'mint-energie.com': '#header1_PanelCookie', 'jpopasia.com': 'body > div:not([id]):not([class])', 'telewizjapolska24.pl': '.head-page-information', 'stylecaster.com': '#dfp-interstitial-holder', 'geo-fs.com': '.geofs-cooked', 'fiveguys.fr': '.modal-backdrop', 'air-indemnite.com': '#general-conditions-of-use', 'aboutyou.nl': '#app > section > div[class*="containerShow"]', 'mynet.com': '#privacy-notification', 'hashflare.io': '.alert-dismissible:not(.alert-success)', 'biotechnologia.pl': '#cookies', 'ludwig.guru': '.cookie, .cookies', 'store.dji.com': 'div[class*="style__cookie-policy"]', 'magazine.moneywise.co.uk': '.cookie, .cookies', 'microhowto.info': '#cookies', 'fondation-patrimoine.org': '.cookie, .cookies', 'miadora.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'starcar.de': '.cookie, .cookies', 'viewsonic.com': '.alert-dismissible', 'formulacionquimica.com': '#pck', 'wind.it': '#cookies, body > #track, .contentCntr + .messageOverlay', 'portugalglobal.pt': '#barramensagem', 'translate.google.it': '#gb > div[style*="background-color"]', 'translate.google.at': '#gb > div[style*="background-color"]', 'translate.google.es': '#gb > div[style*="background-color"]', 'translate.google.ee': '#gb > div[style*="background-color"]', 'translate.google.pl': '#gb > div[style*="background-color"]', 'translate.google.cz': '#gb > div[style*="background-color"]', 'translate.google.dk': '#gb > div[style*="background-color"]', 'translate.google.ie': '#gb > div[style*="background-color"]', 'translate.google.fr': '#gb > div[style*="background-color"]', 'translate.google.si': '#gb > div[style*="background-color"]', 'translate.google.hu': '#gb > div[style*="background-color"]', 'translate.google.sk': '#gb > div[style*="background-color"]', 'translate.google.se': '#gb > div[style*="background-color"]', 'translate.google.fi': '#gb > div[style*="background-color"]', 'translate.google.lt': '#gb > div[style*="background-color"]', 'translate.google.gr': '#gb > div[style*="background-color"]', 'translate.google.ro': '#gb > div[style*="background-color"]', 'translate.google.bg': '#gb > div[style*="background-color"]', 'translate.google.be': '#gb > div[style*="background-color"]', 'translate.google.hr': '#gb > div[style*="background-color"]', 'translate.google.de': '#gb > div[style*="background-color"]', 'translate.google.pt': '#gb > div[style*="background-color"]', 'translate.google.nl': '#gb > div[style*="background-color"]', 'translate.google.no': '#gb > div[style*="background-color"]', 'translate.google.is': '#gb > div[style*="background-color"]', 'translate.google.lu': '#gb > div[style*="background-color"]', 'translate.google.cl': '#gb > div[style*="background-color"]', 'translate.google.lv': '#gb > div[style*="background-color"]', 'translate.google.ch': '#gb > div[style*="background-color"]', 'translate.google.ba': '#gb > div[style*="background-color"]', 'translate.google.lk': '#gb > div[style*="background-color"]', 'translate.google.ru': '#gb > div[style*="background-color"]', 'translate.google.co.uk': '#gb > div[style*="background-color"]', 'translate.google.co.th': '#gb > div[style*="background-color"]', 'translate.google.co.in': '#gb > div[style*="background-color"]', 'translate.google.ca': '#gb > div[style*="background-color"]', 'books.google.it': '#gb > div[style*="background-color"]', 'books.google.at': '#gb > div[style*="background-color"]', 'books.google.es': '#gb > div[style*="background-color"]', 'books.google.ee': '#gb > div[style*="background-color"]', 'books.google.pl': '#gb > div[style*="background-color"]', 'books.google.cz': '#gb > div[style*="background-color"]', 'books.google.dk': '#gb > div[style*="background-color"]', 'books.google.ie': '#gb > div[style*="background-color"]', 'books.google.fr': '#gb > div[style*="background-color"]', 'books.google.si': '#gb > div[style*="background-color"]', 'books.google.hu': '#gb > div[style*="background-color"]', 'books.google.sk': '#gb > div[style*="background-color"]', 'books.google.se': '#gb > div[style*="background-color"]', 'books.google.fi': '#gb > div[style*="background-color"]', 'books.google.lt': '#gb > div[style*="background-color"]', 'books.google.gr': '#gb > div[style*="background-color"]', 'books.google.ro': '#gb > div[style*="background-color"]', 'books.google.bg': '#gb > div[style*="background-color"]', 'books.google.be': '#gb > div[style*="background-color"]', 'books.google.hr': '#gb > div[style*="background-color"]', 'books.google.de': '#gb > div[style*="background-color"]', 'books.google.pt': '#gb > div[style*="background-color"]', 'books.google.nl': '#gb > div[style*="background-color"]', 'books.google.no': '#gb > div[style*="background-color"]', 'books.google.is': '#gb > div[style*="background-color"]', 'books.google.lu': '#gb > div[style*="background-color"]', 'books.google.cl': '#gb > div[style*="background-color"]', 'books.google.lv': '#gb > div[style*="background-color"]', 'books.google.ch': '#gb > div[style*="background-color"]', 'books.google.ba': '#gb > div[style*="background-color"]', 'books.google.lk': '#gb > div[style*="background-color"]', 'books.google.ru': '#gb > div[style*="background-color"]', 'books.google.co.th': '#gb > div[style*="background-color"]', 'books.google.co.in': '#gb > div[style*="background-color"]', 'books.google.ca': '#gb > div[style*="background-color"]', 'coinify.com': '.cookie, .cookies', 'openbookpublishers.com': '.menu-header', 'arag.com': '#cookies', 'dmty.pl': 'body > div:not([id]):not([class])', 'vitsa.co.uk': '#d-notification-bar', 'heal-link.gr': '.alert, #alert', 'fieldgulls.com': '#chorus_notifiations', 'ericdepaoli.com': '#icegram_messages_container', 'dealabs.com': '#softMessages-list', 'sky.com': '#mast-notifications', 'bug.hr': '.cookie, .cookies', 'sportmaster.dk': '.cookie, .cookies', 'nrjmobile.fr': '#ei_cookie', 'ku.dk': '.privacy-policy', 'pfarrverband-koenigslutter.de': '#hinweis', 'ikea.com': '.IKEA-Module-Notification-Notification', 'rbs.co.uk': '.cookie, .cookies', 'webnovel.com': '.m-streamer', 'reittiopas.fi': '#messageBar', 'ipaddress.com': '#cc', 'lacimade.org': '#cookies', 'zenith.gr': '#cookies', 'creditmutuel.fr': '#ei_cookie', 'kimovil.com': '#code_cookies', 'rmastri.it': '#cokadv', 'gentside.com': '#cookies', 'tutoriaux-excalibur.com': '#notices', 'vitrasa.es': '#cookies', 'oddo-bhf.com': '.durandal-wrapper[data-view*="CookiesSettings"]', 'studenti.uniupo.it': '#cookies', 'oet-redwell.it': '.magnus-cookie', 'gittigidiyor.com': '.policy-alert', 'elsignificadode.net': '#bn-cookies', 'eco-systemes.fr': '.cookie, .cookies', 'topteamradio.de': '.jq-toast-single.jq-icon-warning', 'cestfrais.fr': '#cnil, .cnil, #CNIL', 'my.upc.cz': '.cookie, .cookies', 'louder.com': '.hint', 'coherent.com': 'body > div:not([id]):not([class])', 'survio.com': '#cookies', 'm.omroepwest.nl': '.c-cbp-container', 'aktionspreis.de': '.leiste_vollstaendig', 'moment-liege.be': '#coo', 'mega-mania.com.pt': '.pl-cookies', 'nationalcircus.org.uk': '.cookie, .cookies', 'go4pro.lt': '.wu_holder-wrapper', 'lifescience.net': '.alert, #alert', 'cortesdecima.com': '.row.notice.s_active', 'tibia.pl': '#gbpl_oba', 'forum-windows.net': '#ntf', 'vitek.cz': '#cookiesI', 'crizal.pl': '#__cookies_', 'draeger.com': 'globalnotification', 'basilica.ro': '.alert, #alert', 'tpd.sk': '.header__notice', 'ogrtorino.it': '#__next > div[data-reactroot] > div[data-reactid] > div[class]', 'lunarossa-italian.co.uk': '#d-notification-bar', 'giftsandcare.com': '#divbottom', 'kempa-satellite.com': '#mc_top_bar', 'turbocso.hu': '#auroraOverlay', 'thinkwithgoogle.com': '.global-toast', 'konicci.cz': '#fixedBar', 'games.fm': '#cxcx', 'dampfsauger24.de': '.alertbanner', 'malihu.gr': '#malihu-cookies', 'monedo.pl': '.Notifications', 'askabox.fr': '#id_div_bandeau', 'vw-aabenraa.dk': '.notify-bar', 'gpstraining.co.uk': '#cookies', 'nadmorski24.pl': '#cookies', 'internationalchips.com': '.ba', 'fischer.de': '.cookie, .cookies', 'trovit.pl': '#welcomebar-wrapper', 'trovit.nl': '#welcomebar-wrapper', 'klar-im-vorteil.de': '#footer > .inner > p:first-child', 'clickatell.com': '.cookie-show', 'mondaq.com': '#privacy', 'efinancialcareers.com': '.alert-dismissible', 'esse3.unive.it': '#cookies', 'bookbeat.com': '.banner.purple', 'parfum.cz': '#cookies', 'xapes.net': '#as-uc-wrapper', 'bookchoice.com': '.alert-top', 'xm.co.uk': '#cookies-block', 'collibra.com': '.collibra-cookie-accept', 'vivus.es': '.background[class*="warning-module"]', 'cefarm24.pl': '#notice_bar', 'sava-osiguranje.hr': '.alert-info', 'linkmatepr-soritweb.servizienti.it': '.normal[eventproxy="isc_HLayout_1"][style*="absolute"]', 'cookshop.gr': '#cookies-region', 'mon.gov.pl': '#cookies', 'hopt.nl': '#privacy-policy', 'pfefferminzia.de': '#acceptUserExperience', 'royalmailgroup.com': '#block-rmg-cookie-policy-cookie-policy', 'slyvent.com': '#cookiesCard', 'formazione.cirgeo.unipd.it': '#privacy', 'lostgames.net': '#entryCookie', 'kookeiland.be': '#footerSlideContainer', 'brandmed.pl': '#cookies', 'viously.com': '#cookies', 'macorlux.pt': '.cookie, .cookies', 'rooms4valencia.com': '#SITE_ROOT ~ .siteAspectsContainer', 'bioliq.pl': '#cookies', 'solveigmm.com': '#agreement', 'dicionariodesimbolos.com.br': '.clm', 'occhiox.com': '#consenso', 'boss-nekretnine.hr': '#notice', 'yodiez.com': '#system-message-container', 'e-elektron.pl': 'body > div:not([id]):not([class])', 'esm.europa.eu': '#block-esm-base-cookie-message-footer', 'salvaunbambino.it': '.activebar-container', 'sms.priv.pl': '#cookies', 'stjornarradid.is': '.session-text', 'upc.at': '.lgi-bgcontainer-privacybanner', 'hbkik.hu': '#alert-box', 'pixabay.com': '.message_box', 'e-pages.dk': '#privacyConsent', 'vr.se': '.banner, #banner', 'flickr.com': '.footer-container', 'gaes.es': '#cookies', 'celostnimedicina.cz': '#cookies', 'mycujoo.tv': 'div[class*="CookiesNotification"]', 'focuscamera.hu': '.cookie, .cookies', 'lexus.de': '.disclaimer', '10khits.com': 'cloudflare-app[app="welcome-bar"]', 'cleverdialer.de': '#cdweb-cookie-law-info', 'chollometro.com': '#softMessages-list', 'kropelka.com': '#back-lightbox', 'viva64.com': '.personal-data-confirm', 'centauria.it': '.header-welcome', 'atomuhr-infos.de': '#cookies', 'energologistic.it': '#dc-cnb-container', 'stiga.it': '#privacyDisclaimer', 'rhomberg-reisen.com': '.rho-toast--top.rho-pagelane', 'dskbank.bg': '#cookies', 'frateindovino.eu': '.cn-wrapper', 'enikom-m.com': '#cookies', 'blazaar.com': '.ng-toast--top', 'idgspa.it': '#showimage', 'papapiqueetmamancoud.fr': '#id_suivi_publicites', 'zinodavidoff.com': '#footer + div', 'mundo-pecuario.com': '#msjadd', 'rentokil.fr': '#cookie-policy-header .cookie-popup-header', 'mashable.com': '#peek > div:not([id]):not([class])', 'fnord23.com': '.popmake', 'mailorama.fr': '#toast-container', 'ovhcloud.com': '#block-ovhcookieconsent', 'lemoiszerozero.fr': '#root > div:not([id])', 'sita.aero': '#privacyPopupOverlay, .privacyPopup', 'knuddels.de': '#root > div[class*="ColumnFluid"] > div[class*="ModalManager"] > div[class*="ColumnFluid"] > div[class*="Column__Column"]', 'sapabuildingsystem.com': '#header .message', 'mx1-360.com': '.cookie-legal', 'bund-nrw.de': '#m-global-disclaimer', 'lexus.nl': '.l-disclaimer', 'lexus.pt': '.l-disclaimer', 'lexus.co.uk': '.l-disclaimer', 'lexusauto.es': '.l-disclaimer', 'lexus.gr': '.disclaimer', 'samsung.com': '.gb-gnb__notice-bar', 'zentrum-der-gesundheit.de': '.zdg-cookies-policy', 'maxisciences.com': '#cookies', 'profmetkol.pl': '#cookies', 'play.google.com': '#gb > div[style*="background-color"]', 'facebookafmelden.nl': '#cookiespanel', 'tablademareas.com': '#cookies', 'porschebank.at': '.statisticsOptBox', 'slunecno.cz': '.cookie, .cookies', 'theringer.com': '#chorus_notifiations', 'ssisurveys.com': '#__ev_bc', 'kosmiczni.pl': '#cookies', 'royalora.hu': '.cookie, .cookies', 'bancopopular.es': '#cookies', 'foto-erhardt.de': '#cookies', 'showroomprive.com': '#cookie_parent', 'joautok.hu': '.cookie, .cookies', 'horizonhobby.de': '#cookies', 'sharesmagazine.co.uk': '#popup-container', 'spot-a-shop.de': '#popup-notifications', 'dplay.no': '#app > div > dialog[class^="notification"]', 'masmovil.es': 'mm-ui-cookie-disclaimer', 'funandnews.de': '#privacy', 'mitsubishi.pl': '#cookies', 'makewarnotlove.com': '.cp-wrap', 'fnacplay.com': '.cookie, .cookies', 'actionfraud.police.uk': '#cookies', 'deutscheam.com': '.flash-message__wrapper', 'aboutyou.de': '#app > section > div[class^="footer"] + div[class^="container"]', 'seibert-media.net': '#privacy_protection', 'lariveracioccolato.com': '#boxes', 'bauluecken.bremen.de': '#privacy-popup', 'doctoranytime.gr': '#notif--privacy', 'risvegliocomune.com': '#SITE_ROOT ~ .siteAspectsContainer', 'techmart.bg': '.cookie, .cookies', 'arag.de': '#cookies', 'lerepairedesmotards.com': '#cookies', 'akvis.com': '.awarning', 'dplay.se': '#app > div > dialog[class^="notification"]', 'dplay.dk': '#app > div > dialog[class^="notification"]', 'marokko.nl': '.floatbar', 'firstshop.hu': '.cookie, .cookies', 'cewe-print.de': '#cookies', 'blog.daimler.com': '#modal-bg, #modal', 'winflector.com': 'body > div:not([id]):not([class])', 'neatorobotics.com': '#alert-safeharbor-cont', 'korisnaknjiga.com': '#kukiji', 'obaku.com': '.alert.callout', 'modecom.com': '.cookie, .cookies', 'groen.be': '#disclaimer', 'jal.co.jp': '#JS_ciBox, #JS_ciBox_filter, #JS_ciBox_filter_iframe', 'pkpsa.pl': '#cookies', 'haglofs.com': '#privacy-policy-modal', 'dissidiafinalfantasynt.com': '#react-mount > .locale-container > div[style]', 'diamond-air.at': '#privacy-info', 'itmagination.com': 'div[class$="cookie-info"]', 'pizzabakeren.no': '.politics_box', 'adacreisen.de': '.FooterNotification', 'euronova-italia.it': '.cc-customdialog', 'eplan.at': '.fancybox-overlay, #fancybox-wrap', 'crunch.co.uk': '#reactAppRoot > div > .text-content', 'ziffit.com': '.notificationholder', 'cosmo.ru': '.disclame_block', 'trovit.pt': '#welcomebar-wrapper', 'educalingo.com': '#cookies', 'geekbrains.ru': '.gb-bottom-banners', 'trespasse.com': '#cookies', 'uhu.de': '.message.fixed', 'idc.com': '.idc-privacy-notice', 'envivas.de': '.box-hint-layer', 'drweb.com': '#ShowIt', 'tcelectronic.com': '.cv2-wrapper', 'disidentia.com': '#snppopup-welcome', 'trumpf.com': '.notification', 'dutchbirding.nl': '#cookies', 'beepjob.com': '#cgCookies', 'dahuasecurity.com': '.top_tip_wrap', 'hasznalt-laptop.net': '.noty_cont', 'cision.com': '#cision-cookie-policy-banner', 'upctv.at': '.notifications-manager', 'informiert.at': '.CookieLayout', 'investec.com': '.alerts-top[data-type*="acceptCookies"]', 'speedyhen.com': 'body > div:not([id]):not([class])', 'lasante.net': '.cookies__container', 'meyer.it': '#zf--alerts-panel', 'portamx.com': '#ecl_outer', 'ifp-school.com': '#cnilWrapper', 'codicesconto.org': '.bloque_lopd', 'nuovatecnodelta.it': 'body > div[style]', 'everywhere.game': '.cookie-madness', 'naturenergieplus.de': '.announcement', 'detnyeskotterup.dk': '.clWindow', 'eujuicers.cz': '#snippet-browserBootstrap-flashMessages-', 'bet.com': '.asset_balaNotification, .asset_balaNotificationOverlay', 'aostasera.it': '.AST-banner', 'emp-online.es': '.browser-check', 'hestragloves.com': '.user-message-list', 'remax-centarnekretnina.com': '#notice', 'millennium-nekretnine.hr': '#notice', 'bws.net': '.block--cookie', 'ofgem.gov.uk': '#ofgem-cookies', 'mm-kancelaria.com': '.head-page-information', 'polsonic.com': 'body > .widgets-list', 'energy-storage.news': '.site-notices', 'mahlefitz.de': 'body > .gatewayContainer', 'placeandsee.com': '#bnrckie', 'guinand-uhren.de': '.fixed-note', 'napivicc.hu': '#kki_div', 'docciabox.com': '#site-cookie', 'mulinobianco.it': '.mb_cookie', 'riftherald.com': '#chorus_notifiations', 'bitmoji.com': '#disclaimer', 'gmanetwork.com': '.ckn-container', 'portalento.es': '.gaOptIn', 'elektrobit.com': '#ckBar', 'italiarail.com': 'body > .footer', 'sefaireaider.com': '#cookies-charter', 'thueringenforst.de': '.opt-out', 'ecotrade.bio': '.global-alert', 'hmcrespomercedes.es': '#overbox3', 'allianzworldwidecare.com': '.region-disclaimer', 'novapdf.com': '#novapdf_accept_cookies', 'reischecker.nl': '#cbar', 'agrolan.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'bitster.cz': '.cookies-window', 'stasonline.ro': '#form_cookie', 'adslalvolo.it': '#popupDivC', 'mr-bricolage.fr': '#cp-overlay', 'hrhibiza.com': '#websiteNotification', 'pleternica.hr': '#footer', 'sportvision.hr': '.alert-info', 'vivre.hr': '.noty_layout', 'vivre.cz': '.noty_layout', 'tovedo.hr': '#COOKIES, #COOKIES ~ div', 'rva.hr': '#cookies', 'gigabyte.com.hr': '#policy-div', 'lider.hr': '#notice', 'bora.hr': '.modal-mask', 'skoda.hr': '.skoda5-statisticsOptBox', 'remixshop.com': '.fixed-footer', 'autogaleria.hu': '#info-suti', 'aol.de': '.m-user-consent, #alerts-policy', 'bogijn.nl': '#cc-wrapper', 'ariva.de': '#bottomWarnings', 'karman.cc': '#ico_wrapper', 'smiile.com': '#com-message', 'fc-hansa.de': 'body > div:not([id]):not([class])', 'uni-greifswald.de': '#piwik-flyin', 'lamp24.se': '.dnt-dialog.has-confirmation', 'livescore.net': '.row[data-id="infobar"]', 'domwroc24.pl': '.black_overlay', 'kaiserkraft.ie': '.policy_notification', 'aiponet.it': '#cl_wrapp', 'donadeimonti.it': '#system-message', 'emagister.com': '.fixed-footer', 'alecoair.ro': '#notice', 'kvn.ru': '.disclame_block', 'standardandpoors.com': '#wrapper > .portlet-boundary.portlet-static', 'ssls.cz': '#ckb', 'kemkik.hu': '#alert-box', 'huidkanker.nl': '#persistent-messages', 'mhiae.com': '#popup', 'checkthatcar.com': '.csent', 'leselupe.de': 'body > div:not([id]):not([class])', 'buywithconfidence.gov.uk': '#uptopbar', 'reed.co.uk': '.cookie-legislation', 'monkey-tie.com': '#cookiemt', 'lululemon.com': '#promoted-alert-bar', 'infrarot-fussboden.de': 'div[class*="cookie-hint-wrapper"]', 'labgruppen.com': '.cv2-wrapper', 'turtlecereals.com': '#SITE_ROOT ~ .siteAspectsContainer', 'essonne.fr': '#cnil, .cnil, #CNIL', 'ambitionspersonnel.com': 'body > div:not([id]):not([class])', 'partycasino.com': '.info-message', 'nextpharmajob.com': '.userBar', 'oetkercollection.com': '.cookie, .cookies', 'seifensieder.at': '#SITE_ROOT ~ .siteAspectsContainer', 'wurmberg.de': '.datenschutz', 'mysurveylab.com': '.cookie, .cookies', 'fisherinvestments.com': '#privNotice', 'interrail.eu': '.overlay', '101xp.com': '.ui-notification-wrapper', 'carnevale.venezia.it': '#privacySlider', 'newlawns-sussex.co.uk': '#d-notification-bar', 'shortpixel.com': '#shortpixel-cookies', 'megustaleer.com': '.cookie, .cookies', 'co-opinsurance.co.uk': '#noticePanel', 'autoampel.de': '#cookies', 'asnbank.nl': '.cookiewall-dialog, .ui-widget-overlay', 'lysman.no': '.infobar', 'autoweetjes.com': 'body > div[id]:not([class])', 'monedo.mx': '.wr-notification-panel', 'debgen.fr': 'cloudflare-app[app="welcome-bar"]', 'cm.be': '#notification', 'merseyfire.gov.uk': '#popup_box', 'alldayofficesupplies.co.uk': '#d-notification-bar', 'baumtronics.com': '#header .banner', 'autohaus-eberstein.de': '#notify2', 'dietadukan.es': '#banner_cnil', '01-telecharger.com': '#cokkies', 'impelshop.com': '#privacy_policy', 'capitandenim.com': '#menscookie', 'nfumutual.co.uk': '.policy-message', 'sberbank.ru': '.personal-data-warning', 'optochtenkalender.nl': '.PanelPopUp', 'drweb.ru': '#ShowIt', 'drweb-av.de': '#ShowIt', 'thinkshoes.com': '#data-privacy-bar', 'tevaitalia.it': '.riquadroAvvisoPrivacy', 'sep-ensemble.fr': '.disclaimer-bar', 'kaerntentherme.com': '#coo', 'tuttostoria.net': '#avviso', 'porsche-toledo.com': '#popupbox', 'hbo.pl': '#overlay', 'pirkis.lt': '#alert_tuscias, #alertt', 'theoutlinerofgiants.com': '#toog-cookies', 'gigabyte.lt': '#policy-div', 'gigabyte.cz': '#policy-div', 'gigabyte.at': '#policy-div', 'keefcooks.com': '.cookiecon', 'horeca.it': '.cookie, .cookies', 'savio.it': '#box-overlay', 'mobileworldcentre.com': '.alert-warning', 'kupigume.hr': '.ant-notification', 'wiener-metropol.at': 'body > div:not([id]):not([class])', 'anamed.org': '.fixed-note', 'opera-comique.com': '.disclaimer', 'fnvzzp.nl': '#bottom', 'vzdusin.cz': '.euc', 'lacompagnie.com': '#cnil-layer', 'hjheinz.de': 'body > div:not([id]):not([class])', 'superfi.co.uk': '.superfi-cookie-info-wrapper', 'wallingtoncycles.com': '#ccPanel', 'osservatoriocalcioitaliano.it': '#dc-cnb-container', 'aprendemosjuntos.elpais.com': '#cookies', 'lingea.sk': '.lck-wrapper', 'korium.hr': '.rstboxes', 'simonly.nl': '#cookies', 'ray-ban.com': '.wcs-top-message-container', 'happywithyoga.com': '.cookie, .cookies', 'greencity.de': '.cnwrap', 'lafotelektronik.com': 'div[id$="cookiesInfo"]', 'casadelloscaffale.com': 'body > div[class][id]', 'skygroup.sky': '.corporate-notice-banner', 'zonky.cz': 'body > .ember-view > footer + div', 'placelibertine.com': '.cookieText', 'gigabyte.com.tr': '#policy-div', 'tim.it': '#privacy_disclaimer', 'plaques-immatriculation.info': '#cookies', 'lottosurprise.be': '._cookies-cookie', 'lekiosk.com': 'btb-app > banner', 'archea.fr': '#cookie_stuff', 'ics-packaging.it': '#overbox3', 'agendadigitale.eu': '.accetta-container', 'oksofas.es': '.jCookie', 'tierfans.net': '#privacy', 'mescommercantsdugrandhainaut.com': '#divacacher', 'winteroutlet.ro': '#haveCookie', 'dnelectronic.com': '#ctl00_ley', 'brennernordzulauf.eu': '#CKC', 'rcdespanyol.com': '#overbox3', 'muenchen-heilpraktiker-psychotherapie.de': '.jtci-block', 'swiggle.org.uk': '#slide-out-div', 'sinonimosonline.com': '.clm', 'eibtron.com': '.dijitDialog, .dijitDialogUnderlayWrapper', 'wmeentertainment.com': '.notification', 'ttunited.com': 'div[id$="FrameHolder"] > iframe', 'accenture.com': '.cookie-nav', 'dasinvestment.com': '#acceptUserExperience', 'powershop.co.uk': '#cookies', 'conbici.org': '.rcc-panel', 'basketzone.pl': '#polityka, .polityka', 'tc-helicon.com': '.cv2-wrapper', 'vlajo.org': '#vlajoCookieLegalContainer', 'skiline.cc': '.cookie, .cookies', 'renaultkatowice.pl': '.fixedInfo', 'paulcamper.de': 'div[class^="cookieBanner"]', 'prezdravie.sk': '#cookies', 'assuronline.com': '.bottom_cookie', 'vespa-forum.at': '#dkmcookie', 'fontfreak.com': '#sticky-popup', 'capitalinn.it': '#divPrivacy', 'youinvest.org': '#Lab0cookie_pres', 'ekobiuro24.pl': '#popup', 'coopmaster.it': '#h-navbar', 'labelleadresse.com': '._cd', 'electraplus.si': '.ndp-panel', 'paperflies.com': '#content > div[data-reactroot] > div > div[class]', 'gramwzielone.pl': '#gwz-cookies', 'netweber.pl': '.flash-info', 'bookgig.com': 'div[class^="__alertCookies"]', 'romet.pl': '.top-msg', 'alltube.pl': '#cookies', 'recepty.cz': 'body > div:not([id]):not([class])', 'shop.ticketpro.cz': 'body > div:not([id]):not([class])', 'seat.dk': '.notify-bar', 'seat.mpr.gob.es': '#epd', 'devex.com': '#alerts-container', 'legalandgeneral.com': '#st_box', 'szegedvaros.hu': '#footer', 'newnownext.com': '#balaMainContainer', 'emerson.com': 'div[class$="global-cookie-notification"]', 'ridi-group.com': '.occ-inline', 'santucciservice.it': 'body > div:not([id]):not([class])', 'motorola.co.uk': '#Privacy_banner', 'fdjesport.fr': '.fdj__footer', 'geemba.net': '#BODY > .window.container', 'gigant.pl': '#cookie_txt', 'softwareag.com': '#blanket, #popUpDiv', 'mariskalrock.com': '.pcookies', 'sapo.cv': '.bsu-v2-ntfs', 'meblemagnat.pl': 'body > div:not([id]):not([class])', 'libra.com.pl': '#under_footer', 'budapestpark.hu': '#cooker_container', 'lepavelillois.com': '#stickyHeader', 'win3x.org': 'body > div:not([id]):not([class])', 'breaking-news.it': '#cookies', 'greta.shop': '#paragraph_cookie', 'jpgames.de': '#ingameCookie', 'lataamo.akuankka.fi': '.cc_container', 'akuankka.fi': '.cb-container', 'ligna.de': '.user-notes-notification', 'francja.goal.pl': '#viewCookies, #viewCookiesClose', 'ammersee-blick.com': '#d-notification-bar', 'rockthetraveller.com': '.pie_cookie', 'callcredit.co.uk': '.cookie, .cookies', 'tntdrama.com': '#toast-container', 'znak.pl': 'body > div:not([id]):not([class])', 'ffsa.org': '#DeltaPageStatusBar', 'redmenta.com': '.infobar', 'vw-aalborg.dk': '.notify-bar', 'dambros.it': '#dambros-data', 'betsafe.ee': '#MsgAreaBottom', 'bcn.cat': '#bcn-ccwr', 'yer.nl': '.headerCookie', 'dungeondice.it': '.st_notification_wrap', 'sharpspixley.com': '.otpOut', 'keolis.nl': '.alert, #alert', 'bison.be': '#message, .message', 'sklep.vertus.com.pl': '#simple-modal, #simple-modal-overlay', 'warrantydirect.co.uk': '#consent', 'ucando.pl': 'notifications', 'midparts.com.pl': '#simple-modal, #simple-modal-overlay', 'velenje.com': 'td.style5 > table', 'discountbabyequip.co.uk': '.notify', 'passvigo.vigo.org': '#cookies', 'woottontyresltd.co.uk': '#d-notification-bar', 'woodcleaningservices.co.uk': '#d-notification-bar', 'bb-promotion.com': '#sf_fb_retargeting', 'lizipaina.es': '#additional', 'numismatica.land63.com': 'body > div:not([id]):not([class])', 'abchomeopathy.com': '#cookieQ', 'almhof.nl': '.cm.container', 'overdrive.com': '.js-toaster', 'schwedisch-translator.de': '#hinweise', 'kundalini.it': '#toast-container', 'nationaalcomputerforum.nl': '.notices', 'record.com.mx': '#zone-user-wrapper', '420tv.com': '#appBarHeaderContainer', 'geberit.com': '.page-hint-box', 'glovoapp.com': '.down-banner', 'megajatek.hu': '#app-container > div[data-reactroot] > div:not([data-reactid])', 'drupalet.com': '#modalCookies', 'orgasmatrix.com': '#cookies', 'starbt.ro': '.ava_2.display', 'joe.pl': '#j_all > div[style]', 'lifeofvinyl.com': '#msgBox', 'gbif.org': '#termsOfUse', 'topskwlfilter.at': '#granola', 'dtdplasteringandremedials.co.uk': '#d-notification-bar', 'kolbi.pl': 'body > div:not([id]):not([class])', 'kodi-forum.nl': '.notices', 'clinique.com': '#bt_notification', 'oatly.com': '#cookies', 'atlantis-travel.eu': '#ook', 'poundshop.com': '#top-promo', 'bakker.com': 'body > footer', 'nordseecamping.de': '#SITE_ROOT ~ .siteAspectsContainer', 'animationsource.org': '#cprv', 'catwalker.hu': '#CWCookie', 'bouwmaat.nl': '#cookies', 'jjfoodservice.com': 'proto-orderpad > div[style*="fixed"]', 'jman.tv': '#ActionBar', 'klebetape.de': '#keksdose', 'dragonpass.com.cn': '.indexCookies', 'pressreader.com': '#snackbar-container', 'denovali.com': '#growls2', 'jazzwruinach.pl': '#info-window', 'aktivo.nl': '#epd', 'pila.pl': 'body > div:not([id]):not([class])', 'spectrumled.pl': '#privacy', 'mijnleninginzicht.nl': 'body > div:not([id]):not([class])', 'befsztyk.pl': '#notice_bar', 'herz-lungen-praxis-ebersberg.de': 'section[data-module="cookies"]', 'pommiers.com': 'body > center > div', 'werkenbijdriessen.nl': '#notification', 'teamgaki.com': '#icc_message', 'homepay.pl': '#cookies', 'decathlon.cz': '#container-screen', 'gametwist.com': '#message, .message', 'telecinco.es': 'div[class^="cookiesAlert"]', 'brennenstuhl.com': '.privacy-notice', 'geberit.it': '.page-hint-box', 'danstonchat.com': '.cls-cookie', 'mrmen.com': '#mrmen-cookies', 'meridionews.it': '.leaderboard', 'raritysoft.com': '.bootstrap-growl', 'inqnable.es': '#kgc-consent', 'perios.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'intersurgical.de': '#ccPopup', 'korekt-bg.com': '.rcc-panel', 'handelsbanken.co.uk': '#white_layer', 'fettspielen.de': '#cwarn', 'londynek.net': '#ldnk-cookie', 'bilkom.pl': '#cookies', 'mkik.hu': '#alert-box', 'irisopenpayslips.co.uk': '#outerdiv', 'tashenti.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'lankes-zirndorf.de': '#infobar', 'sportpartner-boerse.com': '#DC', 'weber-beamix.nl': '.flash-info', 'led-flash.fr': '#eocookie', 'epidemicsound.com': 'div[class^="___Warnings__bar"]', 'radiofreccia.it': '.off-canvas-content > div[style]', 'rogosport.si': '#biscuits', 'rgbdruk.pl': '#message-bar', 'treningspartner.no': '.top > .container > .sd-surface > .sd-object-if', 'ufopedia.it': '#PrivacyPolicyBar', 'grafcan.es': '#divConsent', 'digitalagencynetwork.com': '#popupDiv', 'leoexpress.com': '.js-footer + div', 'tech.wp.pl': '#app > div > table > tbody > tr + tr > td > span', 'cuatro.com': 'div[class^="cookiesAlert"]', 'odbojka.si': '#footer_message', 'luxplus.dk': '#lp-euc', 'aandelencheck.be': '#site-alert-container', 'ulsterbank.ie': '.cookie, .cookies', 'orthomol.com': '.alert-box', 'kunstnet.de': '#consent', 'thescore.com': 'div[class^="PrivacyPolicyPopup"]', 't-mobile.pl': '#cookies', 'listesdemots.net': '#cd', 'casino.dk': '#MsgAreaBottom', 'laligue.be': '.bottom_message', 'camp-firefox.de': '#storage-notice', 'frankonia.de': '.fr-c-message-wrap', 'nouvelobs.com': '.obs_cnil', 'ultimaker.com': '.preferences-bar', 'kamzakrasou.sk': '.cookie-row', 'malwaretips.com': '.notices', 'eventbrite.co.uk': '.eds-notification-bar', 'tribunasalamanca.com': '#cookies', 'kurspisania.pl': '.cookie, .cookies', 'angolotesti.it': '#cookies', 'large.nl': '.notification-box-bottom', 'erkrath.de': '.tracking-box-wrap', 'active-traveller.com': '#mixcookies', 'tediber.com': '#cnil, .cnil, #CNIL', 'tpn.pl': '#cookies', 'member.europe.yamaha.com': '.alert, #alert', 'aboutyou.pl': '#app > section div[class^="footer"] ~ div[class^="container"]', 'graze.com': '#graze-cookie-message', 'northroadtimber.com': '#d-notification-bar', 'lidlplus.dk': '.lp-cookies', 'friendsoftheearth.uk': '#foe_cookienotice_wrapper', 'theatrechampselysees.fr': '.notice', 'brillen.de': '.main-cookie-title', 'weekday.com': '.m-error-banner', 'drweb.fr': '#ShowIt', 'dandomain.dk': '.no-cookie-wrapper', 'fondationcartier.com': '.c-policy', 'elster-americanmeter.com': '.topRibbon', 'mutua.es': '#cookies', 'contrapunto-fbbva.es': '.cookies-label', 'icq.com': '.ca_wrap', 'auxoriginesdugout.fr': '.spu-box', 'france-cadenas.fr': '#cookie_legal', 'nautiljon.com': '#cmsg', 'protys.fr': '#cookies', 'tv.nu': '#page-wrapper + div[class]', 'epictv.com': '.epic-cookie-banner', 'hankkija.fi': '#divVVL', 'smorgasbord.com': '.alert, #alert', 'schultz-kalecher.dk': '.cookieoptions', 'valdorciasenese.com': '#privacy-alert', 'radiosendungen.com': '#eubanner', 'brinta.nl': 'body > div:not([id]):not([class])', 'portal.dsv.com': '#privacy', 'camping-notredame.com': '.ays-front-message', 'mediatheque.chatillon-sur-indre.fr': '#info_message', 'belm.fr': '#cnil, .cnil, #CNIL', '1mot.net': '#cp', 'pantamera.nu': '#cookie-list', 'mspy.it': '#infoToolbar', 'janatuerlich.at': '.cookie, .cookies', 'frei-wild.net': '#privacyAnnouncement', 'madhumanshow.com': '#SITE_ROOT ~ .siteAspectsContainer', 'zwischengas.com': '.datafooter', 'pensioenschoonmaak.nl': '#cwet', 'mzkjastrzebie.com': '.JSWrapper', 'e-mediatheque.sqy.fr': '#info_message', 'mamabartka.blogspot.com': '#pierwszy', 'haier.com': '.swiper-slide-img-txt', 'musikki.com': '.status-cookies', 'wolkyshop.co.uk': '#wolkyshopCookieBar', 'apmg-international.com': '.status-messages', 'nobistex.com': '#sw_cookies', 'leboisfae.com': '#SITE_ROOT ~ .siteAspectsContainer', 'allianz-reiseversicherung.de': '.region-disclaimer', 'sucredorge.com': '#cnil, .cnil, #CNIL', 'grezzo.de': 'body > div[style]', 'mailplanet.it': '#discl', 'fabled.com': '.alert, #alert', 'pl.dmgmori.com': '#cookies', 'vergelijk.be': 'div[data-rendering-area="dialogs"] > div > div > div[data-bind*="PopupBehavior"]:not([data-role])', 'ubs.com': '#colorbox, #cboxOverlay', 'citybee.cz': '.cookies-rules', 'switchbay.com': '.ant-notification', 'u-emploi.com': '#cookies', 'depv.de': '#root > div > div:first-child[class]', 'gigabyte.ru': '#policy-div', 'szpitalkarowa.pl': '#cookies', 'artderkultur.de': '.fixed-note', 'oldrailwaylinegc.co.uk': '.notice-wrap', 'michael-mueller-verlag.de': '#coo_note', 'kanzlei-mueller-wuppertal.de': '#infobar', 'nfl.com': 'input[name="x-akamai-edgescape"] + div[style*="fixed"]', 'dedoimedo.com': '#ccc', 'weerg.com': '#blultpdfbanner', 'nowaelektro.pl': 'body > div:not([id]):not([class])', 'traum-pizza.de': '#gc_message_bar_open, #gc_message_bar', 'justgoride.co.uk': '#notifications', 'newsbelow.de': '.flash', 'baracuta.com': '.firstvisit', 'spox.com': '.spxcib.open', 'chinamobilemag.de': '#system-message', 'borgerforslag.dk': '.site--content > div[id] > section[style*="transform"]', 'atresplayer.com': '#root > div > footer + div', 'roncadin.it': '.cookie, .cookies', 'itv.com': '.site__alert', 'anacom.pt': '#cookieDiv', 'paginasamarillas.es': '#m-notification--bottom', 'kaspersky.com': '.notification-bar.bottom, #banner-region', 'spartanien.de': '.cookie, .cookies', 'adtorpedo66.es': '#laputapolitica', 'tcxboots.com': '.main-copy', 'bm.lv': '.cookie-txt', 'support.kaspersky.com': 'body > div:not([id]):not([class])', 'majsterki.pl': '#cookies', 'tempmailaddress.com': '.navbar-fixed-bottom', 'thegadgetflow.com': '.gfl-widget-gdpr-wrap', 'location.leclerc': '.cookie, .cookies', 'redditinc.com': '.cookie, .cookies', 'deutscher-fenstershop.de': '.rule_assept', 'restplatzboerse.at': '#rpb_cookie-banner', 'cer-eau.fr': '#cookies', 'stockwatch.pl': '.cppa', 'autorai.nl': '#cookies', 'dalendo.com': '.dr-footer-fixed-bar', 'engelvoelkers.com': '#ev-cookieText', 'bally.fr': '.first-visit-banner', 'uswitch.com': '#us-cookies', 'formula1.com': 'div[class*="cookie-banner"]', 'drivetribe.com': '#root > div[class][style]', 'cv.lt': '.cookies-wr', 'heroesneverdie.com': '#chorus_notifiations', 'klaxoon.com': '.cookie, .cookies', 'elfuturoesapasionante.elpais.com': '#cookies', 'columnacero.com': '#overbox3', 'hoyavision.com': '.notification-wrapper', 'essential.com': '#footerNotice', 'muji.eu': '#cokbar', 'phonehouse.pt': '#cookies', 'ranorex.com': '#rx-cookie-wrapper', '9bis.net': 'body > div[style*="width"]', 'bpp.com': '#consentDiv', 'szyszunia.com': 'body > center', 'mobidrome.com': '.mobidrome-websiteStatisticsOptBox', 'jaguar.com': '.notification__container.is--active', 'minilover.be': '#cookies', 'bussgeldkatalog.org': '.legalAdvice', 'leaderdrive.fr': '.base-cookies', 'abt-sportsline.de': '.abt-cookieNotification', 'blende-und-zeit.sirutor-und-compur.de': '#hinweise', 'transportfever.net': '.popupBase.notification', 'acorianooriental.pt': '.allow-cookies', 'tinder.com': '#content > .Expand > span > .App > svg + div', 'dobbies.com': '#dobbies_cookie_widget', 'wattsindustries.nl': '#header1_overlay2', 'digi-film.ro': '#sticky-popup', 'namemc.com': '.alert-warning', 'manche.fr': '.cmHeaderTop', 're.public.polimi.it': '#jGrowl', 'azurewebsites.net': '#legal-info', 'passware.com': '.notifino', 'fitnessvoordeelpas.be': '.cb-modal', 'najdise.cz': '.cc_container', 'bss-sichelstiel.de': '.fixed-note', 'akf-shop.de': '.akf__cookie', 'zmotor.it': '#bannerC', '4thoffice.com': '#cookies', 'beeoffice.com': '#info', 'gruppodimensione.com': '.floatFooter', 'md5hashing.net': '.panel-footer.pp-footer', 'lanidor.com': '#divCookiesF', 'sacoorbrothers.com': '.legal-warning', 'bletchleypark.org.uk': 'main.relative > div > div', 'jom.pt': '#cookies', 'fullspeedahead.com': '#toast', 'ultimate-guitar.com': 'body > div:not([id]):not([class])', 'motuk.com': '#csent10', 'sotec-consulting.com': '.toast-container', 'gospodarkamorska.pl': '#fr3ex-cookiewarning', 'tvnotas.com.mx': '#zone-headertwo-wrapper', 'shetland.gov.uk': 'body > .container > span', 'toscana-notizie.it': '#banner-overlay-top-page', 'hspdat.to': '.notices', 'tripping.com': '.navbar__banner', 'coinbase.com': 'div[class^="CookieWarning__Container"]', 'rustimation.eu': 'body > p', 'minitokyo.net': 'body > div:not([id]):not([class])', 'na-kd.com': '#container > div > div:not([class])', 'bekohu.com': '.sayfaIcDiv > .row300', 'whoismocca.com': '#main-bottom-bar', 'metroservices.it': '#privacy', 'szybkopraca.pl': '#toast-container', 'ashtangayogaantibes.com': '#stickyHeader', 'stadt-bremerhaven.de': '.bst-panel-fixed', 'armorgames.com': '#cc-alert', 'edx.org': '.edx-cookie-banner-wrapper', 'johnlewisbroadband.com': '.cf__main-block', 'hrs.de': '.hrs-cookiebanner', '1000dokumente.de': '#bscookie', 'aalst.be': '.footer-notification', 'fidelidade.pt': '#cookies', 'multicare.pt': '#cookies', 'nytimes.com': '.shown.expanded', 'sklepkoszykarza.pl': 'body > div:not([id]):not([class])', 'dutchcarparts.nl': '.cookie, .cookies', 'vr.fi': '.infoMessages', 'indiatimes.com': '.du_consent', 'apparata.nl': '#ab_main_nav_container + div[class^="app_"] > div[class^="popup_"]', 'sz-online.de': '#szoCookieBar', 'tindie.com': '#tindie_cookie_alert', 'idea-bank.ro': '.notification', 'easeus.com': '.usernotice_pop', 'lebrassageestunerichesse.fr': '#root > div:not([id])', 'pcx.hu': '.cell[data-comp-name="cookie"], .cell[data-comp-name="cookie"] + div[style], .cell[data-comp-name="cookie"] ~ #popup', 'helloclue.com': '#root > footer + section', 'canadianoutages.com': '#overlay.container', 'boxtal.com': '#privacy', 'benefit-fitness.de': '.bst-panel-fixed', 'plus.net': '.cf', 'sportal.de': '#dgsvoLayer', 'parczoologiquedeparis.fr': '.bloc-notifications-bottom', 'clubcard.cz': '.ucks', 'antyweb.pl': '#privacy', 'abload.de': '#cookies', 'bolagsverket.se': 'body > div:not([id]):not([class])', 'skat-spielen.de': '#cookieTest', 'dogma-exclusive.com': '#notice', 'debbonaire.co.uk': '#disclaimer', 'teltarif.de': '.ttconsent', 'reddit.com': '.infobar-toaster-container, #SHORTCUT_FOCUSABLE_DIV > div > div:not([class]):not([id]) > div[class] > form', 'incomediary.com': '#cookies', 'muszynianka.pl': '.cookie, .cookies', 'atgtickets.com': '#atgcookies-container', 'doctorwho.tv': 'body > iframe', 'setafika.hu': '#popup_bottom', 'chilly.domains': '#chilly-cookie-accept', 'pie.camcom.it': '#cookieDiv', 'narodowy.pl': '#cookies', 'auto5.be': '#privacy', 'orf.at': '.oon-ds-banner', 'aftonbladet.se': '.outerContainer[role="alertdialog"]', 'forum.valka.cz': '.alert, #alert', 'explicite.info': '.subscription-banner.privacy', 'zerauto.nl': '#cookies', 'speedtestcustom.com': '.stc-wrapper > div[style]', 'mi.com': '.top-notify', 'kissonline.com': '#consent-slide', 'webfail.com': '#wfPrivacyNotice', 'cassaforense.it': '#cassaforense-cookies', 'ueltje.de': '.ueltje-cookie-accept', 'clinique-veterinaire.fr': '.alert, #alert', 'polimarky.pl': '.navbar-fixed-bottom', 'hareskovskole.dk': '#jGrowl', 'pabo.nl': '.disclaimer_wrapper', 'express.co.uk': '#cmp-container-id', 'weerplaza.nl': 'body > div:not([id]):not([class])', 'lily.fi': 'body > div:not([id]):not([class])', 'dashlane.com': '.js-privacy-module', 'playstation.com': '#privacy-header', 'weersvoorspelling.nl': 'body > div:not([id]):not([class])', 'net.hr': '.disclaimer', 'techadvisor.co.uk': 'body > div[style*="transparent"]', 'payback.de': '.stripe--fixed-bottom', 'openclassrooms.com': '#showDisclaimer', 'ampparit.com': '.ticker_cookie', 'ulule.com': '.b-cookie', 'unitymedia.de': 'body > div:not([id]):not([class])', 'machcomedyfest.co.uk': '.wander-cookie', 'altium.com': '.altium-privacy-bar', 'regielive.ro': '#sc-alert-box-wrapper', 'pricerunner.dk': '#page-footer + div', 'livesmarter.pl': '#rodo', 'all-bikes.fr': '#ocw_conteneur', 'check24.de': '.c24-cookie', 'tennisteam.forumattivo.com': '.conteneur_minwidth_IE ~ div', 'ghostery.com': '.piwik-notice-container', 'webuy.com': '.cookies_div', 'pcgames.de': '.dataPrivacyOverlay', 'funpot.net': '#message, .message', 'cinemagia.ro': '#cp-overlay', 'jumbo.com': '.jum-warnings', 'telegram.hr': '.disclaimer', 'verivox.de': '#gdprVxConsentBar', 'cdon.se': '#ccc', 'tetrisfriends.com': '.iziToast-wrapper', 'etsy.com': '.ui-toolkit[data-etsy-promo-banner]', 'irisnet.be': '#cookieIndicator', 'wikihow.it': '#gpdr, #gdpr', 'ancestry.co.uk': '#BannerRegion', 'alarabiya.net': '#consent', 'pcgameshardware.de': '.dataPrivacyOverlay', 'netdyredoktor.dk': '.ct-popup', 'msi.com': '.privacy_popup', 'tenuser.com': '#rsp', 'pastebin.com': '#float-box-frame', 'fanbike.de': '.consent', 'bka.de': '#privacy', 'salzgitter-ag.com': '.sz-meta__cookies-wrap', 'optyczne.pl': '.w3-modal', 'nuevocaceres-sanfrancisco.es': '.index_cookies', 'calm.com': 'div[class*="GdprLightbox__Container"]', 'sunny-dessous.de': '.cookie_licence', 'rynekzdrowia.pl': '.rodo', '24mx.de': '.consent-wrapper', 'huffingtonpost.fr': '.popup-overlay', 'telering.at': '.uc-fab.uc-fab-open', 'dijaspora.online': '.cookie-uslovi', 'ecosia.org': '.js-notifications-banner', 'jobat.be': '.contract-sticky', 'ebaumsworld.com': 'div[id^="sp_message"]', 'jetbrains.com': '.jba-agreement-panel', 'tameteo.com': '#gpdr, #gdpr', 'expressen.se': '.terms-dialog', 'adac.de': '.m-basic-cookie', 'eu.aoc.com': '.country-popup', 'nbcnews.com': '.dy_bottom_notification', 'phonearena.com': '#cookies', 'tunein.com': '#innerAppContent > div[class*="violator__container"]', 'kaspersky.pt': '.notification-bar.bottom', 'cdon.dk': '#ccc', 'devexpress.com': '#wsMsgWnd[msgid="cookie-info"]', 'iex.nl': '.bcpNotificationBar', 'knowyourmeme.com': 'div[id^="sp_message"]', 'discogs.com': '.alert-message', 'vodafone.pt': '.cc-vdfcookies, #ck-dialog', 'verkkokauppa.com': '.vk-cookie-notification', 'grrif.ch': '#RGPD', 'betternet.co': '#AF_GDPR', 'amazon.com': '.mo-sitePriv', 'loggly.com': '.promotion', 'rtp.pt': '#rtpprivacycontent', 'jolla.com': '.rcc-panel', 'netdoctor.co.uk': '.policy-bar', 'digitalcombatsimulator.com': '#cookies', 'cheezburger.com': 'div[id^="sp_message"]', 'nginx.com': '#nx_gdpr_modal', 'dvdfab.cn': '.cookie-opa', 'der-lustige-modellbauer.com': '.conteneur_minwidth_IE ~ div', 'mt09.net': '.conteneur_minwidth_IE ~ div', 'wtatennis.com': '.wta-cookies-policy', 'verkeerplaza.nl': 'body > div:not([id]):not([class])', 'apkpure.com': '#policy-info', 'mnb.hu': '.popupDialog', 'nautic-way.com': '#toast-container, .toast-container, #toast, .toast', 'esug.dk': '#COOKIE', 'bringmeister.de': 'div[data-cy="cookiePopup"]', 'strava.com': '#stravaCookieBanner', 'userstyles.org': '.NotificationLine', 'grammarly.com': 'div[class*="gdpr_notification-container"]', 'dirk.nl': '.cookie, .cookies', 'filmweb.pl': '.boardsWrapper', 'eltiempo.es': '#privacy_bar, .curtain_lightbox', 'mabanque.bnpparibas': '.cookie, .cookies', 'xvideos.com': '#x-messages, #x-messages-btn', 'techniconnexion.com': '#fb-root ~ div', 'memrise.com': '#legal-modals, .modal-backdrop', 'newegg.com': '#popup_overlay, .centerPopup', 'webcamera.pl': '#rodo-modal', 'pkl.pl': '.popup-pkl', 'mercateo.com': '#header-popup-info', 'psychomedia.qc.ca': 'body > div:not([id]):not([class])', 'digi24.ro': '#gdpr, #gdpr-modal', 'choicefurnituresuperstore.co.uk': '.fixBar', 'magix.info': '.mgxCookieConsent', 'antena3.ro': '#gpdr, #gdpr', 'buffed.de': '.dataPrivacyOverlay', 'suunto.com': '#app-cookie', 'archdaily.com': '.kth-toast', 'autopista.es': '.cookie, .cookies', 'akamai.com': '.notification--warning', 'galeria-kaufhof.de': '.gk-stickymessage', 'flanco.ro': '#cc-wrapper', 'krautreporter.de': '.js-flash-messages-container', 'zoominfo.com': '.overlays', 'pizza.de': '.page-main > div', 'orcadian.co.uk': '.cd-container', 'boxer.se': 'div[class*="CookieBar"]', 'puppet.com': '.puppet-cookie-banner', 'wilko.com': '.cookie, .cookies', 'gadgetsnow.com': '.consent-popup', 'memsql.com': '#memsql-cookie-banner', 'refresher.sk': '.gdpr-panel', 'refresher.cz': '.gdpr-panel', 'opgevenisgeenoptie.nl': '.cbar-wrapper', 'optical-center.fr': '#cookieOk', 'tvnow.de': '.privacydetectionbar', 'idomix.de': '.bst-panel-fixed', 'xlmoto.fr': '.consent-wrapper', 'tempo.pt': '#gpdr, #gdpr', 'tameteo.nl': '#gpdr, #gdpr', 'usporedi.hr': '#privacyPolicyModal, .modal-backdrop', 'rtl.hr': '#top1_UpdatePanel3', 'skdd.hr': '.newsBottom', 'hrdlog.net': '#DivCookies', 'uni-tuebingen.de': '#privacy-background, #privacy-container', 'vodafone.cz': '.vf-gdpr-settings', 'acast.com': '.consent', 'urbia.de': '.layer-confirm-hard.banner.sticky', 'allekringloopwinkels.nl': '#modal-background, #modal-content', 'mercola.com': '.gdpr-container', 'netflixlovers.it': '#cs_container', 'toutcomment.com': '.consent', 'cfainstitute.org': '#privacyWarining, .alert-global-information', 'allekabels.nl': '.cookie, .cookies', 'mercedes-benz.de': '.notificationbox__base', 'pricerunner.se': '#page-footer ~ div', 'blau.de': 'app-banner5', 'hs-emden-leer.de': '#zwcc, #zwcc-spc', 'elisa.fi': '.elisa-navi-cookie-and-consent-disclaimer', 'enbw.com': '.popin, .js-cc-announcement', 'iiyama.com': '.infobar-message', 'denizen.io': '.cc-container', 'avaaz.org': '.gdpr-block-cookies, .gdpr-block-privacy', 'tellows.de': '#cookies', 'blocket.se': '#ufti, #ufti-bg', 'visualcomposer.io': '.top-message', 'ecs.com.tw': '#policy-div', 'chilloutzone.net': '#cozConsentNugget', 'supercell.com': '.bs-site-alert', 'model-kartei.de': '.cookie, .cookies', 'themaven.net': '.consent-ui', 'wikihow.tech': '#gpdr, #gdpr', 'coop.se': '.js-personalInformationNotice', 'broadcom.com': '.ribbon-wrapper', 'technischeunie.nl': '#footer-slideup-highlight-banner', 'efox-shop.com': '.cookie-tip-bg', 'k-booster.com': 'div[data-borlabs-cookie-wrap]', 'codementor.io': '.consent', 'brain.fm': 'div[class*="modules-core-css-CookiePopup"]', 'farmprogressamerica.com': '#icegram_messages_container', 'cryptokitties.co': '.BottomBanner', 'tiempo.com': '#gpdr, #gdpr', 'telia.ee': '.header__notice', 'giphy.com': 'div[class*="flash-message__MessageWrapper"]', 'wikihow.com': '#gpdr, #gdpr', 'trustradius.com': '.notification-banner-footer', 'partauto.fr': '#cnil, .cnil, #CNIL', 'toy-versand.com': '#coe_cookies_container, #coe_cookies_placeholder', 'logitech.com': '.cForum_Footer', 'jdvhotels.com': '#ccs-notification', 'delock.de': '#cookie_private', 'neoprofs.org': '#page-footer ~ div', 'myfanbase.de': '#gdpr-consent', 'milanofinanza.it': '#cl_modal', 'cinemania.elmundo.es': '.cookie, .cookies', 'allrecipes.com': '#privacyNotification', 'classic-trader.com': '#jGrowl', 'forumactif.org': '.conteneur_minwidth_IE ~ div', 'soompi.com': '#gdpr-root', 'info-retraite.fr': '.cookie, .cookies', 'thomsonreuters.com': '.dismissible-banner, .pl_announcements', 'store.hmv.com': '.cookie, .cookies', 'trafikverket.se': '#ctl00_Content_EmptyPage_CoockieInformation_CookieContainer', 'gamigo.com': '#gamigoCookie', 'schmucks-restauration.de': '#d-notification-bar', 'openweathermap.org': '#stick-footer-panel', 'starressa.com': '#modal-home', 'axminster.co.uk': '.axmcookie-notice-conatiner', 'dietenlijst.nl': '#cooMessage, #loading', 'rapidssl.com': '#toolbar', 'perforce.com': '.EUc', 'telsu.fi': '.cookie, .cookies', 'otouczelnie.pl': '.cookie, .cookies', 'detektor.fm': '.stb-container.stb-top-right-container', 'quag.com': '#gpdr, #gdpr', 'siropsport.fr': '.analytics', 'kafelanka.cz': '.cookie, .cookies', 'dasoertliche.de': '.sticky_cookie', 'easyeda.com': '.priv-tips', 'pokemongolive.com': '.nl-cpb', 'bw-online-shop.com': '.modal-mask-class.show-modal', 'meteored.pe': '#gpdr, #gdpr', 'playtech.ro': '#gdpr_consent', 'freemake.com': '#bottombar', 'planeteanimal.com': '.consent', 'estjob.com': '.cookie, .cookies', 't-mobile.at': 'app-banner7', 'tsb.co.uk': '#cookies', } return rules def getproviders(): providers = [ 'https://consent.trustarc.com/asset/notice.js/v/1.9', 'https://static.quantcast.mgr.consensu.org/v3/cmpui-banner.js', 'https://static.quantcast.mgr.consensu.org/cmpui-popup.js', 'https://b.bostonglobemedia.com/plugin/plugin/*', 'https://cdn.lrworld.com/fileadmin/lrcore/system/templates/js/cookiecontrol_js.js*', 'https://geolocation.onetrust.com/cookieconsentpub/v1/geo/countries/EU*', 'https://cdnjs.cloudflare.com/ajax/libs/cookieconsent2/3.0.3/cookieconsent.min.js*', 'http://estaticos.cookies.unidadeditorial.es/js/policy_v3.js*', 'https://s.yimg.com/oa/guce.js', 'https://slot1-images.wikia.nocookie.net/__am/7010027010012/groups/-/abtesting,oasis_blocking,universal_analytics_js,adengine2_top_js,adengine2_a9_js,adengine2_pr3b1d_js,tracking_opt_in_js,qualaroo_blocking_js', 'https://consent.cmp.oath.com/cmp3p.js', 'https://quantcast.mgr.consensu.org/*.js', 'https://www.barcelo.com/assets/js/components/dynamic_user_html.js?=*', ] return providers
def getrules(): rules = {'google.com': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'facebook.com': '#page > #header-notices', 'gmail.com': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'linkedin.com': '#artdeco-global-alert-container, .alert, #alert', 'yahoo.com': '#y-shade, #applet_p_50000174, .tdv2-applet-nagbar, .login-body + .login-footer', 'duckduckgo.com': '.badge-link.ddg-extension-hide', 'bing.com': '#thp_notf_div, #b_context, .b_hide.bnp_ttc', 'ask.com': '#ccbar, #cp-banner', 'ted.com': 'body > div:not([id]):not([class])', 'google.co.uk': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.it': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.at': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.es': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ee': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.pl': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.cz': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.dk': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ie': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.fr': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.si': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.hu': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.sk': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.se': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.fi': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.lt': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.gr': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ro': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.bg': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.be': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.hr': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.de': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.pt': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.nl': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.no': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.is': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.lu': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.cl': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.lv': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ch': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ba': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.co.ve': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.com.au': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ae': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.lk': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ru': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.co.th': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.co.in': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'google.ca': '#epbar, #cnsh, #pushdown, #consent-bump, #taw ._pei, #cnsi ~ [jsaction*="dismiss"], g-dialog, g-bottom-sheet, .gb_bd[aria-label][role="dialog"][style*="#default#userData"]', 'toldosalsina.com': '#aviso', 'barcelona.cat': '#bcn-ccwr', 'barclays.com': '.dialogMask', 'co-operativeinsurance.co.uk': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'britannia.co.uk': '#noticePanel', 'moneysavingexpert.com': '#alertBar', 'soundcloud.com': '.announcements', 'debenhams.com': '#debCNwrap', 'hostgator.com': '#alertBar', 'theregister.co.uk': '#RegCCO', 'rapturetv.com': '#apDiv1', 'civilsociety.co.uk': '.announcement-banner', 'cityoflondon.gov.uk': '.container-floating-notifications', 'fool.co.uk': '#dogfish', 'cofunds.co.uk': '#idrMasthead .idrPageRow .smContainer', 'channelregister.co.uk': '#RegCCO', 'ordnancesurvey.co.uk': '#messages', 'hattrick.org': '.alert, #alert', 'ecdl.hr': '#admin_sys_notif', 'sajmovi.eu': '#mBox1, #mBox1+div', 'poba.hr': '#meerkat-wrap', 'joemonster.org': '#pp-bg-overlay', 'heinz.co.uk': 'body > div:not([id]):not([class])', 'tvlicensing.co.uk': '#blq-global', 'esure.com': '#slideMenu', 'demotywatory.pl': 'body > div:not([id]):not([class])', 'mggp.com.pl': '.navbar-fixed-bottom', 'omroepbrabant.nl': '#stickyFooter, .sticky-footer', 'neckermann.com': '#st_popup, #st_overlay, #ewcm_container', 'wehkamp.nl': '#header > .bg-text-secondary', 'thejournal.ie': '#notify-container', 'dba.dk': 'body > div:not([id]):not([class])', 'gosc.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'targeo.pl': 'body > div:not([id]):not([class])', 'bilbasen.dk': 'body > div:not([id]):not([class])', 'stargreen.com': 'body > div:not([id]):not([class])', 'wrzucacz.pl': '#logo .info', 'wattsindustries.com': '#header1_overlay2', 'mistrzowie.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'korwin-mikke.pl': 'body > div:not([id]):not([class])', 'element14.com': '.e14-cookie-directive', 'oushop.com': 'body > div:not([id]):not([class])', 'mocnopomocni.pl': 'body > div:not([id]):not([class])', 'instal.si': 'body > img, .urejanjecenter, .urejanjecenter + table', 'megashopbot.com': '#alertBar', 'daft.ie': '#notify-container, .strapline-container', 'vegetus.nl': '#tracking', 'thetoyshop.com': '#entCNDiv', 'direct-croatia.com': '#site_nt', 'odjechani.com.pl': '#akceptacja-odjechani', 'studentpotrafi.pl': 'body > div:not([id]):not([class])', 'kulturstyrelsen.dk': '#lbmodal-overlay, #lbmodal', 'bosw.pl': '#popup', 'zend.com': '.ui-dialog.ui-widget.ui-widget-content.ui-corner-all.ui-front.ui-draggable.ui-resizable', 'lego.com': '#GFSticky', 'izone.pl': '.mm-page > div[style*="height: 80px"]', 'comscore.com': '.info_banner', 'youronlinechoices.com': '.block.bubble.top, .mainContentInside > .mauto > .info', 'clinique.co.uk': '#bt_notification', 'vente-privee.com': '.cookiesTxt', 'rk.dk': '#lbmodal-overlay, #lbmodal', 'normaeditorial.com': '#styleUp', 'rebelianci.org': 'body > div:not([id]):not([class])', 'pensionsinfo.dk': '#policyLong, .startPageBackground', 'krsystem.pl': '#cook, .cook', 'ramboll.com': '.infoboxHolder', 'c-and-a.com': '#pageTopBanner', 'aptekagemini.pl': '#kukiz', 'km77.com': '#message-acceptation', 'arpem.com': '#presence', 'rewolucjawoc.pl': '.footer-main-box .copy', 'piekielni.pl': 'body > div:not([id]):not([class])', 'tekstowo.pl': '#ci-info-box', 'shelldriversclub.co.uk': '#modal_container', 'sverigesradio.se': '#user-message-container[data-require*="cookie-message"]', 'boards.ie': '#notify-container', 'airtricity.com': '.welcome-text li + li + li', 'dodrukarki.pl': 'body > div:not([id]):not([class])', 'ratp.fr': '#cnil, .cnil, #CNIL', 'snsbank.nl': '.boxy-modal-blackout, .boxy-wrapper, .ui-dialog, .ui-widget-overlay, #consentdiv', 'plus.google.com': '#gba.gb_Ec', 'ucsyd.dk': '#lbmodal-overlay, #lbmodal', 'nidirect.gov.uk': '#cicw', 'fysio.dk': 'body > div:not([id]):not([class])', 'tesco.pl': '.infoBarClosable', 'facerig.com': 'body > div:not([id]):not([class])', 'katowice-airport.com': 'body > div:not([id]):not([class])', 'oferia.pl': 'body > div:not([id]):not([class])', 'monsterboard.nl': '#interMsgsW, .ui-actionsheet-wallpaper, #m-popup-softgate', 'ox.ac.uk': '#analytics-notice, #toast-container', 'grafoteka.pl': '#info-container', 'peoplenet.dk': '.ppnCookieDir', 'dentalclinics.nl': '#WGturgimjo', 'americanexpress.com': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'shopusa.com': 'body > .box', 'digitaluk.co.uk': '.cb-wrapper', 'ohra.nl': '#wrapper-overlay', 'laboro-spain.blogspot.ie': 'body > span', 'laboro-spain.blogspot.com.es': 'body > p', 'kalisz.pl': '#showHideDiv', 'monsterpolska.pl': '#interMsgsW, #m-popup-softgate, .browserAlertHolder', 'adecco.fr': '.bannerContainer', 'cnet.com': '.modal, .modal-backdrop', 'snsvoordeelvergelijker.nl': '#lightbox-shadow, #lightbox', 'jw.org': '.legal-notices-client--notice', 'thuiskopie.nl': '.highslide-container', 'stopwariatom.pl': 'body > div:not([id]):not([class])', 'terra.es': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'dynos.es': '#cuerpo > div:not([id]):not([class])', 'pobieralnia.org': '#close', 'jubii.dk': 'body > div:not([id]):not([class])', 'easy2click.dk': '#cp', 'juegosalmejorprecio.com': '#noty_top_layout_container', 'amadeus.com': '.country-lightbox .country + p, .country-lightbox.cookies', 'forumvolt.org': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'datumprikker.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'siemens.com': '#c-info, .cm-banner', 'utopolis.nl': '#nagging-screen-wrapper', 'fiskarsgroup.com': '.kwddisclaimerpopup', 'androidmagazine.pl': 'body > div:not([id]):not([class])', 'slupsk.pl': '#easyNotification', 'yourweather.co.uk': '.tCook', 'lampy.pl': '.dnt-dialog', 'smulweb.nl': '.accept_container', 'mtm-info.pl': '#etisoA', 'voila.fr': '#o_ribbon, .ul-notification-center', 'nettg.pl': 'body > .fade', 'rckik.poznan.pl': 'body > div:not([id]):not([class])', '118712.fr': '#o_ribbon', 'pecetowiec.pl': '.messagesWrapper', 'epiotrkow.pl': '.cookskom', 'komixxy.pl': 'body > div:not([id]):not([class])', 'polskiprawnik.pl': '.reveal-modal-bg, #popup3', 'urskiven.dk': '#aBox', 'bygningskultur2015.dk': '#lbmodal-overlay, #lbmodal', 'coches.net': '#yc', 'racjonalista.pl': '#_ci', 'pianomedia.pl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'mazowieckie.pl': '.JSWrapper', 'subscribeonline.co.uk': '#panel', 'youfone.nl': '.opt-in2', '3arena.ie': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'proff.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'cdiscount.com': '#blocInfoTop, #alerts', 'westgate.com.pl': 'body > div:not([id]):not([class])', 'nix18.nl': '#piwik', 'sportadictos.com': '.c_i_container', 'leroymerlin.fr': '.nav-infos-wrapper', 'guldsmykket.dk': '#aBox', 'bde.es': '#dvCookies', 'handelsbanken.dk': '#white_layer', 'handelsbanken.nl': '#white_layer', 'fck.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'aliexpress.com': '.site-notice-header, #j-aliexpress-notice', 'herbaciani.pl': 'body > div:not([id]):not([class])', 'emezeta.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'dpd.com.pl': '#quickNav + div, #header ~ div[style*="position: fixed"]', 'waw.pl': '.alert-warning, .komunikat', 'specshop.pl': '.blockUI', 'wall-street.ro': '#ictsuc_block', 'costco.co.uk': '.site-messages-container', 'zbiornik.com': '#stora', 'crufc.co.uk': '#system-message, #system-messages, #system-message-container', 'modecom.pl': '#mc_top_bar', 'adverts.ie': '#notify-container', 'fajka24.pl': 'body > div:not([id]):not([class])', 'volkswagen.fr': '#vwd4_m509', 'spsk2-szczecin.pl': '#spsk2ct', 'paruvendu.fr': '#bandeaumessageheader', 'movieview.dk': '#sl-container', 'monster.es': '#interMsgsW, #m-popup-softgate, .browserAlertHolder', 'aptoide.com': 'body > #news', 'speedtest.pl': '#container_vsm, #info_container', 'cinema-city.pl': '.policy, #policy, .cpolicy', 'sfr.fr': '#CkC', 'praktiker.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'podlogi-kopp.pl': '#cooPInfo', 'siemens.pl': '.PopupDiv', 'laposte.net': '#flashNews', 'open.fm': 'body > div:not([id]):not([class])', 'lacaixa.es': '.articulo_ligero', 'napster.com': '#InfoBox, .info_box', 'noticias3d.com': '#PopUp', 'daninfo.dk': 'body > div:not([id]):not([class])', 'loterie-nationale.be': '.ck-bar', 'tf1conso.fr': '#msgctrw164942', 'laznianowa.pl': 'body > div:not([id]):not([class])', 'tartybikes.co.uk': '#eureg', 'leroymerlin.es': '#divFlotante', 'swiatnauki.pl': '#menu', 'oxfordshire.gov.uk': '#occgaico, #dhtmlwindowholder', 'mtvmobile.nl': '#exposeMask, #TMobile_nl_WebPortals_UI_PageComponents_CookieSettingsOverlay_CookieSettingsOverlayController_OverlayRootDiv', 'legolas.pl': '#kuki', 'bbcnorge.com': '.container.translate.nb-no', 'essent.nl': '#stOverlay, #stOverlayB', 'stylowi.pl': 'body > div:not([id]):not([class])', 'mijnreceptenboek.nl': '#mrb', 'peliti.ro': '.topMenuWrapper', 'dymki.com': 'body > div:not([id]):not([class])', 'toradex.com': '#toast-container, .toast-container, #toast, .toast', 'kzkgop.pl': '#container > div:not([id]):not([class])', 'mappy.com': '#IndexView-first-visit', 'euromaster.dk': 'div.pushHead', 'e-podatnik.pl': 'body > div:not([id]):not([class])', 'gadgetzone.nl': 'body > div[style*="top:0"]', 'visvitalis.com.pl': '#simple-modal, #simple-modal-overlay', 'zmyslovezakupy.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'stihl.fr': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'boo.pl': '#bancook', 'slke.dk': '#lbmodal-overlay, #lbmodal', 'akeebabackup.com': '#ccm', 'superchat.dk': '.maintable table[style*="border:1px solid red"]', 'nadzwyczajne.com.pl': '#ultimate-modal, #ultimate-modal-content', 'netzwelt.de': '.ckch', 'myptsd.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'news.dk': 'body > div:not([id]):not([class])', 'dindebat.dk': 'body > div:not([id]):not([class])', 'zarmen.pl': '#komunikat', 'ists.pl': '#polityka, .polityka', 'fora.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'giercownia.pl': '#ci-info-box', 'petardas.com': 'body > div[style*="color:white"], body > div:not([id]) > div[style*="color:white"]', 'golfshake.com': '#footer-banner', 'sapo.pt': '.bsu-v2-ntfs', 'winrar.es': '#ckwarn', 'racunovodja.com': '.polprosojno', 'tv3.dk': '#xact_popupContainer, #xact_popupMask', 'reviewcentre.com': '#growlcontainer', 'pensioenleeftijdberekenen.nl': '#ckpol', 'controlmatica.com.pl': '#wrap', 'toysrus.es': 'body > div:not([id]):not([class])', 'n-mobile.net': '#overbox3', 'cepsa.com': '.cp-wrapper', 'truecallcommunity.co.uk': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'motoplatforma.com': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'skoda-auto.com': '#MessageArea', 'centreceramique.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'sosnowiec.pl': '#topBar_MainCover', 'omegasoft.pl': '.ui-dialog', 'mpolska24.pl': '.infoBox', 'hispazone.com': '#DownFixed', '9am.ro': '#ictsuc_block', 'gentlemens-bazaar.dk': '#minTest', 'fbrss.com': '#cw', 'smakizycia.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zmienimyswiat.pl': '#polityka, .polityka', 'plandomu.pl': 'body > div:not([id]):not([class])', 'wsse-poznan.pl': '.visiblebox', 'europa.eu': '.usermsgInfo', 'tabletsmagazine.nl': '.opt-in', 'kreskoweczki.pl': '#gbpl_oba', 'imagazine.pl': 'body > div:not([id]):not([class])', 'ebuyclub.com': '#bandeau-c', 'szpital-chrzanow.pl': '.warp_top_message', 'winphonemetro.com': '.c_i_container', 'laubfresser.de': '#dataDiv', 'maxior.pl': '#ci-info-box', 'tylkotorebki.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'intu.co.uk': '.alert-info, .alert-warning, .alert-box', 'automapa.pl': 'body > div:not([id]):not([class])', 'seguimosinformando.com': '#overbox3', 'lgworld.com': '#uk_msg', 'enganchadosalatv.blogspot.com': '#anuncio', 'trovit.es': '#welcomebar-wrapper', 'trovit.it': '#welcomebar-wrapper', 'trovit.fr': '#welcomebar-wrapper', 'trovit.be': '#welcomebar-wrapper', 'trovit.co.uk': '#welcomebar-wrapper', 'mazda.bg': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'genei.es': '.top-bar', 'columbiasportswear.es': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'columbiasportswear.fr': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'columbiasportswear.co.uk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'openpli.org': 'body > div:not([id]):not([class])', 'gov.pl': '.informationBar, .JSWrapper', 'bredbandsbolaget.se': 'body > .box', 'fabrykamemow.pl': 'body > div:not([id]):not([class])', 'travelist.pl': '#mwFormBlackout, #mwFormContainer', 'netweather.tv': '.alert-info, .alert-warning, .alert-box', 'tutorials.de': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'b1.ro': 'body > div:not([id]):not([class])', 'capitalone.co.uk': '#prefBanner', 'construction.com': '.mgh-messages-wrapper', 'lse.ac.uk': '.ep_tm_header > div[style*="top: 0"]', 'showtv.pl': 'body > div:not([id]):not([class])', 'spotify.com': '#js-message-bars', 'meewallet.com': '.sticky_foot', 'subcultura.es': '.estupido_quitamultas_de_estupidas_cookies_oh_dios_como_los_odio_a_todos', 'stodola.pl': '#toast-container, .toast-container, #toast, .toast', 'kfc.pl': 'body > div:not([id]):not([class])', 'intimiti.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'kraksport.pl': '#notice_bar', 'szkolkikornickie.pl': '#content-head-information', 'kikocosmetics.es': '.mod-notification', 'eindelijkglasvezel.nl': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'shellsmart.com': '#modal_container', 'faktopedia.pl': 'body > div:not([id]):not([class])', 'hoga.pl': '#warning', 'e-leclerc.com': '.top_banner', 'popkorn.pl': 'body > div:not([id]):not([class])', 'webm2.dk': '#footer_notification', 'xombit.com': '.c_i_container', 'galeriakrakowska.pl': '#claw', 'butlers.de': '.bottomThing', 'storm24.pl': '#popup', 'jeuxactu.com': 'body > div:not([id]):not([class])', 'geschichte-wissen.de': '#ja-absolute', 'madsnorgaard.dk': '.kolorbox, .kolorbox-overlay', 'ignis.it': '#boxAlert', 'gamersonlinux.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'weespreventief.nl': '#popup', 'danskernesdigitalebibliotek.dk': '#lbmodal-overlay, #lbmodal', 'lasy.gov.pl': '.popup-alert-notice', 'hot.dk': '#scw', 'policja.pl': '.informationBar, .JSWrapper', 'jongeneel.nl': '#colorbox, #cboxOverlay', 'dymo.com': '#ckC', 'kpim.pl': '.coologo7', 'ford-esklep.pl': '#box_alert', 'santashop.dk': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'cybershop.hr': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'e-promar.pl': '#cInfo', 'hebe.pl': '.legal-info', 'familie.pl': 'body > div:not([id]):not([class])', 'frs-fnrs.be': '#overlay', 'siemens.dk': '.PopupDiv', 'dhoze.com': '#MsgAreaBottom', 'anpost.ie': '#topBanner', 'britainsnextbestseller.co.uk': '#boxes', 'dekleinemedia.nl': '#cb', 'grafical.dk': '.resizeScript[src*="6943.html"]', 'mini-itx.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'evobanco.com': '#container > .portlet-layout', 'tickersurf.com': '.rt-curtain', 'museumamager.dk': '#sbox-window, #sbox-overlay', 'lunamarket.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'lovekrakow.pl': '#new-policy', 'corporama.com': '#cnil-msg', 'gtaforum.nl': '.ipsBox_container, .ipsBox_container + div', 'elsevier-masson.fr': '#myModal, .modal-backdrop, .reveal-modal-bg', 'mazury.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'centraalbeheer.nl': 'body > iframe', 'layar.com': '.remarketing-banner', 'intymna.pl': '#sb_bottom_float', 'georgehotelswaffham.co.uk': 'body > div:not([id]):not([class])', 'pcoutlet.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'wiz.pl': '#menu', 'walkersshortbread.com': 'body > div[style*="height: 41px"]', 'mnt.fr': '.banner-info', 'geewa.com': '#popupText, #popupOverlay', 'e-petrol.pl': '#statement', 'basenowy.com': '#DIVwelcome', 'bbcpolska.com': 'body > iframe', 'skandia.dk': '#concent-popup', 'mycoca-cola.com': '.required-functionality', 'credibom.pt': '#form1 > div:not([id]):not([class])', 'eurotackle.nl': '#popup', 'digout.dk': '#digoutDisclaimer', 'mojzagreb.hr': '#dcw1', 'proff.se': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'bbcentertainment.com': 'body > iframe', 'tv5monde.com': '.h_signalzone_layer', 'cartoonnetwork.com': '#tos-bar', 'tp-link.com.pl': '#noticeBox', 'tcpa.org.uk': 'body > div:not([id]):not([class])', 'dolnyslask.pl': '#warning', 'oxxio.nl': '.mfp-wrap, .mfp-bg', 'wykopoczta.pl': '#noty_top_layout_container', 'materiel-velo.com': '#downbar', 'hertz247.com': '.lbContainer', 'hertz247.it': '.lbContainer', 'libris.nl': '#alertbox', 'testigo.pl': '#cp_wrap', 'soselectronic.ro': 'body > div:not([id]):not([class])', 'wiara.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'myfilmyonline.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'tyrdanmark.dk': '#C46703f08cookie', 'cabletech.pl': 'body > div:not([id]):not([class])', 'kinofilmyonline.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'costacoffee.pl': '.notification-global', 'symbicort.com': '.digitalstatements', 'imperialgb.com': '#easyNotification', 'telenor.se': 'body > .box', 'cerdas.com': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'konserwatyzm.pl': '#toast-container, .toast-container, #toast, .toast', 'mediamarkt.pl': '#site_container > .clearfix', 'markgum.com.pl': 'body > div[id=""]', 'supercheats.com': '#footer-nag', 'cnn.com': '.m-truste, #new-tos-privacy, #js-tos-prompt, head + div, .user-msg, #notification-legal, .popup_tosEdition', 'andro4all.com': '.c_i_container', 'pepper.pl': '#softMessages-list', 'tiopepe.es': '#warning', 'kopland.pl': '#message-bar', 'investing.com': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'coi.pl': '.alert-info, .alert-warning, .alert-box', 'keysafe.co.uk': '.modal', 'aura.dk': '.toast-warning', 'mall.pl': '.cpr-bar', 'itpromo.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'iloveshopping.ie': '#myBanner', 'legalsite.pl': '#message-1', 'normacomics.com': '#styleDown', 'jukegames.com': '#overbox3', 'critizen.com': '.alert-info, .alert-warning, .alert-box', 'filmaniak.tv': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'zorgbelang-noordholland.nl': '.telecom-tracking-dialog', 'tupperware.at': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'random-science-tools.com': 'tr[bgcolor="yellow"]', 'pagesjaunes.fr': '#cgu', 'landrover.ch': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'kpmg.com': 'body > div [style*="position: fixed"]', 'gorenjskiglas.si': '#overlay, #piskotkar', 'unizg.hr': '#cms_area_admin_bar', 'strefaczasu.pl': '.Cooker', 'eae.es': '#sst_container', 'betsson.com': '#MsgAreaBottom', '4hifi.pl': '#myModal, .modal-backdrop, .reveal-modal-bg', 'office.com': '#BannerContainer, #h_popup, .sortable-control > .row-fluid.pmg-txt-align-center.pmg-grid-content-no-padding.pmg-grid-content', 'rugbyrama.fr': '#container-notifications', 'woollyhatshop.com': '.boxContent', 'patisserie46.com': '.alertMessage', 'linux-party.com': '#avisolegal', 'decuro.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'redbullmobile.pl': '#more1', 'meteogroup.com': '#IR', 'aktieinfo.net': '#eufis', 'dolce-gusto.nl': 'body > div[style*="height: 60px"]', 'ksiegaimion.com': '#euci', 'wakfu.com': '.ak-notification', 'ecfr.eu': '#footerr', 'bose.fr': '.bose-infoBar2016--cookie', 'oficinaempleo.com': '#info', 'lrb.co.uk': '#wrapper > div:not([id]):not([class])', 'kunst.dk': '#lbmodal-overlay, #lbmodal', 'visualstudio.com': '#ux-banner', 'nokiablog.pl': '#cop', 'oesterreichinstitut.cz': '#cook-cont', 'futu.pl': '#my-alert', 'columbiasportswear.be': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'agatahome.pl': '#jbar, #jbar-push', 'januszebiznesu.pl': '#komunikat', 'foto4u.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'argeweb.nl': '.ccdiv', 'napovednik.com': '.alert, #alert', 'degiro.se': '.transparent-bar-footer', 'degiro.nl': '.transparent-bar-footer', 'natuurenmilieu.nl': '#optin-header', 'uc.pt': '#ucpa-warning-bars', 'bristolbar.es': '#uec-container', 'tvasta.pl': '#beta_layer', 'mascotlabelgroup.com': '#popup', 'pmu.fr': '#cnil, .cnil, #CNIL', 'altaprofits.com': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'gdziezjesc.info': 'body > div:not([id]):not([class])', 'dofus.com': '.ak-notification', 'maty.com': '.banner-wrapper', 'skitour.fr': '#coo_aut', 'ldlc-pro.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'olsztyn.pl': 'body > div:not([id]):not([class])', 'digitick.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'modecom.eu': '#mc_top_bar', 'krosmaster.com': '.ak-notification', 'landrover.fr': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'aujourdhui.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'dansnoscoeurs.fr': '#CkC', 'yabiladi.com': '#fixed_rg, #fixed_rg_2', 'budgetair.co.uk': '.notificationContainer', 'love.dk': '#scw', 'genzyme.fr': '#euconfirm', 'sodisce.si': '#system-message, #system-messages, #system-message-container', 'synektik.pl': '#mc_top_bar', 'dansommer.dk': '#disclosure-container', 'zepass.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'shost.ca': '#main-content > .container-fluid', 'reactor.pl': '#einfo', 'cooperativebank.co.uk': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'maidenfrance.fr': '#headband', 'american-airlines.nl': '.alert-global', 'bnpparibasfortis.be': '.messagecontainer, #cookies_entry', 'kontakt-simon.com.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'zdgtor.pl': 'body > div:not([id]):not([class])', 'airfrance.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'mutuelle.com': '#cook, .cook', 'zombiearmy.com': '.alert-info, .alert-warning, .alert-box', 'agefi.fr': '#AGEFI-CNIL', 'povezave.si': '#sxc_confirmation', 'buziak.pl': '#cffc', 'przygarnijkrolika.pl': '#sl-container', 'pamiec.pl': '.JSWrapper', 'sc-nm.si': 'body > table', 'automotorsport.se': '.alert-info, .alert-warning, .alert-box', 'ankama.com': '.ak-notification', 'nh-hotels.fr': '.politicaRewards', 'mangold.se': '#easyNotification', 'wisport.com.pl': '#DIVnasz', 'aigle-azur.com': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'hop.com': '#cnil-layer', 'gowork.pl': '#header_top > p', 'formation-industries-ca.fr': '#amcookieapproval, #amcookieapproval + hr', 'enimsport.hr': '#gb_sm_notification', 'satellite-evolution.com': '#sl-container', 'hsbc.fr': '.time_banner', 'eurosport.fr': '#container-notifications', 'krosmoz.com': '.ak-notification', 'notre-planete.info': '#npimsg', 'kingston.com': '.panel-slide-banner, #policy_message', 'moncomptesantepratique.fr': '#message-consentement', 'lek-med.pl': '#zgoda', 'edarling.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'nooblandia.com': '.modal-backdrop', 'ginekolog-darlowo.pl': '#zgoda', 'archiwa.gov.pl': '#message_box', 'tradycyjne.net': 'body > div[style*="bottom:0"]', 'tupperware.fr': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'hetlekkerstebiologischevleesgratisbijuthuisbezorgd.nl': '#overlay', 'port.ro': '.message-container', 'printklub.com': '.alert-info, .alert-warning, .alert-box', 'negrasport.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'dolce-gusto.pl': 'body > div:not([id]):not([class])', 'mikos.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'mkidn.gov.pl': '#pa', 'naturo.pl': '#simple-modal, #simple-modal-overlay', 'ideanord.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'southpark.nl': '#tout', 'micom-tm.com': '#sbox-window, #sbox-overlay', 'shink.in': '.alert-info, .alert-warning, .alert-box', 'zeroturnaround.com': '.hud', 'firstcallmotorbreakdown.co.uk': '#FISLCC', 'pewnykantor.pl': '#cu_bar', 'hth.dk': '.nb-message', 'entaonline.com': '#cl_notification', 'primonial.com': '#cnil-ban', 'termokubki.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'nathan.fr': '#inPopUp', 'idtgv.com': '#block-cnil', 'camfed.org': 'body > div:not([id]):not([class])', 'alltricks.fr': '#ruban-cnil, .alltricks-CnilRibbon', 'greetz.nl': '#notificationbarcontainer', 'knopienses.com': '#top', 'klublifestyle.pl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'myob.pl': '#warning-popup', 'bnri.com': '#modalBg, body > img', 'hi-tec.com.pl': 'body > div:not([id]):not([class])', 'klub-generalagrota.pl': '.JSWrapper', 'komfort.pl': '#intro_row, #kt-cookies', 'apneuvereniging.nl': '#ccm', 'pogledi.si': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'klimek-klus.com': 'body > div:not([id]):not([class])', 'unisys.com': '#AlertWrapper', 'csoft.co.uk': 'body > table:first-child td[align="center"] div:not([class])', 'digitalversus.com': '.alert-info, .alert-warning, .alert-box', 'springfrance.com': '.bannerContainer', 'thelawpages.com': '#terms', 'biomedical.pl': '#wcp', 'radioem.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'mercedesamgf1.com': '#simplemodal-container, #simplemodal-overlay', 'yachtbasen.com': 'body > .hidden-print', 'nba.com': '#nba_tos', 'bwin.es': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'gastro.dk': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'jyskebank.dk': '#outerLayer', 'bmw-motorrad.co.uk': '#browser-box', 'nfs.as': '#toast-container, .toast-container, #toast, .toast', 'da.nl': '#bpcInfoBar', 'danmarklaeser.dk': '#lbmodal-overlay, #lbmodal', 'nestle.fr': '#slidebox', 'aso.fr': '.confidentialite', 'blogs-r.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'kpn-wholesale.com': '#ccjf_container', 'dukefotografia.com': 'body > table[width="100%"]', 'rmn.fr': '.CT.Panel.ABS.xdnaosh0', 'huawei.com': '.ReadPolicy', '20minutes.fr': '.alerts_container, .alert-cnil', 'cio-online.com': '#dialog', 'subaru.no': '.kake', 'grandeavenue.fr': '#FixedBannerClientDiv', 'motomoto.pl': '#itlbox', 'habtium.es': '#alert-container', 'bluearan.co.uk': '#slider', 'indicator.fr': '.policy, #policy, .cpolicy', 'caritas.pl': '#cq-scroll-notification', 'imagempm.com': '.policy-label', 'bluecity.pl': '.inner_container + div', 'ccc.eu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'ultimas-unidades.es': '#stickyFooter, .sticky-footer', 'handicap-international.fr': '.block-cnil', 'siemens.co.uk': '#c-info', 'mforos.com': 'body > div[class][id]', 'tullverket.se': '.alertWrp, .tv2-js-cookie-alert', 'shoebedo.com': '.user_message_wrapper', 'becquet.fr': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'themudday.com': '.confidentialite', 'bareminerals.fr': '.brand_drawer', 'zien.tv': '#cbar', 'iblocklist.com': '#error', 'talerzpokus.tv': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'miyakostudio.com': '#WGnslzxyjv', 'radioluisteren.fm': '#cbar', 'helsebiblioteket.no': '#advert', 'home24.de': '.top-messages', 'aceprensa.com': '#anuncio', 'ligabbva.com': '#avisosusc', 'abp.nl': '#cwet', 'nelly.com': '#toast-container, .toast-container, #toast, .toast', 'omnibussimulator.pl': 'body > div > div[style*="position: fixed"]', 'degiro.es': '.transparent-bar-footer', 'kartonwork.pl': 'body > div > div[style*="position: fixed"]', 'tzetze.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', '1tegration.dk': '#layoutbox3', 'browarlubicz.pl': '.PamphletWidget .popup_anchor', 'off-road.pl': '#popslide', 'mininstitution.dk': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'ihg.com': '.mod-modal', 'fora.se': '.alert, #alert', 'biomerieux.fr': '#divDisclaimer', 'mediametrie.fr': '#cooks', 'motokiller.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'avery-zweckform.poznan.pl': 'body > div:not([id]):not([class])', 'unoform.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'regimedukan.com': '#banner_cnil', 'glos24.pl': 'body > div[style*="z-index: 999"]', 'suravenir.fr': '.popup-alert-notice', 'bik.pl': '#cmsgcont', 'tiddlywiki.org': '#bs-terms', 'lotnictwo.net.pl': '#navbar_notice_123', 'novasol-vacances.fr': '#disclosure-container', 'starmann.pl': '#info_container', 'environmentlaw.org.uk': '#nf_htmlonly', 'werkenbijstayokay.com': '#sliderWrap', 'sfinks.org.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'muziekweb.nl': '.bar-message', 'picturehouses.com': '.interim-banner', 'picturehouses.co.uk': '.interim-banner', 'memory-alpha.org': '.banner-notifications-wrapper', 'jcfrog.com': '#pjlrenseignement', 'ups.com': '#__ev_bc', 'skrypt.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'internity.es': '#cl-header', 'autowrzuta.pl': '#hideMe', 'macrojuegos.com': '#popupmsg_wrapper', 'glyphweb.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'zippy-music.net': 'w-div', 'lampen24.nl': '.dnt-dialog.has-confirmation.position-top', 'skatteverket.se': '.alertWrp', 'helloasso.com': '.fixed-notification', 'minmyndighetspost.se': '.alertWrap', 'bitmarket24.pl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'merixstudio.pl': '#message, .message', 'bbcknowledge.com': 'body > iframe', 'ottensten.dk': '#header > div > div[style*="padding:10px"]', 'marketing-news.pl': '#gbpl_oba', 'purinaonline.es': '#__afpc', 'captchme.com': '.msgAlert', 'paper.li': '#alerts', 'animaseurope.eu': '#warning-popup', 'stihl.co.uk': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'ngk.de': '#zwcc', 'ddb.fr': '#cnil, .cnil, #CNIL', 'princesrisborough.com': '.jpiwikOverlay, .jpiwikGrowler, .jpiwikMainButton', 'starbucks.pl': '#allow_message', 'raraavis.krakow.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'mobistar.be': '#mob-b2b-notifications', 'mammografia.elblag.pl': 'body > div[id]', 'agirc-arrco.fr': '#container-cnil', 'selexion.be': '#splash_footer', 'kinoteka.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'reformhaus-shop.de': '#terms', 'minameddelanden.se': '.alertWrap', 'mdlinx.com': 'body > div:not([id]):not([class])', 'wapteka.pl': '.coo', 'paulissenwitgoed.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'thagson.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'licytacje.komornik.pl': '#sign_up, body > div[style*="margin-top: 100px"]', 'mta.digital': '.notification-panel', 'kulturalnysklep.pl': '#ctl00_cq_divText', 'sprezyny-strozyk.pl': '.head-page-information', 'emagister.fr': '.fixed-footer', 'carrelages4000.fr': '.ays-front-message', 'ulabox.com': '.alert--warn', 'szukacz.pl': '#routerBox1', 'bloodhoundssc.com': '.ccwrap', 'malygosc.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'diete365.si': '#eu-container', 'leaseplanbank.nl': '#eu-modal, #eu-modal-overlay', 'aullidos.com': '.footer', 'hygena.fr': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'lesdelicesdorient.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'mpk.lodz.pl': '#stpdueckmsg', 'rendement.nl': '#smbv_splash', 'misteroutil.com': '#ocw_conteneur', 'cieem.net': 'body > div:not([id]):not([class])', 'kudika.ro': '#ictsuc_block', 'landrover.co.uk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'brouwland.com': '.notification-top', 'deklaracje.podatnik.info': '.p14-footer > div:not([class])', 'survey-remover.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'luxair.lu': '#backgroundPopup', 'citromail.hu': '.belep_warning', 'cloudsecurityalliance.org': '.csa_cn', 'clubhyundai.es': 'body > div[id][class]', 'wwf.gr': '#popupBg', 'biznes2biznes.com': '#stickynote2', 'cbr.nl': '#vale', 'iza.org': '#gaPopUp', 'suma.coop': '#sl-container', 'crocs.fr': '#intercept', 'mundosexanuncio.com': '#boxLegal', 'bfm.fr': '#layer_alert', 'avogel.dk': '.slideOutContainer', 'teletexto.com': 'body > table[cellspacing="1"]', 'itesco.cz': '.infoBarClosable', 'sizzle.co.uk': '.ng-toast', 'grenoble-inp.fr': '#cnil, .cnil, #CNIL', 'botrans.eu': '#c_tlo', 'easyritregistratie.nl': '#facybox, #facybox + .loading, #facybox_overlay', 'minigamers.com': '#popupmsg_wrapper', 'runinreims.com': '.confidentialite', 'ciudadano00.es': '#homepopup, .modal-backdrop', 'ipsos-space.com': '.modal-backdrop', 'bwin.fr': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'livescore.com': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'anni.si': '#sxc_confirmation', 'ogaming.tv': '.navbar-fixed-bottom', 'o-sta.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'cartezero.fr': '#hinweis', 'crocs.co.uk': '#intercept', 'fitzpatrickreferrals.co.uk': '#hellobar', 'xuletas.es': '#privacy_w', 'footbar.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'visionexpress.pl': 'body > div:not([id]):not([class])', 'monster.it': '#interMsgsW, #m-popup-softgate, .browserAlertHolder', 'pupilexpert.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'wyedeantourism.co.uk': 'body > div[style*="position: fixed"], body > div[style*="position: fixed"] + div', 'konkolnieruchomosci.pl': '.head-page-information', 'atoko.nl': '.xmenspace', 'prometheanworld.com': '.cp-extended-container.cp-display', 'netjetseurope.com': '.nj-header-prompt', 'otabletach.pl': '#cop', 'kikocosmetics.com': '.mod-notification', 'camaieu.pl': '#bottom-bar', 'starbucks.de': '.ui-dialog.cookieNotify, .ui-widget-overlay', 'wegetarianie.pl': 'td[align="center"][height="22"]', 'lechepuleva.es': '.general-dialog.yui3-widget.aui-component.aui-panel.aui-dialog.yui3-widget-positioned.yui3-widget-stacked, .yui3-widget.aui-component.aui-overlay.aui-overlaymask.yui3-widget-positioned.yui3-widget-stacked', 'moleskine.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'indicator.be': '.policy, #policy, .cpolicy', 'sklep-wadima.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'ysoft.com': '.first-time-alert', 'esf.lt': '.top_message', 'legalstart.fr': '.bottommessage', 'parkguell.cat': '#fixdiv', 'volkswagen.no': '#vwd4_m509', 'musica.com': 'body > table[bgcolor="#369AC5"]', 'dvdfr.com': '#dvdfrCnil', 'societegenerale.fr': '#toastCNIL', 'luszczyce.pl': 'body > div > div[style*="position: fixed"]', 'expansys.fr': '#closeableCountryWarning', 'digitenne.nl': 'body > div:not([id]):not([class])', 'coolors.co': '#modal-overlay', 'olavdelinde.dk': '.ParagraphModule', 'daf.com': '.page-overlay, .modal-backdrop', 'pepper.com': '#softMessages-list', 'trucoteca.com': '#cka', 'makingtracks-online.co.uk': '.message.fade', 'tv-zakupy.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'macquarie.com': '#alert-first', 'automovilespalma.es': '#ico_wrapper', 'ramboll.no': '.infoboxHolder', 'livescore.eu': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'interprojekt.pl': '#myModal, .modal-backdrop, .reveal-modal-bg', 'skysite.dk': 'body > table:not([class]), body > skrift > table[width="100%"]', 'fantasywrc.com': 'body > table:not([class])', 'auto-forum-roskilde.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'cabinetoffice.gov.uk': '.canvas', 'themeflood.com': '.gatewayContainer', 'sony.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'fitness24seven.com': 'body > div:not([id]):not([class])', 'budgetair.fr': '.notificationContainer', 'guiarepsol.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'locatetv.com': '.floatableBanner', 'kanpai.fr': '#f_r_e_e', 'elventero.es': 'body > div:not([id]):not([class])', 'sonera.fi': '.bottom-notifications', 'runinfo.nl': 'body > table td[height="22"][colspan="4"]', 'ruchwig.pl': 'body > div:not([id]):not([class])', 'infobip.com': '#cb', 'mydays.de': '#topbanner', 'motonotes.pl': 'body > div:not([id]):not([class])', 'nestle.es': '#__afpc', 'volkswagen.cz': '.vw5-statisticsOptBox', 'hardloopkalender.nl': '#interContainer, #interVeil', 'kranten.com': '#whatever', 'weber.dk': '.flash-info', 'famihero.com': '.hidden-mobile.hidden-tablette', 'cruzroja.es': '.alert-info, .alert-warning, .alert-box', 'kronofogden.se': '.alertWrap', 'bomgar.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'pis.org.pl': 'body > div:not([id]):not([class])', 'crocs.eu': '#intercept', 'bupl.dk': '#colorbox, #cboxOverlay', 'bordgaisenergytheatre.ie': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'seges.dk': '#vcc_container', 'multiplay.pl': '.inform', 'unicredit.it': '.clawbox-wrapper', 'rootear.com': '.c_i_container', 'noweprzetargi.pl': '#dcach', 'lawebdelprogramador.com': 'body > .wrapper.fontRegular', 'quer.pl': 'body > div:not([id]):not([class])', 'mp.pl': '#toptop', 'werkenbijvandoorne.nl': '.fancybox-overlay', 'komputerymarkowe.pl': '.ui-dialog.ui-widget', 'staibene.it': '#spot', 'novasol.hr': '#disclosure-container', 'bonnier.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'dmax.it': 'body > div:not([id]):not([class])', 'lernia.se': '.m006.opened', 'tnt.it': '.mfp-wrap, .mfp-bg', 'melty.fr': '#toasts', 'die-linke.de': '.disclaimer', 'indicator.nl': '.policy, #policy, .cpolicy', 'fellow.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'salonroman.pl': 'body > div:not([id]):not([class])', 'sseairtricity.com': '#welcome-notice', 'lequipe.fr': '.confidentialite', 'webd.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'pss-archi.eu': '#miam_div', 'placeralplato.com': '.c_i_container', 'lineameteo.it': '.cc_banner', 'lafi.fr': '.nota', 'flatme.it': '#ic', 'hotel-bb.com': '.ccwrap', 'freebees.nl': '.cc-overlay', 'davinotti.com': '#shadowbox_container', 'istockphoto.com': '.warning', 'sitedeals.nl': '#cb', 'mae.fr': 'body > .notify', '123partyshop.nl': 'body > div:not([id]):not([class])', 'tre.se': '.alert-bar', 'volkswagen.com': '#vwd4_m509, .system-notification', 'malmo.se': '#m-consent', 'letour.fr': '.confidentialite', 'paris.fr': '#notice_cnil', 'softpedia.com': '.jobnotice_cnt', 'ingdirect.it': '.topalertbanner', 'visitleevalley.org.uk': '#howdydo-wrapper', 'beppegrillo.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'pfron.org.pl': '.JSWrapper', 'vcast.it': '.cc_banner', 'euronics.it': '#note', 'enea.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'sunweb.dk': '#optoutbar, .optoutbar', 'apec.fr': '#messageTargetId div[id="/sites/cadres/messages/bloc1/cookie-warning"]', 'moneyou.nl': 'body > iframe[style*="position: fixed"]', 'nageurs.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'eweb4.com': '#clayer, #CLayer', 'dilactu.com': '#legcooki', 'snn.eu': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'pusc.it': '#pixelfabrica-cs-banner', 'parashop.com': '.newspar', 'farmerdating.dk': '#c-warning-container', 'airvpn.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'agroterra.com': '.advice.advertencia', 'pizzahut.co.uk': '.alert, #alert', 'panoramicearth.com': '#cklbox', 'doka.com': '.header > .hint', 'canarylive24.com': '.s16iframe', 'realtimetv.it': 'body > div:not([id]):not([class])', 'kacperkowalski.pl': 'body > div:not([id]):not([class])', 'farmacieaperte.it': '#warning-popup', 'elektrotop.pl': 'body > div:not([id]):not([class])', 'cyrillus.fr': '.stickybar', 'dunea.nl': '#firstTimePopup', '1stchoice.co.uk': '#scl', 'geekvida.it': '#bottom_container', 'allekoszyk.pl': '#allekoszyk > div[style*="position:fixed"] .ng-scope', 'powerflex.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'lifescan.be': '#warning-popup', 'unibet.be': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'foiegrasgourmet.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'nutrimuscle.com': '#messageBox', 'bitcomputer.pl': '#pp', 'forumcommunity.net': '.note, .jnote', 'trustbuddy.dk': '.alert-sitewide', 'trustbuddy.com': '.alert-sitewide', 'londontechnologyweek.co.uk': '.dhtmlx_modal_box.dhtmlx-confirm', 'thalesgroup.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'quelcoeurdelion.com': 'body > div:not([id]):not([class])', 'restaurant-lagriotte.fr': '.ays-front-message', 'couponnetwork.fr': '#alert_change', 'copytop.com': '#cnil, .cnil, #CNIL', 'ekskluzywna.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'elizawashere.nl': '#optoutbar, .optoutbar', 'teltab.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'nwglobalvending.dk': '#toast-container, .toast-container, #toast, .toast', 'forumfree.it': '.note', 'dialoguj.pl': '#announcement_1.announcement', 'fintro.be': '#notificationpanel', 'pueblos-espana.org': 'body > aside', 'sporto.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'rockwellcollins.com': 'body > center', 'semlerretail.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', '1001pneus.fr': '.topRelativeBanner', 'e-legnickie.pl': 'body > div[style*="left:0px"]', 'ondarock.it': '#bottom-banner', 'hirelocal.co.uk': '#itro_popup, #itro_opaco', 'fcarreras.org': '.BlockList.NoticesBox', 'irma.pl': 'body > div:not([id]):not([class])', 'corbisimages.com': '#stickyFooter, .sticky-footer', 'personnelsolutions.pl': 'body > div:not([id]):not([class])', 'creval.it': 'body > div:not([id]):not([class])', 'petite-frimousse.com': '.alert-info, .alert-warning, .alert-box', 'phonero.no': '.btm_footer', 'abruzzo24ore.tv': '._CL_main', 'homecinemamagazine.nl': '.opt-in', 'tourvoile.fr': '.confidentialite', 'bahnhof.se': '.top-line-block', 'sportowysklep.pl': 'body > div:not([id]):not([class])', 'skype.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'bes.co.uk': '#xyz', 'lmt.lt': '#cinfo_container', 'southwestcoastpath.com': '.roar-body', 'jal.com': '#JS_ciBox, #JS_ciBox_filter, #JS_ciBox_filter_iframe, #JS_ciBox_style', 'actiweb.es': '.widgets', 'domaindirect.dk': '#scw', 'transformers.com.es': 'body > div[id][class]', 'centrometeolombardo.com': '#cc_div', 'cz.nl': '#implicitWindow', 'cochranelibrary.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'optivoice.ro': '#lpl-overlay, #lpl', 'ganassurances.fr': '#gan_privacy', 'lindex.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'florajet.com': '.p_cookie', 'klockolandia.pl': 'body > div:not([id]):not([class])', 'biomerieux.pt': '#divDisclaimer', 'czasdzieci.pl': 'body > div:not([id]):not([class])', 'npis.org': '#ico_banner', 'ballerside.com': 'body > div:not([id]):not([class])', 'smhi.se': '.polopolyNotification', 'supersoluce.com': 'body > div:not([id]):not([class])', 'whatfontis.com': '#sticky-popup', 'filmowonline.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'magazynpracy.pl': 'body > div:not([id]):not([class])', 'masvision.es': '#lycok', 'sprzedam-auto.eu': '#elwico_top', 'devilpage.pl': 'body > div:not([id]):not([class])', 'laga.se': '.site-info-message', 'automobile.it': 'body > div:not([id]):not([class])', 'hertz.it': '#light-box-1', 'reverse-mag.com': 'body > div:not([id]):not([class])', 'belcompany.nl': '.cc_colorbox', 'elektrozysk.pl': 'body > div:not([id]):not([class])', 'wawel.krakow.pl': '#kuki', 'rijschoolgegevens.nl': '#vale', 'eyeonspain.com': '#cp', 'bnpparibas.fr': '.ID_mic_1562344', 'xombitmusic.com': '.c_i_container', 'thebanker.com': '#ftwelcomemsgbanner_c', 'oekais.com': '#legcooki', 'mol.pl': 'body > div:not([id]):not([class])', 'schneiderelectricparismarathon.com': '.confidentialite', 'bywajtu.pl': '#co15ie87a', 'rcs-rds.ro': '#sticky-popup', 'sealantsonline.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'zysk.com.pl': '#pageUpperInfo', 'tecnun.es': '#alertbar', 'invita.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'tesco.ie': '#cp', 'geovita.pl': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'photocite.fr': '#hamon', 'bettercallsaulfanartcontest.com': '#sp-nettrack', 'lafoirfouille.fr': '.stickybar', 'unibet.ro': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'ferpy.com': 'w-div', 'synsam.se': '.message-large', 'unibet.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'thegaptravelguide.com': 'body > div:not([id]):not([class])', 'meteorimini.info': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'xaa.pl': '#ic', 'bialystok.pl': '#top > a[href="/?page=cookies"], .activebar-container', 'lolesp.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'emipm.com': '.alert-info, .alert-warning, .alert-box', 'postbank.de': '#error-layer, .type-disclaimer', 'alltubedownloader.com': '#messagec', 'leo.pl': '.modal-backdrop', 'nexive.it': '.popup-view-content', 'juzaphoto.com': '.s_bluebox', 'wallconvert.com': '#clayer, #CLayer', 'telesystem-world.com': '#cover, #cookies', 'cloudcorner.com': '.static-banner', 'saturn.pl': '#site_container > section:not([id])', 'mabknives.co.uk': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'baks.com.pl': '.flash-msg-new', 'pni.ro': '#m0c-ctnr', 'bestsellers.eu': '#site-optin-header', 'eshop.nl': 'body > div:not([id]):not([class])', 'desktopwallpapers4.me': '#clayer, #CLayer', 'holding-graz.at': '.blockOverlay', 'axiatel.com': '#stickyFooter, .sticky-footer', 'odpovedi.cz': 'body > div:not([id]):not([class])', 'telia.com': '#x-core-toast-message-div', 'logicconcept.eu': '#mc_top_bar', 'radiotuna.com': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'publicsenat.fr': '.top-message', 'orbit-computer-solutions.com': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'cuisineaz.com': '.cazLightbox.bottom-right', 'mountain.es': '#messagebar', 'dictzone.com': '#ac', 'chromarks.com': '.plg_system_eprivacy_modal, #sbox-overlay', 'qrzcq.com': 'body > div:not([id]):not([class])', 'game-guide.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'skoda-amager.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'ufe.org': '#privm_message_id', 'zwitserleven.nl': '.top_cookiewall, .top_cookiewall ~ div[style*="position: absolute"]', 'maison.com': 'body > div:not([id]):not([class])', 'stoeger.net': '.sqs-announcement-bar', 'gore-ljudje.net': '.blockUI', 'winsornewton.com': '#PECR', 'alcar.nl': '#uniqName_1_0, #dijit_DialogUnderlay_0', 'cyanmod.pl': '.cm-message, .ipsfocus_globalMessage', 'abundancegeneration.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'praktijkinfo.nl': '#smbv_splash', 'denkinesiskemur.dk': 'body > div:not([id]):not([class])', 'moneygram.co.uk': '#maskLayer', 'wtflp.com': 'body > div:not([id]):not([class])', 'flugladen.de': '.hermit_terms', 'superbwallpapers.com': '#clayer, #CLayer', 'mjm.com.pl': 'body > div:not([id]):not([class])', 'lca.pl': '#popupDiv', 'phys.org': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'estos.de': '#cpol-banner', 'rosja.pl': '#cookframe', 'offsklep.pl': 'body > div:not([id]):not([class])', 'fass.se': '#id3, .supportbar', 'spreaker.com': '#ly_flash_message', 'basketsession.com': 'body > div:not([id]):not([class])', 'foro.testudinae.com': 'body > div[id][class]', 'whichwatch.pl': '#top_messagebar', 'auxmp.com': '#container-1492', 'unibet.net': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'soundtravels.co.uk': '#evCN', 'adams.es': '#overbox3', 'doffgarden.co.uk': 'body > div:not([id]):not([class])', 'linuxportal.pl': 'body > div:not([id]):not([class])', 'musicoff.com': '#bodyarea + div', 'modeoutlet.nl': '#popup', 'girovaghi.it': '#linea_arancio_home', '9maand.be': '.flashup', 'musicplayon.com': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'physics.org': '#alerttop', 'blogfree.net': 'body > .note', 'borelioza.vegie.pl': '#menubar > center', 'browar.biz': '.page > div > div[align="center"][style*="color: gray"]', 'elreidelmar.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'allview.pl': 'body > div > div:not([id]):not([class])[style*="position: fixed"]', 'ents24.com': '#growlcontainer', 'xe.gr': '.google_diaclaimer', 'intesasanpaolo.com': '.blockUI', 'strefawalut.pl': '#polityka, .polityka', 'groupe-sii.com': '#alerta', 'seansik.top': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'nowapapiernia.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'newhallhospital.co.uk': '.popupbox', 'papersera.net': '#light, #fade', 'nolotiresvendelo.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'delafermealassiette.com': '#system-message, #system-messages, #system-message-container', 'exposition-osiris.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'phoenixcinema.co.uk': '#myModal, .modal-backdrop, .reveal-modal-bg', 'dzidziusiowo.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'badumtss.net': 'body > p[style]', 'marcopanichi.com': '#ckmp_banner', 'jiba.nl': '#optoutbar, .optoutbar', 'abdlfactory.com': '#trumpet_message', 'excite.it': '#message-box', 'albal.fr': '#cTopBg', 'jotti.org': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'ikalender.se': 'body > center > table[style*="F0F0F0"]', 'contratti.biz': '._CL_main', 'megadyskont.pl': '#topInfo4', 'milan7.it': 'body > div:not([id]):not([class])', 'ogradzamy.pl': 'body > div[id*="cookie"]', 'digisport.ro': '#sticky-popup', 'autodeclics.com': 'body > div[id*="cookie"]', 'gedachtenvoer.nl': '#WGqnbtlvrr', 'mactronic.pl': 'body > div[id*="cookie"]', 'szybko.pl': '#toast-container, .toast-container, #toast, .toast', '0calc.com': '.alert-info, .alert-warning, .alert-box', 'comunemalcesine.it': '.policy, #policy, .cpolicy', 'polomarket.pl': 'body > div:not([id]):not([class])', '4g.nl': 'body > div:not([id]):not([class])', 'les-champignons.com': '#pub', 'postacertificatapec.it': '.ck-banner', 'lifescan.fr': '#warning-popup', 'beko.es': '.sayfaIcDiv .row300', 'airliquide.com': '#modal4crisis', 'acuvue.fr': '#announcement', 'calciobalilla.com': '#virtualscript_injected', 'centrumpiwowarstwa.pl': 'body > div:not([id]):not([class])', 'housingjustice.org.uk': 'body > div:not([id]):not([class])', 'geekvida.pt': '#bottom_container', 'dafmuseum.nl': '.page-overlay', 'renault.be': '.ccbar, .cclist', 'janssen.pt': '#warning-popup', 'viapresse.com': '#alerts', 'oskolaf.pl': '#modal-info, .modal-backdrop', 'rohde-schwarz.com': '#rusportalnotification', 'eplan.ch': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'trovit.de': '#welcomebar-wrapper', 'ciam.pl': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'ilmeteo.net': '.tCook', 'superstart.se': 'body > div:not([id]):not([class]):not([style])', 'gogigantic.com': '.header-alert-bar', 'disabiliforum.com': '#bottompolicy', 'discounto.de': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'nowoczesna.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'prezzoforte.it': '#bottombar', 'toysrus.pt': 'body > div:not([id]):not([class])', 'grdf.fr': '#p_p_id_GFRcommonPage_WAR_GFRportlet_', 'rete-tel.it': 'body > div .container + div:not([id]):not([class])', 'emploisdutemps.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'paivyri.fi': 'body > center > table[style*="width:100%"]', 'mall.hu': '.cpr-bar', 'tcpdf.org': '.content > div:not([id]):not([class])', 'studiorolety.pl': '.content-head-information', 'dimensione-bauhaus.com': '#div_img_banner', 'morewords.com': '.coo', 'marekjuraszek.pl': '#ml_wrapper', 'feuvert.pl': '#info', 'euromaster.nl': '#cf_permission', 'netcarshow.com': '#cNag', 'fussball.de': '#content-block', 'smargherita.it': 'body > div:not([id]):not([class])', 'tele.fi': '.attention-notice', 'netvaerkslokomotivet.dk': '#ck_row', 'gov.it': '#zf--alerts-panel', 'theweathernetwork.com': '.woahbar', 'theweathernetwork.co.uk': '.woahbar', 'xtampa.es': '.fullwidth-notice', 'codziennikfeministyczny.pl': '#bazinga-muffin-container', 'v6.se': '#layer', 'newtoncompton.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'krefel.be': 'w-div', 'box10.com': '#cwarn-box', 'monster.ie': '#interMsgsW, #m-popup-softgate, .browserAlertHolder', 'ecoledirecte.com': 'div[ng-click="storeCNILCookie()"]', 'costaclub.com': '.site-message', 'stamboomonderzoek.com': 'body > form', 'vinklisse.nl': '.policy_notification', 'kalendarzswiat.pl': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'motor-talk.de': '#b-cc', 'kleiderkreisel.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'iom.pl': '#cooker', 'svethardware.cz': '#cfooter', 'grandecinema3.it': '#dlgCookies, #mask', 'zmm-maxpol.pl': '#hideMe', 'karllos.tv': '.ipsMessage_error', 'cionfs.it': '#bottompolicy', 'lultimaribattuta.it': '.pcl', 'muzyczneradio.com.pl': '#legalLayer', 'filmon.com': '#design-switcher', 'verzamelaarsjaarbeurs.nl': '#WGbeshrkgj', 'recordplanet.nl': '#WGbeshrkgj', 'comicsbox.it': '#bottom-banner', 'landrover.de': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'bagigia.com': '.bica-content', 'genickbruch.com': 'body > div[align="center"] > table[width="100%"]', 'pse.si': '.mfp-wrap, .mfp-bg', 'saltogpeber.dk': '.push-up[data-id="sp-cookie"]', 'professionisti.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'linkem.com': '#bottom-banner', 'marathonworld.it': '#myModal, .modal-backdrop, .reveal-modal-bg', 'beautyprive.it': '#bottombar', 'jobenstock.com': '#info', 'stubhub.de': '#banner-container', '360qpon.it': '#footerSlideContainer', 'unibg.it': '#avviso', 'jotul.com': '.confidentialite', 'bricorama.fr': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'auto-data.net': '#outer > div:not([id]):not([class])', 'lerugbynistere.fr': 'body > .wrapper > div:not([id]):not(.class)', 'nabidky-prace.cz': '#cb', 'chespesa.it': '#myModal, .modal-backdrop, .reveal-modal-bg', 'feltringeometragianni.it': '#lbx_fade, #lbx_light', 'nieuwsbronnen.nl': '.DcaSmallCornerContainer', 'szarakomorka.pl': '#DIVwelcome', 'gdfsuez.ro': '#tmp_legal_bar', 'hetweeractueel.nl': '#WGavpdgvbc', 'about.com': '#ribbon-notification', 'indicator.es': '.policy, #policy, .cpolicy', 'lexus.fr': '.l-disclaimer', 'tvsvizzera.it': '#tvsvizzera_disclaimer', 'tastekid.com': '.tk-Footer-cc', 'kcineplex.com': '#cop', 'architekturaplus.org': '.sqs-announcement-bar', 'regionalobala.si': 'body > .floating', 'tvfreak.cz': '#cfooter', 'significados.com': '.clm', 'medarbejdernet.dk': '#modalLayer', 'radioline.co': '#noty-cnil', 'qr.cz': '#eu-fck', 'bonnier.se': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'leyprodatos.es': '#cs_informationBar', 'otticalotito.com': '.boxy-wrapper, .boxy-modal-blackout', 'acuvue.it': '#announcement', 'stelcomfortshop.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'la-cosa.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'sallyx.org': '.topInfo', 'robertozeno.com': '.pcookie', 'horarios-de-apertura.es': '#cb', 'zilinak.sk': '#cua', 'obs-edu.com': '#sst_container', 'tecnalia.com': '#NLC_textLayer, #NLC_opaqueLayer', 'megawrzuta.pl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'noiz.gr': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'wowza.com': '#ck_pu', 'xombitgames.com': '.c_i_container', 'litmind.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'hafici.cz': '#fixedBar', 'cinetelerevue.be': '#coo', 'tmz.com': '#legalbar', 'onkiro.com': '#msgid1', 'lmc.org.uk': '#smsg', 'peerates.net': '#cookit', 'budgetair.nl': '.notificationContainer', 'venicemarathon.it': '#cp-cont', 'atv.be': '.sticky-queue', 'subitanostream.it': '#subita', 'studiog29.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', '4webs.es': '#divbottom', 'seoestudios.com': '#top', 'filmon.tv': '#design-switcher', 'mall.cz': '.cpr-bar', 'pyrex.fr': '#popajax', 'willemsefrance.fr': '#easyNotification', 'bikemap.net': '.messages.temporary .info', 'daf.nl': '.page-overlay, .modal-backdrop', 'eservice.pl': '#zwcc', 'discountoffice.nl': '#bottomscreen', 'vijfhart.nl': '#WGatsiopge', 'ingenieriaeinnovacion.com': '#overbox3', 'loquo.com': '#global_msg', 'horaires-douverture.fr': '#cb', 'opentot.nl': '.cc_banner', 'motauto.com': '.boxy-wrapper, .boxy-modal-blackout', 'galerialimonka.pl': '#cop', 'santander.nl': '#pOptin', 'salt.aero': '#cci-infobox-contener', '0rechner.de': '.alert, #alert', 'boggi.it': '.toast-bottom-full-width', 'saperesalute.it': '.alert, #alert', 'mamikreisel.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'palatine-am.com': 'body > div:not([id]):not([class])', 'uctovani.net': '#message_wrap', 'mangaclassics.mboards.com': 'body > div[id][class]', 'eurojackpot.it': '.popup-view.modal', 'santandertrade.com': '#c-message', 'blanco-germany.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'freo.nl': '#freo_overlay', 'hifi.lu': 'w-div', 'timing.pt': '.policy, #policy, .cpolicy', 'ukpressonline.co.uk': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'materassi.tv': '#cook, .cook', 'noddies.be': '#layover_cookie_layover, #layover_alpha', 'swiat-agd.com.pl': 'body > div:not([id]):not([class])', 'jednoslad.pl': '#arvlbdata > p', 'sunday.dk': 'div[class^="cookies__container"]', 'tekaskiforum.net': '#footer_message', 'fiatklubpolska.pl': '#navbar_notice_1.restore', 'slovenskenovice.si': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'polet.si': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'szlakpiastowski.com.pl': '.head-page-information', 'lainox.it': '.background_overlay, #overlay_form', 'traninews.it': '#dxm_ckScr_injected', 'textgame.de': '#containerInfoBox', 'ubertive.com': '#ndwr_cl_js', 'opel-sklep.com': '#simple-modal-overlay, #simple-modal', 'filminstitutet.se': '.info-banner', 'cci.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'rokkitchentools.com': '.bModal', 'ipartworld.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'hyrabostad.se': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'soselectronic.cz': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'sunweb.nl': '#optoutbar, .absolute-dialog', 'tinyshop.it': '#msgdlg-ck', 'streetfoodamilano.it': '.blockUI', 'gassaferegister.co.uk': '#actionThree', 'chateauxhotels.com': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'fnac.com': '#alerts', 'proversi.it': '#c-agree', 'yesgolive.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'ao.de': '#aoMessageHolder', 'mclaren.com': '.messages', 'skyonline.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'nuits-sonores.com': '#cnil, .cnil, #CNIL', 'luminaire.fr': '.dnt-dialog.position-top', 'distritopostal.es': '#ecl-container-box', 'soeren-hentzschel.at': '#storage-notice', 'harvester.co.uk': '.notification--notification', 'bunkerworld.com': '#userprompt', 'toscana.it': '#cookPol, #banner-overlay-top-page, #myCookie', 'dartmouthpartners.com': '.cm-container', 'dmdesignverona.it': '.policy, #policy, .cpolicy', 'sallyexpress.com': '#bottom_bar', 'nas-forum.com': '.ipsMessage_error', 'trovit.ie': '#welcomebar-wrapper', 'northamptonshire.gov.uk': '#dhtmlwindowholder', 'redcafe.net': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'fundedbyme.com': '.pageNotification', 'the-eps.org': '#wsjpecr', 'blasapisguncuevas.blogcindario.com': 'body > div[id][class]', 'sweetbikecompany.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'autokennzeichen.info': '#cmsg', 'bikestacja.pl': '#cndiv', 'justcause.com': '.comp-notification', 'intrage.it': '#previewBox', 'daxon.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'latiendadirecta.es': '#cuerpo > div:not([id]):not([class]):not([style*="width:1000px"])', 'ingemecanica.com': '.encabez', 'fxsolver.com': '#tframe', 'ns.nl': '.r42CookieBar, #r42CookieBg', 'infiniti.nl': 'body > .c_128', 'infiniti.de': 'body > .c_128', 'proximus.com': '.reveal-modal-bg, .reveal-modal', 'zoover.de': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'nkd.com': '#DIV_1', 'camb-ed.co.uk': '#simplemodal-container, #simplemodal-overlay', 'bethesda.net': '#visorAlert, #jive-system-message, visor', 'suomi24.fi': '.s24_cc_banner-wrapper', 'digimanie.cz': '#cfooter', 'moviepilot.de': '.notification', 'theparkgame.com': '#footer', 'bancatransilvania.ro': '.ava_2', 'etrend.sk': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'scyzoryki.net': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'congenio.de': '#hinweise', 'peckamodel.cz': '.remarketing_allow', 'dvd-guides.com': '.rstboxes', 'spaarbaak.nl': '#cb-notification', 'eksiegarnia.pl': '#kuki', 'tuasaude.com': '.clm', 'hotmag.pl': '#wysuwane', 'dailyedge.ie': '#notify-container', 'blauarbeit.de': '#messages-container', 'email.it': '#FrstCksDiv, body > div:not([id]):not([class])[style*="background: #000000"]', 'hotcleaner.com': 'body > div > span, body > div > span + input', 'securange.fr': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'unicef.it': '#wck, .wck-modal-backdrop', 'futuratelecom.es': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'e-lawresources.co.uk': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'arsludica.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'apertodomenica.com': '.sqrdprivacy', 'futbolenlatv.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'rast.hr': '#blokDiv', 'hotnews.ro': '#avert', 'livescores.com': '.info-msg', 'zaplo.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'ic2montecchio.gov.it': '.page > div:not([class])', 'quantum.com': '.qcconcent', 'spotwod.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'svetmobilne.cz': '#cfooter', 'digitalfernsehen.de': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'zelena-kava.info': '#eu-container', 'asthmaclic.fr': '#notifybar', 'behobia-sansebastian.com': '#NLC_textLayer, #NLC_opaqueLayer', 'greeceandroid.gr': '#system-message, #system-messages, #system-message-container', 'akcneletaky.sk': '#infoCoo', 'recevoirlatnt.fr': '#cnil, .cnil, #CNIL', 'schreibliesl.de': '#euc_box', 'paysdelaloire.fr': '.tx-pnfcnil', 'poppyshop.org.uk': '.blue-band.row.hide', 'ingyen-van.hu': '#figyu', 'steffen-hanske.de': '#note', 'infiniti.co.uk': 'body > .c_128', 'firstsave.co.uk': '.msgBox p', 'wios.gov.pl': '.a-footer', 'hrportal.hu': '#lableca', 'pksszczecin.info': '#cooPInfo', 'mercedes.fr': '#PageContainer > div[style*="position"]', 'alibio.it': '.bottomBarMessage', 'miplo.pl': '.error.rounded', 'liferewards.be': '#colorbox, #cboxOverlay', 'zeligbananas.com': '.banner, #banner', 'carglass.dk': '#noticedivwrap', 'economias.pt': '.clm', 'mortoglou.gr': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'drivepad.fr': '#wrapper > div[style]:not([id]):not([class])', '6corde.it': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'brentfordfc.co.uk': '.optional_module.profile_summary', 'hola.com': '#barraFlotante', 'music-zone.eu': '#wpfront-notification-bar-spacer', 'creavea.com': '.creavea-banner-cookie-consent, .creavea-container-cookie-consent', 'csp.edu.pl': '.JSWrapper', 'horizonentrepreneurs.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'gardinia.pl': 'body > div[id*="cookie"]', 'the42.ie': '#notify-container', 'hostgreen.com': '#obal', 'hpobchod.sk': '#hpmGmtT', 'vas.com.pl': 'body > div:not([id]):not([class])', 'uni-max.cz': '.innerWrap', '3rei.info': '#mydiv', 'buduj.co.uk': '#SiteAnouncement', 'federacja-konsumentow.org.pl': '#cu_bar', 'bancomparador.com': '#cuki', 'e-zaposlitev.com': '#sxc_confirmation', 'misandria.info': '#navbar_notice_2', 'amaterky.sk': 'body > div[style]:not([id]):not([class])', 'castroelectronica.pt': 'body > div[style*="height"]', 'taste-inspiration.nl': 'body > div', 'bmw-motorrad.gr': '#browser-box', 'medicalxpress.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'aberdeenplumberservices.co.uk': '#FISLCC', 'previ-direct.com': '.alert, #alert', 'kodilive.eu': '#claw', 'areatour.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'bauhaus-nl.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'lifestylenatural.com': '#coverlay', 'softfully.com': '#wpfront-notification-bar-spacer', 'vda.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'userbenchmark.com': '#notForm', 'pasientreiser.no': '.banner, #banner', 'alltime-stars.com': '#cp-wrap', 'kinonh.pl': '#div_ac', 'novatech.com.pl': '#cooki', 'grosseleute.de': 'body > div[style*="000"]', 'alpentherme-ehrenberg.at': '#cinfo', 'face4job.com': '.vex-theme-bottom-right-corner', 'damm-legal.de': '#wpfront-notification-bar-spacer', 'mixrad.io': '.region-banner-notice', 'ikanobank.de': '#termsofuse', 'st-ab.nl': 'table[width="941"] td[height="38"][width="100%"]', 'newspedia.it': '#icc_message', 'mensup.fr': '#cookie6876', 'chromeactions.com': '.cst', 'montura.it': 'body > div:not([id]):not([class])', 'spaziorock.it': '#bottom-banner', 'mobil-1.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', '48poland.com': '#gbpl_oba', 'misdaadnieuws.com': '#WGfkkstaae', 'venetobanca.it': '.popup-view.yui3-widget.yui3-widget-positioned', 'viacavallotti44.it': '#bk7', 'supremecard.se': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'gratisfaction.co.uk': '#grey-bar', 'adslofertas.net': '#overbox', 'spielfilm.de': '.alert, #alert', 'cityfood.hu': '#foodfood_cookie', 'runmap.net': '.messages.temporary', 'acara.cz': 'body > div:not([id]):not([class])', 'der-privatanleger.de': 'body > .panelstyle', 'vinted.cz': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'autoitscript.com': '.cc_container', 'oskommune.no': '.container-floating-notifications', 'allomarie.fr': 'body > div:not([id]):not([class])', 'scuolerimini.it': '#upper_div', 'nano-carbon.pl': 'body > div:not([id]):not([class])', 'stratoserver.net': '#note_container', 'rct-3.org': '.footerBar', 'gefran.com': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'radiosetv.com': '.fck', 'ffonts.net': '#sticky-popup', 'asd.pl': 'body > div:not([id]):not([class])', 'amexshopsmall.co.uk': '.overlay-screen', 'miastograf.pl': '.ui-widget, .ui-widget-overlay', 'rehabilitace.info': '.cm-message', 'happyhomedirect.fr': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'bankofengland.co.uk': '.container-floating-notifications', 'ihrzeszow.ires.pl': '.PopupOverlay, .Popup', 'top100station.de': '#keks', 'daswetter.com': '.tCook', 'controcampus.it': '#Controcampus_cookie_advice', 'soft112.com': '#s112_accept_cookies', 'uk-spares.com': '#toolbar', 'giappo.com': '#normativa', 'grandpalais.fr': '.bloc-notifications', 'iban.de': '#wrapperdiv', 'periodensystem.info': '#cmsg', 'renaultshop.fr': '.ccbar, .cclist', 'inoreader.com': '.landing_promo_banner_top', 'antyradio.pl': '.giodoContainer', 'melegatti.it': '#SITE_ROOT + div .s23', 'novasol.it': '.disclosure-box', 'lafrancaise-am-partenaires.com': '#toast-container, .toast-container, #toast, .toast', 'sorelfootwear.co.uk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'planetbio.si': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'synsam.no': '.message-large', 'linnunrata.org': 'body > div:not([id]):not([class])', 'armaniexchange.com': '#SplashPageContainer', 'rentl.io': '#scroll-popup', 'oebv.at': '.pn_notebox', 'rankomat.pl': '#rankomat-cookies-div', 'foto.no': '#allwrapper > div[style]', 'bonappetit.hu': '#foodfood_cookie', 'orbitbenefits.com': '.orbit-cookie-information', 'lovela.pl': 'body > div:not([id]):not([class])', 'neue-freunde-finden.com': '#DC', 'getgreekmusic.gr': '.spu-box', 'interno.it': '#panel', 'almacen-informatico.com': '#Informacion', 'dailybest.it': '#G_info', 'postandparcel.info': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'vienormali.it': '.info', 'geekvida.es': '#bottom_container', 'metro2033.pl': 'body > div:not([id]):not([class])', 'az-europe.eu': 'body > div:not([id]):not([class])', 'kvalster.se': 'noindex #y', 'spacechain.org': '#confirmOverlay', 'ampya.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'marykay.sk': '.gigyaNotify', 'fondazioneannakuliscioff.it': '.ts_privacy_adv', 'citroen-club.it': '#informationbar', 'gadu-gadu.pl': 'body > div:not([id]):not([class])', 'pictetfunds.fr': '#pfcb_banner, #pfcb_placeholder', 'tobias-bauer.de': '.fixed-note', 'wander-community.de': '#DC', 'ildesertofiorira.org': '#system-message, #system-messages, #system-message-container', 'happy-spots.de': '#cono', 'origin.com': '#truste-banner, origin-global-sitestripe', 'moneyou.at': 'body > iframe[style*="position: fixed"]', 'istotne.pl': 'header.top', 'firefoxosdevices.org': '#storage-notice', 'dearbytes.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'elon.se': '.avalanche-message', 'florexpol.eu': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'netonnet.se': '.topInfo', 'inelenco.com': '#hid', 'princeofwales.gov.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'mediafax.ro': '#ZTRToolFloatFla3B, #ZTRDbgActivateMask', 'calcolostipendio.it': '.bold_text', 'decrypterlenergie.org': '#alert-mention', 'eider.com': '.CnilKit', 'adicional.pt': '#overbox3', 'vende-tu-movil.com': '#qtip-growl-container', 'lateliermoderne.fr': '#headband', 'transferypilkarskie.com': 'body > div:not([id]):not([class])', 'demaiogroup.it': '#normativa', 'lesfurets.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'essilor.fr': '#mentions', 'akademia-piwa.pl': '#polityka_tekst', 'apdmarket.pl': '#popup', 'cartests.pl': '.messi', 'czescidobmw.pl': '#container > div[onclick]', 'dealertata.pl': 'body > div:not([id]):not([class])', 'domena.pl': '#alert_container_id', 'zosiaikevin.pl': '#novem-slot', 'zdrowemiasto.pl': '#_mo', 'zdm.poznan.pl': '#cContainer', 'wydawca.com.pl': '#kuki', 'wirtualis.pl': '#info_container', 'webelite.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'tluszczak.pl': '#ml_wrapper', 'simba.com.pl': '#cContainer', 'silesiasports.eu': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'red.org': '#cftpeuc', 'area.it': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'metairie.fr': '.popup-notification', 'nieuwbouw-aalsmeer.nl': 'body > iframe', 'sapo.tl': '.bsu-v2-ntfs', 'hlntv.com': '#terms-of-service-container', 'syngenta.com': '#ctl00_IdCIPUserControl_pnlCIPContainer', 'elrellano.com': '#aviso', 'tunngle.net': '#delirioBiscottoso', 'cancellisrl.it': '.stickynote', 'cinemacity.cz': '#layer_2_0_0', 'traningspartner.se': '.header .top', 'alatest.it': '.identity-noticebar-content', 'lstsoft.com.pl': 'body > div:not([id]):not([class])', 'jordbruksverket.se': '#svid10_7824f13e14ed0d5e4dcbbcf0', 'sunexpress.com': '.toast-bottom-right', 'shazam.com': '.policy-label', 'santander24.pl': '#pageUpperInfo', 'subtitles.to': '#cxcx', 'uabstyle.it': '.action-sheet-backdrop, .backdrop', 'skoda-fredericia.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'vw-service-middelfart.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'supermarchesmatch.fr': '#fevad', 'vergelijk.nl': 'div[data-bind*="PageLocationLinksBehavior"] > div[data-bind*="PopupBehavior"]', 'delightmobile.co.uk': '.new_wrapper_top', 'meteoblue.com': '.successMessage', 'marbaro.it': '#marbaro_cookielaw_banner', 'z-ciziny.cz': '.euc', 'eset.com': '.oks_pp_msgs', 'tork.pl': '.headerMessage', 'szkoleniabhp-partner.pl': '#messagePopup', 'swietnafirma.pl': '#cMess', 'legnica.pl': '#popupDiv', 'studiokopiowania.pl': '#cooPInfo', 'strefa.fm': '.cookskom', 'steplowski.net': '#cop', 'radioer.pl': 'body > div:not([id]):not([class])', 'przyspiesz.pl': '#container_vsm', 'przygodymisiabu.pl': 'body > div:not([id]):not([class])', 'platinumoil.eu': '.head-page-information', 'benefitsystems.pl': '#myForm > .aPad', 'oswiecimskie24.pl': 'body > div:not([id]):not([class])', 'opteam.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'e-gratka.info': '#pojemnik', 'gda.pl': '.shotimoo', 'marykay.pl': '.gigyaNotify', 'labottegatoscana.pl': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'kupbilet.pl': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'parp.gov.pl': '#howdydo-wrapper', 'krosnocity.pl': '#polcia', 'kolejeslaskie.com': '#c_m', 'klopsztanga.eu': '#kukisy', 'karmy.com.pl': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'jakipupil.pl': 'body > div:not([id]):not([class])', 'ingservicespolska.pl': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'hss.pl': 'body > div:not([id]):not([class])', 'herba-farm.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'hemp.pl': 'table[width="1166"][bgcolor="gray"]', 'getem.pl': '#polityka, .polityka', 'olympusclub.pl': '#navbar_notice_192', 'zarabianie24.net': 'body > div:not([id]):not([class])', 'fandemonium.pl': 'body > div:not([id]):not([class])', 'expozdrowie.pl': '#alert_popup', 'eteacher.pl': '#info_container', 'epapierosylodz.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'ekoserwis.poznan.pl': '.content-head-information', 'ekosalus.pl': '.welcomebar', 'e-swietokrzyskie.kielce.eu': '#belka_dolna', 'e-fajek.pl': 'body > div:not([id]):not([class])', 'darksiders.pl': '#callout', 'centrumpilkarskie.pl': '.jqibox', 'archiwumallegro.com.pl': '#polityka, .polityka', 'amundi.pl': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'landrover.it': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'd-fault.nl': '#overlay', 'unicredit.ro': '#pop-down', 'cliccalavoro.it': '#cook, .cook', 'greenredeem.co.uk': '#pecr_summary', 'groj.pl': '#gbpl_oba', 'onvz.nl': '.overlayContainerWebsite', 'aquienvoto.org': '#overbox3', 'smtvsanmarino.sm': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'babyrocks.de': '.cc_container', 'marmottons.net': '#ck', 'fascicolo-sanitario.it': '#id1', 'teletec.it': '#cookieNewTeletecMainSitoInfo', 'playme.it': '#msg-close', 'folkuniversitetet.se': '.alert, #alert', 'ganesharistoranteindiano.it': '.alertBox', 'wrigleys.co.uk': '#rpcm', 'dexigner.com': '#cwarn', 'zblogowani.pl': '#ci-info-box', 'petpharm.de': '#hinweise', 'flikflak.com': '.message-container', 'superfilm.pl': '#box_info', 'rallydev.com': '#rally-marketing-optin-cookies', 'propertyweek.com': '.dhtmlx_modal_box.dhtmlx-confirm', 'netonnet.no': '.alert-info, .alert-warning, .alert-box', 'lawyersonline.co.uk': '.notify2-container', 'partipirate.org': '#addonpp-pjlrenseignement', 'aol.co.uk': '#alerts-policy', 'ouedkniss.com': '#informations_box_2', 'uncensoredtranny.com': 'body > div:not([id]):not([class])', 'transilien.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'dein-wohngeldrechner.de': '.cc_container', 'radioplay.se': '#reactRoot > div > div > div > div[style*="FFF3CC"]', 'store-opart.fr': '#ocw_conteneur', 'allianz.hu': '#idAllianzCookiePolicy', 'kicktipp.de': '.messagebox', 'dakar.com': '.confidentialite', 'iens.nl': '.notificationWarning', 'ts.fi': 'body > div:not([id]):not([class])', 'sklep-muzyczny.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'etfsecurities.com': '.fixedBar', 'scanbot.io': '.sb-banners--cookie', 'protergia.gr': '#shadow', 'icakuriren.se': '.alert-info, .alert-warning, .alert-box', 'taketv.net': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'viva.gr': '.cc-wrapper', 'chemicalize.org': '#cxn-cc-wrap', 'nlyman.com': '#toast-container, .toast-container, #toast, .toast', 'antalis.co.uk': '#overlay', 'isathens.gr': '.activebar-container', 'sodexopass.fr': 'body > .banner', 'sudtours.nl': '#optoutbar, .optoutbar', 'zaplo.pl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'sauramps.com': '.cnil-popin', 'urban-rivals.com': '.alert, #alert', 'zgierz.pl': '.ui-widget, .ui-widget-overlay', 'mistercocktail-loisirs.fr': '#slidebox', 'interfood.hu': '#ifood_cookie', 'osmose-fitness.net': '.ays-front-message', 'csl-computer.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'gamespilot.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'glucholazy.pl': '#layer9', 'zoover.nl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'monese.com': '.moneseCookies', 'metropolitanlife.ro': '#acceptCookieMeg, #acceptCookieMegLineBreak', 'electan.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'messageboard.nl': 'body > div[style*="999999"]', 'poxilina.com.pl': '#capa', 'devexpert.net': '#note', 'monavislerendgratuit.com': '.policy, #policy, .cpolicy', 'avanzasa.com': '#ico_banner', 'riminiinformatica.it': '#icc_message', 'yakult.it': '#custom-bottom-banner', 'budapest-card.com': '#cwarn', 'unifrance.org': '.headerInfos', 'visitcosenza.it': '.lightface', 'scutt.eu': '#pojemnik', 'msc.com': '.reveal-modal-bg', 'bellababy.ie': '#dialog', 'guess.eu': '#toast-container, .toast-container, #toast, .toast', 'svensktnaringsliv.se': '#warning', 'umu.se': '.umuCookieMain, .notification--disclosure', 'hkr.se': '#c-info-box.show', 'mercateo.nl': '#header-popup-info', 'bresciamobilita.it': '.cn-wrapper', 'karawankenhof.com': '#coo', 'tipsmidler.dk': '#lbmodal-overlay, #lbmodal', 'udlodningsmidler.dk': '#lbmodal-overlay, #lbmodal', 'adobe.com': 'body > .message', 'onemomentmeditation.com': '.fhp', 'ortsdienst.de': 'body > div:not([id]):not([class])', 'altfi.com': '.fixedbottom', 'prevac.eu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'eurosport.de': '#container-notifications', 'ukmot.com': '.csent', 'pagellapolitica.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'hpmarket.cz': 'body > div[style*="FFFFB4"]', 'beko.com': '.sayfaIcDiv > .row300', 'lifemobile.co.uk': '#myModal, .modal-backdrop, .reveal-modal-bg', 'pretty52.com': '.mzbt-notice-wrapper', 'mygame.co.uk': '#footer ~ div[id]', 'burlingtonbunker.co.uk': '#revzo_widget_wrap', 'biallo.de': '#cchinweis', 'hankooktire.com': '.top_ep_wrap', 'efax.fr': '.stickyFooter', 'po-sloveniji.com': '#cookN', 'burg.biz': '.body-mask', 'orszak.org': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'galeriamalta.pl': '#info', 'vandijk.nl': '#trackingOverlay', 'professionalbatterychargers.com': '#nscmsboxboxsimple', 'kuchnianastrojowa.blogspot.com': '#cookieChoiceInfo ~ div[id] > div[style*="position: fixed"]', 'borotalco.it': '.ccp-banner', 'support4doctors.org': 'body > div:not([id]):not([class])', 'biodiv.be': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'larousse.fr': '.ui-widget-overlay, .ui-dialog[aria-describedby="popinInfoCNIL"]', 'tv5.org': '.h_signalzone_layer', 'vlt.se': '#p_ciCont', 'voici.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'lt.se': '#p_ciCont', 'headliner.nl': '#displayWrap, #ccontrol_popup, #displayWrapCC', 'nynashamnsposten.se': '#p_ciCont', 'forumplay.pl': '#notices', 'grandix.nl': '#popup, #overlay', 'recycle-more.co.uk': '#pecr_summary', 'qualityseonatural.com': '#overbox3', 'skoda-brondby.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'bleacherreport.com': '.privacy_notice', 'basilicasanzeno.it': '.policy, #policy, .cpolicy', 'spalensky.com': '#w_notice', 'spindox.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'intertraders.eu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'ants.gouv.fr': '#popup-consent', 'ziarelive.ro': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'rodenstock.com': '.background-petrol-cookie', 'iss.it': 'body > .beta', 'austrian.com': '.cop', 'techxplore.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'pasdecalais.fr': '#cnil, .cnil, #CNIL', 'teogkaffespecialisten.dk': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'barents.no': '.container-floating-notifications', 'easycruit.com': '#ecoverlay', 'wagrain-kleinarl.at': '#cks_overlay', 'touristpath.com': '.GGC3VRYMP', 'landrover.cz': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'biedronka.pl': '.qucki-box', 'curioctopus.it': '#cookcont', 'apogeum.net.pl': 'body > div:not([id]):not([class])', 'hattrick.co.uk': '#TB_window, #TB_overlay', 'uk-oak.co.uk': '#cc-conf', 'divoitalia.it': '#module3', 'nasiljudi.hr': '#footer', 'finefish.cz': 'body > div:not([id]):not([class])', 'limango.pl': '.floating_notification', 'vanvlietcontrans.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'br-automation.com': '#messenger', 'hetscheepvaartmuseum.nl': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'kabar.pl': 'body > .blockMsg', 'texoleo.com': 'body > .hidden-xs', 'kommune.no': '.container-floating-notifications', 'swann-morton.com': '#easyNotification', 'dentisti-italia.it': '.di-banner', 'openjob.it': '#toast-container, .toast-container, #toast, .toast', 'zeelandhome.nl': '.onderbalk', 'radioplay.dk': '#reactRoot > div > div > div > div[style*="FFF3CC"]', 'adtriboo.com': '#messages', 'amazonaws.com': '#avert', 'ecodallecitta.it': '#consenso', 'mester.hu': '#clayer, #CLayer', 'lesportecles.com': '.alert-info, .alert-warning, .alert-box', 'larepublica.es': '#galletas', 'fineartprint.de': 'body > div:not([id]):not([class])', 'autosjbperformance.fr': '.cekomeadsbottom', 'b-travel.com': '#fb-cd', 'aurorashop.it': '#myModal, .modal-backdrop, .reveal-modal-bg', 'irph.es': '#overbox3', 'lediomedee.it': '.clmessage', 'downsleepingbag.co.uk': '#dontshowagain_adpC', 'socialeurope.eu': '#om-footer-sleek-optin', 'planetofsuccess.com': '.cc_container', 'ciclotte.com': '#bootcooker', 'redbullcanyoumakeit.com': '#red-bull-cookie-notification', 'freedoflondon.com': '.ui-widget, .ui-widget-overlay', 'edilvetta.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'fabricadetablouri.ro': '.uk-alert', 'artuk.org': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'arguedas.es': '#barra', 'txinzer.com': '#NLC_textLayer, #NLC_opaqueLayer', 'cpsa.co.uk': '#ib3_cc', 'chordify.net': '#koekie', 'avalon.me': '#stickyFooter, .sticky-footer', 'pbkik.hu': '.alert-info, .alert-warning, .alert-box', 'gtagames.nl': '.ipsBox_container, .ipsBox_container + div', 'sen360.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'klm.nl': 'body > iframe[style*="fixed"]', 'radiofama.com.pl': 'body > div:not([id]):not([class])', 'eena.pl': '#whole_page_loader', 'izimobil.si': '#promoTb div[style*="color:white"]', 'obabaluba.it': 'body > div[style*="810"]', 'propertywire.com': '#cp_container', 'tp24.it': '#barra', 'affaronissimo.it': '#af-cw-box', 'sato.fi': '#user-consent', 'sma-france.com': '#tracker-banner', 'brobygning.net': 'body > div:not([id]):not([class])', 'aptekafortuna.pl': '#cook, .cook', 'orliman.pl': '.c-info', 'camerastuffreview.com': '.pweb-bottombar', 'aiglife.co.uk': '.policy, #policy, .cpolicy', 'ebatt.si': '#sxc_confirmation', 'iit.it': '#messageOuter', 'tuttosexyshop.it': 'body > div:not([id]):not([class])', 'opengapps.org': '.mdl-snackbar', 'red-by-sfr.fr': '#CkC', 'texxas.de': '#texxas-cookie-accept', 'ouest-france.fr': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'usatoday.com': '.alerts-manager-container', 'atg.se': '#alert-container, .notice__info-info, .alert--info', 'hellokids.com': '#HKnotify', 'cc-montfort.fr': '#info_message', 'alkohole.poznan.pl': '#contBanner', 'seasaltcornwall.co.uk': '.global-promotion', 'erboristeriamagentina.it': '#blultpdfbanner', 'curs-valutar-bnr.ro': '#info_bottom', 'w3logistics.com': '#w3l-cookiebox', 'brabantzorg.net': '#divFirstVisit', 'deutschebank.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'svenskaspel.se': '.js-message-box', 'baginton-village.org.uk': '#message, .message', 'janssennederland.nl': '#warning-popup', 'schulstoff.net': '#ckkasten-container', 'biglotteryfund.org.uk': '.localisationBar', 'shizofrenija24x7.si': '#warning-popup', 'actionforme.org.uk': '.afme_cookie', 'slks.dk': '#lbmodal-overlay, #lbmodal', 'maggiore.it': '.snap-popup-overlay, .box-snap-popup', 'jajco.pl': 'div[id*="n-cookies-notification"]', 'marbodal.se': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'dlapacjenta.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'vsd.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'disconnect.me': '#privacy-policy', 'podrozerowerowe.info': '.appriseOverlay, .appriseOuter', 'filmempfehlung.com': '#fe > div[style*="fixed"]', 'americanairlines.fi': '.alert-global', 'mondoconv.it': '#CokCon', 'werder.de': '.js-slide-in', 'brieffreunde.org': 'body > div:not([id]):not([class])', 'basiszins.de': '#wrapperdiv', 'cebit.de': '.notifier.is-top-fixed', 'unibet.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'catalunyacaixa.com': '#politica', 'jdrp.fr': '#jdrp_cookie_notice', 'firearms-united.com': 'body > div:not([id]):not([class])', 'snp.nl': '.snp-cookiebar', 'f2p.com': '#CN', 'wedotechnologies.com': '.notification-general', 'ao.com': '#aoMessageHolder', 'senoecoseno.it': '#dcb-black-screen', 'gam.com': '#gamCookieNotice', 'compteurdelettres.com': '.rssincl-content', 'baseplus.de': '#agb_area', 'slwstr.net': '.sqs-announcement-bar', 'expansys.es': '#closeableCountryWarning', 'adomik.com': '.sqs-announcement-bar', 'electronique-mag.com': '#alert_trk', 'gyldendal-uddannelse.dk': '#tempDiv', 'tge.com.pl': 'body > div:not([id]):not([class])', 'allianz.de': '.banner, #banner', 'tattoomania.cz': 'body > div:not([id]):not([class])', 'kriwanek.de': '#system-message, #system-messages, #system-message-container', 'autotitre.com': '#global > div[onclick]', 'balslev.dk': '#lbmodal-overlay, #lbmodal', 'joomeo.com': '#c-policy', 'tantfondant.se': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'happycare.cz': '.SiteMessage', 'mercedes-benz-clubs.com': '#cp-wrap', 'kleiderkreisel.at': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'apartmanija.hr': '#site_nt', 'chordbook.com': '#cbeu_container', 'bezirk-oberbayern.de': '.tracking-box-wrap', 'maltairport.com': '#cookthis', 'abandomoviez.net': '.alert-danger', 'fbackup.com': '#fbackup_accept_cookies', 'sachsen-anhalt.de': '.lsa-privacy-alert', 'trattorialatellina.it': '.peek-a-bar', 'epuap.gov.pl': '#specialbox-info', 'carfacto.de': '#b-cc', 'anisearch.com': '.urgent-msg', 'sportfondsen.nl': '#zwemmen-optin-header', 'carner.gr': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'manetti.com': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'whiskyreview.nl': 'body > div[id]:not(#sitepicker):not([class]):not(#footer)', 'justaway.com': '#bannerTop', 'digienergy.ro': '#sticky-popup', 'bblat.se': '#p_ciCont', 'interhyp.de': '#data-protection__layer', 'digitel.sk': 'td[height="35"][bgcolor="#CCFFCC"], td[height="35"][bgcolor="black"]', 'appdynamics.fr': '.announcement-bar', 'needrom.com': '#cookie_needrom', 'fitbitsemideparis.com': '.confidentialite', 'nissan.si': '#ckContainer, #ckBg', 'ridewill.it': '#footerCk', 'unitedresistance.eu': '.infobox', 'barracuda.com': '.alert-tertiary', 'alipaczka.pl': '#bottom-charm', 'pclooptvast.nl': 'body > div[id]:not(#websitecontent):not([style]):not([class])', 'techlegal.es': '#icc_message', 'bretagnepalettesservices.com': '.ays-front-message', 'dentonet.pl': '#cpolicy_wrap', 'armedangels.de': '.notice-home', 'birdfood.co.uk': '#setup_notice', 'pani-teresa.com.pl': '.head-page-information', 'cifec.es': '#fixdiv', 'viralagenda.com': '#viral-footer', 'vinted.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'pictetfunds.com': '#tracking-message', 'paysafe.com': '#notify', 'oalley.fr': '#CGU', 'dacter.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'stiridecluj.ro': '#acn_cook', 'bekowitgoed.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'na.se': '#p_ciCont', 'hth.se': '.nb-content', 'salon404.pl': '#jqmAlert', 'alatest.nl': '.identity-noticebar-content', 'femmeactuelle.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'joueclub.fr': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'kinderspiele-welt.de': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'aicanet.it': '.popup-view', 'forncaltia.com': '#kopageBar', 'menhdv.com': 'body > div:not([id]):not([class])', 'mitosyleyendascr.com': '#icc_message', 'allocadeau.com': '#allocadeau-cookies-lightbox', 'confartigianato.it': '#ssspu-wrapper', 'prvikvadrat.hr': '.modal, .modal-backdrop', 'binck.nl': 'body > iframe', 'krovni-nosaci.hr': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'rugby-league.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'elettrocasa.it': '.bottomBarMessage', 'albertsteinhauser.at': '.wppn-wrapper', 'firstdraftnews.com': '.welcome-message', 'cuisineactuelle.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'pan.bg': '.coloralert', 'solarenvi.cz': '#cs_bx', 'e-food.hu': '#efood_cookie', 'pmi.com': '#lightbox-panel', 'l-bank.de': '.JM_mod-M-8-0', 'one2xs.com': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'ingame.de': '#ingameCookie', 'ccsalera.com': '#overbox3', 'backup4all.com': '#backup4all_accept_cookies', 'mesonic.com': '.maintd td[style*="background:#999"]', 'mercateo.fr': '#header-popup-info', 'kombit.dk': '#lbmodal-overlay, #lbmodal', 'neopost.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'webzdarma.cz': '#fixedBar', 'mklr.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'enerpoint.it': '#container > div[style]', 'framar.bg': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'grammata.es': '.alert-info, .alert-warning, .alert-box', 'pharmacie-giphar.fr': '#toast-container, .toast-container, #toast, .toast', 'geonovum.nl': '.geonovum_cookie_popup_main_wrapper', 'goodsstall.co.uk': '#hideme', 'cafassoefigli.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'helsingborg.se': '.alert-info, .alert-warning, .alert-box', 'supernordicskipass.it': '.infPr', 'natura-nuova.com': '.bottomBarMessage', 'dormezbien.fr': '#cnil, .cnil, #CNIL', 'qbasic.at': '#ckkasten-container', 'nestlehealthscience.fr': '#nhsCookiePopUpBar', 'axa.sk': '.axa-cookies', 'giorni-orari-di-apertura.it': '#cb', 'managerzone.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'auto.at': 'table[width="98%"][bgcolor="#666666"]', 'mondogdr.com': '.elan42-disclaimer-banner', 'tecnoempleo.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'fosse-biologiche.it': '._CL_main', 'srebrnystyl.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'garbo.ro': '#ictsuc_block', 'sapsalis.gr': '.termsnote', 'paf.com': '.mo-notification-bar-fixed', 'dipe.es': '#overbox3', 'motortests.de': '#b-cc', 'dermquest.com': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'sconfini.eu': '#sbox-window, #sbox-overlay', 'jimbeam.com': '.ng-scope[data-jb-message-cookie]', 'unibet.eu': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'docteurclic.com': '#disc', 'coulisse.de': 'body > div:not([class]):not([style]):not(#content-wrapper):not(#search-overlay):not([id*="fancybox"])', 'technopolis.bg': '#infomessage', 'barnebys.se': '#cookieList', 'elektrykapradnietyka.com': '#epnteucookie', 'mediaworld.it': '#bannerPolicy', 'pandora.net': '.ui-widget, .ui-widget-overlay', 'ulianavalerio.it': '.alert-info, .alert-warning, .alert-box', 'komunitnicestiny.cz': '.alert, #alert', 'cyclingarchives.com': '#header > div[id*="zxcw"]', 'destinyghosthunter.net': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'auditoriaswireless.net': '#adk_acblock', 'zs1mm.edu.pl': 'body > div:not([id]):not([class])', 'fowtcg.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'alcoholics-anonymous.org.uk': '#cook, .cook', 'forumlekarza.pl': '#cpolicy_wrap', 'ncplusgo.pl': '.js-messages', 'denic.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'autogasnord.it': '.pre-privacy-container', 'moly.hu': '#eu', 'budgetair.it': '.notificationContainer', 'infiniti.fr': 'body > .c_128', 'lotus-planete.com': '#lotus-cookies-wrap', 'docdroid.net': '.ui-pnotify', 'ouchpress.com': '#clayer, #CLayer', 'blume.net': '#overbox3', 'salidzini.lv': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'aegonalapkezelo.hu': '#AEGONCookieLine', 'monptivoisinage.com': '#com-message, #bandHead', 'tvgids24.nl': '#cbar', 'theinvergordonarchive.org': '#CQ', 'hertz247.de': '#overlayBox_3', 'meteo-service.nl': '#popup-container', 'valher.si': 'body > table', 'gutscheinz.com': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'zahradnikrby.cz': '#cs_bx', 'v10.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'hesperia.com': '.politicaRewards', 'hlidacipes.org': '#hlidacipes_cookies', 'vanlien.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'novasol.at': '.disclosure-box', 'affecto.fi': '.privacy-policy-container', 'datatypes.net': '#cw', 'jobmensa.de': '.usermessage', 'bladi.info': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'regalideidesideri.it': '.centered-container .msg', 'teemo.gg': '.alert, #alert', 'dnevnik.si': '#app-messages', 'einbuergerungstest-online.eu': '.alert-info, .alert-warning, .alert-box', 'todotejados.com': '#kopageBar', 'avtomobilizem.com': '.c-notice', 'cinquantamila.it': '#privacy_advisor', 'englishgratis.com': '#privacy_box_container', 'bwin.it': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'cc.com': '#balaMainContainer, #geoblockmsg', 'sexomercadobcn.com': '.hidder, .disclamer', 'glamouronline.hu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'dlink.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'runtastic.com': '.ember-view > .text-center', 'nordschleswiger.dk': '.TopAdvertising-Content-Wrapper > .Seeems-CollapsibleArea', 'heim-und-haustiere.de': '#hinweise', 'librogame.net': '#system-message, #system-messages, #system-message-container', 'concordiaubezpieczenia.pl': '.head-page-information', 'farmacosmo.it': '#bottombar', 'ttela.se': '.ttelcGRCookieContainer', 'carmenthyssenmalaga.org': '#divAlertas', 'orgoglionerd.it': '.irpclw', 'gmsystem.pl': 'body > form', 'therapia.cz': '.CC_wrap', 'tagsistant.net': '#sbox-window, #sbox-overlay', 'rhp.nl': '#cn-wrapper', 'blikk.hu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'helbling-ezone.com': '#statusBar', 'andyhoppe.com': '#cmsg', 'faqin.org': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'hyperxgaming.com': '#policy_message', 'mtv.com': '#balaMainContainer', 'geoprostor.net': '#REALISCCBAR', 'biallo.at': '#cchinweis', 'uni-kl.de': '#cookie-uni-kl', 'fotoluce.it': '.modal, .modal-backdrop', 'merlin.pl': '.merlin-legal-note', 'tani-laptop.com': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'parcoappiaantica.it': '.moduletable-privacy-popup', 'volvo.com': '.headerNotification', 'geekhebdo.com': '.cookiegeek', 'essilorpro.co.uk': '#mentions', 'bouwformatie.nl': '#stickyHeader', 'vttour.fr': '#coo_aut', 'smartphonehoesjes.nl': '#bar', 'itwayvad.com': '#light', 'tupperware.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'rapidonline.com': '#DisplaySiteSplitMsgDiv > div > div + div', 'nousmotards.com': '.csa-popup', 'game-ready.com': '.ly-cookie', 'nite-ize.eu': '.blockMsg', 'promib.pl': '#cInfo', 'southwestcoastpath.org.uk': '.roar-body', 'draagle.com': '#nonsense_root', 'pinterac.net': '#toast-container, .toast-container, #toast, .toast', 'cafe-royal.com': '.browsehappy', 'dancovershop.com': '#bottom-overlay', 'notariado.org': '.alert-info, .alert-warning, .alert-box', 'senarrubia.it': 'body > div:not([id]):not([class])', 'relpol.pl': '#powiadomiony', 'el-klinikken.dk': 'body > div:not([id]):not([class])', 'nobelbiocare.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'uni-max.hu': 'body > .innerWrap', 'wowhead.com': '#gdpr-script', 'forbot.pl': '#ForbotCookies', 'netcomposites.com': '#sliding_popup', 'crocs.nl': '#intercept', 'crocs.de': '#intercept', 'swm.de': '.mod-029', 'polipc.hu': '#sutik_elf', 'centrum-broni.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'bouyguestelecom.fr': '#js-hfc--nc', 'luxicarshireltd.co.uk': 'body > div[data-rule-type]', 'wearewater.org': '.messages', 'agendapompierului.ro': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'alsacechampagneardennelorraine.eu': '.cm-message', 'nextstop2035.se': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'teradata.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'homejardin.com': 'td[valign="top"] > p[style*="text-align:justify"]', 'flyordie.com': '#eucc', 'sickbrain.org': '#popslide', 'rychlyrande.cz': '.cok', 'convert-my-image.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'eplan.de': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'vedian.io': 've-cookies', 'adeccomedical.fr': '.bannerContainer', 'raikaritten.it': '.bottom_note', 'vanitybamboo.com': '#div_c', 'bareminerals.co.uk': '.pop_curtain, .brand_drawer', 'alectia.com': '#NavigationHeader > .smart-object[style*="white"]', 'thedutchprepper-webshop.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'arsys.fr': '#myNotification', 'flitsers.nl': '#cc_overlay', 'grupazywiec.pl': '#apollo-bar', 'abt-s.pl': '#myModal, .modal-backdrop, .reveal-modal-bg', 'telefonoassistenza.net': '#window', 'ako-uctovat.sk': '#message_wrap', 'loewe.tv': '#tx_dscnotifier', 'professioneparquet.it': '#system-message, #system-messages, #system-message-container', 'loterieplus.com': '.ck_popin', 'ostry-sklep.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'gogo.nl': '#optoutbar, .optoutbar', 'fotozine.org': '#kukijima', 'martinerhof.at': '#cks_overlay', 'bmw-hebergement.fr': '#xpr_banner', 'praktiker.bg': '#infomessage', 'adp.com': '#__ev_bc', 'jung.de': '#language-redirection-layer', 'reezocar.com': '.ck_ad', 'tysiagotuje.pl': 'body > div > div:not([id]):not([class])[style*="fixed"]', 'svetaudia.cz': '#cfooter', 'filmin.es': '.alert-fixed', 'numericable.mobi': '.toastComponent', 'bordersdown.net': '#message-1', 'diyaudio.pl': '#navbar_notice_11', 'kelloggs.fr': '#kelloggsfrance', 'lexus.cz': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'euromaster.de': '#lytic_layer, #lytic_askbox', 'xilo1934.it': 'body > div:not([id]):not([class])', 'mediatheque.sainthilairederiez.fr': '#info_message', 'belteriajtok.hu': '#clayer, #CLayer', 'wabeco-remscheid.de': '#myModal, .modal-backdrop, .reveal-modal-bg', 'ardes.bg': '.c-msg', 'villamadruzzo.com': '.tpca', 'tma-winding.com': '#system-message, #system-messages, #system-message-container', 'eaux-de-normandie.fr': '#notifybar', 'regardecettevideo.fr': '#cookcont', 'mcclic.com': '#dialog', 'musicworks.it': '#infromativap', 'sachsen.de': '#xcm-bar, .ld_container', 'lonelyplanet.com': '.alert, #alert', 'sabrain.com': '.message-panel[data-notice-id="brainscookienotice"]', 'matoga.com.pl': 'body > div:not([id]):not([class])', 'q-workshop.com': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'eplan.co.uk': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'swarovskioptik.com': '#cpp-wrapper', 'voiceanddatazone.com': '#popup, .blocker', 'expogatemilano.org': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'comhem.se': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'kreuzwort-raetsel.net': 'body > div:not([id]):not([class])', 'norwegian.com': '.alert, #alert', 'jobdiagnosis.com': '#benefits', 'unibet.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'repostuj.pl': '.jumbotron', 'visit.brussels': '.confirm', 'variart.org': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'maccosmetics.it': '.bt-content', 'gewoonvegan.nl': '#tracking', 'lopolis.si': '.ui-widget, .ui-widget-overlay', 'jardiner-malin.fr': '#global > div[style*="fixed"]', 'nowlive.eu': '#overlayPopup1, #opacity', 'lucachiesi.com': '.wpcp', 'ukuleleorchestra.com': '#ewcm2_container', 'applesencia.com': '.c_i_container', 'postrabbit.pl': '.alert-info, .alert-warning, .alert-box', 'maklarhuset.se': 'body > .uk-panel-box', 'mediaspeed.net': '.cp_overly, #cpContainer', 'liceoquadri.gov.it': '.pasw2015cookies', 'promotionbasis.de': '#c_test_box', 'novasol.dk': '#disclosure-container', 'tu-dresden.de': '#privacy-statement', 'whitehorsedc.gov.uk': '.ccwrap', 'tan.io': '#panel_11 .widget.plgText', 'pw.edu.pl': '.lb-overlay, .lb-wrapper', 'mgr.farm': '#mgr_cookie_notice', 'como-se-escribe.com': '#pck', 'vfl.dk': '#vcc_container', 'compassionuk.org': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'android.com': '.dac-toast-group', 'elephorm.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'gmp.police.uk': '.alert, #alert', 'vidahost.com': '#vh-cookie-terms', 'nissan.be': 'body > .c_128', 'rp-online.de': '.park-snackbar-cookies', 'omnitel.lt': '.oop-notification', 'lafucina.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'mobil.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'hardloopschema.nl': '#interContainer, #interVeil', 'uktaxcalculators.co.uk': 'body > p', 'ahlens.se': '.ah-warning', 'opfingen.info': '.fixed-note', 'comprovendolibri.it': '#CVLR_AdvPrivacy, #CVLR_AdvPrivacy + table', 'teradata.co.uk': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'almamarket.pl': '#claw', 'g5tiregala.it': '#n1_popup', 'toborrow.se': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'retromarket.club': '#doc_injected', 'snp.org': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'eplan.hr': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'gunof.net': 'body > p', 'puigusa.com': '#lycok', 'nlite.it': '#system-message, #system-messages, #system-message-container', 'gautier.fr': '#block-lchuser-user-preferences', 'hdw.me': '#clayer, #CLayer', 'jnjmedical.it': '#bottom-banner', 'rosacea-info.de': '.infobox', 'koakdesign.info': '#barre', 'anticocaffetoti.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'vespaonline.de': '.footerBar', 'oriocenter.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'deutsche-bank.de': '#wt-confirm-layer.wt-confirm-layer', 'azimutyachts.com': '.floatFooter', 'motorola.com': 'div[style*="z-index: 9999999; position: fixed; bottom: 0px"]', 'motorola.it': '#Privacy_banner', 'alternativeto.net': '#bottomNotifier', 'air-cosmos.com': '#cnil, .cnil, #CNIL', 'resultados-futbol.com': '#privacyPolicy', 'partyflock.nl': '#ckcnsnt', 'tec.dk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'wolfram.com': '#eucd-wrapper', 'pampling.com': '#mensaje_aprobacion', 'vg247.it': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'datocapital.com': '#ckp', 'smac-casa.it': '.ccp-banner', 'hosch-kleber.hu': '#cinfo', 'aegon.hu': '#AEGONCookieLine', 'biosystems.es': '#aspnetForm > div[style*="fixed"]', 'forumwodne.pl': 'body > div[id] > div[style*="fixed"]', 'piqd.de': '.pq-flash_message-outer_wrap', 'gangnam.lv': '#menu_side', 'binck.fr': 'body > iframe', 'eco07.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'pikore.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'gafas.es': '.header_cookie_gfs', 'ahc-forte.de': '#icc_message', 'transcend-info.com': '#legal_notice', 'femepa.org': '.modal-backdrop', 'merkurmarkt.at': '.site-notice__message', 'mojcomp.net': '.q-ico-container', 'ragazzon.com': 'body > div:not([id]):not([class])', 'amnesia.es': '#barra', 'myshiptracking.com': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'adelgazar.net': '#overbox3', 'siegwerk.com': '.popover', 'bilka.com.pl': '#mod99', 'solagrifood.com': '#ecl', 'activexsoft.es': 'body > div[class*="msg-cookies"]', 'doku5.com': '#msgWindowX', 'archotelaix.com': '.ays-front-message', 'domain.com': '#alertBar', 'zoiglapp.de': '#boxes', 'infiniti.hu': 'body > .c_128', 'vinted.fr': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'dslr-forum.de': '#mbmcookie', 'theerlangelist.com': '#privacy_note', 'suzuki2wheels.be': '.policy-window', 'aviva.es': '#ventanaFlotante', 'soundsgood.co': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'peugeotscooters.be': '.policy-window', 'ravanson.pl': 'body > div[style*="cookies"]', 'konkurrensverket.se': '.alert-info, .alert-warning, .alert-box', 'thecoupleconnection.net': '#anon_mode', 'casaleggio.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'globalassicurazioni.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'gamesgrabr.com': '.alerts-wrap', 'webzeen.fr': '.footer-fixed-bottom', 'bitpalast.net': '.con', 'schoolandvacation.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'maxifoot.fr': '#mfcok1', 'nh-collection.com': '.politicaRewards', 'payoneer.com': '.gb-popup', 'lavorar.it': '.headerline2', 'mtech.pl': '#content_jquery_bottom', 'sansebastianturismo.com': '#NLC_textLayer, #NLC_opaqueLayer', 'jomalone.co.uk': '#bt_notification', 'slate.fr': '#cnilFooter', 'bensonandclegg.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'czarymary.pl': '.ek-bar', 'vera.com.pl': '.head-page-information', 'ncplus.pl': '.js-messages', 'eestiloto.ee': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'mccruddens-repair.co.uk': 'body > div[data-rule-type="notification"]', 'bristoltransmissions.co.uk': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'audi-hilleroed.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'companycheck.co.uk': 'footer .news-bar', 'buzzfil.net': '#popup1', 'zoomalia.com': '.cnil_container', 'majestic.co.uk': '#ens_overlay_main', 'idealing.com': '#idealing-cookie-consent-wrapper', 'tuandco.com': '.jnotify-container', 'simpelkoken.nl': '#colorbox, #cboxOverlay', 'pavillonfrance.fr': 'body > div:not([id]):not([class])', 'afcwimbledon.co.uk': '.optional_module.profile_summary', 'getagift.pl': '#header > div[style]', 'mojapogoda.com': '#IR', 'uzdrowisko-wieniec.pl': '#statement', 'deshgold.com': '.rltcp_information_cookie, .rltcp_overlay', 'woolrich.eu': '.firstvisit', 'fratinardi.it': '.wrapper > div[id*="cookie"]', 'casadei.com': '.firstvisit', 'camcom.it': '#fine', 'camcom.gov.it': '#box', 'portalodo.com': '.alert, #alert', 'leaandperrins.co.uk': 'body > div:not([id]):not([class])', 'burn-out-forum.de': '.ifancybox-overlay-fixed', 'pemp.pl': '#divCiacho', 'meteomedia.com': '.woahbar', 'letour.com': '.confidentialite', 'viking-tuinmachines.be': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'swiat-laptopow.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'monsterdoodles.co.uk': '#msgBox', 'hurtowniateleinformatyczna.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'zivotvistote.sk': '.fixed-note', 'maggi.com.my': '.agreebox, .transparent', 'hannovermesse.de': '.user-notes-notification', 'bestwestern.fr': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'gla.ac.uk': '#cp', 'pavinviaggi.com': '#otp-privacy', 'ipodnikatel.cz': '.footer-banner-container', 'boy.ltd.uk': '#FISLCC', 'uta.com': '#hinweisoverlay', 'vivatechnologyparis.com': '#content > .full > .fixed', 'synpeka.gr': '#trumpet_message', 'informationisbeautiful.net': '#iib-cookies', 'happygaia.com': '#mCCForm', 'hss.com': 'body > div > .center_block', 'nauka.gov.pl': '.ui-notificationbar.top', 'monchio-delle-corti.pr.it': '#system-message, #system-messages, #system-message-container', 'groupeelectrogene.com': '#cFrame', 'guideastuces.com': '#agreeMsg', 'myairbridge.com': '#terms', 'privatesportshop.fr': 'body > div:not([id]):not([class])', 'nk-m2017.fr': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'wodna-kraina.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'persgroepwielerspel.nl': '#st_popup, #st_overlay', 'aleokulary.com': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'princehenryofwales.org': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'mots-croises.ch': '#askCk', 'adamequipment.com': '#fl_menu', 'aleteia.org': '#popup-policy-cont', 'atlasdepoesia.blogcindario.com': 'body > div[id][class]:not(#math_parentdiv):not(#pagina)', 'promet.si': '#REALISCCBAR', 'hang-sluitwerk.nl': '.ui-widget, .ui-widget-overlay', 'is.nl': '.ccdiv', 'bonnejournee-by-up.fr': '.bandeau', 'pichost.me': '#clayer, #CLayer', 'eknjiga.hr': '.popupbox', 'discoverholland.com': 'body > .popup', 'whoisanna.com': '.popup-background, .popup', 'heythroppark.co.uk': '#pecr_summary', 'headfirstbristol.co.uk': '#cook, .cook', 'wsj.com': '.BannerMessage', 'elternchecker.de': '.cc_container', 'vectorizer.io': '.alert, #alert', 'bmw-motorrad.de': '#layerWrapper', 'penzionist.info': '#sbox-window, #sbox-overlay', 'aerlingus.com': '.ng-isolate-scope[cookie-content]', 'practicalphysics.org': '#alerttop', 'riomare.it': '.ccp-banner', 'wallpaperup.com': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'hypemerchants.nl': '.body-innerwrapper + div[id]', 'bpostbank.be': '.messagecontainer', 'lavuelta.com': '.confidentialite', 'autohaus-brandt.com': '#notify2', 'nombra.me': '#privacy_w', 'dobrarada.com.pl': '#notice_bar', 'virginmoneylondonmarathon.com': '#ico_banner', 'nh-hotels.it': '.politicaRewards', 'deichmann.com': '.newsflash.module', 'lcfc.com': '.optional_module.profile_summary', 'interieur.gouv.fr': '#bandeau', 'adventureinsel.de': '.infobox', 'goteo.org': '#message.info', 'valvolgyikisvasut.hu': '#SITE_ROOT + div', 'columbiasportswear.it': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'germinalbio.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'alceosalentino.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'papergeek.fr': '#notification-bar-top', 'transcend.de': '#legal_notice', 'aidonslesnotres.fr': '#cnil-wrapper', 'unicreditbank.cz': '#pop-down', 'opel-rupprecht-wernberg.de': '#tooltip-privacy-shown', 'mmtv.pl': '#policyInfo', 'gpticketshop.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'regupedia.de': '.wr_regupedia-header-cookie', 'ardanta.nl': '#cookie-bar-ardanta', 'environnement-magazine.fr': '.enviro-cookies', 'italiaracing.net': '#Allpopup_PW0', 'bbbell.it': '#slideit', 'tupperware.se': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'drittemanntour.at': '#selfedit-privacy-window', 'e-weber.it': '.flash-info', 'visionaidoverseas.org': 'body > div:not([id]):not([class])', 'trainstationgame.com': '.alert-info, .alert-warning, .alert-box', 'wearablesmagazine.nl': '.opt-in', 'hirealestate.es': '#stickyFooter, .sticky-footer', 'lavozdegalicia.es': '.alert-info, .alert-warning, .alert-box', 'solarsystemscope.com': '#ck', 'taniewieszaki.net': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'bpostbanque.be': '.messagecontainer', 'olib.oclc.org': '#userMessaging', 'esklep-sbs.pl': '#cibMessage', 'seaheroquest.com': '.tab-cookies', 'davidviner.com': '#cklmsg', 'chceauto.pl': '.cookue', 'hintown.com': '#bica', 'cyryl.poznan.pl': '#cooPInfo', 'isaca.org': '.overlay-bg, .popup1', 'masymasbarato.com': '#galetes', 'eplan.es': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'mysearch.com': '#cp-banner', 'bpm.it': '#inline-cookie-tab', 'cz.it': '#dviT', 'bakkenzoalsoma.nl': '#icc_message', 'vinted.pl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'avland.hu': '#ATEDIN_cookie_warning', 'butagaz.fr': '#prehead', 'rodenstock.cz': '.background-petrol-cookie', 'heyn.at': 'body > form', 'centroopticogranvia.es': '#overbox3', 'lalocandadeigirasoli.it': '.allowBox', 'commentseruiner.com': '#uec_wrap', 'bongacams.com': '.popup_18_plus .block.two', 'himountain.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'bruno-bedaride-notaire.fr': '.avertissement', 'seguros-comunidades.com': '#overbox3', 'firabarcelona.com': '#fb-cd', 'arbeitsagentur.de': '.ba-banner-disclaimer', 'sklepbiegowy.com': 'body > div:not([id]):not([class])', 'covertimes.com': '#privacyPolicy', 'autohus.de': '.c-toast-notification', 'moviestillsdb.com': 'body > div:not([id]):not([class])', 'stresninosice.cz': '.remarketing_allow', 'node-os.com': '#westoredata', 'bigbank.lt': '.sticky', 'uhr-shop.com': '#ico_banner', 'classcroute.com': '.alert-info, .alert-warning, .alert-box', 'vh1.com': '.preventAcceptance', 'preisjaeger.at': '#softMessages-list', 'magazzinirossi.eu': '#informativaBreve', 'lavozdeasturias.es': '.alert-info, .alert-warning, .alert-box', 'rawranime.tv': '.site-news[data-id="acceptcookies"]', 'sentinellelagazuoi.it': '#contact', 'lyrics.cat': '#cxcx', 'rock-in-chiado.com': '#SITE_ROOT + div', 'avtoset.si': 'body > div[style*="2A2A2A"]', 'zoover.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'termalfurdo.hu': '#layout_advertising_bottom', 'blackoise.de': '.wppn-wrapper', 'profiloptik.dk': '.message-large', 'parcoittico.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'leporelo.info': '.bg-info', 'prohibita.pl': '.ciachbtm-wrap-container', 'elumbus-reisen.de': '.alert-info, .alert-warning, .alert-box', 'suder.eu': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'dela.nl': '#dela-cookie-bar', 'kelformation.com': '.alert, #alert', 'pyrexuk.com': '#popajax', 'drukowalnia.pl': '.ek-bar', 'alfakan.si': '.jquery-bar', 'vliegwinkel.nl': '.notifications-slider', 'autotask.com': '.alertbar', 'zvono.eu': '#footer > table', 'gsbk.pl': '#ci', 'trovanumeri.com': '#hid', 'chateauversailles.fr': '.bloc-notifications', 'abc-rc.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'buyamower.co.uk': '.policy, #policy, .cpolicy', 'memorialhenrykapuzonia.pl': '#sc', 'referendumcostituzionale.online': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'also.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'e-mostecko.cz': '.rstboxes', 'jigsawplanet.com': '#HotMessage', 'superbak.nl': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'paramountplants.co.uk': '.uk-notify', 'bndunlimited.com': '#header-banner', 'nationalacademic.nl': '#footer_fixed', 'unimib.it': '#bico-bscn-cnt, #cookies', 'centromedicobeb.it': '.alert, #alert', 'sosulski.pl': 'body > form', 'howdidido.com': '.alert-info, .alert-warning, .alert-box', 'bryncynonstrategy.co.uk': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'teaminternet.dk': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'highworthrec.co.uk': '#cookiebtn', 'oszkar.com': '#footerbar', 'southport.ac.uk': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'villeneuve92.com': '#cnil, .cnil, #CNIL', 'ekko.com.pl': '#messagePopup', 'ministerstworeklamy.pl': '#messagePopup', 'jak-ksiegowac.pl': '#message_wrap', 'kicktipp.at': '.messagebox', 'cowsep.com': '.cg-notify-message', 'eg.dk': '.top-alert', 'members.com': '#toast-container, .toast-container, #toast, .toast', 'fxstreet.com': '.fxs_alertCookies', 'albrevin.org': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'tbs.com': '#toast-container, .toast-container, #toast, .toast', 'weclap.fr': '.front_web_app_main_menu_front-web-app-main-menu-component_front_show_cookie_container', 'llttf.com': '.ico', 'cronacaqui.it': '#footerprivacy', 'camping-les-loges.com': '#MenuCnil', 'scavino.it': '#fanback', 'mygon.com': '#toast', 'radsportseiten.net': '#zxcw03', 'startupmalta.com': '.alert, #alert', 'mtsmarkets.com': '#headerDropDownPanel', 'atmanavillarospigliosi.it': '.sqs-announcement-bar', 'teamliquid.net': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'gcpat.com': '.ms-dlgOverlay, .ms-dlgContent', 'conservateur.fr': '.banner, #banner', 'instytutlogopedyczny.pl': '#flash-msg', 'bestiloghent.dk': '.popup-container', 'theblues-thatjazz.com': '.transbox1', 'mini.it': '.md-custom-overlay, .md-custom-overlay-veil', 'zeewolde-actueel.nl': '#CARD-optin-header', 'suwalls.com': '#clayer, #CLayer', 'ef.com.es': '.aa', 'sg-weber.de': '.flash-info', 'maurice-renck.de': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'mercedes-benz.net': '#cLayer, .bottom.notice, #emb-cp-overlay, #emb-cp-dialog, #cPageOverlay', 'hypersunday.com': '#menu-who', 'iaindale.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'editionlimiteepays.com': '.alertAgegate', 'penstore.nl': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'kalenderpedia.de': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'next-gamer.de': '#ingameCookie', 'artedas.it': '#cookiemex', 'endress.com': '#disclaimerLegal', 'autolineeliscio.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'medatixx.de': '#cky-notification', 'cottages.com': '#createCookie', 'quotazero.com': '.banner, #banner', 'qsoftnet.com': '.art-sheet > table', 'calendrier-lunaire.net': '#toptop', 'vrty.org': '.usage-notice > strong', '3dtvmagazine.nl': '.opt-in', 'aziendasicura.net': '#FrstCksDiv', 'lincscot.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'hardreset.hu': '#system-message, #system-messages, #system-message-container', 'yogenfruz.pl': '.shotimoo', 'brdfinance.ro': '#cook, .cook', 'ebok.jmdi.pl': '.ui-notificationbar.top', 'battlecam.com': '.navigation-notify', 'lma.eu.com': '.banner, #banner', 'crowdstrike.com': '#optInMessage', 'cplusplus.com': 'body > div:not([id]):not([class])', 'ezermester.hu': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'sammic.fr': '.noty_bar', 'pijanitvor.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'kapszulavadasz.hu': '#cook, .cook', 'kalkulatorkalorii.net': '.ek-bar', 'manualslib.com': '.policy, #policy, .cpolicy', 'alablaboratoria.pl': '#cover', 'kkuriren.se': '#p_ciCont', 'alko-memy.pl': '#cookieMain', 'remax.at': '#datenschutz', 'handy-games.biz': '.bugme', 'kierunekspozywczy.pl': '#cook, .cook', 'orange.fr': '#w2cb', 'blackspur.com': '#MainTable div[style*="background:#333"]', 'visahq.co.uk': '#main_visa_warning', 'dopdf.com': '#dopdf_accept_cookies', 'beardsmen.co.uk': 'body > div:not([id]):not([class])', 'ourlocal.town': '#d-notification-bar', 'cebula.online': 'w-div', 'sanef.com': '.bandeaux', 'ah-finmekanik.dk': 'body > div:not([id]):not([class])', 'auchandirect.fr': '.LooprPage__NavBarContainer > .SparkFlexbox--display-flex', 'uitdatabank.be': '.alert-info, .alert-warning, .alert-box', 'azimutyachts.cz': '.floatFooter', 'fitneszvilag.hu': '#id_accptTerrms', 'varese.it': '#headervarese ~ a', 'para.it': '.popup-alert-notice', 'buderus.de': '.tt-mybuderus-common-cookiebar', 'appdynamics.de': '.announcement-bar', 'mimio.com': '.botmid', 'sausageandciderfestival.co.uk': '#CC_Bar, #CC_Shade', 'smimea.info': '.fixed-note', 'cinemacity.sk': '.policy, #policy, .cpolicy', 'grottapalazzese.it': '.modal-strip', 'crescent.se': 'body > div[data-am-cookie-information]', 'kozy.pl': '#claw', 'wislaportal.pl': '#cook, .cook', 'uni-tech.pl': '#topbar, #topBar, .topbarBox, .topBarMessage, #__topBar, #top_bar', 'liebl.de': '.ish-global-notice-container', 'sussexarchaeology.org': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'lords.org': '.global-notice-wrap', 'nh-hotels.nl': '.politicaRewards', 'weber-terranova.hu': '.flash-info', 'southoxon.gov.uk': '.ccwrap', 'auto-schorn.de': '#notify2', 'crpa.it': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'viu.es': '#sst_container', 'kawaii-favie.com': '#ocw_conteneur', 'breakingitaly.it': '.sqs-announcement-bar', 'ilblogdellestelle.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'mare2000.it': '#avviso', 'serialefilmyonline.pl': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'hondanews.eu': '#colorbox, #cboxOverlay', 'uuid.cz': '#fuckies_info', 'unicreditbank.si': '#pop-down', 'federconsumatoripavia.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'mountstuarthospital.co.uk': '.popupbox', 'alatest.no': '.identity-noticebar-content', 'tyrolia.at': 'body > form', 'motorcycles-motorbikes.com': '#CQ', 'nowtv.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'almaimotthona.hu': '.aszfLayerText', 'spelsberg.de': '.tx-elsbase-notification', 'stylefactoryproductions.com': '.sqs-announcement-bar', 'negrita.fr': '#slidebox', 'chassis-en-bois.fr': '#cnil, .cnil, #CNIL', 'losrestaurantesde.com': '#overbox3', 'ingwb.com': '.glass, .dialog', 'voloweb.it': '#popupDivC', 'ilfruttarolo.it': '#decretopr', 'e-cegjegyzek.hu': '#suti_csik', 'ao.nl': '#aoMessageHolder', 'creativetools.se': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'sviluppoeconomico.gov.it': '#body-bg > div:not([id]):not([class])', 'coisas.com': '.fixebar', 'runinmarseille.com': '.confidentialite', 'carhartt-wip.com': '.standard-message', 'wnt.com': '#trackerBanner', 'sherburnaeroclub.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'tele2.nl': '#targetedPopupFrame', 'tvn24.pl': '#msgLayer', 'e-stave.com': '#message, .message', 'satispay.com': '.alert-info, .alert-warning, .alert-box', 'alpintouren.com': '.humane', 'bose.de': '.bose-infoBar2016--cookie', 'agrizone.net': '.navbar-cnil', 'parliament.uk': '.alert-info, .alert-warning, .alert-box', 'jooas.com': '.alert, #alert', 'quazer.com': '.fullscreen-notification', 'szyj.pl': 'body > div:not([id]):not([class])', 'alyt.com': '#ALYT_privacyCookie', 'epexspot.com': '#ub', 'privatesportshop.it': 'body > div[style*="FFFFE1"]', 'laatumaa.fi': '#PrivacyNotice', 'frivolausgehen.eu': '#hinweise', 'daiwa-info.hu': '#wrap', 'americancentury.com': '#instruction_message', 'mimprendo.it': 'body > div:not([id]):not([class])', 'katorishintoryu.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'mydays.ch': '#topbanner', 'podcrto.si': '#cc-note', 'kicktipp.com': '.messagebox', 'stihl.dk': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'mycircle.tv': '#notif_ck', 'bose.nl': '.bose-infoBar2016--cookie', 'oddshot.tv': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'filedesc.com': '#cwarn', 'vrn.de': '#vrn-cookie', 'mywebook.com': '.cui-coks', 'trendmicro.co.uk': '#optoutbar, .optoutbar', 'decathlon.hu': '#container-screen', 'rendi.hu': 'body > div:not([id]):not([class])', 'moensmeubelen.be': 'w-div', 'wokgarden.com': '#sl-container', 'trendmicro.fr': '#optoutbar, .optoutbar', 'overcoming.co.uk': '#msg_top_bar', 'somethingartistic.net': '#hellobar-slider', 'polandtrade.pl': '#cb', 'valtifest.nl': '#cerabox, #cerabox-background', 'wacom.com': '.reveal-modal-bg', 'giocodigitale.it': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'volvotrucks.nl': '.headerNotification', 'nordicbet.com': '#MsgAreaBottom', 'havoline.com': '.blockUI', 'zetchilli.pl': '.giodoContainer', 'marathondumontsaintmichel.com': '.confidentialite', 'lexus.hu': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'humanic.net': '#privacyOverlay', 'webmaster-rank.info': '#footerSlideContainer', '216dt.com': '#bdy > div[style*="fixed"]', 'pingvinpatika.hu': '.alert-info, .alert-warning, .alert-box', 'plasico.bg': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'voglioviverecosi.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'ekuriren.se': '#p_ciCont', 'britmodeller.com': '.ipsMessage_error', 'cleanfox.io': 'body > div:not([id]):not([class])', 'liquiddota.com': 'body > div:not([id]):not([class])', 'digivaardigdigiveilig.nl': '#boxes', 'delamar.de': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'liveuamap.com': '.user-msg', 'mongars.fr': '#metacontainer > div:not([id]):not([class])', 'ig.com': '#stickyFooter, .sticky-footer', 'usm.com': '.usm-cookie', 'pcdienste.info': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'stihl.de': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'tu-berlin.de': '#piwik_notice', 'smarthomemagazine.nl': '.opt-in', 'prudentialridelondon.co.uk': '#ico_banner', 'aircostcontrol.com': '.question', 'bob-emploi.fr': 'div[style*="display:flex"] > div[style*="background:#383f52"]', 'stubhub.co.uk': '#banner-container', 'satandpcguy.com': '#icc_message', 'did.ie': '#notify-container', 'peugeot-scooters.nl': '.policy-window', 'tuv.com': '#simplemodal-container, #simplemodal-overlay', 'brcauto.eu': '#easyNotification', 'printerman.pt': 'body > div:not([id]):not([class])', 'neti.ee': '.neti_reminder', 'hirpress.hu': '#cooky', 'os-naklo.si': '#message, .message', 'lostintheusa.fr': '#toast-container, .toast-container, #toast, .toast', 'fis.tv': '.messagesWrapper', 'eloben.hu': '.law-accept', 'tudorwatch.com': '.tdr-ribbon', 'videosection.com': 'body > div:not([id]):not([class])', 'boraszportal.hu': '#layout_advertising_bottom', 'meteo.lt': '#ecl', 'diochan.com': '#di5c141m3r', 'uneto-vni.nl': '#euBackground', 'kotburger.pl': 'body > div:not([id]):not([class])', 'liberal.hr': '#footer', 'americanairlines.fr': '.alert-global', 'pwr.edu.pl': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'byom.de': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'versatel.nl': '#targetedPopupFrame', 'chathispano.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'forzearmate.org': '#WPS_popup_message', 'burton.com': '.bottom-message-overlay', 'ntp-shop.it': '.bottomBarMessage', 'grazia-magazin.de': '.safeSpaceForClose', 'twed.com': '.topline_wrapper', 'audito.fr': '#iframe_cc', 'watfordfc.com': '.wfc-m-cookie', 'badkissingen.de': '#chint', 'stockmann.com': '.section-notification', 'agenda.brussels': '.confirm.is-entering', 'translated.net': '#privacy-policy', 'startnext.com': '#toast-container, .toast-container, #toast, .toast', 'liquidhearth.com': 'body > div:not([id]):not([class])', 'nick.com': '#balaMainContainer', 'brenntag.com': '.page-hint-box', 'luebben.de': '#datenschutz-wrapper', 'seiko.it': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'teamliquidpro.com': 'body > div:not([id]):not([class])', 'prelex.it': '.rstboxes', 'sheknows.com': '#dfp-interstitial-holder', 'wort-suchen.de': '.wsadvads-header-bar', 'mrsmithcasino.co.uk': '.global-inline-notifications', 'robertsspaceindustries.com': '.bottom-notif-bar, .l-notification-bar', 'surveycircle.com': '#consent_info', 'audi.com': '.c_cookie', 'amnesty.fr': '#content > div > div:not([style]):not([id])', 'meteored.com.ar': '.tCook', 'donostiakultura.eus': '#NLC_textLayer, #NLC_opaqueLayer', 'vodafone.es': '#vf-avisos', 'ac.at': '.notification-wrapper', 'willys.se': '.ax-global-messages', 'greek-weather.org': '.notice-top', 'anisearch.de': '.urgent-msg', 'rocva.nl': '.brochure-overlay, .brochure-overlay-bg', 'gopro.com': '#gpl-flashes', 'dle.rae.es': '#overbox3', 'giornalepop.it': '#policy-alert', 'apollo.de': '.privacy-info-container', 'pvda.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'badplaats.nl': '.cnotice', 'futurelearn.com': '.m-heads-up-banner[aria_label="Cookie banner"]', 'lufthansa.com': '.pi-privacy, .pi-privacy-mobile', 'hitman.com': '.comp-flash-notice', 'ksk-koeln.de': '#dpWarningWrapper', 'puregym.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'bulls.de': 'footer > div[class*="cookie-hinweis"]', 'fairmondo.de': '.l-news-header', 'ou.nl': '#M093A', 'vodafone.hu': '.cookie_fix', 'bund.net': '.m-global-disclaimer', 'tarifaexpert.hu': '.lablec_suti_szabaly', 'grammophon-platten.de': '#hinweise', 'info-presse.fr': '#cnilWarning', 'supercanemagic.com': '#SE-disclaimer', 'suzuki.nl': '.page-helper__content--cookies', 'symscooters.nl': '.policy-window', 'digital.sncf.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'mesampoulesgratuites.fr': '.popup', 'radioplay.no': '#reactRoot > div > div > div > div[style*="FFF3CC"]', 'mypeopledoc.com': '.tall .update', 'viewsoniceurope.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'ledszaki.hu': '#sutidoboz', 'kuki.cz': '#fuckeu', 'psc.cz': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'l1.nl': '#l1_cookie_policy', 'dogma-nekretnine.com': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'eclipsecomputers.com': '.pagecookie', 'vertaa.fi': 'div[data-rendering-area="dialogs"] [data-bind*="ui.dialogs.PopupBehavior"]', 'efset.org': 'body > .aa', 'hemkop.se': '.ax-global-messages', 'wuerzburg.de': '#chint', 'hdi.global': '.js-top-header', 'inforete.it': 'body > div:not([id]):not([class])', 'keyforweb.it': '#dcb-black-screen', 'wseven.info': '#ntf', 'akrapovic.com': '.cookies-bubble', 'poigps.com': '#poigps_cookie_advice', 'gourmet.at': '.row-wrapper.blackbox', 'lexus.it': '.l-disclaimer', 'msa.fr': '.bandeau-cnil-portlet', 'mondial-assistance.fr': '.region-disclaimer', 'rabla.ro': 'body > div[id=""]', 'smartenergygb.org': '.segb-cookiecompliance', 'vectonemobile.nl': '#alert_home', 'mytf1vod.tf1.fr': '.cnilNotification', 'ristorantegellius.it': '.sqs-announcement-bar', 'shopwelt.de': '#dateschutzinfo', 'rankinglekarzy.pl': '#message, .message', 'lovepedia.net': '.policy-banner', 'weather2umbrella.com': '#w2u_cookie_notice', 'euractiv.es': '#avisosusc', 'nacesty.cz': '#term-of-use', 'viactt.pt': '.popupContainer', 'procyclingstats.com': 'body > div:not([id]):not([class])', 'lesoriginelles.fr': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'fatface.com': '#messages', 'casinoeuro.com': '.growl-container', 'timeout.pt': '.xs-fill-gray-dark[data-module="cookie_banner"]', 'emtecko.cz': '#__loadCookie', 'abb.com': '#abb-cookie-banner', 'zav-sava.si': '.alert-info, .alert-warning, .alert-box', 'fishersci.fr': '#legalMessageWrapper', 'telkom.co.za': '#PrivacyNotice', 'broughtons.com': '.notice-wrap', 'mymicroinvest.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'idee-fuer-mich.de': '.subNaviNotification', 'hessenchemie.de': '.readcookie', 'tesco.sk': '.infoBarClosable', 'salzwelten.at': '.privacy-notice', 'erkel.hu': '#suti_info', 'freeonlinegames.com': '#cwarn-box', 'xs4all.nl': '.modal-backdrop', 'e-lenovo.gr': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'paf.es': '.mo-notification-bar-fixed', 'metropolisweb.it': '#informativa', 'vocabolariotreccani.it': 'footer', 'kum.dk': '#lbmodal-overlay, #lbmodal', 'my-supps.de': '.pn_container', 'sharpsecuritysystems.co.uk': '#d-notification-bar', 'adventskalender-gewinnspiele.de': '#cono', 'ilmarinen.fi': '.ilmarinen-cookie-consent', 'camara.net': '.activebar-container', 'yomoni.fr': '.header__cook', 'enel.it': '.message-notification', 'brandalley.co.uk': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'bose.co.uk': '.bose-infoBar2016', 'prorun.nl': 'body > div[id]:not([class])', 'go4celebrity.com': '.ccc', 'pelit.fi': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'momentosdelibertad.es': '#overbox3', 'werkstatt-betrieb.de': '.cooco-window', 'uhrenlounge.de': '.igrowl', 'accessibilitacentristorici.it': '#htmlbox_div1', 'grandvision.it': '#toast-container, .toast-container, #toast, .toast', 'innoq.com': '.tracking-wrapper', 'maschinewerkzeug.de': '.cooco-window', 'tarantobuonasera.it': '.biscotto', 'magiogo.sk': '.headerMessages', 'grandacs.hu': '#clayer, #CLayer', 'naacesrf.com': '#cklbox', 'ajurveda-brno.cz': '.notify', 'studioevil.com': '#SE-disclaimer', 'miciny.cz': '#fixedBar', 'kwantum.nl': '.cc-wrapper', 'enzopennetta.it': '.popmake', 'dagelijksestandaard.nl': '.dgd_stb_box', 'mydealz.de': '#softMessages-list', 'debenhams.ie': '#debCNwrap', 'energiedirect.nl': '#wall', 'volvotrucks.gr': '.headerNotification', 'net-s.pl': '.regulations', 'rozwojowiec.pl': '#fixedBar', 'vitalzone.hu': '.aszfLayerContent', 'jobbio.com': '.alert-info, .alert-warning, .alert-box', 'macosz.hu': '.aszfLayerContent', 'mediamarkt.gr': '.cc-wrapper', 'hotel-sonnblick.at': '.pageCookie', 'haalo.pl': '#cooks', 'holfuy.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'liverpoolfc.com': '.bottom-overlay', 'trenkwalder.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'alatest.de': '.identity-noticebar-content', 'trojmiasto.pl': '.alert-danger', 'floriantravel.com': '.cookieatata', 'canrosendo.com': '#cookies-wrapper2', 'czesci-samochodowe.wroclaw.pl': '#popup', 'thebodyshop.com': '.first-time-visitor', 'sockshop.co.uk': '#CNwrap', 'sdk.waw.pl': '#sdk-cookies', 'scandtrack.com': '#st_cookie', 'onlinetvrecorder.com': 'body > div[style*="fixed"][style*="rgb"]', 'bzwbk.pl': '.cookie-btn', 'newsnow.co.uk': '#pmbar', 'gruppocarraro.it': 'body > div:not([id]):not([class])', 'riddarhuset.se': '.cookieWidget', 'dvdbluray.hu': '#sutibox', 'shire.de': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'nickjr.com': '#balaMainContainer', 'loto.ro': '.top-cookies', 'volkswagen.it': '#trackingPolicy', 'guidastudenti.it': '.barraPrivacy', 'sokkaljobb.hu': '#SPS_noaccept', 'webmonkeysoftware.it': '#Divcookie', 'staffettaonline.com': '#ctl00_CtrlLogAbbonato1_cookiealert', 'sportetstyle.fr': 'body > div[id*="cookie"]', 'juegosdiarios.com': '.bottombar', 'voicegroup.co.uk': '.cookie-menu', 'greybox.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'vicenteamigo.com': '.cva_accept', 'mixare.org': '.rain1-cp-container', 'hilzingen.de': '.popupbox', 'faelectronic.it': 'body > div[id*="cookie"]', 'fastalp.biz': '.policy, #policy, .cpolicy', 'podavini.com': '#clp_cookie_content_table', 'alpinbike.hu': '#clayer, #CLayer', 'svapoworld.com': '#policy-alert', 'kyokugym.nl': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'digiminster.com': '.alert-info, .alert-warning, .alert-box', 'grebbeberg.nl': '#acceptscp2012', '365curtains.com': '.top_warning', 'hybridshop.co.uk': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'urbanfires.co.uk': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'fuba.com': '#cover', 'batcmd.com': '#cmsg', 'mtom-mag.com': '#alert_trk', 'itrebon.cz': '.info-okno', 'jeveuxlafibre.re': '#les_cookies', 'zoover.be': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'griferiaclever.com': '#overbox3', 'eko-care.si': '.ndp-panel', 'miliboo.com': '.m-milibooCookie', 'capgroup.com': '#sb-container', 'aquaparksenec.sk': '#PovInfCoo', 'muzeummw.pl': '.cookieForm', 'netbridge.dk': '#bkg', 'uresmykker.dk': 'body > div:not([id]):not([class])', 'seguroscity.com': '#galleta', 'molfettalive.it': '#Info', 'bloomsbury.com': '.stickyFooter', 'twojliquid.pl': '#message, .message', 'fragasyv.se': '#siteflash', 'campisiconserve.it': 'body > span', 'schoenwetterfront.de': '#wpfront-notification-bar-spacer', 'szexpartnerindex.hu': '#cookiewindow', 'gocards.nl': '#cbar', 'vibralogix.com': '.gatewayContainer', 'uneo-avantages.fr': '.bCnil', 'fireteam.net': '.cc-container', 'algerieinfo.com': 'body > center > font', 'geoblog.pl': '#cContainer', 'mojbrzuch.pl': '#__cookies_', 'weetabix.co.uk': '.oCookie', 'lacnews24.it': '#overlay_pri, #box1', 'cofac.es': '#sliding_popup', 'talentsoft.com': '#cnil_message', 'italradio.org': '.privacyStatement', 'thepawnbrokeressex.co.uk': '#d-notification-bar', 'zoover.com': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.co.uk': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.fr': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.es': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.it': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.pt': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.se': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.no': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.dk': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.ch': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.at': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.com.tr': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.cz': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.ru': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.ro': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.hu': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.com.ua': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.lt': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'zoover.gr': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'misterfox.co': 'body > div:not([id]):not([class])', 'comotenersalud.com': '.rcc-panel', 'cascinamagana.it': '.ts_privacy_adv', 'liechtensteinklamm.at': '#cks_overlay', 'tork.lt': '.headerMessage', 'tork.nl': '.headerMessage', 'fijlkam.it': '#privacy-wrapper', 'dieantenne.it': '#camp', 'alltricks.es': '.alltricks-CnilRibbon', 'sigmastudio.it': '#system-message, #system-messages, #system-message-container', 'candycastle.nl': '.cookiesC', 'tokiomarine.com': '.navigation-secondary-top', 'beroerteadviescentrum.nl': '#cc', 'trovit.com': '#welcomebar-wrapper', 'privatesportshop.es': 'body > div:not([id]):not([class])', 'online24.pt': '.clm', 'benesserecorpomente.it': '.wpca-replacement-elem', 'sydmaquinaria.com': '#infoContainer', 'lettercount.com': '.top-header', 'dirtyrhino.com': 'body > div:not([id]):not([class])', 'gdjenamore.com': '.kolacic', 'immense-serie.com': '#cookie_auth', 'pirk.lt': '#toolbar_container', 'grizly.cz': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'caferosenhaven.dk': 'body > div:not([id]):not([class])', 'confort-sauter.com': '#block-notice', 'digi-work.com': '#mobileHeader', 'allplay.pl': 'body > div:not([id]):not([class])', 'krups.com.pl': 'body > div:not([id]):not([class])', 'vlmedicina.lt': '.div_cookie_bg', 'foodanddrink.scot': '#ico_banner', 'teoma.com': '#cp-banner', 'audi.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'coinucid.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'nextdoor.nl': '#top_banner', 'sportechplc.com': '.mdl-notification', 'oneyeartarget.com': '#sbox-window, #sbox-overlay', 'france.fr': '.atfcookie', 'tetrainfo.com': '#tetrainfo_eu', 'xxxvogue.net': 'body > div:not([id]):not([class])', 'chemistresearch.it': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'bairroarte.com': '#icookie', 'landsend.de': '#GFSticky', 'futbolenvivoargentina.com': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'mols-linien.dk': '.CInfo', 'prague-catering.cz': '.feuc', 'k-tuinskool.com': '#c-cookies', 'bourse-immobilier.fr': '#cnil, .cnil, #CNIL', 'musixmatch.com': '.mxm-cookie-alert', 'begrupocortefiel.com': '#overbox3', 'denantes.fr': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'tupperware.nl': '.topRibbon', 'megascans.se': '#react-app > div:not([data-reactid])', 'nosolosalud.com': '#downbar', 'fahrrad-kuechler.de': '.cookieHintVisible div[class*="cookie-hinweis"]', 'gerlach.org.pl': '#top0info', 'cartests.net': '.messi', 'wellmall.cz': '.euc', 'entirelyholby.co.uk': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'belfastmet.ac.uk': '#div-alerts-wrapper', 'moofe.com': '#toast-container, .toast-container, #toast, .toast', 'medizzine.com': '.alerta', 'riassuntini.com': '.banner.section.white-bg', 'motohid.pl': '#simple-modal-overlay, #simple-modal', 'copyrightpolska.pl': '#cookie-ack', 'beeshary.com': '.banner, #banner', 'neobiznes.pl': '#cpolicyHolder', 'zgodafc.pl': 'body > div:not([id]):not([class])', 'bose.it': '.bose-infoBar2016', 'bose.hu': '.bose-infoBar2016', 'bose.at': '.bose-infoBar2016', 'benissa.net': '#faldon', 'latiendahome.com': '.cookie_validation', 'sovd.de': '#datenschutzfenster', 'lincelot.com': '.columbus-background', 'capri-lublin.pl': '#mod98', 'dafmuseum.com': '.page-overlay', 'rw2010.pl': '.head-page-information', 'wecare.gr': '.ee-cookie', 'esinvesticijos.lt': '#pre_header', 'casaktua.com': '.alert, #alert', 'americanexpress.it': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'procycles43.fr': '#divacacher', 'tuodi.it': '#popup', 'beko.gr': '.sayfaDisDiv > .sayfaIcDiv > .row300', 'nordpasdecalais.fr': '#bandeauCnil', 'bubblebed.bg': '.gs-cookies-review', 'moebelix.at': '.xxxlutzkarrierecenter-themeBoxCookieInfo', 'hijob.me': '.flash-cookie', 'iabfrance.com': '#boxAlert', 'thejukeboxman.com': '.promo-banner', 'wholefoodsmarket.com': '.QSISlider', 'movimento5stelle.it': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'bad-wildbad.de': '.popupbox', 'eleonline.it': '#content > div[style*="fixed"]', 'evopayments.eu': '#zwcc', 'fussball-spielplan.de': '#icc_message', 'noleggiodiy.it': '#privacySlider', 'echevarne.com': '#note', 'stihl.se': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'asuntosaatio.fi': '.js-disclaimer-dismiss', 'osiander.de': '#onlyCookie', 'hp.com': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'lyleandscott.com': '#cookieCont', 'get-notes.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'sachsen-tourismus.de': '#xcm-bar', 'significados.com.br': '.clm', 'porto.pt': '.cmp-cookies', 'suedthueringen-aktuell.de': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'daimonin.org': '#ecl_outer', 'journallessentinelles.com': '#cnil, .cnil, #CNIL', 'karvancevitam.nl': 'body > div:not([id]):not([class])', 'homelet.co.uk': '.cp-wrapper', 'desall.com': '#stripe', 'logicconcept.pl': '#mc_top_bar', 'cassoni-usati.it': '.activebar-container', 'gel.com': '#system-message, #system-messages, #system-message-container', 'buddhismguide.org': '#info_text_header', 'afs.de': '.afs_coi', 'daf.co.uk': '.modern, .modern ~ .modal-backdrop', 'autoklicecz.cz': '#cookiesI', 'ggintegral.fr.nf': 'body > div:not([id]):not([class])', 'der-audio-verlag.de': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'learn-french-free-with-stories.weebly.com': '#header-top', 'inzeratyzadarmo.sk': '#coo_source', 'myproducts.bandce.co.uk': '.banner, #banner', 'd-cycling.nl': '.ui-widget, .ui-widget-overlay', 'initalia.it': '.notice-wrap', 'playinfinity.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'vta.lt': '.cooask', 'thefourthphase.com': '#red-bull-cookie-notification', 'radiologie-mannheim.de': '#myModal, .modal-backdrop, .reveal-modal-bg', 'securedbydesign.com': '.interimpopup', 'fc-koeln.de': '.mod-alert', 'rkw-kompetenzzentrum.de': '#rkw-infolayer', 'mivoq.it': '.check-policy', 'atlas-roslin.pl': '.tytul > span', 'sarenza.nl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'bptour.pl': 'body > div:not([id]):not([class])', 'chaptercheats.com': '.headertp', 'bmjv.de': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'jusan.it': '#privacy-popup', 'drivingskillsforlife.nl': '#popup_custom', 'autentiek.nl': '#ciWrapper', 'hezkakoupelna.cz': '.euc', 'noclegi24h.pl': 'body > div:not([id]):not([class])', 'tupperware.pl': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'agenceecofin.com': '.pwebbox', 'eco-sunglasses.com': '#first_visit_message', 'sg-weber.at': '.flash-info', 'thebtas.co.uk': '.slidepanel_oter', 'alphotel.at': '#tx_tracking', 'lekkerinhetleven.nl': '#__ev_bc', 'cimoc.com': '#styleUp', 'spglobal.com': '#privacyPlicyBanner', 'maregel.net': '.banner, #banner', 'barclays.it': '#boxTextCookie', 'cantinesettesoli.it': '.modal-privacy.attiva', 'fool.de': '#dogfish', 'solgar.it': '#mk-cookie', 'hdr-photographer.com': '#rn_container', 'piensasolutions.com': '.head .top', 'dnbfeed.no': 'body > div:not([id]):not([class])', 'mct-corp.com': '.uk-alert', 'vw-esbjerg.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'acierto.com': '#blockdisclaimer', 'rydercup.com': '#mss-legal-banner', 'rio2016.coni.it': '#privacy-wrapper', 'singles-in-stuttgart.de': '#DC', 'lycos.fr': '#nomnom', 'alpenradio.net': 'div[data-wzb="CookieNotification"] iframe', 'uber.com': '.banner--bottom', 'valeofglamorgan.gov.uk': '#fixed-bar', 'slikomat.com': '.jquery-bar', 'societapiemonteseautomobili.com': '.banner, #banner', 'haehnchengrillstation.de': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'life365.eu': 'body > div:not([id]):not([class])', 'taxipedia.info': '#fpub-popup', 'openprof.com': '#cookie_id', 'valladolid.es': '#overbox3', 'przelewy24.pl': '#policy_container', 'bankomatfinder.at': '#c-cookie', 'drive-smart.com': '.dri-ncookies-alert', 'tns.fr': '#pop-cnil', 'ashingtondirectautocare.co.uk': '#d-notification-bar', 'casinodeparis.fr': '.ui-widget, .ui-widget-overlay', 'hoelangnog.nl': 'body > .container.transparency h3', 'arch-homes.co.uk': '#cookiepaneltab, #cookiepaneltab ~ .ui-dialog', 'claremontconsulting.co.uk': '#demo-bar', 'landrover.be': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'sgp.nl': '.footer-msg', '24chasa.bg': '#cookie-b', 'ismatteirecanati.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'sonypictures.net': '#sp-nettrack', 'axa.cz': '.axa-cookies', 'prohealthclinic.co.uk': '#d-notification-bar', 'viking-garten.de': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'kcprofessional.nl': '#optIn, #optIn ~ .reveal-modal-bg, .alert-box', 'genetico.pl': '.coologo7', 'midas.pt': '.bg_cookie', 'tinkco.com': '#cnil, .cnil, #CNIL', 'rocdesalpes.com': '.confidentialite', 'symfonia.org': '#eu-dir', 'sparda-n.de': '.occ-inline', 'autonews.fr': 'body > div[id*="cookie"]', 'cewe.de': '.sg-cw-cookie', 'lirelactu.fr': '#app > div[data-reactroot] > div[class*="container"]', 'contratprive-recette.6tzen.fr': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'quotidianoenergia.it': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'certina.com': '.footer-cnil-wr', 'opticjungle.gr': '#sid-container', 'drinkdruid.com': '#sid-container', 'lexus-polska.pl': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'cyclemiles.co.uk': '#messages-cont', 'droidchart.com': '#cw', 'techknow.ie': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'weetabixfoodcompany.co.uk': '.oCookie', 'wyrobieniepaszportu.pl': 'body > div:not([id]):not([class])', 'loccioni.com': '#box.fascia', 'cinesur.com': '#overbox3', 'mediatheque-chabris.net': '#info_message', 'deverecare.com': '#d-notification-bar', 'bartek.com.pl': '#journal-cookies', 'galnet.fr': '#topnotecontainer', 'mybustracker.co.uk': '#zoneCookie', 'cliente.enerxenia.it': '.commons-alert-overlay, .commons-alert-box', 'musicclub.eu': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'cauterets.com': '#wpfront-notification-bar', 'hiboox.fr': 'body > div[id*="cookie"]', 'checklistwebwinkel.nl': '#smbv_splash', 'neoloc-services.fr': '#cnilWarning', 'portalinvatamant.ro': '#terms', 'designfund.dk': '.sleeknote', 'bison.nl': '.message.fixed', 'eleicoes2014.com.br': '.clm', 'digitalshoping.com': '.banner, #banner', 'ophetwww.net': '#footer_container ~ div, script[src*="cookies.min.js"] ~ div', 'killarneyroyal.ie': '.PPContent', 'shop.bmw.de': '#layerWrapper', 'fishersci.nl': '#legalMessageWrapper', 'digimobil.it': '#sticky-popup', 'giraffetongueorchestra.com': '#consent, #consent-container, #consent-disclaimer, #consentContainer, #consentWrapper, #consent_box_wrapper, #ConsentLayerWrapper', 'agristorecosenza.it': '.notice, .header-notice, .notice-bar, .notice-inside, .notice-wrapper, .notice-holder, .global-notice, #top-notice, #noticePanel, .top_notice, #bottom_notice, #Notices, .Notices, #notice', 'tarhely.eu': '#sutik', 'rail.phototrans.eu': 'body > div:not([id]):not([class])', 'kwf.nl': '.cbar-wrapper', 'rexel.fr': '#news-section', 'ing-diba.at': '#top-message__wrapper', 'viciodigital.es': '#adk_acblock', 'prixtel.com': '#wpx_cookie', 'wishy.it': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'filtrosfera.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'weberbeamix-dhz.nl': '.flash-info', 'hotmilfzone.com': 'body > div:not([id]):not([class])', 'armedunity.com': '.ipsMessage_error', 'maribor-pohorje.si': '.cookeEnabler', 'google-cache.de': '#meldungContainer', 'ajoto.com': '.sqs-announcement-bar', 'vesselfinder.com': '.downfooter', 'linkgroup.pl': '#lg_cookies', 'avia.de': '.cs-info-wrapper', 'viber.com': '.policy, #policy, .cpolicy', 'skapiec.pl': '.cookies-rwd', 'telia.fi': '.notification--blue', 'sarenza.com': '.full-width-bar', 'suzuki-moto.com': '#cnil, .cnil, #CNIL', 'puntocellulare.it': '#f_cookie', 'technet.microsoft.com': '.banner, #banner', 'mercatoforex.org': '._CL_main', 'ultrahack.org': '.app > hr:first-child + div:not([class]):not([id])', 'radio24syv.dk': '.r24syv-cookie-notice', 'cercolavoro.com': '.alert-info, .alert-warning, .alert-box', 'tp.lpp.si': 'body > table[height="20"]', 'allianz-assistance.es': '.region-disclaimer', 'trony.it': '.smcc_overlay_cokkieaccept, .smcc_modal_cokkieaccept', 'termyjakuba.olawa.pl': 'body > div[id*="cookie"]', 'hmerologio.gr': '#sid-container', 'prawobrzeze.info': 'body > div:not([id]):not([class])', 'tennistv.com': '#notifications--static', 'quatrac.vredestein.com': '.notification, .Notification, .js-notification, .notifications-container, #notifications, #notification_1, #notification, #notification_area, .notifications, .notif-bar, .notificationBox', 'sanprobi-superformula.pl': 'body > div:not([id]):not([class])', 'upmagazine-tap.com': '.rcc-panel', 'boxannunci.com': '.terms', 'shopforshop.it': 'body > span', 'upendo.tv': '.alert, #alert', 'virginmoneygiving.com': '#blank-container', 'mjam.net': '#__Mjam__CookieBanner', 'maree.info': '#CGUCookie', 'vercapas.com': '.footerck', 'gehalt.de': '#JS_datenschutzLayer', '168chasa.bg': '#cookie-b', 'wienerborse.at': '#page-alert', 'telekom.de': '.pi-notification', 'opel.nl': '.ui-widget, .ui-widget-overlay', 'familylawweek.co.uk': '#zeus_box', 'egarage.de': '#fpub-popup', 'banaxi.com': '#form2 > div[style]', 'prawdaobiektywna.pl': '#mcpc', 'popmech.ru': '.disclame_block', 'irozhlas.cz': '.b-cookie', 'gigabyte.com': '#policy-div', 'pravda.sk': '.sticky-cookies', 'delo.si': '.notice.friendly', 'ilovepdf.com': '#toast-container, .toast-container, #toast, .toast', 'dewereldmorgen.be': '#cookie-consent-overlay ~ div[style]', 'wanttoknow.nl': '#colorbox, #cboxOverlay', 'hotukdeals.com': '#softMessages-list', 'donnons.org': '.head-line', 'tastedive.com': '.tk-Footer-cc', 'aukro.cz': '.cookiesWrap', 'mobilenet.cz': '.sys-alert', 'polygon.com': '#chorus_notifiations', 'sofoot.com': '#pdcddm', 'gigabyte.us': '#policy-div', 'gigabyte.fr': '#policy-div', 'gigabyte.de': '#policy-div', 'gigabyte.eu': '#policy-div', 'gigabyte.bg': '#policy-div', 'gigabyte.pl': '#policy-div', 'theverge.com': '#chorus_notifiations', 'toffeeweb.com': '#fixedFooter', 'bgfermer.bg': '#cookie-b', 'winfuture.de': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'watchfinder.co.uk': '#cookie_', 'gonnesa.ca.it': '#fake-div', 'volkswagen.at': '.vw5-statisticsOptBox', 'volkswagen.de': '#trackingPolicy', 'volkswagen.hu': '.vw5-statisticsOptBox', 'motorsport.com': '#privacy_accept', 'lifeisstrange.com': '.comp-flash-notice', 'citylab.com': '.js-notifications', 'zumba.com': '.privacy-policy', 'paradoxplaza.com': '#disablingDiv, .cookie-image-wrapper', 'beaute-test.com': '#bt__cookie', 'deutsche-handwerks-zeitung.de': '#cc-box', 'seriea.pl': '#viewCookies', 'bgdnes.bg': '#cookie-b', 'acquabella-construplas.com': '#ico_wrapper', 'gorillaz.com': '#footer', 'toornament.com': '.cookie-legal', 'manikowski.de': '#notify2', 'glamour.hu': '#privacy, .privacy, #mainPrivacyDiv, .privacyTop, #privacy-info, .privacy-top, .privacy-overlay, .privacypolicy, #privacy-notification, #inf_privacy, #privacypolicycontainer', 'chef.io': '#icegram_messages_container', 'varusteleka.fi': '.menu_important_notification', 'oculus.com': 'body > div > section > div > section[colorscheme="dark"]', 'streetz.se': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'mmafighting.com': '#chorus_notifiations', 'hudsonsbay.nl': '.gk-stickymessage', 'minecraft-serverlist.net': '#ingameCookie', 'ouicar.fr': '#js_cnil-bar', 'distri.cz': 'body > div:not([id]):not([class])', 'mojehobby.pl': '.message-footer-panel', 'wordpress.com': '.widget_text div[id*="MsgContainer"]', 'leddiszkont.hu': '#sutidoboz', 'receptentabel.nl': '#loading, #loading + .noblur', 'omnires.pl': '.cookie-allcontent', '1pmobile.com': 'body > .row', 'pathfinder-w.space': '#pf-cookie-hint', 'resmed.com': '#alerts', 'player.pl': '.cBox', 'royer.at': '#cks_overlay', 'flyingtiger.com': '.save-cookies', 'upolujebooka.pl': '.navbar-fixed-bottom', 'stw.berlin': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'ingdirect.fr': '#cookieManagement', 'racked.com': '#chorus_notifiations', 'sewquickalterations.co.uk': '#d-notification-bar', 'drmartens.com': '.dm-cookie-container', 'meubella.nl': '.cnotice', 'plan.de': '.psg-cookie', 'bossini.it': '#bica', 'thefa.com': '.fa-cookie', 'niknot.com': '.cLaw_mainCnt', 'ftb.world': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'restaurantweek.pl': '.cookiesLaw', 'zerochan.net': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'hemglass.se': '.message-popup', 'amateur.tv': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'umziehen.de': '#mcCookie', 'voedingswaardetabel.nl': '#cooMessage, #loading', 'sofifa.com': 'body > div.container', 'waarmaarraar.nl': 'body > .container > div[style]', 'jeuxjeuxjeux.fr': '#app-container > div[data-reactroot] > div:not([data-reactid])', 'skoda.at': '.skoda5-statisticsOptBox', 'skoda-aabenraa.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'skoda-hobro.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'skoda.si': '.skoda5-statisticsOptBox', 'skoda-connect.com': '.notification-container', 'skodaservice-nakskov.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'agenziademanio.it': '#bannerInfo', 'kortingscouponcodes.nl': '.spu-box', 'swaper.com': '#confirm-stripe', 'smarkets.com': '.notices-wrapper', 'rushcycles.co.uk': '#ccPanel', 'mooiedeal.nl': '#cbar', 'safedns.com': '#privacy-policy', 'motorola.de': '#Privacy_banner', 'weequizz.com': '.bt_cookie', 'wyevalegardencentres.co.uk': '#privacyStatement', 'mediamarkt.pt': '#cookies-sign', 'maquillalia.com': '#coke', 'conseils-thermiques.org': '.display_cookies', 'nazwa.pl': '#policy-box', 'lidl-flyer.com': '.fs-notification', 'lidl-strom.de': '.cc-wrapper', 'animod.de': '#animod-c', 'infojobs.it': '.notification-advice', 'dailymotion.com': 'div[class*="CookieGdpr"]', 'gogift.com': '.iziToast-wrapper', 'autozeeland.nl': '#cpol', 'amicoblu.it': '.snap-popup-overlay, .box-snap-popup', 'isbank.com.tr': '#cokieCover', 'zeta.nu': '#oddcookie', 'fitnessuebungen-zuhause.de': '#cookie + div:not([class]):not([id])', 'reco.se': '.pms.bg-white.cntr', 'asiaflash.com': '.cc_container', 'meteovista.de': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'qshops.org': '.loading.cache-loading', 'kfc.co.uk': '.cookies-view', 'openmind-shop.de': '.content-cookie', 'nh-hotels.de': '.politicaRewards', 'sarenza.eu': '.full-width-bar', 'sarenza.co.uk': '.full-width-bar', 'sarenza.it': '.full-width-bar', 'sarenza.se': '.full-width-bar', 'bestmarkt.hu': '.cookie, .cookies', 'valleyvet.com': '#ToU_float', 'hellostudent.co.uk': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'amref.it': '#divCk', 'skysports.com': '.js-page-cookies', 'hboespana.com': '#main-warning', 'lsb.dk': '.notificationbar, .notificationBar, .NotificationBar, .notificationBars, #notificationBar, #notificationBarUp, .notification-bar, .notify-bar', 'leroymerlin.pl': '.cookie, .cookies', 'kamilianie.eu': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'weshop.co.uk': '.notices', 'optonicaled.at': '.noty_bar', 'destockplus.com': '.page_warning', 'gwp.pl': '#notice_bar', 'vuecinemas.nl': '.notification-area', 'paulscycles.co.uk': '#ccPanel', 'messe.de': '.user-notes-notification', 'ragusanews.com': '#barra', 'curverstyle.pl': 'body > div:not([id]):not([class])', 'pro-bikegear.com': '#message, .message', 'citroen-partner.at': '#__ev_bc', 'cinquantamila.corriere.it': '#privacy_advisor', 'helicomicro.com': '.cp-info-bar', 'drehteile-wien.at': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'pendlerinfo.org': '#containerDataProtection', 'stargazerslounge.com': '.ipsfocus-globalMessage', 'e-formel.de': '#CKC', 'asst-pg23.it': '#divInformativaBreve', 'greenmate.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'tork.de': '.headerMessage', 'labour.org.uk': '#labour-cookie, .alert-bar', 'komputerswiat.pl': '#cookies', 'teb.com.tr': '#cokieMain', 'palma.cat': '#avisolssi', 'ratemyprofessors.com': '#balaMainContainer, #container > .overlay', 'wienenergie.at': '.wrap-cookie-placeholder, .wrap-cookie', 'poundworld.co.uk': '.cookie, .cookies', 'nolotech.jimdo.com': '.powr-popup.powrLoaded', 'anonse.com': '#polityka, .polityka', 'celle.de': '.tracking-box-wrap', 'framtiden.com': '.sol-cookies', 'uhren-miquel.de': '.ui-dialog.innoPrivacy', 'nonstoppeople.es': '#cookies', 'fakt.pl': '#cookies', 'tysol.pl': '#cooinfo', 'torebrings.se': '.alert-info, .alert-warning, .alert-box', 'eventoscostavasca.com': '#NLC_textLayer, #NLC_opaqueLayer', 'lesinfos.ma': '#bottomBar', 'scio.pw': '#hinweise', 'ingdirect.es': '#cookies', 'n26.com': 'footer ~ aside', 'feyenoord.nl': '#cookies', 'tooba.pl': '.dialog-serwis-msg.dialog-fixed', 'bankmillennium.pl': '#cookies', 'curioctopus.de': '#cookcont', 'curioctopus.nl': '#cookcont', 'eporner.com': '#cookies', 'kras.nl': '#alertsWrap', 'historicengland.org.uk': '.alert-banner', 'metlife.it': '.cookieShell', 'kieskeurig.be': '.consent', 'pyur.com': '.cookie, .cookies', 't-mobile.nl': '.cookie, .cookies', 'pensburgh.com': '#chorus_notifiations', 'yoy.tv': '#notice', 'habitat76.fr': '.header-cnil', 'recast.ai': '.Toasts', 'motor1.com': '#privacy_accept', 'meetic.fr': '.main-frame-bottom-strip', 'chinamobiel.nl': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'calorielijst.nl': '#loading, #loading + .noblur', 'theonlinesurgery.co.uk': '.alert.ue-content', 'youmobile.es': '.iklon', 'lxax.com': 'body > div:not([id]):not([class]):not([title])', 'lbp.me': '#error-overlay', 'fdrive.cz': '.sys-alert', 'hertz247.co.uk': '#overlayBox_3', 'voxmedia.com': '#chorus_notifiations', 'kabeltje.com': 'body > .mbdialog', 'vroom.be': '#policyMessage', 'regiobank.nl': '#cleanPageContainer', 'sbnation.com': '#chorus_notifiations', 'societegenerale.rs': '#sgs_cookie', 'spycolor.com': '#policy-window', 'weck.com.pl': '#popup2', 'aab.dk': '.cookieinject', 'curbed.com': '#chorus_notifiations', 'eumostwanted.eu': '#sortingPreference', 'newsday.com': '.bottomAlert', 'swedoor.dk': '#swedoor_privacy_widget', 'norauto.fr': '#privacy', 'davplus.de': '.cookiesmanager', 'salus.de': '.notification[data-identifier="cookie"]', 'e-b-z.de': '#cooklay', 'janrain.com': '.wptbbarheaddiv', 'dccomics.com': '#consent-modal', 'trend-online.com': '#avv_consent', 'liquidlegends.net': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'casper.com': 'div[class^="Notification__container___"]', 'newsweek.pl': '#cookies', 'iloveimg.com': '#toast-container', 'allianz-voyage.fr': '.region-disclaimer', 'biomet.lt': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'sane.org.uk': '#jxcc-bar', 'poki.nl': '#app-container > div > div[class]:not([data-reactid])', 'gotobrno.cz': '.b-cookie', 'krug.com': '#_evh-ric-age-gate', 'ekino-tv.pl': '#cookies', 'dws.de': '.flash-message__wrapper', 'stilenaturale.com': '#adw-bottombanner', 'sanistaal.com': '#infobarDiv, #infobar, .infobar, #info-bar, #info_c_box, .info-message', 'dyson.co.uk': '.js-notifications', 'tickettoridewithmax.com': '.cookie-plugin', 'belastingdienst.nl': '.cookie, .cookies', '10-4.dk': '.cookie, .cookies', 'torinostar.it': '#footerprivacy', 'feuvert.fr': '#cookies', 'sahamassurance.ma': '#rubon', 'toolbox.com': '#m_privacyPolicy_privacyNotice', 'phoneklinik.com': '.jcncontainer.jcntopoverlay', 'studenti.unipi.it': '#cookies', 'hgshop.hr': '#cookies', 'the-tls.co.uk': '#cookies', 'metro3.be': '.cookie, .cookies', 'paczkawruchu.pl': '#cookies', 'freemeteo.gr': '#cookies', 'lavieclaire.com': '#cookies', 'stihl.com': '.privacyTop', 'psc-systemtechnik.de': '.ce_rsce_tao_fixed_note', 'clementoni.com': '#disclaimer, .disclaimer, .disclaimerContainer, .disclaimer-box, .disclaimer--info, #disclaimerC, #disclaimer-container, #disclaimer-box, .disclaimer-wrapper', 'hmc.org.uk': '#modal-mask', 'rajsvitidel.cz': '.cc_wrapper', 'spotlight.pl': '.statement-container', 'inver.com': '#notice', 'e-rutek.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'hkik.hu': '.alert-info, .alert-warning, .alert-box', 'modhoster.de': '.cookie, .cookies', 'reading.gov.uk': '.alert-info, .alert-warning, .alert-box', 'alpenski.pl': '.alert, #alert', 'tvmusor.org': '#ck', 'lesara.nl': '.notification__container', 'jules.com': '#cookies', 'spartacus-educational.com': '#new-domain', 'etstur.com': '.protectionOfData', 'fiveguys.co.uk': '.modal-backdrop', 'helios-gesundheit.de': '.notice[data-notice-cookie-id="helios-cookie-notice"]', 'dia.es': '.cookie, .cookies', 'libertas.pl': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'creusot-infos.com': '#legcooki', 'wetterheute.at': '.cookie-insert', 'parasol.com.pl': '#black_background, #black_background_panel', 'domuswire.com': '#privacy', 'codeplay.com': '#notificationPopup', 'midilibre.fr': '.cookie, .cookies', 'freemeteo.rs': '#cookies', 'fhpelikan.com.pl': '#simple-modal, #simple-modal-overlay', 'minstercleaning.co.uk': '#ecld_bar', 'fc.de': '.mod-alert', 'safc.com': '.global-notice-wrap', 'akh.hu': '#macookie', 'flottagumiszerviz.hu': '#macookie', 'peters.de': '.footersessionarea', 'colchones.es': '#avisosusc', 'upvx.es': '#lean_overlay, #change_cookies', 'chambre-vienne.notaires.fr': '#cnil-notice', 'bechbruun.com': '.header-notice', 'koobin.com': '#overbox3', 'trekking-koenig.de': '.cookie5', 'energiemoinschere.fr': '#headband', 'pierotofy.it': 'body > div:not([id]):not([class])', 'fiveguys.es': '.modal-backdrop', 'fishersci.es': '#legalMessageWrapper', 'efinancialcareers.de': '#pageMessages', 'laola1.tv': '.cookie, .cookies', 'supergres.com': '#mk-cookie', 'esatrucks.eu': '#fancybox-wrap, #fancybox-overlay, #fancybox-loading, #fancybox-tmp, .fancybox-wrap, .fancybox-overlay', 'consulentidellavoro.it': '.activebar-container', 'dokumentyzastrzezone.pl': '#gkTopBar', 'ftopadova.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'symmotos.ch': '.policy-window', 'stayinwales.co.uk': '.ckinfo-panel', 'generatorkodowkreskowych.pl': '#cn', 'tenerife-guided-walks.com': '#d-notification-bar', 'coopalleanza3-0.it': '.cookieDisplay', 'sentry.io': '.privacy-shield-banner, .tracking-banner', 'mazowieckie.com.pl': '.cookie, .cookies', 'ubereats.com': '#app-content > .base_ > .base_', 'wsim.de': '#dataPrivacyPolicy', 'lycos.es': '#nomnom', 'elektroaktivisten.de': '.main-alert', 'natwest.com': '.cookie, .cookies', 'seriale.co': '#komunikat', 'foot-sur7.fr': '#cookies', 'tuvlita.lt': '.section.accept', 'battle-of-glory.com': '.ui-pnotify.background-transparent', 'onninen.com': '#OnninenCookieInfo', 'koolhydratentabel.nl': '#loading, #loading + .noblur', 'gloucestershire.gov.uk': '.ui-widget, .ui-widget-overlay', 'wallangues.be': '#wallangues-eu-cookie', 'strangebrigade.com': '#alerts', 'boconcept.com': '.cookie-privacy', 'denstoredanske.dk': '.cookie, .cookies', 'studentionline.unipv.it': '#cookies', 'eitb.eus': '#cookies', 'cnnturk.com': 'div[cnn-cookie-policy]', 'scratch-dach.info': '#cookies', 'geleidehond.nl': '.is-cookie-alert-state::after, .is-cookie-alert-state .alert-dismissable', 'esquire.ru': '#disclame, .disclame_block', 'auchan.pl': '#cookies', 'daparto.de': '.cookie, .cookies', 'ms.gov.pl': '#cookies', 'magasins-u.com': '#cookies', 'pcbox.com': '#cookies', 'vintage-radio.net': '#notices', 'traconelectric.com': '.cookie-row', 'operasanfrancesco.it': '#avviso', 'salonocasion.com': '#fb-cd', 'unnuetzes.com': '#privacy', 'fontenayenscenes.fr': '#cnil, .cnil, #CNIL', 'cosiepsuje.com': '.ciacha', 'cierny-humor.sk': '#wpfront-notification-bar, #wpfront-notification-bar-spacer', 'alberidinataleartificiale.it': '#note', 'foliesbergere.com': '.ui-widget, .ui-widget-overlay', 'm.peruzzosrl.com': 'body > div:not([id]):not([class])', 'santalucia.es': '#cookies', 'infodefensa.com': '#cookies', 'postoffice.co.uk': '.cookie, .cookies', 'irishjobs.ie': '#cookies', 'atleticodemadrid.com': '#cookies', 'almapress.com.pl': '#message, .message', 'hoxa.hu': '#container > div[style]', 'roly.eu': '.jq-toast-wrap', 'filmin.pt': '.alert-fixed', 'aquaquiz.com': '#footerSlideContainer', 'gentside.de': '#cookies', 'passmyparcel.com': '.banner, #banner', 'receptnajidlo.cz': '#cxcx', 'forever21.com': '.cookie, .cookies', 'cineca.it': '#cookies', 'annuaire.laposte.fr': '#cookies', 'gruppoeuromobil.com': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'brain-magazine.fr': '#cookies', 'meteoconsult.fr': '#top_head', 'mesmateriaux.com': '#CookiesValid', 'dalmatinskiportal.hr': '.cookie, .cookies', 'coolermaster.com': '#coolermaster-cookie-policy', 'systane.de': '#caBanner', 'alcampo.es': '.cookie, .cookies', 'guenstiger.de': '#ck-pop', 'finance.google.com': '#gb > div[style*="background-color"]', 'finance.google.co.uk': '#gb > div[style*="background-color"]', 'gunnars.fr': '.cp-slidein-popup-container', 'fibra.click': '.cookie, .cookies', 'exweb.exchange.uk.com': '#ibox', 'lacsiboltja.hu': '#uzeno', 'elegant.be': '#cookies', 'fum.info.pl': '.cookie, .cookies', 'sermicro.com': '#galletas', 'mercedes-amg.com': '#emb-cp-overlay, #emb-cp-dialog', 'scooter-system.fr': '.avertissement', 'liveradio.ie': '#disclaimer', 'qxl.no': '#cookies', 'slupsk.eu': '#pp', 'technetium.pl': '.cookie, .cookies', 'nbazar.sk': '.eu', 'ordineveterinariroma.it': '#privacywarn', 'wecanjob.it': '#trace-form', 'carnovo.com': '.fixed-alert', '10clouds.com': '.tenc-header__cookies', 'desokupa.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'anvistore.net': '#icookie', 'bib-cclachatrestesevere.net': '#info_message', 'sia.eu': '#toast', 'kepmegoszto.com': '#cw', 'dsm.com': '#cp', 'mercedes-benz.com': '#cLayer, .bottom.notice, #emb-cp-overlay, #emb-cp-dialog, #cPageOverlay', 'italbastoni.it': '#mk-cookie', 'guglwald.at': '#tx_tracking', 'symfrance.com': '.policy-window', 'karatekyokushin.hu': '.cookie, .cookies', 'rymer.org': '#divzasobu', 'aldautomotive.hr': '.cookie, .cookies', 'conjuga-me.net': '#overlay', 'fahrschulcard.de': '#modalCookies', 'nuget.org': '.banner, #banner', 'db.com': '#wt-confirm-layer', 'play.tv2.dk': '#app > div > footer + div', 'comarsport.com': '#cooking', 'twinset.com': '#ckInfo', 'isa-sociology.org': '#politica', 'playolg.ca': '.cookie, .cookies', 'skystore.com': '.top-notification-container', 'eralsolution.com': '#stato', 'enel.ro': '.message-notification', 'offerraadgivning.dk': '#ck_row', 'uroda.com': '#blockPopupInformation', 'demaralimentari.it': '#privacy-advise', 'extrahw.com': '#cfooter', 'boardstar.cz': '#cookies', 'tmt-magazine.com': '.sitealert', 'pianho97.hu': '#alertify, #alertify-cover', 'ssangyong.es': '#eltexto', 'eshop.silicmedia.cz': '.box.notify', 'sonypicturesreleasing.es': '#track-layer', 'qxl.dk': '#cookies', 'hays.nl': '#header-msg', 'domzale.si': '#cookies', 'aeroportoditorino.it': '.cookie, .cookies', 'pozyx.io': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'governmentcomputing.com': '.privacy_notice', 'consumind.nl': '#csm-optin-bar', 'maccosmetics.be': '#bt_notification', 'kunstveiling.nl': '#kunstveiling-accept-form', 'boncoin-annonce.com': '#valid_cookies', 'gelighting.com': '#privacy-message', 'tiendagonzalezbyass.com': '#stickyFooter', 'ligne-adsl.fr': 'body > div:not([id]):not([class])', 'parafarma.be': '#popup', 'toutabo.com': '.cookie-text', 'murraysairporttransfers.co.uk': '#d-notification-bar', 'fieraforli.it': '.ns-box.ns-bar', 'myparliament.info': '#data-disclaimer', '06gids.nl': '.ilikecookies', 'adernats.cat': '#cookies', 'airlinecheckins.com': '.app-header + .layout-row', 'czytio.pl': '#cookies', 'gentside.com.br': '#cookies', 'masodomov.sk': '.alert, #alert', 'microgiochi.com': '#popupmsg_wrapper', 'sorelfootwear.fr': '#notify-bar', 'weltdergoetter.de': '#notice', 'kaspersky.cz': '#cookies', 'kaspersky.hu': '#cookies', 'dugout.com': '.simplemodal-bg.snap-bottom', 'acf-amphibians.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'ifp.si': 'body > table', 'mediatheque.ville-montrouge.fr': '#info_message', 'cipriani-phe.com': '#myAlert', 'fibs.it': '#privacy-wrapper', 'witaminy-mineraly.choroby.biz': '#wcp', 'kreoart.com.pl': '#popupContact', 'uva.es': '#cookies', 'transformacni-technologie.cz': '.upozorneni', 'acega.es': '.aviso', 'informatica7.com': '#sumome-smartbar-popup', 'frenomotor.com': '.c_i_container', 'mspy.fr': '#infoToolbar', 'hanos.nl': '.banner_message', 'szabadkeresztyen.hu': 'body > div:not([id]):not([class])', 'spike.com': '#balaMainContainer', 'purr.com.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'advantageaustria.org': '.cookie, .cookies', 'bbcearth.com': 'iframe[src*="2czok"]', 'bbcsolution.it': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'thenorthfacezagreb.hr': '.cookie, .cookies', 'quorn.co.uk': '#Message', 'piab.com': '.topBanner', 'hora.com.es': '#ley', 'regione.abruzzo.it': '#system-message', 'tchncs.de': '.alert-dismissible, .alert-dismissable, .alert--dismissable, .pmd-alert-dismissible', 'wizdeo.com': '#cookieGA', 'faperme.it': '.alert, #alert', 'if.lt': '.btx-expandable', 'stefczyk.info': '#cookies', 'k15t.com': '#cookies', 'szigetfestival.com': '.cookie, .cookies', 'shipton-mill.com': '#cookies', 'trovit.com.pa': '#welcomebar-wrapper', 'bongu.de': '#infoBar', 'ingsprinters.nl': '.modal[data-module="cookie-settings"]', 'oeaw.ac.at': '.warning-popup', 'lira.nl': '.highslide-container', 'video-virali.it': 'div[id*="cookie_pres"]', 'ornikar.com': '#message--cnil', 'securetrading.com': 'body > div:not([id]):not([class])', 'stenatechnoworld.com': '.stickyfooter', 'yonos.pt': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'jcb.com': '.jcb-cookie-policy', 'elaee.com': '#bcnil', 'imp.gda.pl': '#cp_wrap', 'lanebypost.com': '.sqs-announcement-bar', 'bubblegumstuff.com': '#SITE_ROOT ~ div[data-reactid*="siteAspectsContainer"]', 'scez.nl': '#overlay2', 'records.team': '.sqs-announcement-bar', 'wios.warszawa.pl': '.JSWrapper', 'egscans.com': '#egs-cookie-popup', 'realmadryt.pl': '#cookies', 'mediathequeouestprovence.fr': '#info_message', 'autoreflex.com': '#legal', 'forbit.it': '.page > div[id*="cookie"]', 'unitechpackaging.eu': '#cookies', 'dpo-consulting.fr': '#POPUPS_ROOT', '24zdrave.bg': '#cookies', 'wandermap.net': '.messages.temporary', 'roamler.com': '.accept-alert', 'archiviodistatotorino.beniculturali.it': '#system-message', 'handwerk-magazin.de': '#cc-box', 'mpm.pl': '#__cookies_', 'trafiken.nu': '.cookie, .cookies', 'hopt.it': '#privacy-policy, .popup_blackbg', 'spiceworks.com': '.sui-site-message-container', 'dynamo-fanshop.de': '#cookies', 'heavengroup.it': '#cookup', 'studentski.net': '#cookies', 'molgroupitaly.it': '#mgit_notification', 'giunti.it': '.cookie, .cookies', 'reprocolor-calipage.fr': '#cnil, .cnil, #CNIL', 'portalkucharski.pl': 'body > div:not([id]):not([class])', 'sanotechnik.ro': '.cookiequestion', 'esdemarca.com': '#cookie_informativa_esd', 'bati-orient-import.com': '#overlayCookie2015', 'discoverychannel.it': 'body > div:not([id]):not([class])', 'maccosmetics.de': '#bt_notification', 'casando.it': 'div[id*="ctrlCookies_divCookie"]', 'moon-power.com': '.moon-statisticsOptBox', 'intu.at': 'body > form', 'wallpaperdirect.com': 'header > .container', 'shadowofwar.com': '#consent', 'keil.com': '#privacymodule', 'xxxmilfpics.com': 'body > div:not([id]):not([class])', 'buquebus.com': '.cart_cookie', 'plutobooks.com': '.pp-cookie', 'swiat-sypialni.pl': '#box_alert', 'paramedyk24.pl': '#notice_bar', 'veritas-shop.com': 'body > form', 'mimanchitu.it': '#toast-container', 'forsvarsmakten.se': '.s-cookies', 'wallpapermania.eu': '.uk-alert', 'vornamen-weltweit.de': 'body > div:not([id]):not([class])', 'i4a.pl': '#hideMe', 'steinadler.com': '#countrySelectOverlay', 'ticnologia.pt': '#rt-drawer', 'giulianomazzuoli.it': '#cookievjw', 'broadnet.no': '#toast-container', 'marko.pl': '#cookie_nav', 'lamuscle.com': '#info_banner', 'monitoring.krakow.pios.gov.pl': '.a-footer', 'postnauka.ru': 'notifications', 'hivehome.com': '.header-stacked-message', 'schaffrath.com': '.cookie, .cookies', 'evs.com': '.language-switcher', 'presscut.hr': '#kolacici', 'ceske-sjezdovky.cz': 'body > form', 'milanoajto.hu': '.cdisclaimer', 'calculatrice.lu': '#cookies-content', 'enelgreenpower.com': '.message-notification', 'gw2treasures.com': '#notifications', 'ziggogo.tv': '.notifications-manager', 'delkom.pl': '#cookies', 'showcasecinemas.co.uk': '.section-prompt', 'nutanix.com': '#ckbr_banner', 'wirklichweiterkommen.de': '.lsa-dialog.lsa-js-active', 'cross.bg': 'body > div:not([id]):not([class])[style*="position"][style*="fixed"], body > div:not([id]):not([class])[style*="position"][style*="absolute"]', 'infojobs.net': '.notification-system.is-fixed', 'fizyka.org': '#pp', 'syntevo.com': '.cookie, .cookies', 'kosmetykizameryki.pl': '#polityka, .polityka', 'yousee.dk': '.app > div[data-radium] > div[data-radium][style*="bottom"]', 'ordineavvocati.bari.it': '#cookies', 'cyberdoktor.de': '.cc_container', 'pilkanozna.pl': '#cookies', 'oogfonds.nl': '.cookie, .cookies', 'brookes.ac.uk': '#PopUp', 'versace.com': '.first-visit-banner', 'ohmymag.com': '#cookies', 'entreprenor.se': '#warning', '118000.fr': '.cookie, .cookies', 'wszczecinie.pl': '#cookies', 'scseleccion.com': '.vgcookies', 'pierosangiorgio.kyani.com': 'body > div:not([id]):not([class])', 'lucidsamples.com': '#blocksplash', 'discotecafellini.com': '#privacybar', 'capitalibre.com': '.c_i_container', 'hardstyle-industry.com': '#cnil, .cnil, #CNIL', 'atrio.it': 'body > div:not([id]):not([class])', 'tactical-equipements.fr': '.warning', 'bigbang.si': '#cookies', 'edcom.fr': '#cookies', 'speedtest.net': 'div[data-view-name="privacy-updated-notice"]', 'mieszko.pl': '#privacy', 'dzamlinggar.net': '#cookieID', 'hopt.es': '#privacy-policy', 'tubacex.com': '.containerBlack', 'cirquedusoleil.com': 'div[data-cookie="cookieWarning"]', 'flatcast.net': '.h_dataprot', 'syntusoverijssel.nl': '.alert-bottom', 'abbottsaab.com': '#cc-container', 'alterego.waw.pl': '#SITE_ROOT ~ .siteAspectsContainer', 'frichti.co': '.notification--CNIL', 'aircosmosinternational.com': '#cnil, .cnil, #CNIL', 'polesine24.it': '#cookies', 'horizon.tv': '.notifications-manager', 'arsys.es': '.notifications', 'gwpharm.com': '.main > .block.block-block.show', 'ttv.pl': '#msgLayer', 'bbcchannels.com': 'body > iframe', 'bbceurope.com': 'body > iframe', 'androidcentral.com': '.usr-msg', 'oysteryachts.com': '.top-header', 'kh-schwarzach.at': '.privacy-notice', 'donaukurier.de': '.cookie, .cookies', 'vrin.fr': '#Disclaimer', 'locservice.fr': '#CookiesInfos, #CookiesInfosPrefix', 'mymagazine.co.uk': 'span[id$="cookiePanel"]', 'eitb.tv': '#cookies', 'focum.nl': '#fw_cookie', 'konsbud-hifi.com.pl': '#stickyFooter, .sticky-footer', 'halens.ee': '#site-message-container', 'thefamilycurator.com': '.cn_box', 'azorek.pl': '.giodoContainer', 'artboxone.de': '#ab1_cookie_bar', 'privalia.com': '#fixedBar', 'brunel.ac.uk': '#brunelcookies', 'therugbychannel.it': '#SITE_ROOT ~ .siteAspectsContainer', 'mycinema.pro': 'body > div > span, body > div > span + input', 'dewijkgaard.nl': '#popup_melding', 'ncaa.com': '#mss-legal-banner', 'twitch.tv': '.toast-manager__container', 'atendesoftware.pl': '#policy-info', 'mint-energie.com': '#header1_PanelCookie', 'jpopasia.com': 'body > div:not([id]):not([class])', 'telewizjapolska24.pl': '.head-page-information', 'stylecaster.com': '#dfp-interstitial-holder', 'geo-fs.com': '.geofs-cooked', 'fiveguys.fr': '.modal-backdrop', 'air-indemnite.com': '#general-conditions-of-use', 'aboutyou.nl': '#app > section > div[class*="containerShow"]', 'mynet.com': '#privacy-notification', 'hashflare.io': '.alert-dismissible:not(.alert-success)', 'biotechnologia.pl': '#cookies', 'ludwig.guru': '.cookie, .cookies', 'store.dji.com': 'div[class*="style__cookie-policy"]', 'magazine.moneywise.co.uk': '.cookie, .cookies', 'microhowto.info': '#cookies', 'fondation-patrimoine.org': '.cookie, .cookies', 'miadora.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'starcar.de': '.cookie, .cookies', 'viewsonic.com': '.alert-dismissible', 'formulacionquimica.com': '#pck', 'wind.it': '#cookies, body > #track, .contentCntr + .messageOverlay', 'portugalglobal.pt': '#barramensagem', 'translate.google.it': '#gb > div[style*="background-color"]', 'translate.google.at': '#gb > div[style*="background-color"]', 'translate.google.es': '#gb > div[style*="background-color"]', 'translate.google.ee': '#gb > div[style*="background-color"]', 'translate.google.pl': '#gb > div[style*="background-color"]', 'translate.google.cz': '#gb > div[style*="background-color"]', 'translate.google.dk': '#gb > div[style*="background-color"]', 'translate.google.ie': '#gb > div[style*="background-color"]', 'translate.google.fr': '#gb > div[style*="background-color"]', 'translate.google.si': '#gb > div[style*="background-color"]', 'translate.google.hu': '#gb > div[style*="background-color"]', 'translate.google.sk': '#gb > div[style*="background-color"]', 'translate.google.se': '#gb > div[style*="background-color"]', 'translate.google.fi': '#gb > div[style*="background-color"]', 'translate.google.lt': '#gb > div[style*="background-color"]', 'translate.google.gr': '#gb > div[style*="background-color"]', 'translate.google.ro': '#gb > div[style*="background-color"]', 'translate.google.bg': '#gb > div[style*="background-color"]', 'translate.google.be': '#gb > div[style*="background-color"]', 'translate.google.hr': '#gb > div[style*="background-color"]', 'translate.google.de': '#gb > div[style*="background-color"]', 'translate.google.pt': '#gb > div[style*="background-color"]', 'translate.google.nl': '#gb > div[style*="background-color"]', 'translate.google.no': '#gb > div[style*="background-color"]', 'translate.google.is': '#gb > div[style*="background-color"]', 'translate.google.lu': '#gb > div[style*="background-color"]', 'translate.google.cl': '#gb > div[style*="background-color"]', 'translate.google.lv': '#gb > div[style*="background-color"]', 'translate.google.ch': '#gb > div[style*="background-color"]', 'translate.google.ba': '#gb > div[style*="background-color"]', 'translate.google.lk': '#gb > div[style*="background-color"]', 'translate.google.ru': '#gb > div[style*="background-color"]', 'translate.google.co.uk': '#gb > div[style*="background-color"]', 'translate.google.co.th': '#gb > div[style*="background-color"]', 'translate.google.co.in': '#gb > div[style*="background-color"]', 'translate.google.ca': '#gb > div[style*="background-color"]', 'books.google.it': '#gb > div[style*="background-color"]', 'books.google.at': '#gb > div[style*="background-color"]', 'books.google.es': '#gb > div[style*="background-color"]', 'books.google.ee': '#gb > div[style*="background-color"]', 'books.google.pl': '#gb > div[style*="background-color"]', 'books.google.cz': '#gb > div[style*="background-color"]', 'books.google.dk': '#gb > div[style*="background-color"]', 'books.google.ie': '#gb > div[style*="background-color"]', 'books.google.fr': '#gb > div[style*="background-color"]', 'books.google.si': '#gb > div[style*="background-color"]', 'books.google.hu': '#gb > div[style*="background-color"]', 'books.google.sk': '#gb > div[style*="background-color"]', 'books.google.se': '#gb > div[style*="background-color"]', 'books.google.fi': '#gb > div[style*="background-color"]', 'books.google.lt': '#gb > div[style*="background-color"]', 'books.google.gr': '#gb > div[style*="background-color"]', 'books.google.ro': '#gb > div[style*="background-color"]', 'books.google.bg': '#gb > div[style*="background-color"]', 'books.google.be': '#gb > div[style*="background-color"]', 'books.google.hr': '#gb > div[style*="background-color"]', 'books.google.de': '#gb > div[style*="background-color"]', 'books.google.pt': '#gb > div[style*="background-color"]', 'books.google.nl': '#gb > div[style*="background-color"]', 'books.google.no': '#gb > div[style*="background-color"]', 'books.google.is': '#gb > div[style*="background-color"]', 'books.google.lu': '#gb > div[style*="background-color"]', 'books.google.cl': '#gb > div[style*="background-color"]', 'books.google.lv': '#gb > div[style*="background-color"]', 'books.google.ch': '#gb > div[style*="background-color"]', 'books.google.ba': '#gb > div[style*="background-color"]', 'books.google.lk': '#gb > div[style*="background-color"]', 'books.google.ru': '#gb > div[style*="background-color"]', 'books.google.co.th': '#gb > div[style*="background-color"]', 'books.google.co.in': '#gb > div[style*="background-color"]', 'books.google.ca': '#gb > div[style*="background-color"]', 'coinify.com': '.cookie, .cookies', 'openbookpublishers.com': '.menu-header', 'arag.com': '#cookies', 'dmty.pl': 'body > div:not([id]):not([class])', 'vitsa.co.uk': '#d-notification-bar', 'heal-link.gr': '.alert, #alert', 'fieldgulls.com': '#chorus_notifiations', 'ericdepaoli.com': '#icegram_messages_container', 'dealabs.com': '#softMessages-list', 'sky.com': '#mast-notifications', 'bug.hr': '.cookie, .cookies', 'sportmaster.dk': '.cookie, .cookies', 'nrjmobile.fr': '#ei_cookie', 'ku.dk': '.privacy-policy', 'pfarrverband-koenigslutter.de': '#hinweis', 'ikea.com': '.IKEA-Module-Notification-Notification', 'rbs.co.uk': '.cookie, .cookies', 'webnovel.com': '.m-streamer', 'reittiopas.fi': '#messageBar', 'ipaddress.com': '#cc', 'lacimade.org': '#cookies', 'zenith.gr': '#cookies', 'creditmutuel.fr': '#ei_cookie', 'kimovil.com': '#code_cookies', 'rmastri.it': '#cokadv', 'gentside.com': '#cookies', 'tutoriaux-excalibur.com': '#notices', 'vitrasa.es': '#cookies', 'oddo-bhf.com': '.durandal-wrapper[data-view*="CookiesSettings"]', 'studenti.uniupo.it': '#cookies', 'oet-redwell.it': '.magnus-cookie', 'gittigidiyor.com': '.policy-alert', 'elsignificadode.net': '#bn-cookies', 'eco-systemes.fr': '.cookie, .cookies', 'topteamradio.de': '.jq-toast-single.jq-icon-warning', 'cestfrais.fr': '#cnil, .cnil, #CNIL', 'my.upc.cz': '.cookie, .cookies', 'louder.com': '.hint', 'coherent.com': 'body > div:not([id]):not([class])', 'survio.com': '#cookies', 'm.omroepwest.nl': '.c-cbp-container', 'aktionspreis.de': '.leiste_vollstaendig', 'moment-liege.be': '#coo', 'mega-mania.com.pt': '.pl-cookies', 'nationalcircus.org.uk': '.cookie, .cookies', 'go4pro.lt': '.wu_holder-wrapper', 'lifescience.net': '.alert, #alert', 'cortesdecima.com': '.row.notice.s_active', 'tibia.pl': '#gbpl_oba', 'forum-windows.net': '#ntf', 'vitek.cz': '#cookiesI', 'crizal.pl': '#__cookies_', 'draeger.com': 'globalnotification', 'basilica.ro': '.alert, #alert', 'tpd.sk': '.header__notice', 'ogrtorino.it': '#__next > div[data-reactroot] > div[data-reactid] > div[class]', 'lunarossa-italian.co.uk': '#d-notification-bar', 'giftsandcare.com': '#divbottom', 'kempa-satellite.com': '#mc_top_bar', 'turbocso.hu': '#auroraOverlay', 'thinkwithgoogle.com': '.global-toast', 'konicci.cz': '#fixedBar', 'games.fm': '#cxcx', 'dampfsauger24.de': '.alertbanner', 'malihu.gr': '#malihu-cookies', 'monedo.pl': '.Notifications', 'askabox.fr': '#id_div_bandeau', 'vw-aabenraa.dk': '.notify-bar', 'gpstraining.co.uk': '#cookies', 'nadmorski24.pl': '#cookies', 'internationalchips.com': '.ba', 'fischer.de': '.cookie, .cookies', 'trovit.pl': '#welcomebar-wrapper', 'trovit.nl': '#welcomebar-wrapper', 'klar-im-vorteil.de': '#footer > .inner > p:first-child', 'clickatell.com': '.cookie-show', 'mondaq.com': '#privacy', 'efinancialcareers.com': '.alert-dismissible', 'esse3.unive.it': '#cookies', 'bookbeat.com': '.banner.purple', 'parfum.cz': '#cookies', 'xapes.net': '#as-uc-wrapper', 'bookchoice.com': '.alert-top', 'xm.co.uk': '#cookies-block', 'collibra.com': '.collibra-cookie-accept', 'vivus.es': '.background[class*="warning-module"]', 'cefarm24.pl': '#notice_bar', 'sava-osiguranje.hr': '.alert-info', 'linkmatepr-soritweb.servizienti.it': '.normal[eventproxy="isc_HLayout_1"][style*="absolute"]', 'cookshop.gr': '#cookies-region', 'mon.gov.pl': '#cookies', 'hopt.nl': '#privacy-policy', 'pfefferminzia.de': '#acceptUserExperience', 'royalmailgroup.com': '#block-rmg-cookie-policy-cookie-policy', 'slyvent.com': '#cookiesCard', 'formazione.cirgeo.unipd.it': '#privacy', 'lostgames.net': '#entryCookie', 'kookeiland.be': '#footerSlideContainer', 'brandmed.pl': '#cookies', 'viously.com': '#cookies', 'macorlux.pt': '.cookie, .cookies', 'rooms4valencia.com': '#SITE_ROOT ~ .siteAspectsContainer', 'bioliq.pl': '#cookies', 'solveigmm.com': '#agreement', 'dicionariodesimbolos.com.br': '.clm', 'occhiox.com': '#consenso', 'boss-nekretnine.hr': '#notice', 'yodiez.com': '#system-message-container', 'e-elektron.pl': 'body > div:not([id]):not([class])', 'esm.europa.eu': '#block-esm-base-cookie-message-footer', 'salvaunbambino.it': '.activebar-container', 'sms.priv.pl': '#cookies', 'stjornarradid.is': '.session-text', 'upc.at': '.lgi-bgcontainer-privacybanner', 'hbkik.hu': '#alert-box', 'pixabay.com': '.message_box', 'e-pages.dk': '#privacyConsent', 'vr.se': '.banner, #banner', 'flickr.com': '.footer-container', 'gaes.es': '#cookies', 'celostnimedicina.cz': '#cookies', 'mycujoo.tv': 'div[class*="CookiesNotification"]', 'focuscamera.hu': '.cookie, .cookies', 'lexus.de': '.disclaimer', '10khits.com': 'cloudflare-app[app="welcome-bar"]', 'cleverdialer.de': '#cdweb-cookie-law-info', 'chollometro.com': '#softMessages-list', 'kropelka.com': '#back-lightbox', 'viva64.com': '.personal-data-confirm', 'centauria.it': '.header-welcome', 'atomuhr-infos.de': '#cookies', 'energologistic.it': '#dc-cnb-container', 'stiga.it': '#privacyDisclaimer', 'rhomberg-reisen.com': '.rho-toast--top.rho-pagelane', 'dskbank.bg': '#cookies', 'frateindovino.eu': '.cn-wrapper', 'enikom-m.com': '#cookies', 'blazaar.com': '.ng-toast--top', 'idgspa.it': '#showimage', 'papapiqueetmamancoud.fr': '#id_suivi_publicites', 'zinodavidoff.com': '#footer + div', 'mundo-pecuario.com': '#msjadd', 'rentokil.fr': '#cookie-policy-header .cookie-popup-header', 'mashable.com': '#peek > div:not([id]):not([class])', 'fnord23.com': '.popmake', 'mailorama.fr': '#toast-container', 'ovhcloud.com': '#block-ovhcookieconsent', 'lemoiszerozero.fr': '#root > div:not([id])', 'sita.aero': '#privacyPopupOverlay, .privacyPopup', 'knuddels.de': '#root > div[class*="ColumnFluid"] > div[class*="ModalManager"] > div[class*="ColumnFluid"] > div[class*="Column__Column"]', 'sapabuildingsystem.com': '#header .message', 'mx1-360.com': '.cookie-legal', 'bund-nrw.de': '#m-global-disclaimer', 'lexus.nl': '.l-disclaimer', 'lexus.pt': '.l-disclaimer', 'lexus.co.uk': '.l-disclaimer', 'lexusauto.es': '.l-disclaimer', 'lexus.gr': '.disclaimer', 'samsung.com': '.gb-gnb__notice-bar', 'zentrum-der-gesundheit.de': '.zdg-cookies-policy', 'maxisciences.com': '#cookies', 'profmetkol.pl': '#cookies', 'play.google.com': '#gb > div[style*="background-color"]', 'facebookafmelden.nl': '#cookiespanel', 'tablademareas.com': '#cookies', 'porschebank.at': '.statisticsOptBox', 'slunecno.cz': '.cookie, .cookies', 'theringer.com': '#chorus_notifiations', 'ssisurveys.com': '#__ev_bc', 'kosmiczni.pl': '#cookies', 'royalora.hu': '.cookie, .cookies', 'bancopopular.es': '#cookies', 'foto-erhardt.de': '#cookies', 'showroomprive.com': '#cookie_parent', 'joautok.hu': '.cookie, .cookies', 'horizonhobby.de': '#cookies', 'sharesmagazine.co.uk': '#popup-container', 'spot-a-shop.de': '#popup-notifications', 'dplay.no': '#app > div > dialog[class^="notification"]', 'masmovil.es': 'mm-ui-cookie-disclaimer', 'funandnews.de': '#privacy', 'mitsubishi.pl': '#cookies', 'makewarnotlove.com': '.cp-wrap', 'fnacplay.com': '.cookie, .cookies', 'actionfraud.police.uk': '#cookies', 'deutscheam.com': '.flash-message__wrapper', 'aboutyou.de': '#app > section > div[class^="footer"] + div[class^="container"]', 'seibert-media.net': '#privacy_protection', 'lariveracioccolato.com': '#boxes', 'bauluecken.bremen.de': '#privacy-popup', 'doctoranytime.gr': '#notif--privacy', 'risvegliocomune.com': '#SITE_ROOT ~ .siteAspectsContainer', 'techmart.bg': '.cookie, .cookies', 'arag.de': '#cookies', 'lerepairedesmotards.com': '#cookies', 'akvis.com': '.awarning', 'dplay.se': '#app > div > dialog[class^="notification"]', 'dplay.dk': '#app > div > dialog[class^="notification"]', 'marokko.nl': '.floatbar', 'firstshop.hu': '.cookie, .cookies', 'cewe-print.de': '#cookies', 'blog.daimler.com': '#modal-bg, #modal', 'winflector.com': 'body > div:not([id]):not([class])', 'neatorobotics.com': '#alert-safeharbor-cont', 'korisnaknjiga.com': '#kukiji', 'obaku.com': '.alert.callout', 'modecom.com': '.cookie, .cookies', 'groen.be': '#disclaimer', 'jal.co.jp': '#JS_ciBox, #JS_ciBox_filter, #JS_ciBox_filter_iframe', 'pkpsa.pl': '#cookies', 'haglofs.com': '#privacy-policy-modal', 'dissidiafinalfantasynt.com': '#react-mount > .locale-container > div[style]', 'diamond-air.at': '#privacy-info', 'itmagination.com': 'div[class$="cookie-info"]', 'pizzabakeren.no': '.politics_box', 'adacreisen.de': '.FooterNotification', 'euronova-italia.it': '.cc-customdialog', 'eplan.at': '.fancybox-overlay, #fancybox-wrap', 'crunch.co.uk': '#reactAppRoot > div > .text-content', 'ziffit.com': '.notificationholder', 'cosmo.ru': '.disclame_block', 'trovit.pt': '#welcomebar-wrapper', 'educalingo.com': '#cookies', 'geekbrains.ru': '.gb-bottom-banners', 'trespasse.com': '#cookies', 'uhu.de': '.message.fixed', 'idc.com': '.idc-privacy-notice', 'envivas.de': '.box-hint-layer', 'drweb.com': '#ShowIt', 'tcelectronic.com': '.cv2-wrapper', 'disidentia.com': '#snppopup-welcome', 'trumpf.com': '.notification', 'dutchbirding.nl': '#cookies', 'beepjob.com': '#cgCookies', 'dahuasecurity.com': '.top_tip_wrap', 'hasznalt-laptop.net': '.noty_cont', 'cision.com': '#cision-cookie-policy-banner', 'upctv.at': '.notifications-manager', 'informiert.at': '.CookieLayout', 'investec.com': '.alerts-top[data-type*="acceptCookies"]', 'speedyhen.com': 'body > div:not([id]):not([class])', 'lasante.net': '.cookies__container', 'meyer.it': '#zf--alerts-panel', 'portamx.com': '#ecl_outer', 'ifp-school.com': '#cnilWrapper', 'codicesconto.org': '.bloque_lopd', 'nuovatecnodelta.it': 'body > div[style]', 'everywhere.game': '.cookie-madness', 'naturenergieplus.de': '.announcement', 'detnyeskotterup.dk': '.clWindow', 'eujuicers.cz': '#snippet-browserBootstrap-flashMessages-', 'bet.com': '.asset_balaNotification, .asset_balaNotificationOverlay', 'aostasera.it': '.AST-banner', 'emp-online.es': '.browser-check', 'hestragloves.com': '.user-message-list', 'remax-centarnekretnina.com': '#notice', 'millennium-nekretnine.hr': '#notice', 'bws.net': '.block--cookie', 'ofgem.gov.uk': '#ofgem-cookies', 'mm-kancelaria.com': '.head-page-information', 'polsonic.com': 'body > .widgets-list', 'energy-storage.news': '.site-notices', 'mahlefitz.de': 'body > .gatewayContainer', 'placeandsee.com': '#bnrckie', 'guinand-uhren.de': '.fixed-note', 'napivicc.hu': '#kki_div', 'docciabox.com': '#site-cookie', 'mulinobianco.it': '.mb_cookie', 'riftherald.com': '#chorus_notifiations', 'bitmoji.com': '#disclaimer', 'gmanetwork.com': '.ckn-container', 'portalento.es': '.gaOptIn', 'elektrobit.com': '#ckBar', 'italiarail.com': 'body > .footer', 'sefaireaider.com': '#cookies-charter', 'thueringenforst.de': '.opt-out', 'ecotrade.bio': '.global-alert', 'hmcrespomercedes.es': '#overbox3', 'allianzworldwidecare.com': '.region-disclaimer', 'novapdf.com': '#novapdf_accept_cookies', 'reischecker.nl': '#cbar', 'agrolan.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'bitster.cz': '.cookies-window', 'stasonline.ro': '#form_cookie', 'adslalvolo.it': '#popupDivC', 'mr-bricolage.fr': '#cp-overlay', 'hrhibiza.com': '#websiteNotification', 'pleternica.hr': '#footer', 'sportvision.hr': '.alert-info', 'vivre.hr': '.noty_layout', 'vivre.cz': '.noty_layout', 'tovedo.hr': '#COOKIES, #COOKIES ~ div', 'rva.hr': '#cookies', 'gigabyte.com.hr': '#policy-div', 'lider.hr': '#notice', 'bora.hr': '.modal-mask', 'skoda.hr': '.skoda5-statisticsOptBox', 'remixshop.com': '.fixed-footer', 'autogaleria.hu': '#info-suti', 'aol.de': '.m-user-consent, #alerts-policy', 'bogijn.nl': '#cc-wrapper', 'ariva.de': '#bottomWarnings', 'karman.cc': '#ico_wrapper', 'smiile.com': '#com-message', 'fc-hansa.de': 'body > div:not([id]):not([class])', 'uni-greifswald.de': '#piwik-flyin', 'lamp24.se': '.dnt-dialog.has-confirmation', 'livescore.net': '.row[data-id="infobar"]', 'domwroc24.pl': '.black_overlay', 'kaiserkraft.ie': '.policy_notification', 'aiponet.it': '#cl_wrapp', 'donadeimonti.it': '#system-message', 'emagister.com': '.fixed-footer', 'alecoair.ro': '#notice', 'kvn.ru': '.disclame_block', 'standardandpoors.com': '#wrapper > .portlet-boundary.portlet-static', 'ssls.cz': '#ckb', 'kemkik.hu': '#alert-box', 'huidkanker.nl': '#persistent-messages', 'mhiae.com': '#popup', 'checkthatcar.com': '.csent', 'leselupe.de': 'body > div:not([id]):not([class])', 'buywithconfidence.gov.uk': '#uptopbar', 'reed.co.uk': '.cookie-legislation', 'monkey-tie.com': '#cookiemt', 'lululemon.com': '#promoted-alert-bar', 'infrarot-fussboden.de': 'div[class*="cookie-hint-wrapper"]', 'labgruppen.com': '.cv2-wrapper', 'turtlecereals.com': '#SITE_ROOT ~ .siteAspectsContainer', 'essonne.fr': '#cnil, .cnil, #CNIL', 'ambitionspersonnel.com': 'body > div:not([id]):not([class])', 'partycasino.com': '.info-message', 'nextpharmajob.com': '.userBar', 'oetkercollection.com': '.cookie, .cookies', 'seifensieder.at': '#SITE_ROOT ~ .siteAspectsContainer', 'wurmberg.de': '.datenschutz', 'mysurveylab.com': '.cookie, .cookies', 'fisherinvestments.com': '#privNotice', 'interrail.eu': '.overlay', '101xp.com': '.ui-notification-wrapper', 'carnevale.venezia.it': '#privacySlider', 'newlawns-sussex.co.uk': '#d-notification-bar', 'shortpixel.com': '#shortpixel-cookies', 'megustaleer.com': '.cookie, .cookies', 'co-opinsurance.co.uk': '#noticePanel', 'autoampel.de': '#cookies', 'asnbank.nl': '.cookiewall-dialog, .ui-widget-overlay', 'lysman.no': '.infobar', 'autoweetjes.com': 'body > div[id]:not([class])', 'monedo.mx': '.wr-notification-panel', 'debgen.fr': 'cloudflare-app[app="welcome-bar"]', 'cm.be': '#notification', 'merseyfire.gov.uk': '#popup_box', 'alldayofficesupplies.co.uk': '#d-notification-bar', 'baumtronics.com': '#header .banner', 'autohaus-eberstein.de': '#notify2', 'dietadukan.es': '#banner_cnil', '01-telecharger.com': '#cokkies', 'impelshop.com': '#privacy_policy', 'capitandenim.com': '#menscookie', 'nfumutual.co.uk': '.policy-message', 'sberbank.ru': '.personal-data-warning', 'optochtenkalender.nl': '.PanelPopUp', 'drweb.ru': '#ShowIt', 'drweb-av.de': '#ShowIt', 'thinkshoes.com': '#data-privacy-bar', 'tevaitalia.it': '.riquadroAvvisoPrivacy', 'sep-ensemble.fr': '.disclaimer-bar', 'kaerntentherme.com': '#coo', 'tuttostoria.net': '#avviso', 'porsche-toledo.com': '#popupbox', 'hbo.pl': '#overlay', 'pirkis.lt': '#alert_tuscias, #alertt', 'theoutlinerofgiants.com': '#toog-cookies', 'gigabyte.lt': '#policy-div', 'gigabyte.cz': '#policy-div', 'gigabyte.at': '#policy-div', 'keefcooks.com': '.cookiecon', 'horeca.it': '.cookie, .cookies', 'savio.it': '#box-overlay', 'mobileworldcentre.com': '.alert-warning', 'kupigume.hr': '.ant-notification', 'wiener-metropol.at': 'body > div:not([id]):not([class])', 'anamed.org': '.fixed-note', 'opera-comique.com': '.disclaimer', 'fnvzzp.nl': '#bottom', 'vzdusin.cz': '.euc', 'lacompagnie.com': '#cnil-layer', 'hjheinz.de': 'body > div:not([id]):not([class])', 'superfi.co.uk': '.superfi-cookie-info-wrapper', 'wallingtoncycles.com': '#ccPanel', 'osservatoriocalcioitaliano.it': '#dc-cnb-container', 'aprendemosjuntos.elpais.com': '#cookies', 'lingea.sk': '.lck-wrapper', 'korium.hr': '.rstboxes', 'simonly.nl': '#cookies', 'ray-ban.com': '.wcs-top-message-container', 'happywithyoga.com': '.cookie, .cookies', 'greencity.de': '.cnwrap', 'lafotelektronik.com': 'div[id$="cookiesInfo"]', 'casadelloscaffale.com': 'body > div[class][id]', 'skygroup.sky': '.corporate-notice-banner', 'zonky.cz': 'body > .ember-view > footer + div', 'placelibertine.com': '.cookieText', 'gigabyte.com.tr': '#policy-div', 'tim.it': '#privacy_disclaimer', 'plaques-immatriculation.info': '#cookies', 'lottosurprise.be': '._cookies-cookie', 'lekiosk.com': 'btb-app > banner', 'archea.fr': '#cookie_stuff', 'ics-packaging.it': '#overbox3', 'agendadigitale.eu': '.accetta-container', 'oksofas.es': '.jCookie', 'tierfans.net': '#privacy', 'mescommercantsdugrandhainaut.com': '#divacacher', 'winteroutlet.ro': '#haveCookie', 'dnelectronic.com': '#ctl00_ley', 'brennernordzulauf.eu': '#CKC', 'rcdespanyol.com': '#overbox3', 'muenchen-heilpraktiker-psychotherapie.de': '.jtci-block', 'swiggle.org.uk': '#slide-out-div', 'sinonimosonline.com': '.clm', 'eibtron.com': '.dijitDialog, .dijitDialogUnderlayWrapper', 'wmeentertainment.com': '.notification', 'ttunited.com': 'div[id$="FrameHolder"] > iframe', 'accenture.com': '.cookie-nav', 'dasinvestment.com': '#acceptUserExperience', 'powershop.co.uk': '#cookies', 'conbici.org': '.rcc-panel', 'basketzone.pl': '#polityka, .polityka', 'tc-helicon.com': '.cv2-wrapper', 'vlajo.org': '#vlajoCookieLegalContainer', 'skiline.cc': '.cookie, .cookies', 'renaultkatowice.pl': '.fixedInfo', 'paulcamper.de': 'div[class^="cookieBanner"]', 'prezdravie.sk': '#cookies', 'assuronline.com': '.bottom_cookie', 'vespa-forum.at': '#dkmcookie', 'fontfreak.com': '#sticky-popup', 'capitalinn.it': '#divPrivacy', 'youinvest.org': '#Lab0cookie_pres', 'ekobiuro24.pl': '#popup', 'coopmaster.it': '#h-navbar', 'labelleadresse.com': '._cd', 'electraplus.si': '.ndp-panel', 'paperflies.com': '#content > div[data-reactroot] > div > div[class]', 'gramwzielone.pl': '#gwz-cookies', 'netweber.pl': '.flash-info', 'bookgig.com': 'div[class^="__alertCookies"]', 'romet.pl': '.top-msg', 'alltube.pl': '#cookies', 'recepty.cz': 'body > div:not([id]):not([class])', 'shop.ticketpro.cz': 'body > div:not([id]):not([class])', 'seat.dk': '.notify-bar', 'seat.mpr.gob.es': '#epd', 'devex.com': '#alerts-container', 'legalandgeneral.com': '#st_box', 'szegedvaros.hu': '#footer', 'newnownext.com': '#balaMainContainer', 'emerson.com': 'div[class$="global-cookie-notification"]', 'ridi-group.com': '.occ-inline', 'santucciservice.it': 'body > div:not([id]):not([class])', 'motorola.co.uk': '#Privacy_banner', 'fdjesport.fr': '.fdj__footer', 'geemba.net': '#BODY > .window.container', 'gigant.pl': '#cookie_txt', 'softwareag.com': '#blanket, #popUpDiv', 'mariskalrock.com': '.pcookies', 'sapo.cv': '.bsu-v2-ntfs', 'meblemagnat.pl': 'body > div:not([id]):not([class])', 'libra.com.pl': '#under_footer', 'budapestpark.hu': '#cooker_container', 'lepavelillois.com': '#stickyHeader', 'win3x.org': 'body > div:not([id]):not([class])', 'breaking-news.it': '#cookies', 'greta.shop': '#paragraph_cookie', 'jpgames.de': '#ingameCookie', 'lataamo.akuankka.fi': '.cc_container', 'akuankka.fi': '.cb-container', 'ligna.de': '.user-notes-notification', 'francja.goal.pl': '#viewCookies, #viewCookiesClose', 'ammersee-blick.com': '#d-notification-bar', 'rockthetraveller.com': '.pie_cookie', 'callcredit.co.uk': '.cookie, .cookies', 'tntdrama.com': '#toast-container', 'znak.pl': 'body > div:not([id]):not([class])', 'ffsa.org': '#DeltaPageStatusBar', 'redmenta.com': '.infobar', 'vw-aalborg.dk': '.notify-bar', 'dambros.it': '#dambros-data', 'betsafe.ee': '#MsgAreaBottom', 'bcn.cat': '#bcn-ccwr', 'yer.nl': '.headerCookie', 'dungeondice.it': '.st_notification_wrap', 'sharpspixley.com': '.otpOut', 'keolis.nl': '.alert, #alert', 'bison.be': '#message, .message', 'sklep.vertus.com.pl': '#simple-modal, #simple-modal-overlay', 'warrantydirect.co.uk': '#consent', 'ucando.pl': 'notifications', 'midparts.com.pl': '#simple-modal, #simple-modal-overlay', 'velenje.com': 'td.style5 > table', 'discountbabyequip.co.uk': '.notify', 'passvigo.vigo.org': '#cookies', 'woottontyresltd.co.uk': '#d-notification-bar', 'woodcleaningservices.co.uk': '#d-notification-bar', 'bb-promotion.com': '#sf_fb_retargeting', 'lizipaina.es': '#additional', 'numismatica.land63.com': 'body > div:not([id]):not([class])', 'abchomeopathy.com': '#cookieQ', 'almhof.nl': '.cm.container', 'overdrive.com': '.js-toaster', 'schwedisch-translator.de': '#hinweise', 'kundalini.it': '#toast-container', 'nationaalcomputerforum.nl': '.notices', 'record.com.mx': '#zone-user-wrapper', '420tv.com': '#appBarHeaderContainer', 'geberit.com': '.page-hint-box', 'glovoapp.com': '.down-banner', 'megajatek.hu': '#app-container > div[data-reactroot] > div:not([data-reactid])', 'drupalet.com': '#modalCookies', 'orgasmatrix.com': '#cookies', 'starbt.ro': '.ava_2.display', 'joe.pl': '#j_all > div[style]', 'lifeofvinyl.com': '#msgBox', 'gbif.org': '#termsOfUse', 'topskwlfilter.at': '#granola', 'dtdplasteringandremedials.co.uk': '#d-notification-bar', 'kolbi.pl': 'body > div:not([id]):not([class])', 'kodi-forum.nl': '.notices', 'clinique.com': '#bt_notification', 'oatly.com': '#cookies', 'atlantis-travel.eu': '#ook', 'poundshop.com': '#top-promo', 'bakker.com': 'body > footer', 'nordseecamping.de': '#SITE_ROOT ~ .siteAspectsContainer', 'animationsource.org': '#cprv', 'catwalker.hu': '#CWCookie', 'bouwmaat.nl': '#cookies', 'jjfoodservice.com': 'proto-orderpad > div[style*="fixed"]', 'jman.tv': '#ActionBar', 'klebetape.de': '#keksdose', 'dragonpass.com.cn': '.indexCookies', 'pressreader.com': '#snackbar-container', 'denovali.com': '#growls2', 'jazzwruinach.pl': '#info-window', 'aktivo.nl': '#epd', 'pila.pl': 'body > div:not([id]):not([class])', 'spectrumled.pl': '#privacy', 'mijnleninginzicht.nl': 'body > div:not([id]):not([class])', 'befsztyk.pl': '#notice_bar', 'herz-lungen-praxis-ebersberg.de': 'section[data-module="cookies"]', 'pommiers.com': 'body > center > div', 'werkenbijdriessen.nl': '#notification', 'teamgaki.com': '#icc_message', 'homepay.pl': '#cookies', 'decathlon.cz': '#container-screen', 'gametwist.com': '#message, .message', 'telecinco.es': 'div[class^="cookiesAlert"]', 'brennenstuhl.com': '.privacy-notice', 'geberit.it': '.page-hint-box', 'danstonchat.com': '.cls-cookie', 'mrmen.com': '#mrmen-cookies', 'meridionews.it': '.leaderboard', 'raritysoft.com': '.bootstrap-growl', 'inqnable.es': '#kgc-consent', 'perios.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'intersurgical.de': '#ccPopup', 'korekt-bg.com': '.rcc-panel', 'handelsbanken.co.uk': '#white_layer', 'fettspielen.de': '#cwarn', 'londynek.net': '#ldnk-cookie', 'bilkom.pl': '#cookies', 'mkik.hu': '#alert-box', 'irisopenpayslips.co.uk': '#outerdiv', 'tashenti.pl': '#topInfoContainer0, #topInfoContainer1, #topInfoContainer1Mask, #top_info, .top_info', 'lankes-zirndorf.de': '#infobar', 'sportpartner-boerse.com': '#DC', 'weber-beamix.nl': '.flash-info', 'led-flash.fr': '#eocookie', 'epidemicsound.com': 'div[class^="___Warnings__bar"]', 'radiofreccia.it': '.off-canvas-content > div[style]', 'rogosport.si': '#biscuits', 'rgbdruk.pl': '#message-bar', 'treningspartner.no': '.top > .container > .sd-surface > .sd-object-if', 'ufopedia.it': '#PrivacyPolicyBar', 'grafcan.es': '#divConsent', 'digitalagencynetwork.com': '#popupDiv', 'leoexpress.com': '.js-footer + div', 'tech.wp.pl': '#app > div > table > tbody > tr + tr > td > span', 'cuatro.com': 'div[class^="cookiesAlert"]', 'odbojka.si': '#footer_message', 'luxplus.dk': '#lp-euc', 'aandelencheck.be': '#site-alert-container', 'ulsterbank.ie': '.cookie, .cookies', 'orthomol.com': '.alert-box', 'kunstnet.de': '#consent', 'thescore.com': 'div[class^="PrivacyPolicyPopup"]', 't-mobile.pl': '#cookies', 'listesdemots.net': '#cd', 'casino.dk': '#MsgAreaBottom', 'laligue.be': '.bottom_message', 'camp-firefox.de': '#storage-notice', 'frankonia.de': '.fr-c-message-wrap', 'nouvelobs.com': '.obs_cnil', 'ultimaker.com': '.preferences-bar', 'kamzakrasou.sk': '.cookie-row', 'malwaretips.com': '.notices', 'eventbrite.co.uk': '.eds-notification-bar', 'tribunasalamanca.com': '#cookies', 'kurspisania.pl': '.cookie, .cookies', 'angolotesti.it': '#cookies', 'large.nl': '.notification-box-bottom', 'erkrath.de': '.tracking-box-wrap', 'active-traveller.com': '#mixcookies', 'tediber.com': '#cnil, .cnil, #CNIL', 'tpn.pl': '#cookies', 'member.europe.yamaha.com': '.alert, #alert', 'aboutyou.pl': '#app > section div[class^="footer"] ~ div[class^="container"]', 'graze.com': '#graze-cookie-message', 'northroadtimber.com': '#d-notification-bar', 'lidlplus.dk': '.lp-cookies', 'friendsoftheearth.uk': '#foe_cookienotice_wrapper', 'theatrechampselysees.fr': '.notice', 'brillen.de': '.main-cookie-title', 'weekday.com': '.m-error-banner', 'drweb.fr': '#ShowIt', 'dandomain.dk': '.no-cookie-wrapper', 'fondationcartier.com': '.c-policy', 'elster-americanmeter.com': '.topRibbon', 'mutua.es': '#cookies', 'contrapunto-fbbva.es': '.cookies-label', 'icq.com': '.ca_wrap', 'auxoriginesdugout.fr': '.spu-box', 'france-cadenas.fr': '#cookie_legal', 'nautiljon.com': '#cmsg', 'protys.fr': '#cookies', 'tv.nu': '#page-wrapper + div[class]', 'epictv.com': '.epic-cookie-banner', 'hankkija.fi': '#divVVL', 'smorgasbord.com': '.alert, #alert', 'schultz-kalecher.dk': '.cookieoptions', 'valdorciasenese.com': '#privacy-alert', 'radiosendungen.com': '#eubanner', 'brinta.nl': 'body > div:not([id]):not([class])', 'portal.dsv.com': '#privacy', 'camping-notredame.com': '.ays-front-message', 'mediatheque.chatillon-sur-indre.fr': '#info_message', 'belm.fr': '#cnil, .cnil, #CNIL', '1mot.net': '#cp', 'pantamera.nu': '#cookie-list', 'mspy.it': '#infoToolbar', 'janatuerlich.at': '.cookie, .cookies', 'frei-wild.net': '#privacyAnnouncement', 'madhumanshow.com': '#SITE_ROOT ~ .siteAspectsContainer', 'zwischengas.com': '.datafooter', 'pensioenschoonmaak.nl': '#cwet', 'mzkjastrzebie.com': '.JSWrapper', 'e-mediatheque.sqy.fr': '#info_message', 'mamabartka.blogspot.com': '#pierwszy', 'haier.com': '.swiper-slide-img-txt', 'musikki.com': '.status-cookies', 'wolkyshop.co.uk': '#wolkyshopCookieBar', 'apmg-international.com': '.status-messages', 'nobistex.com': '#sw_cookies', 'leboisfae.com': '#SITE_ROOT ~ .siteAspectsContainer', 'allianz-reiseversicherung.de': '.region-disclaimer', 'sucredorge.com': '#cnil, .cnil, #CNIL', 'grezzo.de': 'body > div[style]', 'mailplanet.it': '#discl', 'fabled.com': '.alert, #alert', 'pl.dmgmori.com': '#cookies', 'vergelijk.be': 'div[data-rendering-area="dialogs"] > div > div > div[data-bind*="PopupBehavior"]:not([data-role])', 'ubs.com': '#colorbox, #cboxOverlay', 'citybee.cz': '.cookies-rules', 'switchbay.com': '.ant-notification', 'u-emploi.com': '#cookies', 'depv.de': '#root > div > div:first-child[class]', 'gigabyte.ru': '#policy-div', 'szpitalkarowa.pl': '#cookies', 'artderkultur.de': '.fixed-note', 'oldrailwaylinegc.co.uk': '.notice-wrap', 'michael-mueller-verlag.de': '#coo_note', 'kanzlei-mueller-wuppertal.de': '#infobar', 'nfl.com': 'input[name="x-akamai-edgescape"] + div[style*="fixed"]', 'dedoimedo.com': '#ccc', 'weerg.com': '#blultpdfbanner', 'nowaelektro.pl': 'body > div:not([id]):not([class])', 'traum-pizza.de': '#gc_message_bar_open, #gc_message_bar', 'justgoride.co.uk': '#notifications', 'newsbelow.de': '.flash', 'baracuta.com': '.firstvisit', 'spox.com': '.spxcib.open', 'chinamobilemag.de': '#system-message', 'borgerforslag.dk': '.site--content > div[id] > section[style*="transform"]', 'atresplayer.com': '#root > div > footer + div', 'roncadin.it': '.cookie, .cookies', 'itv.com': '.site__alert', 'anacom.pt': '#cookieDiv', 'paginasamarillas.es': '#m-notification--bottom', 'kaspersky.com': '.notification-bar.bottom, #banner-region', 'spartanien.de': '.cookie, .cookies', 'adtorpedo66.es': '#laputapolitica', 'tcxboots.com': '.main-copy', 'bm.lv': '.cookie-txt', 'support.kaspersky.com': 'body > div:not([id]):not([class])', 'majsterki.pl': '#cookies', 'tempmailaddress.com': '.navbar-fixed-bottom', 'thegadgetflow.com': '.gfl-widget-gdpr-wrap', 'location.leclerc': '.cookie, .cookies', 'redditinc.com': '.cookie, .cookies', 'deutscher-fenstershop.de': '.rule_assept', 'restplatzboerse.at': '#rpb_cookie-banner', 'cer-eau.fr': '#cookies', 'stockwatch.pl': '.cppa', 'autorai.nl': '#cookies', 'dalendo.com': '.dr-footer-fixed-bar', 'engelvoelkers.com': '#ev-cookieText', 'bally.fr': '.first-visit-banner', 'uswitch.com': '#us-cookies', 'formula1.com': 'div[class*="cookie-banner"]', 'drivetribe.com': '#root > div[class][style]', 'cv.lt': '.cookies-wr', 'heroesneverdie.com': '#chorus_notifiations', 'klaxoon.com': '.cookie, .cookies', 'elfuturoesapasionante.elpais.com': '#cookies', 'columnacero.com': '#overbox3', 'hoyavision.com': '.notification-wrapper', 'essential.com': '#footerNotice', 'muji.eu': '#cokbar', 'phonehouse.pt': '#cookies', 'ranorex.com': '#rx-cookie-wrapper', '9bis.net': 'body > div[style*="width"]', 'bpp.com': '#consentDiv', 'szyszunia.com': 'body > center', 'mobidrome.com': '.mobidrome-websiteStatisticsOptBox', 'jaguar.com': '.notification__container.is--active', 'minilover.be': '#cookies', 'bussgeldkatalog.org': '.legalAdvice', 'leaderdrive.fr': '.base-cookies', 'abt-sportsline.de': '.abt-cookieNotification', 'blende-und-zeit.sirutor-und-compur.de': '#hinweise', 'transportfever.net': '.popupBase.notification', 'acorianooriental.pt': '.allow-cookies', 'tinder.com': '#content > .Expand > span > .App > svg + div', 'dobbies.com': '#dobbies_cookie_widget', 'wattsindustries.nl': '#header1_overlay2', 'digi-film.ro': '#sticky-popup', 'namemc.com': '.alert-warning', 'manche.fr': '.cmHeaderTop', 're.public.polimi.it': '#jGrowl', 'azurewebsites.net': '#legal-info', 'passware.com': '.notifino', 'fitnessvoordeelpas.be': '.cb-modal', 'najdise.cz': '.cc_container', 'bss-sichelstiel.de': '.fixed-note', 'akf-shop.de': '.akf__cookie', 'zmotor.it': '#bannerC', '4thoffice.com': '#cookies', 'beeoffice.com': '#info', 'gruppodimensione.com': '.floatFooter', 'md5hashing.net': '.panel-footer.pp-footer', 'lanidor.com': '#divCookiesF', 'sacoorbrothers.com': '.legal-warning', 'bletchleypark.org.uk': 'main.relative > div > div', 'jom.pt': '#cookies', 'fullspeedahead.com': '#toast', 'ultimate-guitar.com': 'body > div:not([id]):not([class])', 'motuk.com': '#csent10', 'sotec-consulting.com': '.toast-container', 'gospodarkamorska.pl': '#fr3ex-cookiewarning', 'tvnotas.com.mx': '#zone-headertwo-wrapper', 'shetland.gov.uk': 'body > .container > span', 'toscana-notizie.it': '#banner-overlay-top-page', 'hspdat.to': '.notices', 'tripping.com': '.navbar__banner', 'coinbase.com': 'div[class^="CookieWarning__Container"]', 'rustimation.eu': 'body > p', 'minitokyo.net': 'body > div:not([id]):not([class])', 'na-kd.com': '#container > div > div:not([class])', 'bekohu.com': '.sayfaIcDiv > .row300', 'whoismocca.com': '#main-bottom-bar', 'metroservices.it': '#privacy', 'szybkopraca.pl': '#toast-container', 'ashtangayogaantibes.com': '#stickyHeader', 'stadt-bremerhaven.de': '.bst-panel-fixed', 'armorgames.com': '#cc-alert', 'edx.org': '.edx-cookie-banner-wrapper', 'johnlewisbroadband.com': '.cf__main-block', 'hrs.de': '.hrs-cookiebanner', '1000dokumente.de': '#bscookie', 'aalst.be': '.footer-notification', 'fidelidade.pt': '#cookies', 'multicare.pt': '#cookies', 'nytimes.com': '.shown.expanded', 'sklepkoszykarza.pl': 'body > div:not([id]):not([class])', 'dutchcarparts.nl': '.cookie, .cookies', 'vr.fi': '.infoMessages', 'indiatimes.com': '.du_consent', 'apparata.nl': '#ab_main_nav_container + div[class^="app_"] > div[class^="popup_"]', 'sz-online.de': '#szoCookieBar', 'tindie.com': '#tindie_cookie_alert', 'idea-bank.ro': '.notification', 'easeus.com': '.usernotice_pop', 'lebrassageestunerichesse.fr': '#root > div:not([id])', 'pcx.hu': '.cell[data-comp-name="cookie"], .cell[data-comp-name="cookie"] + div[style], .cell[data-comp-name="cookie"] ~ #popup', 'helloclue.com': '#root > footer + section', 'canadianoutages.com': '#overlay.container', 'boxtal.com': '#privacy', 'benefit-fitness.de': '.bst-panel-fixed', 'plus.net': '.cf', 'sportal.de': '#dgsvoLayer', 'parczoologiquedeparis.fr': '.bloc-notifications-bottom', 'clubcard.cz': '.ucks', 'antyweb.pl': '#privacy', 'abload.de': '#cookies', 'bolagsverket.se': 'body > div:not([id]):not([class])', 'skat-spielen.de': '#cookieTest', 'dogma-exclusive.com': '#notice', 'debbonaire.co.uk': '#disclaimer', 'teltarif.de': '.ttconsent', 'reddit.com': '.infobar-toaster-container, #SHORTCUT_FOCUSABLE_DIV > div > div:not([class]):not([id]) > div[class] > form', 'incomediary.com': '#cookies', 'muszynianka.pl': '.cookie, .cookies', 'atgtickets.com': '#atgcookies-container', 'doctorwho.tv': 'body > iframe', 'setafika.hu': '#popup_bottom', 'chilly.domains': '#chilly-cookie-accept', 'pie.camcom.it': '#cookieDiv', 'narodowy.pl': '#cookies', 'auto5.be': '#privacy', 'orf.at': '.oon-ds-banner', 'aftonbladet.se': '.outerContainer[role="alertdialog"]', 'forum.valka.cz': '.alert, #alert', 'explicite.info': '.subscription-banner.privacy', 'zerauto.nl': '#cookies', 'speedtestcustom.com': '.stc-wrapper > div[style]', 'mi.com': '.top-notify', 'kissonline.com': '#consent-slide', 'webfail.com': '#wfPrivacyNotice', 'cassaforense.it': '#cassaforense-cookies', 'ueltje.de': '.ueltje-cookie-accept', 'clinique-veterinaire.fr': '.alert, #alert', 'polimarky.pl': '.navbar-fixed-bottom', 'hareskovskole.dk': '#jGrowl', 'pabo.nl': '.disclaimer_wrapper', 'express.co.uk': '#cmp-container-id', 'weerplaza.nl': 'body > div:not([id]):not([class])', 'lily.fi': 'body > div:not([id]):not([class])', 'dashlane.com': '.js-privacy-module', 'playstation.com': '#privacy-header', 'weersvoorspelling.nl': 'body > div:not([id]):not([class])', 'net.hr': '.disclaimer', 'techadvisor.co.uk': 'body > div[style*="transparent"]', 'payback.de': '.stripe--fixed-bottom', 'openclassrooms.com': '#showDisclaimer', 'ampparit.com': '.ticker_cookie', 'ulule.com': '.b-cookie', 'unitymedia.de': 'body > div:not([id]):not([class])', 'machcomedyfest.co.uk': '.wander-cookie', 'altium.com': '.altium-privacy-bar', 'regielive.ro': '#sc-alert-box-wrapper', 'pricerunner.dk': '#page-footer + div', 'livesmarter.pl': '#rodo', 'all-bikes.fr': '#ocw_conteneur', 'check24.de': '.c24-cookie', 'tennisteam.forumattivo.com': '.conteneur_minwidth_IE ~ div', 'ghostery.com': '.piwik-notice-container', 'webuy.com': '.cookies_div', 'pcgames.de': '.dataPrivacyOverlay', 'funpot.net': '#message, .message', 'cinemagia.ro': '#cp-overlay', 'jumbo.com': '.jum-warnings', 'telegram.hr': '.disclaimer', 'verivox.de': '#gdprVxConsentBar', 'cdon.se': '#ccc', 'tetrisfriends.com': '.iziToast-wrapper', 'etsy.com': '.ui-toolkit[data-etsy-promo-banner]', 'irisnet.be': '#cookieIndicator', 'wikihow.it': '#gpdr, #gdpr', 'ancestry.co.uk': '#BannerRegion', 'alarabiya.net': '#consent', 'pcgameshardware.de': '.dataPrivacyOverlay', 'netdyredoktor.dk': '.ct-popup', 'msi.com': '.privacy_popup', 'tenuser.com': '#rsp', 'pastebin.com': '#float-box-frame', 'fanbike.de': '.consent', 'bka.de': '#privacy', 'salzgitter-ag.com': '.sz-meta__cookies-wrap', 'optyczne.pl': '.w3-modal', 'nuevocaceres-sanfrancisco.es': '.index_cookies', 'calm.com': 'div[class*="GdprLightbox__Container"]', 'sunny-dessous.de': '.cookie_licence', 'rynekzdrowia.pl': '.rodo', '24mx.de': '.consent-wrapper', 'huffingtonpost.fr': '.popup-overlay', 'telering.at': '.uc-fab.uc-fab-open', 'dijaspora.online': '.cookie-uslovi', 'ecosia.org': '.js-notifications-banner', 'jobat.be': '.contract-sticky', 'ebaumsworld.com': 'div[id^="sp_message"]', 'jetbrains.com': '.jba-agreement-panel', 'tameteo.com': '#gpdr, #gdpr', 'expressen.se': '.terms-dialog', 'adac.de': '.m-basic-cookie', 'eu.aoc.com': '.country-popup', 'nbcnews.com': '.dy_bottom_notification', 'phonearena.com': '#cookies', 'tunein.com': '#innerAppContent > div[class*="violator__container"]', 'kaspersky.pt': '.notification-bar.bottom', 'cdon.dk': '#ccc', 'devexpress.com': '#wsMsgWnd[msgid="cookie-info"]', 'iex.nl': '.bcpNotificationBar', 'knowyourmeme.com': 'div[id^="sp_message"]', 'discogs.com': '.alert-message', 'vodafone.pt': '.cc-vdfcookies, #ck-dialog', 'verkkokauppa.com': '.vk-cookie-notification', 'grrif.ch': '#RGPD', 'betternet.co': '#AF_GDPR', 'amazon.com': '.mo-sitePriv', 'loggly.com': '.promotion', 'rtp.pt': '#rtpprivacycontent', 'jolla.com': '.rcc-panel', 'netdoctor.co.uk': '.policy-bar', 'digitalcombatsimulator.com': '#cookies', 'cheezburger.com': 'div[id^="sp_message"]', 'nginx.com': '#nx_gdpr_modal', 'dvdfab.cn': '.cookie-opa', 'der-lustige-modellbauer.com': '.conteneur_minwidth_IE ~ div', 'mt09.net': '.conteneur_minwidth_IE ~ div', 'wtatennis.com': '.wta-cookies-policy', 'verkeerplaza.nl': 'body > div:not([id]):not([class])', 'apkpure.com': '#policy-info', 'mnb.hu': '.popupDialog', 'nautic-way.com': '#toast-container, .toast-container, #toast, .toast', 'esug.dk': '#COOKIE', 'bringmeister.de': 'div[data-cy="cookiePopup"]', 'strava.com': '#stravaCookieBanner', 'userstyles.org': '.NotificationLine', 'grammarly.com': 'div[class*="gdpr_notification-container"]', 'dirk.nl': '.cookie, .cookies', 'filmweb.pl': '.boardsWrapper', 'eltiempo.es': '#privacy_bar, .curtain_lightbox', 'mabanque.bnpparibas': '.cookie, .cookies', 'xvideos.com': '#x-messages, #x-messages-btn', 'techniconnexion.com': '#fb-root ~ div', 'memrise.com': '#legal-modals, .modal-backdrop', 'newegg.com': '#popup_overlay, .centerPopup', 'webcamera.pl': '#rodo-modal', 'pkl.pl': '.popup-pkl', 'mercateo.com': '#header-popup-info', 'psychomedia.qc.ca': 'body > div:not([id]):not([class])', 'digi24.ro': '#gdpr, #gdpr-modal', 'choicefurnituresuperstore.co.uk': '.fixBar', 'magix.info': '.mgxCookieConsent', 'antena3.ro': '#gpdr, #gdpr', 'buffed.de': '.dataPrivacyOverlay', 'suunto.com': '#app-cookie', 'archdaily.com': '.kth-toast', 'autopista.es': '.cookie, .cookies', 'akamai.com': '.notification--warning', 'galeria-kaufhof.de': '.gk-stickymessage', 'flanco.ro': '#cc-wrapper', 'krautreporter.de': '.js-flash-messages-container', 'zoominfo.com': '.overlays', 'pizza.de': '.page-main > div', 'orcadian.co.uk': '.cd-container', 'boxer.se': 'div[class*="CookieBar"]', 'puppet.com': '.puppet-cookie-banner', 'wilko.com': '.cookie, .cookies', 'gadgetsnow.com': '.consent-popup', 'memsql.com': '#memsql-cookie-banner', 'refresher.sk': '.gdpr-panel', 'refresher.cz': '.gdpr-panel', 'opgevenisgeenoptie.nl': '.cbar-wrapper', 'optical-center.fr': '#cookieOk', 'tvnow.de': '.privacydetectionbar', 'idomix.de': '.bst-panel-fixed', 'xlmoto.fr': '.consent-wrapper', 'tempo.pt': '#gpdr, #gdpr', 'tameteo.nl': '#gpdr, #gdpr', 'usporedi.hr': '#privacyPolicyModal, .modal-backdrop', 'rtl.hr': '#top1_UpdatePanel3', 'skdd.hr': '.newsBottom', 'hrdlog.net': '#DivCookies', 'uni-tuebingen.de': '#privacy-background, #privacy-container', 'vodafone.cz': '.vf-gdpr-settings', 'acast.com': '.consent', 'urbia.de': '.layer-confirm-hard.banner.sticky', 'allekringloopwinkels.nl': '#modal-background, #modal-content', 'mercola.com': '.gdpr-container', 'netflixlovers.it': '#cs_container', 'toutcomment.com': '.consent', 'cfainstitute.org': '#privacyWarining, .alert-global-information', 'allekabels.nl': '.cookie, .cookies', 'mercedes-benz.de': '.notificationbox__base', 'pricerunner.se': '#page-footer ~ div', 'blau.de': 'app-banner5', 'hs-emden-leer.de': '#zwcc, #zwcc-spc', 'elisa.fi': '.elisa-navi-cookie-and-consent-disclaimer', 'enbw.com': '.popin, .js-cc-announcement', 'iiyama.com': '.infobar-message', 'denizen.io': '.cc-container', 'avaaz.org': '.gdpr-block-cookies, .gdpr-block-privacy', 'tellows.de': '#cookies', 'blocket.se': '#ufti, #ufti-bg', 'visualcomposer.io': '.top-message', 'ecs.com.tw': '#policy-div', 'chilloutzone.net': '#cozConsentNugget', 'supercell.com': '.bs-site-alert', 'model-kartei.de': '.cookie, .cookies', 'themaven.net': '.consent-ui', 'wikihow.tech': '#gpdr, #gdpr', 'coop.se': '.js-personalInformationNotice', 'broadcom.com': '.ribbon-wrapper', 'technischeunie.nl': '#footer-slideup-highlight-banner', 'efox-shop.com': '.cookie-tip-bg', 'k-booster.com': 'div[data-borlabs-cookie-wrap]', 'codementor.io': '.consent', 'brain.fm': 'div[class*="modules-core-css-CookiePopup"]', 'farmprogressamerica.com': '#icegram_messages_container', 'cryptokitties.co': '.BottomBanner', 'tiempo.com': '#gpdr, #gdpr', 'telia.ee': '.header__notice', 'giphy.com': 'div[class*="flash-message__MessageWrapper"]', 'wikihow.com': '#gpdr, #gdpr', 'trustradius.com': '.notification-banner-footer', 'partauto.fr': '#cnil, .cnil, #CNIL', 'toy-versand.com': '#coe_cookies_container, #coe_cookies_placeholder', 'logitech.com': '.cForum_Footer', 'jdvhotels.com': '#ccs-notification', 'delock.de': '#cookie_private', 'neoprofs.org': '#page-footer ~ div', 'myfanbase.de': '#gdpr-consent', 'milanofinanza.it': '#cl_modal', 'cinemania.elmundo.es': '.cookie, .cookies', 'allrecipes.com': '#privacyNotification', 'classic-trader.com': '#jGrowl', 'forumactif.org': '.conteneur_minwidth_IE ~ div', 'soompi.com': '#gdpr-root', 'info-retraite.fr': '.cookie, .cookies', 'thomsonreuters.com': '.dismissible-banner, .pl_announcements', 'store.hmv.com': '.cookie, .cookies', 'trafikverket.se': '#ctl00_Content_EmptyPage_CoockieInformation_CookieContainer', 'gamigo.com': '#gamigoCookie', 'schmucks-restauration.de': '#d-notification-bar', 'openweathermap.org': '#stick-footer-panel', 'starressa.com': '#modal-home', 'axminster.co.uk': '.axmcookie-notice-conatiner', 'dietenlijst.nl': '#cooMessage, #loading', 'rapidssl.com': '#toolbar', 'perforce.com': '.EUc', 'telsu.fi': '.cookie, .cookies', 'otouczelnie.pl': '.cookie, .cookies', 'detektor.fm': '.stb-container.stb-top-right-container', 'quag.com': '#gpdr, #gdpr', 'siropsport.fr': '.analytics', 'kafelanka.cz': '.cookie, .cookies', 'dasoertliche.de': '.sticky_cookie', 'easyeda.com': '.priv-tips', 'pokemongolive.com': '.nl-cpb', 'bw-online-shop.com': '.modal-mask-class.show-modal', 'meteored.pe': '#gpdr, #gdpr', 'playtech.ro': '#gdpr_consent', 'freemake.com': '#bottombar', 'planeteanimal.com': '.consent', 'estjob.com': '.cookie, .cookies', 't-mobile.at': 'app-banner7', 'tsb.co.uk': '#cookies'} return rules def getproviders(): providers = ['https://consent.trustarc.com/asset/notice.js/v/1.9', 'https://static.quantcast.mgr.consensu.org/v3/cmpui-banner.js', 'https://static.quantcast.mgr.consensu.org/cmpui-popup.js', 'https://b.bostonglobemedia.com/plugin/plugin/*', 'https://cdn.lrworld.com/fileadmin/lrcore/system/templates/js/cookiecontrol_js.js*', 'https://geolocation.onetrust.com/cookieconsentpub/v1/geo/countries/EU*', 'https://cdnjs.cloudflare.com/ajax/libs/cookieconsent2/3.0.3/cookieconsent.min.js*', 'http://estaticos.cookies.unidadeditorial.es/js/policy_v3.js*', 'https://s.yimg.com/oa/guce.js', 'https://slot1-images.wikia.nocookie.net/__am/7010027010012/groups/-/abtesting,oasis_blocking,universal_analytics_js,adengine2_top_js,adengine2_a9_js,adengine2_pr3b1d_js,tracking_opt_in_js,qualaroo_blocking_js', 'https://consent.cmp.oath.com/cmp3p.js', 'https://quantcast.mgr.consensu.org/*.js', 'https://www.barcelo.com/assets/js/components/dynamic_user_html.js?=*'] return providers
messages = { '2021-03-18':"<b>@all</b>, Comment reviewers for next week are- Rahul and Rohan J." , '2021-03-26':"<b>@all</b>, Comment reviewers for next week are- Akkul and Rohan D.", '2021-04-01':"<b>@all</b>, Comment reviewers for next week are- Annapoorani and Shivahari.", '2021-04-08':"<b>@all</b>, Comment reviewers for next week are- Rohan J. and Drishya.", '2021-04-15':"<b>@all</b>, Comment reviewers for next week are- Rohini and Raghava.", '2021-04-22':"<b>@all</b>, Comment reviewers for next week are- Avinash and Rahul.", '2021-04-29':"<b>@all</b>, Comment reviewers for next week are- Mohan and Nilaya.", '2021-05-06':"<b>@all</b>, Comment reviewers for next week are- Smitha and Preedhi.", '2021-05-13':"<b>@all</b>, Comment reviewers for next week are- Rohan D. and Drishya.", '2021-05-20':"<b>@all</b>, Comment reviewers for next week are- Rohini and Sravanti.", '2021-05-27':"<b>@all</b>, Comment reviewers for next week are- Indira and Raghava.", '2021-06-03':"<b>@all</b>, Comment reviewers for next week are- Annapoorani and Rohan J.", '2021-06-10':"<b>@all</b>, Comment reviewers for next week are- Shivahari and Akkul.", '2021-06-17':"<b>@all</b>, Comment reviewers for next week are- Avinash and Nilaya.", '2021-06-24':"<b>@all</b>, Comment reviewers for next week are- Smitha and Rohan J.", '2021-07-01':"<b>@all</b>, Comment reviewers for next week are- Rohini and Preedhi.", '2021-07-08':"<b>@all</b>, Comment reviewers for next week are- Rohan D. and Mohan.", '2021-07-15':"<b>@all</b>, Comment reviewers for next week are- Drishya and Raghava.", '2021-07-22':"<b>@all</b>, Comment reviewers for next week are- Shivahari and Rahul.", '2021-07-29':"<b>@all</b>, Comment reviewers for next week are- Indira and Sravanti.", '2021-08-05':"<b>@all</b>, Comment reviewers for next week are- Annapoorani and Akkul.", }
messages = {'2021-03-18': '<b>@all</b>, Comment reviewers for next week are- Rahul and Rohan J.', '2021-03-26': '<b>@all</b>, Comment reviewers for next week are- Akkul and Rohan D.', '2021-04-01': '<b>@all</b>, Comment reviewers for next week are- Annapoorani and Shivahari.', '2021-04-08': '<b>@all</b>, Comment reviewers for next week are- Rohan J. and Drishya.', '2021-04-15': '<b>@all</b>, Comment reviewers for next week are- Rohini and Raghava.', '2021-04-22': '<b>@all</b>, Comment reviewers for next week are- Avinash and Rahul.', '2021-04-29': '<b>@all</b>, Comment reviewers for next week are- Mohan and Nilaya.', '2021-05-06': '<b>@all</b>, Comment reviewers for next week are- Smitha and Preedhi.', '2021-05-13': '<b>@all</b>, Comment reviewers for next week are- Rohan D. and Drishya.', '2021-05-20': '<b>@all</b>, Comment reviewers for next week are- Rohini and Sravanti.', '2021-05-27': '<b>@all</b>, Comment reviewers for next week are- Indira and Raghava.', '2021-06-03': '<b>@all</b>, Comment reviewers for next week are- Annapoorani and Rohan J.', '2021-06-10': '<b>@all</b>, Comment reviewers for next week are- Shivahari and Akkul.', '2021-06-17': '<b>@all</b>, Comment reviewers for next week are- Avinash and Nilaya.', '2021-06-24': '<b>@all</b>, Comment reviewers for next week are- Smitha and Rohan J.', '2021-07-01': '<b>@all</b>, Comment reviewers for next week are- Rohini and Preedhi.', '2021-07-08': '<b>@all</b>, Comment reviewers for next week are- Rohan D. and Mohan.', '2021-07-15': '<b>@all</b>, Comment reviewers for next week are- Drishya and Raghava.', '2021-07-22': '<b>@all</b>, Comment reviewers for next week are- Shivahari and Rahul.', '2021-07-29': '<b>@all</b>, Comment reviewers for next week are- Indira and Sravanti.', '2021-08-05': '<b>@all</b>, Comment reviewers for next week are- Annapoorani and Akkul.'}
m1, d1 = map(int, input().split()) m2, d2 = map(int, input().split()) if m1 != m2: print(1) else: print(0)
(m1, d1) = map(int, input().split()) (m2, d2) = map(int, input().split()) if m1 != m2: print(1) else: print(0)
# automatically generated by the FlatBuffers compiler, do not modify # namespace: MNN class BinaryOpOperation(object): ADD = 0 SUB = 1 MUL = 2 DIV = 3 MAX_TEMP = 4 MIN_TEMP = 5 POW = 6 REALDIV = 7 MINIMUM = 8 MAXIMUM = 9 GREATER = 10 GREATER_EQUAL = 11 LESS = 12 FLOORDIV = 13 SquaredDifference = 14 EQUAL = 15 LESS_EQUAL = 16 FLOORMOD = 17
class Binaryopoperation(object): add = 0 sub = 1 mul = 2 div = 3 max_temp = 4 min_temp = 5 pow = 6 realdiv = 7 minimum = 8 maximum = 9 greater = 10 greater_equal = 11 less = 12 floordiv = 13 squared_difference = 14 equal = 15 less_equal = 16 floormod = 17
class Pessoa: def __init__(self,nome,idade,cpf,salario): self.nome = nome self.idade = idade self.cpf = cpf self.salario = salario def Aumento(self): return self.salario *0.05 class Gerente(Pessoa): def __init__(self,nome,idade,cpf,salario,senha): super().__init__(nome,idade,cpf,salario) self.senha = senha def Aumento(self): return self.salario * 0.01 + 1000 p = Gerente('Fabio',25,41075570816,21000,456578) print(p.nome) print(p.idade) print(p.cpf) print(p.senha) print(p.salario) print(p.Aumento()) print('='*30) class Animal: def __init__(self,nome,raca,cor,peso,comportamento = True): self.nome = nome self.raca = raca self.cor = cor self.peso = peso self.comportamento = comportamento def Comportamento(self): if(self.comportamento == False): return self.peso + 500 print('Ta Gordo por sem ruim') class Pitbull(Animal): pass #def Comportamento(self): #return False dog = Pitbull('Luci','Pitbull','Preta',53,False) print(dog.nome) print(dog.raca) print(dog.cor) print(dog.peso) print(dog.Comportamento())
class Pessoa: def __init__(self, nome, idade, cpf, salario): self.nome = nome self.idade = idade self.cpf = cpf self.salario = salario def aumento(self): return self.salario * 0.05 class Gerente(Pessoa): def __init__(self, nome, idade, cpf, salario, senha): super().__init__(nome, idade, cpf, salario) self.senha = senha def aumento(self): return self.salario * 0.01 + 1000 p = gerente('Fabio', 25, 41075570816, 21000, 456578) print(p.nome) print(p.idade) print(p.cpf) print(p.senha) print(p.salario) print(p.Aumento()) print('=' * 30) class Animal: def __init__(self, nome, raca, cor, peso, comportamento=True): self.nome = nome self.raca = raca self.cor = cor self.peso = peso self.comportamento = comportamento def comportamento(self): if self.comportamento == False: return self.peso + 500 print('Ta Gordo por sem ruim') class Pitbull(Animal): pass dog = pitbull('Luci', 'Pitbull', 'Preta', 53, False) print(dog.nome) print(dog.raca) print(dog.cor) print(dog.peso) print(dog.Comportamento())
#Reverse the input array # input : {5,4,3,2,1} # output : {1,2,3,4,5} arr = list(map(int,input().split())) for i in range(len(arr)): arr.push(a[-1]) arr.remove(a[-1]) print(arr)
arr = list(map(int, input().split())) for i in range(len(arr)): arr.push(a[-1]) arr.remove(a[-1]) print(arr)
def mergesort(items): if len(items) <= 1: return items mid = len(items) // 2 left = items[:mid] right = items[mid:] left = mergesort(left) right = mergesort(right) return merge(left, right) def merge(left, right): merged = [] left_index = 0 right_index = 0 while left_index < len(left) and right_index < len(right): if left[left_index] > right[right_index]: merged.append(right[right_index]) right_index += 1 else: merged.append(left[left_index]) left_index += 1 merged += left[left_index:] merged += right[right_index:] return merged test_list_1 = [8, 3, 1, 7, 0, 10, 2] test_list_2 = [1, 0] test_list_3 = [97, 98, 99] print('{} to {}'.format(test_list_1, mergesort(test_list_1))) print('{} to {}'.format(test_list_2, mergesort(test_list_2))) print('{} to {}'.format(test_list_3, mergesort(test_list_3)))
def mergesort(items): if len(items) <= 1: return items mid = len(items) // 2 left = items[:mid] right = items[mid:] left = mergesort(left) right = mergesort(right) return merge(left, right) def merge(left, right): merged = [] left_index = 0 right_index = 0 while left_index < len(left) and right_index < len(right): if left[left_index] > right[right_index]: merged.append(right[right_index]) right_index += 1 else: merged.append(left[left_index]) left_index += 1 merged += left[left_index:] merged += right[right_index:] return merged test_list_1 = [8, 3, 1, 7, 0, 10, 2] test_list_2 = [1, 0] test_list_3 = [97, 98, 99] print('{} to {}'.format(test_list_1, mergesort(test_list_1))) print('{} to {}'.format(test_list_2, mergesort(test_list_2))) print('{} to {}'.format(test_list_3, mergesort(test_list_3)))
#Se crean los inputs rate = input("Enter Rate:") hrs = input("Enter Hours:") #Se toman los valores y se convierten en float ambos por que string y float no se pueden multiplicar directamente pay = float(rate) * float(hrs) #Se imprime el resultado de pay print("Pay:",pay)
rate = input('Enter Rate:') hrs = input('Enter Hours:') pay = float(rate) * float(hrs) print('Pay:', pay)
class response(): def __init__(self) -> None: self.num = 5 def call_result(self): return(self.num)
class Response: def __init__(self) -> None: self.num = 5 def call_result(self): return self.num
n = int(input()) if n == 7 or n == 5 or n== 3: print("YES") else: print("NO")
n = int(input()) if n == 7 or n == 5 or n == 3: print('YES') else: print('NO')
# Sample program illustrating programmer-defined functions # along with code that calls the functions # # The 'cube_root' function uses a 'return' statement. Its # only job is to calculate and "return" the cube root of a # number. It does not print anything. Notice that statements # that "call" the 'cube_root' function need to USE the value # returned. They can do this by a) saving it in a variable, # b) using it in a 'print' statement, or c) using the value in # ANY general expression. Imagine that the value returned by # the function REPLACES the function call wherever it occurs. # This is EXACTLY the same way you use built-in functions like # 'input()', 'abs()', 'round()', etc. # # The 'show_table' function does NOT use a 'return' statement. # It's job is to PRINT a table. Different functions may be # used in different ways. # # CSC 110 # Winter 2013 # The cube_root function calculates and RETURNS the cube root # of a number. If the value of 'x' is negative, a negative # real number is returned. def cube_root(x): if x < 0: result = -( (-x)**(1.0/3.0) ) else: result = x ** (1.0/3.0) return result # Main program def main(): print('Let\'s examine the cube roots of some numbers.\n') # CALL the function and save the value returned in a variable: num = 27 root = cube_root(num) # The ARGUMENT is a variable print('Cube root of ' + str(num) + ' is ' + format(root, '.1f')) root = cube_root(num + 98) # The argument is an expression print(root) # Use the function call directly in a 'print' statement: print('Cube root of ' + str(num) + ' is ' + format(cube_root(num), '.1f')) # Use multiple function calls in an expression: print('The answer is', cube_root(8) + cube_root(1000) / 2) print('The answer (rounded) is', round(cube_root(8) + cube_root(1000) / 2)) # Here is a table of some cube roots: print('\n n cube_root(n)') # print header row num = 8 print(format(num, '8.1f'), format(cube_root(num), '10.3f')) num = 31 print(format(num, '8.1f'), format(cube_root(num), '10.3f')) num = 1727 print(format(num, '8.1f'), format(cube_root(num), '10.3f')) num = 1728 print(format(num, '8.1f'), format(cube_root(num), '10.3f')) num = 1729 print(format(num, '8.1f'), format(cube_root(num), '10.3f')) # here is a table of cube roots print("using loop") x = [8,31,1727,1728,1729] for num in x: print(format(num, '8.1f'), format(cube_root(num), '10.3f')) # Here are a couple of longer tables: show_table(0, 1000, 10) show_table(42875, 1000000, 20) # This function shows a table of cube roots. # The first two parameters are the minimum and maximum values for 'n'. # The third parameter is the number of rows to show in the table. def show_table(minN, maxN, rows): # Calculate the step size. There are (rows - 1) intervals: step = (maxN - minN) / (rows - 1.0) print('\n n cube_root(n)') # print header row # Loop 'rows' times to print the rows in the table: for i in range(rows): n = minN + i * step # calculate the value of 'n' for row 'i' print(format(n, '12.3f'), format(cube_root(n), '8.3f')) # Run the program main()
def cube_root(x): if x < 0: result = -(-x) ** (1.0 / 3.0) else: result = x ** (1.0 / 3.0) return result def main(): print("Let's examine the cube roots of some numbers.\n") num = 27 root = cube_root(num) print('Cube root of ' + str(num) + ' is ' + format(root, '.1f')) root = cube_root(num + 98) print(root) print('Cube root of ' + str(num) + ' is ' + format(cube_root(num), '.1f')) print('The answer is', cube_root(8) + cube_root(1000) / 2) print('The answer (rounded) is', round(cube_root(8) + cube_root(1000) / 2)) print('\n n cube_root(n)') num = 8 print(format(num, '8.1f'), format(cube_root(num), '10.3f')) num = 31 print(format(num, '8.1f'), format(cube_root(num), '10.3f')) num = 1727 print(format(num, '8.1f'), format(cube_root(num), '10.3f')) num = 1728 print(format(num, '8.1f'), format(cube_root(num), '10.3f')) num = 1729 print(format(num, '8.1f'), format(cube_root(num), '10.3f')) print('using loop') x = [8, 31, 1727, 1728, 1729] for num in x: print(format(num, '8.1f'), format(cube_root(num), '10.3f')) show_table(0, 1000, 10) show_table(42875, 1000000, 20) def show_table(minN, maxN, rows): step = (maxN - minN) / (rows - 1.0) print('\n n cube_root(n)') for i in range(rows): n = minN + i * step print(format(n, '12.3f'), format(cube_root(n), '8.3f')) main()
class Node: def __init__(self, parent, rank=0, size=1): self.parent = parent self.rank = rank self.size = size def __repr__(self): return '(parent=%s, rank=%s, size=%s)' % (self.parent, self.rank, self.size) class Forest: def __init__(self, num_nodes): self.nodes = [Node(i) for i in range(num_nodes)] self.num_sets = num_nodes def size_of(self, i): return self.nodes[i].size def find(self, n): temp = n while temp != self.nodes[temp].parent: temp = self.nodes[temp].parent self.nodes[n].parent = temp return temp def merge(self, a, b): if self.nodes[a].rank > self.nodes[b].rank: self.nodes[b].parent = a self.nodes[a].size = self.nodes[a].size + self.nodes[b].size else: self.nodes[a].parent = b self.nodes[b].size = self.nodes[b].size + self.nodes[a].size if self.nodes[a].rank == self.nodes[b].rank: self.nodes[b].rank = self.nodes[b].rank + 1 self.num_sets = self.num_sets - 1 def print_nodes(self): for node in self.nodes: print(node) def create_edge(img, width, x, y, x1, y1, diff): vertex_id = lambda x, y: y * width + x w = diff(img, x, y, x1, y1) return (vertex_id(x, y), vertex_id(x1, y1), w) def build_graph(img, width, height, diff, neighborhood_8=False): graph_edges = [] for y in range(height): for x in range(width): if x > 0: graph_edges.append(create_edge(img, width, x, y, x - 1, y, diff)) if y > 0: graph_edges.append(create_edge(img, width, x, y, x, y - 1, diff)) if neighborhood_8: if x > 0 and y > 0: graph_edges.append(create_edge(img, width, x, y, x - 1, y - 1, diff)) if x > 0 and y < height - 1: graph_edges.append(create_edge(img, width, x, y, x - 1, y + 1, diff)) return graph_edges def remove_small_components(forest, graph, min_size): for edge in graph: a = forest.find(edge[0]) b = forest.find(edge[1]) if a != b and (forest.size_of(a) < min_size or forest.size_of(b) < min_size): forest.merge(a, b) return forest def segment_graph(graph_edges, num_nodes, const, min_size, threshold_func): # Step 1: initialization forest = Forest(num_nodes) weight = lambda edge: edge[2] sorted_graph = sorted(graph_edges, key=weight) threshold = [ threshold_func(1, const) for _ in range(num_nodes) ] # Step 2: merging for edge in sorted_graph: parent_a = forest.find(edge[0]) parent_b = forest.find(edge[1]) a_condition = weight(edge) <= threshold[parent_a] b_condition = weight(edge) <= threshold[parent_b] if parent_a != parent_b and a_condition and b_condition: forest.merge(parent_a, parent_b) a = forest.find(parent_a) threshold[a] = weight(edge) + threshold_func(forest.nodes[a].size, const) return remove_small_components(forest, sorted_graph, min_size)
class Node: def __init__(self, parent, rank=0, size=1): self.parent = parent self.rank = rank self.size = size def __repr__(self): return '(parent=%s, rank=%s, size=%s)' % (self.parent, self.rank, self.size) class Forest: def __init__(self, num_nodes): self.nodes = [node(i) for i in range(num_nodes)] self.num_sets = num_nodes def size_of(self, i): return self.nodes[i].size def find(self, n): temp = n while temp != self.nodes[temp].parent: temp = self.nodes[temp].parent self.nodes[n].parent = temp return temp def merge(self, a, b): if self.nodes[a].rank > self.nodes[b].rank: self.nodes[b].parent = a self.nodes[a].size = self.nodes[a].size + self.nodes[b].size else: self.nodes[a].parent = b self.nodes[b].size = self.nodes[b].size + self.nodes[a].size if self.nodes[a].rank == self.nodes[b].rank: self.nodes[b].rank = self.nodes[b].rank + 1 self.num_sets = self.num_sets - 1 def print_nodes(self): for node in self.nodes: print(node) def create_edge(img, width, x, y, x1, y1, diff): vertex_id = lambda x, y: y * width + x w = diff(img, x, y, x1, y1) return (vertex_id(x, y), vertex_id(x1, y1), w) def build_graph(img, width, height, diff, neighborhood_8=False): graph_edges = [] for y in range(height): for x in range(width): if x > 0: graph_edges.append(create_edge(img, width, x, y, x - 1, y, diff)) if y > 0: graph_edges.append(create_edge(img, width, x, y, x, y - 1, diff)) if neighborhood_8: if x > 0 and y > 0: graph_edges.append(create_edge(img, width, x, y, x - 1, y - 1, diff)) if x > 0 and y < height - 1: graph_edges.append(create_edge(img, width, x, y, x - 1, y + 1, diff)) return graph_edges def remove_small_components(forest, graph, min_size): for edge in graph: a = forest.find(edge[0]) b = forest.find(edge[1]) if a != b and (forest.size_of(a) < min_size or forest.size_of(b) < min_size): forest.merge(a, b) return forest def segment_graph(graph_edges, num_nodes, const, min_size, threshold_func): forest = forest(num_nodes) weight = lambda edge: edge[2] sorted_graph = sorted(graph_edges, key=weight) threshold = [threshold_func(1, const) for _ in range(num_nodes)] for edge in sorted_graph: parent_a = forest.find(edge[0]) parent_b = forest.find(edge[1]) a_condition = weight(edge) <= threshold[parent_a] b_condition = weight(edge) <= threshold[parent_b] if parent_a != parent_b and a_condition and b_condition: forest.merge(parent_a, parent_b) a = forest.find(parent_a) threshold[a] = weight(edge) + threshold_func(forest.nodes[a].size, const) return remove_small_components(forest, sorted_graph, min_size)
load("@rules_pmd//pmd:dependencies.bzl", "rules_pmd_dependencies") load("@bazelrio//:defs.bzl", "setup_bazelrio") load("@bazelrio//:deps.bzl", "setup_bazelrio_dependencies") def setup_dependencies(): rules_pmd_dependencies() setup_bazelrio_dependencies( toolchain_versions = "2022-1", wpilib_version = "2022.4.1", ni_version = "2022.4.0", opencv_version = "4.5.2-1", revlib_version = "2022.1.0", phoenix_version = "5.20.2", navx_version = "4.0.442", ) setup_bazelrio()
load('@rules_pmd//pmd:dependencies.bzl', 'rules_pmd_dependencies') load('@bazelrio//:defs.bzl', 'setup_bazelrio') load('@bazelrio//:deps.bzl', 'setup_bazelrio_dependencies') def setup_dependencies(): rules_pmd_dependencies() setup_bazelrio_dependencies(toolchain_versions='2022-1', wpilib_version='2022.4.1', ni_version='2022.4.0', opencv_version='4.5.2-1', revlib_version='2022.1.0', phoenix_version='5.20.2', navx_version='4.0.442') setup_bazelrio()
class Selectors(object): def setup_bot(self, settings, spec, items, extractors, logger): self.logger = logger self.selectors = {} # { template_id: { field_name: {..} } for template in spec['templates']: template_id = template.get('page_id') self.selectors[template_id] = template.get('selectors', {}) def process_item(self, item, response): template_id = item.get('_template', '') selectors = self.selectors.get(template_id) if not selectors: return for field, selector_data in selectors.items(): selector = selector_data['selector'] selector_type = selector_data['type'] if selector_type == 'css': result = response.css(selector).xpath('./text()').extract() elif selector_type == 'xpath': result = response.xpath(selector).extract() else: msg = 'Selector type not implemented: {}'.format(selector_type) raise Exception(msg) item[field] = ([item[field]] + result) if field in item else result __all__ = [Selectors]
class Selectors(object): def setup_bot(self, settings, spec, items, extractors, logger): self.logger = logger self.selectors = {} for template in spec['templates']: template_id = template.get('page_id') self.selectors[template_id] = template.get('selectors', {}) def process_item(self, item, response): template_id = item.get('_template', '') selectors = self.selectors.get(template_id) if not selectors: return for (field, selector_data) in selectors.items(): selector = selector_data['selector'] selector_type = selector_data['type'] if selector_type == 'css': result = response.css(selector).xpath('./text()').extract() elif selector_type == 'xpath': result = response.xpath(selector).extract() else: msg = 'Selector type not implemented: {}'.format(selector_type) raise exception(msg) item[field] = [item[field]] + result if field in item else result __all__ = [Selectors]
# Daniel Mc Callion # function yo takes one parameter def yo(a): return a * 2 # here we are calling the function yo # and are passingin an argument, 3 yo(3) # a. nothing no print but returns 6 # b. print(yo(3))
def yo(a): return a * 2 yo(3)
result = [0, 0, 0] diff = 22 for a in range(int(200/21.99) + 1): for b in range(int((200 - 21.99*a)//18.05)+1): c = int((200 - 21.99 * a - 18.05 * b)//15.99) + 1 if diff > (21.99 * a + 18.05 * b + 15.99 * c - 200): diff = 21.99 * a + 18.05 * b + 15.99 * c - 200 result = [a, b, c] print(result) print(diff)
result = [0, 0, 0] diff = 22 for a in range(int(200 / 21.99) + 1): for b in range(int((200 - 21.99 * a) // 18.05) + 1): c = int((200 - 21.99 * a - 18.05 * b) // 15.99) + 1 if diff > 21.99 * a + 18.05 * b + 15.99 * c - 200: diff = 21.99 * a + 18.05 * b + 15.99 * c - 200 result = [a, b, c] print(result) print(diff)
# question can be found on leetcode.com/problems/count-odd-numbers-in-an-interval-range/ class Solution: def countOdds(self, low: int, high: int) -> int: number = (high - low + 1) // 2 if low % 2 != 0 and high % 2 != 0: return number + 1 else: return number
class Solution: def count_odds(self, low: int, high: int) -> int: number = (high - low + 1) // 2 if low % 2 != 0 and high % 2 != 0: return number + 1 else: return number
# -*- coding: utf-8 -*- __all__ = [ 'BASE', 'LB', 'TOPOLOGY_MAP' ] BASE = { # can be overriden by a configuration file 'SHARED_MEM_HOSTNAME': '127.0.0.1', 'SHARED_MEM_STATE_TIMESTAMP_KEY': 'polaris_health:state_timestamp', 'SHARED_MEM_GENERIC_STATE_KEY': 'polaris_health:generic_state', 'SHARED_MEM_PPDNS_STATE_KEY': 'polaris_health:ppdns_state', 'SHARED_MEM_HEARTBEAT_KEY': 'polaris_health:heartbeat', 'SHARED_MEM_SERVER_MAX_VALUE_LENGTH': 1048576, 'SHARED_MEM_SOCKET_TIMEOUT': 0.5, 'NUM_PROBERS': 1, 'LOG_LEVEL': 'info', 'LOG_HANDLER': 'syslog', 'LOG_FILE': '/opt/polaris/logs/polaris-health.log', 'LOG_FILE_SIZE': '10000000', 'LOG_FILE_COUNT': '3', 'LOG_HOSTNAME': '127.0.0.1', 'LOG_PORT': 2222, # copied from POLARIS_INSTALL_PREFIX env when the configuration is loaded 'INSTALL_PREFIX': None, # hard set based on INSTALL_PREFIX 'PID_FILE': None, 'CONTROL_SOCKET_FILE': None, } LB = {} TOPOLOGY_MAP = {}
__all__ = ['BASE', 'LB', 'TOPOLOGY_MAP'] base = {'SHARED_MEM_HOSTNAME': '127.0.0.1', 'SHARED_MEM_STATE_TIMESTAMP_KEY': 'polaris_health:state_timestamp', 'SHARED_MEM_GENERIC_STATE_KEY': 'polaris_health:generic_state', 'SHARED_MEM_PPDNS_STATE_KEY': 'polaris_health:ppdns_state', 'SHARED_MEM_HEARTBEAT_KEY': 'polaris_health:heartbeat', 'SHARED_MEM_SERVER_MAX_VALUE_LENGTH': 1048576, 'SHARED_MEM_SOCKET_TIMEOUT': 0.5, 'NUM_PROBERS': 1, 'LOG_LEVEL': 'info', 'LOG_HANDLER': 'syslog', 'LOG_FILE': '/opt/polaris/logs/polaris-health.log', 'LOG_FILE_SIZE': '10000000', 'LOG_FILE_COUNT': '3', 'LOG_HOSTNAME': '127.0.0.1', 'LOG_PORT': 2222, 'INSTALL_PREFIX': None, 'PID_FILE': None, 'CONTROL_SOCKET_FILE': None} lb = {} topology_map = {}
def subtract(a,b): c=a-b return c def summate(a,b): c=a+b return c def sumKM(a,b): c=(a+b)/1000. return c def minusX10(a,b): c = (a-b)*10 return c def divAdd5(a,b): c = (a/b)+5 return c if __name__ == "__main__": print("Run from import")
def subtract(a, b): c = a - b return c def summate(a, b): c = a + b return c def sum_km(a, b): c = (a + b) / 1000.0 return c def minus_x10(a, b): c = (a - b) * 10 return c def div_add5(a, b): c = a / b + 5 return c if __name__ == '__main__': print('Run from import')
class Solution: def smallestEqual(self, nums: List[int]) -> int: smallest = -1 for i in range(0, len(nums)): if i % 10 == nums[i]: if smallest == -1: smallest = i else: if i < smallest: smallest = i return smallest
class Solution: def smallest_equal(self, nums: List[int]) -> int: smallest = -1 for i in range(0, len(nums)): if i % 10 == nums[i]: if smallest == -1: smallest = i elif i < smallest: smallest = i return smallest
PROTO = { 'spaceone.monitoring.api.plugin.webhook': ['Webhook'], 'spaceone.monitoring.api.plugin.event': ['Event'], }
proto = {'spaceone.monitoring.api.plugin.webhook': ['Webhook'], 'spaceone.monitoring.api.plugin.event': ['Event']}
def do_twice_mod(func, value): ''' Input func: Un objeto funcion. value: valor que se le pasa al objeto funcion. ''' func(value) func(value) def print_twice(arg): ''' Input arg: argumento a imprimir. ''' print(arg) print(arg) #do_twice_mod(print_twice, 'spam') def do_four(func, value): ''' Input func: Un objeto funcion. value: valor que se le pasa al objeto funcion. ''' do_twice_mod(func,value) do_twice_mod(func, value) do_four(print_twice, 'spam')
def do_twice_mod(func, value): """ Input func: Un objeto funcion. value: valor que se le pasa al objeto funcion. """ func(value) func(value) def print_twice(arg): """ Input arg: argumento a imprimir. """ print(arg) print(arg) def do_four(func, value): """ Input func: Un objeto funcion. value: valor que se le pasa al objeto funcion. """ do_twice_mod(func, value) do_twice_mod(func, value) do_four(print_twice, 'spam')
# The MIT License (MIT) # # Copyright (c) 2014-2016 Benedikt Schmitt <benedikt@benediktschmitt.de> # # 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. __all__ = [ "Recipe", "Ingredient" ] #Basic storage unit for the ingredients class Ingredient(object) : def __init__(self, name, measure, amount, db_id) : self.name = name self.measure = measure self.amount = amount self.db_id = db_id def __str__(self) : return str(self.amount)+" "+str(self.measure)+" "+str(self.name) #Basic storage unit for the recipes class Recipe(object) : def __init__(self, name, ingredientList, db_id) : self.weight = 1.0 self.name = name self.ingredientList = ingredientList self.db_id = db_id return None def __str__(self) : ret = "" ret += "Name: "+str(self.name)+"\nIngredient List: " for y in range(0, len(self.ingredientList)) : ret += str(self.ingredientList[y]) + "\n" return ret def getIngredientNames(self) : names = [] for r in self.ingredientList : names.append(r.name) return names
__all__ = ['Recipe', 'Ingredient'] class Ingredient(object): def __init__(self, name, measure, amount, db_id): self.name = name self.measure = measure self.amount = amount self.db_id = db_id def __str__(self): return str(self.amount) + ' ' + str(self.measure) + ' ' + str(self.name) class Recipe(object): def __init__(self, name, ingredientList, db_id): self.weight = 1.0 self.name = name self.ingredientList = ingredientList self.db_id = db_id return None def __str__(self): ret = '' ret += 'Name: ' + str(self.name) + '\nIngredient List: ' for y in range(0, len(self.ingredientList)): ret += str(self.ingredientList[y]) + '\n' return ret def get_ingredient_names(self): names = [] for r in self.ingredientList: names.append(r.name) return names
# pylint: disable=invalid-name,used-before-assignment,missing-docstring if xeo > 5: # [cond-expr] xeo = 5 else: xeo = 6 if xeo > 5: xeo = 5 else: beo = 6
if xeo > 5: xeo = 5 else: xeo = 6 if xeo > 5: xeo = 5 else: beo = 6
# Scrapy settings for sydney project # # For simplicity, this file contains only the most important settings by # default. All the other settings are documented here: # # http://doc.scrapy.org/en/latest/topics/settings.html # BOT_NAME = 'sydney' SPIDER_MODULES = ['sydney.spiders'] NEWSPIDER_MODULE = 'sydney.spiders' # Crawl responsibly by identifying yourself (and your website) on the user-agent #USER_AGENT = 'sydney (+http://www.yourdomain.com)' DOWNLOAD_DELAY = 1 HTTPCACHE_ENABLED = True
bot_name = 'sydney' spider_modules = ['sydney.spiders'] newspider_module = 'sydney.spiders' download_delay = 1 httpcache_enabled = True
def addition(): a = 10 b = 45 print(a + b) addition() def addition(): a = int(input("Enter a number ")) b = int(input("Please enter another number ")) print(a + b) addition() def user_info(name, age, info): '''This function print name age and city from an argument provided ''' print("{} is {} years old , from {}".format(name, age, info)) user_info("Ioana", 58, "Brasov" ) #user_info(15, "Bran" ) def application(fname,lname, email, company, *args, **kwargs): print("{} {} works ar {}. Her email is {}.".format(fname, lname, company, email)) application("Jess", "Jones", "mail@mail.com", "Alos.org", 75000, hire_date = "September 2010") # Conditionals print(1<1) name = input("What is your name?") if name == "Marius": print("Hello, nice to meet you {}".format(name)) elif name == "Ionut": print("Hello, you are a nice person! ") elif name == "Elena": print("Hi, {}, let's have lunch!".format(name)) print("Have a nice day!!")
def addition(): a = 10 b = 45 print(a + b) addition() def addition(): a = int(input('Enter a number ')) b = int(input('Please enter another number ')) print(a + b) addition() def user_info(name, age, info): """This function print name age and city from an argument provided """ print('{} is {} years old , from {}'.format(name, age, info)) user_info('Ioana', 58, 'Brasov') def application(fname, lname, email, company, *args, **kwargs): print('{} {} works ar {}. Her email is {}.'.format(fname, lname, company, email)) application('Jess', 'Jones', 'mail@mail.com', 'Alos.org', 75000, hire_date='September 2010') print(1 < 1) name = input('What is your name?') if name == 'Marius': print('Hello, nice to meet you {}'.format(name)) elif name == 'Ionut': print('Hello, you are a nice person! ') elif name == 'Elena': print("Hi, {}, let's have lunch!".format(name)) print('Have a nice day!!')
a=[] e=a b='' while True: b=input('Enter Number(Use String To Break):') if b.isalpha(): break else: a.append(int(b)) while len(a)>0: c=a[0] for x in a: d=0 if c==x: d+=1 a.remove(x) else: continue print ("Number:",c) print ("Frequency:",d)
a = [] e = a b = '' while True: b = input('Enter Number(Use String To Break):') if b.isalpha(): break else: a.append(int(b)) while len(a) > 0: c = a[0] for x in a: d = 0 if c == x: d += 1 a.remove(x) else: continue print('Number:', c) print('Frequency:', d)
#!/usr/bin/env python # -*- coding: utf-8 -*- spinMultiplicity = 2 energy = { 'CCSD(T)-F12/cc-pVTZ-F12': MolproLog('energy.out'), #'CCSD(T)-F12/cc-pVTZ-F12':-382.9466871191517, } frequencies = GaussianLog('ts5-freq.log') rotors = [HinderedRotor(scanLog=ScanLog('scan_0.log'), pivots=[1,2], top=[2,9,10,11], symmetry=3, fit='best'), ]
spin_multiplicity = 2 energy = {'CCSD(T)-F12/cc-pVTZ-F12': molpro_log('energy.out')} frequencies = gaussian_log('ts5-freq.log') rotors = [hindered_rotor(scanLog=scan_log('scan_0.log'), pivots=[1, 2], top=[2, 9, 10, 11], symmetry=3, fit='best')]
actionHandlers = { } toolTipHandlers = { } resultProvidersCached = { } resultProvidersUncached = { } # name : string # getItemGroupsCached: () -> [itemGroup] # getItemGroupsUncached: () -> [itemGroup] def registerResultProvider(name, getItemGroupsCached, getItemGroupsUncached): resultProvidersCached[name] = getItemGroupsCached resultProvidersUncached[name] = getItemGroupsUncached # name : str # action : act -> None # toolTip : groupId, setParent -> (str or QWidget) def registerResultHandler(name, action, toolTip): actionHandlers[name] = action toolTipHandlers[name] = toolTip
action_handlers = {} tool_tip_handlers = {} result_providers_cached = {} result_providers_uncached = {} def register_result_provider(name, getItemGroupsCached, getItemGroupsUncached): resultProvidersCached[name] = getItemGroupsCached resultProvidersUncached[name] = getItemGroupsUncached def register_result_handler(name, action, toolTip): actionHandlers[name] = action toolTipHandlers[name] = toolTip
class UserNotifyEvent: ACCOUNT_CONFIRMATION = "account_confirmation" ACCOUNT_PASSWORD_RESET = "account_password_reset" ACCOUNT_CHANGE_EMAIL_REQUEST = "account_change_email_request" ACCOUNT_CHANGE_EMAIL_CONFIRM = "account_change_email_confirm" ACCOUNT_DELETE = "account_delete" ACCOUNT_SET_CUSTOMER_PASSWORD = "account_set_customer_password" INVOICE_READY = "invoice_ready" ORDER_CONFIRMATION = "order_confirmation" ORDER_CONFIRMED = "order_confirmed" ORDER_FULFILLMENT_CONFIRMATION = "order_fulfillment_confirmation" ORDER_FULFILLMENT_UPDATE = "order_fulfillment_update" ORDER_PAYMENT_CONFIRMATION = "order_payment_confirmation" ORDER_CANCELED = "order_canceled" ORDER_REFUND_CONFIRMATION = "order_refund_confirmation" CHOICES = [ ACCOUNT_CONFIRMATION, ACCOUNT_PASSWORD_RESET, ACCOUNT_CHANGE_EMAIL_REQUEST, ACCOUNT_CHANGE_EMAIL_CONFIRM, ACCOUNT_DELETE, ACCOUNT_SET_CUSTOMER_PASSWORD, INVOICE_READY, ORDER_CONFIRMATION, ORDER_CONFIRMED, ORDER_FULFILLMENT_CONFIRMATION, ORDER_FULFILLMENT_UPDATE, ORDER_PAYMENT_CONFIRMATION, ORDER_CANCELED, ORDER_REFUND_CONFIRMATION, ] class AdminNotifyEvent: ACCOUNT_SET_STAFF_PASSWORD = "account_set_staff_password" ACCOUNT_STAFF_RESET_PASSWORD = "account_staff_reset_password" CSV_PRODUCT_EXPORT_SUCCESS = "csv_export_products_success" CSV_EXPORT_FAILED = "csv_export_failed" STAFF_ORDER_CONFIRMATION = "staff_order_confirmation" CHOICES = [ ACCOUNT_SET_STAFF_PASSWORD, CSV_PRODUCT_EXPORT_SUCCESS, CSV_EXPORT_FAILED, STAFF_ORDER_CONFIRMATION, ACCOUNT_STAFF_RESET_PASSWORD, ] class NotifyEventType(UserNotifyEvent, AdminNotifyEvent): CHOICES = UserNotifyEvent.CHOICES + AdminNotifyEvent.CHOICES
class Usernotifyevent: account_confirmation = 'account_confirmation' account_password_reset = 'account_password_reset' account_change_email_request = 'account_change_email_request' account_change_email_confirm = 'account_change_email_confirm' account_delete = 'account_delete' account_set_customer_password = 'account_set_customer_password' invoice_ready = 'invoice_ready' order_confirmation = 'order_confirmation' order_confirmed = 'order_confirmed' order_fulfillment_confirmation = 'order_fulfillment_confirmation' order_fulfillment_update = 'order_fulfillment_update' order_payment_confirmation = 'order_payment_confirmation' order_canceled = 'order_canceled' order_refund_confirmation = 'order_refund_confirmation' choices = [ACCOUNT_CONFIRMATION, ACCOUNT_PASSWORD_RESET, ACCOUNT_CHANGE_EMAIL_REQUEST, ACCOUNT_CHANGE_EMAIL_CONFIRM, ACCOUNT_DELETE, ACCOUNT_SET_CUSTOMER_PASSWORD, INVOICE_READY, ORDER_CONFIRMATION, ORDER_CONFIRMED, ORDER_FULFILLMENT_CONFIRMATION, ORDER_FULFILLMENT_UPDATE, ORDER_PAYMENT_CONFIRMATION, ORDER_CANCELED, ORDER_REFUND_CONFIRMATION] class Adminnotifyevent: account_set_staff_password = 'account_set_staff_password' account_staff_reset_password = 'account_staff_reset_password' csv_product_export_success = 'csv_export_products_success' csv_export_failed = 'csv_export_failed' staff_order_confirmation = 'staff_order_confirmation' choices = [ACCOUNT_SET_STAFF_PASSWORD, CSV_PRODUCT_EXPORT_SUCCESS, CSV_EXPORT_FAILED, STAFF_ORDER_CONFIRMATION, ACCOUNT_STAFF_RESET_PASSWORD] class Notifyeventtype(UserNotifyEvent, AdminNotifyEvent): choices = UserNotifyEvent.CHOICES + AdminNotifyEvent.CHOICES
#!/usr/bin/env python3 # -*- coding: utf-8 -*- class Super: def method(self): print('in Super.method') def delegate(self): self.action() class Inheritor(Super): pass class Replacer(Super): def method(self): print('in Replacer.method') class Extender(Super): def method(self): print('starting Extender.method') Super.method(self) print('ending Extender.method') class Provider(Super): def action(self): print('in Provider.action') if __name__ == '__main__': for klass in (Inheritor, Replacer, Extender): print('\n' + klass.__name__ + '...') klass().method() print('\nProvider...') x = Provider() x.delegate()
class Super: def method(self): print('in Super.method') def delegate(self): self.action() class Inheritor(Super): pass class Replacer(Super): def method(self): print('in Replacer.method') class Extender(Super): def method(self): print('starting Extender.method') Super.method(self) print('ending Extender.method') class Provider(Super): def action(self): print('in Provider.action') if __name__ == '__main__': for klass in (Inheritor, Replacer, Extender): print('\n' + klass.__name__ + '...') klass().method() print('\nProvider...') x = provider() x.delegate()
class MaxQueue(object): def __init__(self): self.queue = [] self.max_queue = [] def enqueue(self, num): self.queue.append(num) while self.max_queue and self.max_queue[-1] < num: self.max_queue.pop() self.max_queue.append(num) def dequeue(self): num = self.queue[0] self.queue.pop(0) if self.max_queue[0] == num: self.max_queue.pop(0) return num def get_max(self): return self.max_queue[0] q = MaxQueue() q.enqueue(1) q.enqueue(3) q.enqueue(2) print(q.get_max()) print(q.dequeue()) print(q.dequeue()) print(q.get_max()) q.enqueue(4) print(q.get_max())
class Maxqueue(object): def __init__(self): self.queue = [] self.max_queue = [] def enqueue(self, num): self.queue.append(num) while self.max_queue and self.max_queue[-1] < num: self.max_queue.pop() self.max_queue.append(num) def dequeue(self): num = self.queue[0] self.queue.pop(0) if self.max_queue[0] == num: self.max_queue.pop(0) return num def get_max(self): return self.max_queue[0] q = max_queue() q.enqueue(1) q.enqueue(3) q.enqueue(2) print(q.get_max()) print(q.dequeue()) print(q.dequeue()) print(q.get_max()) q.enqueue(4) print(q.get_max())
def v(arr): i = n - 2 while (i >= 0) and\ (arr[i] >= arr[i + 1]): i -= 1 if i >= 0: j = i + 2 while (j < n) and\ (arr[j] > arr[i]): j += 1 arr[i], arr[j - 1] = \ arr[j - 1], arr[i] return [*arr[:i + 1], *reversed(arr[i + 1:n])] else: return [0] * n n = int(input()) arr = list(map(int, input().split())) print(' '.join(map(str, v(arr))))
def v(arr): i = n - 2 while i >= 0 and arr[i] >= arr[i + 1]: i -= 1 if i >= 0: j = i + 2 while j < n and arr[j] > arr[i]: j += 1 (arr[i], arr[j - 1]) = (arr[j - 1], arr[i]) return [*arr[:i + 1], *reversed(arr[i + 1:n])] else: return [0] * n n = int(input()) arr = list(map(int, input().split())) print(' '.join(map(str, v(arr))))
print("-"*17) print(" Meters to cm/mm ") print("-"*17) meters = float(input("Type a value: ")) cm = meters*100 mm = meters*1000 print("{} meters in centimeters is: {} centimeters \nIn millimeters is: {} millimeters".format(meters,cm,mm))
print('-' * 17) print(' Meters to cm/mm ') print('-' * 17) meters = float(input('Type a value: ')) cm = meters * 100 mm = meters * 1000 print('{} meters in centimeters is: {} centimeters \nIn millimeters is: {} millimeters'.format(meters, cm, mm))
init = int(input("Start index: ")) end = int(input("End index: ")) def sr(integer): x = -1 while x < integer: s = None if x * x == integer: s = str(x) break x += 1 return s m = init ps = [] while m <= end: if sr(m) != None: ps.append(m) m += 1 print() print("-------------------") print("Perfect Squares ({0}): {1}".format(len(ps), ps)) print("-------------------") input()
init = int(input('Start index: ')) end = int(input('End index: ')) def sr(integer): x = -1 while x < integer: s = None if x * x == integer: s = str(x) break x += 1 return s m = init ps = [] while m <= end: if sr(m) != None: ps.append(m) m += 1 print() print('-------------------') print('Perfect Squares ({0}): {1}'.format(len(ps), ps)) print('-------------------') input()
class temporal: '''This is an abstract class''' class MensajeOut: tipo='normal' mensaje='' codigo='' class MensajeTs: instruccion='' identificador='' tipo='' referencia='' dimension='' class Tabla_run: def __init__(self, basepadre, nombre, atributos=[]): self.basepadre = basepadre self.nombre = nombre self.atributos = atributos class constraint_name: unique = None #CONSTRAINT UNIQUE anulable = None #CONSTRAINT NOT NULL default = None #CONSTRIANT DEFAULT primary = None #CONSTRAINT PRIMARY foreign = None #CONSTRAINT FOREING check = None #CONSTRAINT CHECK class Columna_run: nombre = '' tipo = '' size = None precision = None unique = None #CONSTRAINT UNIQUE anulable = None #CONSTRAINT NOT NULL default = None #CONSTRIANT DEFAULT primary = None #CONSTRAINT PRIMARY foreign = None #CONSTRAINT FOREING refence = None #REFERENCES check = None #CONSTRAINT CHECK constraint = None def __init__(self): global constraint self.constraint = constraint_name() self.constraint.unique=None self.constraint.anulable=None self.constraint.default=None self.constraint.primary=None self.constraint.foreign=None self.constraint.refence=None self.constraint.check=None
class Temporal: """This is an abstract class""" class Mensajeout: tipo = 'normal' mensaje = '' codigo = '' class Mensajets: instruccion = '' identificador = '' tipo = '' referencia = '' dimension = '' class Tabla_Run: def __init__(self, basepadre, nombre, atributos=[]): self.basepadre = basepadre self.nombre = nombre self.atributos = atributos class Constraint_Name: unique = None anulable = None default = None primary = None foreign = None check = None class Columna_Run: nombre = '' tipo = '' size = None precision = None unique = None anulable = None default = None primary = None foreign = None refence = None check = None constraint = None def __init__(self): global constraint self.constraint = constraint_name() self.constraint.unique = None self.constraint.anulable = None self.constraint.default = None self.constraint.primary = None self.constraint.foreign = None self.constraint.refence = None self.constraint.check = None
# Given a collection of intervals, merge all overlapping intervals. # Example 1: # Input: [[1,3],[2,6],[8,10],[15,18]] # Output: [[1,6],[8,10],[15,18]] # Explanation: Since intervals [1,3] and [2,6] overlaps, merge them into [1,6]. # Example 2: # Input: [[1,4],[4,5]] # Output: [[1,5]] # Explanation: Intervals [1,4] and [4,5] are considered overlapping. class Solution: def merge(self, intervals: 'list[list[int]]') -> 'list[list[int]]': merged = [] intervals.sort() for interval in intervals: if merged == [] or interval[0] > merged[-1][1]: merged.append(interval) else: merged[-1][1] = max(merged[-1][1], interval[1]) return merged
class Solution: def merge(self, intervals: 'list[list[int]]') -> 'list[list[int]]': merged = [] intervals.sort() for interval in intervals: if merged == [] or interval[0] > merged[-1][1]: merged.append(interval) else: merged[-1][1] = max(merged[-1][1], interval[1]) return merged